From b12efe7e801f163f168f23b58727ad1a9608303c Mon Sep 17 00:00:00 2001 From: ggurdin Date: Wed, 26 Jun 2024 15:28:58 -0400 Subject: [PATCH 1/5] updates to improve navigation of practice activities --- assets/l10n/intl_en.arb | 3 +- .../pangea_message_event.dart | 10 +- .../multiple_choice_activity_model.dart | 2 +- .../practice_activity_model.dart | 8 +- ...art => multiple_choice_activity_view.dart} | 21 +-- .../practice_activity/practice_activity.dart | 104 +++++++++++ .../practice_activity_card.dart | 164 +++++++++++++---- .../practice_activity_content.dart | 165 ------------------ needed-translations.txt | 150 ++++++++++------ 9 files changed, 348 insertions(+), 279 deletions(-) rename lib/pangea/widgets/practice_activity/{multiple_choice_activity.dart => multiple_choice_activity_view.dart} (75%) create mode 100644 lib/pangea/widgets/practice_activity/practice_activity.dart delete mode 100644 lib/pangea/widgets/practice_activity/practice_activity_content.dart diff --git a/assets/l10n/intl_en.arb b/assets/l10n/intl_en.arb index 056c6a347b..6476976731 100644 --- a/assets/l10n/intl_en.arb +++ b/assets/l10n/intl_en.arb @@ -4058,5 +4058,6 @@ "suggestToSpaceDesc": "Suggested spaces will appear in the chat lists for their parent spaces", "practice": "Practice", "noLanguagesSet": "No languages set", - "noActivitiesFound": "No practice activities found for this message" + "noActivitiesFound": "No practice activities found for this message", + "previous": "Previous" } \ No newline at end of file diff --git a/lib/pangea/matrix_event_wrappers/pangea_message_event.dart b/lib/pangea/matrix_event_wrappers/pangea_message_event.dart index 951b77dfc0..306376df8c 100644 --- a/lib/pangea/matrix_event_wrappers/pangea_message_event.dart +++ b/lib/pangea/matrix_event_wrappers/pangea_message_event.dart @@ -569,15 +569,7 @@ class PangeaMessageEvent { if (l2Code == null) return false; final List activities = practiceActivities(l2Code!); if (activities.isEmpty) return false; - - // for now, only show the button if the event has no completed activities - // TODO - revert this after adding logic to show next activity - for (final activity in activities) { - if (activity.isComplete) return false; - } - return true; - // if (activities.isEmpty) return false; - // return !activities.every((activity) => activity.isComplete); + return activities.any((activity) => !(activity.isComplete)); } String? get l2Code => diff --git a/lib/pangea/models/practice_activities.dart/multiple_choice_activity_model.dart b/lib/pangea/models/practice_activities.dart/multiple_choice_activity_model.dart index 3cd78a66a0..68376d4108 100644 --- a/lib/pangea/models/practice_activities.dart/multiple_choice_activity_model.dart +++ b/lib/pangea/models/practice_activities.dart/multiple_choice_activity_model.dart @@ -27,7 +27,7 @@ class MultipleChoice { return MultipleChoice( question: json['question'] as String, choices: (json['choices'] as List).map((e) => e as String).toList(), - answer: json['answer'] as String, + answer: json['answer'] ?? json['correct_answer'] as String, ); } diff --git a/lib/pangea/models/practice_activities.dart/practice_activity_model.dart b/lib/pangea/models/practice_activities.dart/practice_activity_model.dart index ae8455c7f9..f5f4348c69 100644 --- a/lib/pangea/models/practice_activities.dart/practice_activity_model.dart +++ b/lib/pangea/models/practice_activities.dart/practice_activity_model.dart @@ -243,9 +243,11 @@ class PracticeActivityModel { .toList(), langCode: json['lang_code'] as String, msgId: json['msg_id'] as String, - activityType: ActivityTypeEnum.values.firstWhere( - (e) => e.string == json['activity_type'], - ), + activityType: json['activity_type'] == "multipleChoice" + ? ActivityTypeEnum.multipleChoice + : ActivityTypeEnum.values.firstWhere( + (e) => e.string == json['activity_type'], + ), multipleChoice: json['multiple_choice'] != null ? MultipleChoice.fromJson( json['multiple_choice'] as Map, diff --git a/lib/pangea/widgets/practice_activity/multiple_choice_activity.dart b/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart similarity index 75% rename from lib/pangea/widgets/practice_activity/multiple_choice_activity.dart rename to lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart index c2861ffe03..100da3456b 100644 --- a/lib/pangea/widgets/practice_activity/multiple_choice_activity.dart +++ b/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart @@ -2,26 +2,24 @@ import 'package:collection/collection.dart'; import 'package:fluffychat/pangea/choreographer/widgets/choice_array.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_model.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_content.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity.dart'; import 'package:flutter/material.dart'; -class MultipleChoiceActivity extends StatelessWidget { - final MessagePracticeActivityContentState card; +class MultipleChoiceActivityView extends StatelessWidget { + final PracticeActivityContentState controller; final Function(int) updateChoice; final bool isActive; - const MultipleChoiceActivity({ + const MultipleChoiceActivityView({ super.key, - required this.card, + required this.controller, required this.updateChoice, required this.isActive, }); - PracticeActivityEvent get practiceEvent => card.practiceEvent; + PracticeActivityEvent get practiceEvent => controller.practiceEvent; - int? get selectedChoiceIndex => card.selectedChoiceIndex; - - bool get submitted => card.recordSubmittedThisSession; + int? get selectedChoiceIndex => controller.selectedChoiceIndex; @override Widget build(BuildContext context) { @@ -50,10 +48,7 @@ class MultipleChoiceActivity extends StatelessWidget { .mapIndexed( (index, value) => Choice( text: value, - color: (selectedChoiceIndex == index || - practiceActivity.multipleChoice! - .isCorrect(index)) && - submitted + color: selectedChoiceIndex == index ? practiceActivity.multipleChoice!.choiceColor(index) : null, isGold: practiceActivity.multipleChoice!.isCorrect(index), diff --git a/lib/pangea/widgets/practice_activity/practice_activity.dart b/lib/pangea/widgets/practice_activity/practice_activity.dart new file mode 100644 index 0000000000..5606aceff4 --- /dev/null +++ b/lib/pangea/widgets/practice_activity/practice_activity.dart @@ -0,0 +1,104 @@ +import 'package:fluffychat/pangea/enum/activity_type_enum.dart'; +import 'package:fluffychat/pangea/matrix_event_wrappers/pangea_message_event.dart'; +import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; +import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/multiple_choice_activity_view.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_card.dart'; +import 'package:flutter/material.dart'; + +class PracticeActivity extends StatefulWidget { + final PracticeActivityEvent practiceEvent; + final PangeaMessageEvent pangeaMessageEvent; + final MessagePracticeActivityCardState controller; + + const PracticeActivity({ + super.key, + required this.practiceEvent, + required this.pangeaMessageEvent, + required this.controller, + }); + + @override + PracticeActivityContentState createState() => PracticeActivityContentState(); +} + +class PracticeActivityContentState extends State { + PracticeActivityEvent get practiceEvent => widget.practiceEvent; + int? selectedChoiceIndex; + bool isSubmitted = false; + + @override + void initState() { + super.initState(); + setRecord(); + } + + @override + void didUpdateWidget(covariant PracticeActivity oldWidget) { + super.didUpdateWidget(oldWidget); + if (oldWidget.practiceEvent.event.eventId != + widget.practiceEvent.event.eventId) { + setRecord(); + } + } + + // sets the record model for the activity + // either a new record model that will be sent after submitting the + // activity or the record model from the user's previous response + void setRecord() { + if (widget.controller.recordEvent?.record == null) { + final String question = + practiceEvent.practiceActivity.multipleChoice!.question; + widget.controller.recordModel = + PracticeActivityRecordModel(question: question); + } else { + widget.controller.recordModel = widget.controller.recordEvent!.record; + + // Note that only MultipleChoice activities will have this so we + // probably should move this logic to the MultipleChoiceActivity widget + selectedChoiceIndex = + widget.controller.recordModel?.latestResponse != null + ? widget.practiceEvent.practiceActivity.multipleChoice + ?.choiceIndex(widget.controller.recordModel!.latestResponse!) + : null; + isSubmitted = widget.controller.recordModel?.latestResponse != null; + } + setState(() {}); + } + + void updateChoice(int index) { + setState(() { + selectedChoiceIndex = index; + widget.controller.recordModel!.addResponse( + text: widget + .practiceEvent.practiceActivity.multipleChoice!.choices[index], + ); + }); + } + + Widget get activityWidget { + switch (widget.practiceEvent.practiceActivity.activityType) { + case ActivityTypeEnum.multipleChoice: + return MultipleChoiceActivityView( + controller: this, + updateChoice: updateChoice, + isActive: !isSubmitted, + ); + default: + return const SizedBox.shrink(); + } + } + + @override + Widget build(BuildContext context) { + debugPrint( + "MessagePracticeActivityContentState.build with selectedChoiceIndex: $selectedChoiceIndex", + ); + return Column( + children: [ + activityWidget, + const SizedBox(height: 8), + ], + ); + } +} diff --git a/lib/pangea/widgets/practice_activity/practice_activity_card.dart b/lib/pangea/widgets/practice_activity/practice_activity_card.dart index 17c528b22c..e28dabe9d5 100644 --- a/lib/pangea/widgets/practice_activity/practice_activity_card.dart +++ b/lib/pangea/widgets/practice_activity/practice_activity_card.dart @@ -1,15 +1,20 @@ import 'dart:developer'; -import 'package:fluffychat/pangea/enum/message_mode_enum.dart'; +import 'package:collection/collection.dart'; +import 'package:fluffychat/config/app_config.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/pangea_message_event.dart'; +import 'package:fluffychat/pangea/matrix_event_wrappers/practice_acitivity_record_event.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; +import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; import 'package:fluffychat/pangea/utils/bot_style.dart'; +import 'package:fluffychat/pangea/utils/error_handler.dart'; import 'package:fluffychat/pangea/widgets/chat/message_toolbar.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_content.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity.dart'; import 'package:fluffychat/widgets/matrix.dart'; import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; import 'package:flutter_gen/gen_l10n/l10n.dart'; +import 'package:matrix/matrix.dart'; class PracticeActivityCard extends StatefulWidget { final PangeaMessageEvent pangeaMessageEvent; @@ -27,12 +32,32 @@ class PracticeActivityCard extends StatefulWidget { } class MessagePracticeActivityCardState extends State { + List practiceActivities = []; PracticeActivityEvent? practiceEvent; + PracticeActivityRecordModel? recordModel; + bool sending = false; + + int get practiceEventIndex => practiceActivities.indexWhere( + (activity) => activity.event.eventId == practiceEvent?.event.eventId, + ); + + bool get isPrevEnabled => + practiceEventIndex > 0 && + practiceActivities.length > (practiceEventIndex - 1); + + bool get isNextEnabled => + practiceEventIndex >= 0 && + practiceEventIndex < practiceActivities.length - 1; + + // the first record for this practice activity + // assosiated with the current user + PracticeActivityRecordEvent? get recordEvent => + practiceEvent?.userRecords.firstOrNull; @override void initState() { super.initState(); - loadInitialData(); + setPracticeActivities(); } String? get langCode { @@ -50,46 +75,106 @@ class MessagePracticeActivityCardState extends State { return langCode; } - void loadInitialData() { + /// Initalizes the practice activities for the current language + /// and sets the first activity as the current activity + void setPracticeActivities() { if (langCode == null) return; - updatePracticeActivity(); - if (practiceEvent == null) { - debugger(when: kDebugMode); - } - } - - void updatePracticeActivity() { - if (langCode == null) return; - final List activities = + practiceActivities = widget.pangeaMessageEvent.practiceActivities(langCode!); - if (activities.isEmpty) return; + if (practiceActivities.isEmpty) return; + + practiceActivities.sort( + (a, b) => a.event.originServerTs.compareTo(b.event.originServerTs), + ); + + // if the current activity hasn't been set yet, show the first uncompleted activity + // if there is one. If not, show the first activity final List incompleteActivities = - activities.where((element) => !element.isComplete).toList(); - debugPrint("total events: ${activities.length}"); - debugPrint("incomplete practice events: ${incompleteActivities.length}"); - - // TODO update to show next activity - practiceEvent = activities.first; - // // if an incomplete activity is found, show that - // if (incompleteActivities.isNotEmpty) { - // practiceEvent = incompleteActivities.first; - // } - // // if no incomplete activity is found, show the last activity - // else if (activities.isNotEmpty) { - // practiceEvent = activities.last; - // } + practiceActivities.where((element) => !element.isComplete).toList(); + practiceEvent ??= incompleteActivities.isNotEmpty + ? incompleteActivities.first + : practiceActivities.first; setState(() {}); } - void showNextActivity() { - if (langCode == null) return; - updatePracticeActivity(); - widget.controller.updateMode(MessageMode.practiceActivity); + void navigateActivities({Direction? direction, int? index}) { + final bool enableNavigation = (direction == Direction.f && isNextEnabled) || + (direction == Direction.b && isPrevEnabled) || + (index != null && index >= 0 && index < practiceActivities.length); + if (enableNavigation) { + final int newIndex = index ?? + (direction == Direction.f + ? practiceEventIndex + 1 + : practiceEventIndex - 1); + practiceEvent = practiceActivities[newIndex]; + setState(() {}); + } + } + + void sendRecord() { + if (recordModel == null || practiceEvent == null) return; + setState(() => sending = true); + MatrixState.pangeaController.activityRecordController + .send(recordModel!, practiceEvent!) + .catchError((error) { + ErrorHandler.logError( + e: error, + s: StackTrace.current, + data: { + 'recordModel': recordModel?.toJson(), + 'practiceEvent': practiceEvent?.event.toJson(), + }, + ); + return null; + }).whenComplete(() => setState(() => sending = false)); } @override Widget build(BuildContext context) { - if (practiceEvent == null) { + final Widget navigationButtons = Row( + mainAxisSize: MainAxisSize.max, + mainAxisAlignment: MainAxisAlignment.spaceBetween, + children: [ + Opacity( + opacity: isPrevEnabled ? 1.0 : 0, + child: IconButton( + onPressed: isPrevEnabled + ? () => navigateActivities(direction: Direction.b) + : null, + icon: const Icon(Icons.keyboard_arrow_left_outlined), + tooltip: L10n.of(context)!.previous, + ), + ), + Expanded( + child: Opacity( + opacity: recordEvent == null ? 1.0 : 0.5, + child: sending + ? const CircularProgressIndicator.adaptive() + : TextButton( + onPressed: recordEvent == null ? sendRecord : null, + style: ButtonStyle( + backgroundColor: WidgetStateProperty.all( + AppConfig.primaryColor, + ), + ), + child: Text(L10n.of(context)!.submit), + ), + ), + ), + Opacity( + opacity: isNextEnabled ? 1.0 : 0, + child: IconButton( + onPressed: isNextEnabled + ? () => navigateActivities(direction: Direction.f) + : null, + icon: const Icon(Icons.keyboard_arrow_right_outlined), + tooltip: L10n.of(context)!.next, + ), + ), + ], + ); + + if (practiceEvent == null || practiceActivities.isEmpty) { return Text( L10n.of(context)!.noActivitiesFound, style: BotStyle.text(context), @@ -99,10 +184,15 @@ class MessagePracticeActivityCardState extends State { // onActivityGenerated: updatePracticeActivity, // ); } - return PracticeActivityContent( - practiceEvent: practiceEvent!, - pangeaMessageEvent: widget.pangeaMessageEvent, - controller: this, + return Column( + children: [ + PracticeActivity( + pangeaMessageEvent: widget.pangeaMessageEvent, + practiceEvent: practiceEvent!, + controller: this, + ), + navigationButtons, + ], ); } } diff --git a/lib/pangea/widgets/practice_activity/practice_activity_content.dart b/lib/pangea/widgets/practice_activity/practice_activity_content.dart deleted file mode 100644 index 8080c27eea..0000000000 --- a/lib/pangea/widgets/practice_activity/practice_activity_content.dart +++ /dev/null @@ -1,165 +0,0 @@ -import 'package:collection/collection.dart'; -import 'package:fluffychat/config/app_config.dart'; -import 'package:fluffychat/pangea/enum/activity_type_enum.dart'; -import 'package:fluffychat/pangea/matrix_event_wrappers/pangea_message_event.dart'; -import 'package:fluffychat/pangea/matrix_event_wrappers/practice_acitivity_record_event.dart'; -import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; -import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; -import 'package:fluffychat/pangea/utils/error_handler.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/multiple_choice_activity.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_card.dart'; -import 'package:fluffychat/widgets/matrix.dart'; -import 'package:flutter/material.dart'; -import 'package:flutter_gen/gen_l10n/l10n.dart'; - -class PracticeActivityContent extends StatefulWidget { - final PracticeActivityEvent practiceEvent; - final PangeaMessageEvent pangeaMessageEvent; - final MessagePracticeActivityCardState controller; - - const PracticeActivityContent({ - super.key, - required this.practiceEvent, - required this.pangeaMessageEvent, - required this.controller, - }); - - @override - MessagePracticeActivityContentState createState() => - MessagePracticeActivityContentState(); -} - -class MessagePracticeActivityContentState - extends State { - int? selectedChoiceIndex; - PracticeActivityRecordModel? recordModel; - bool recordSubmittedThisSession = false; - bool recordSubmittedPreviousSession = false; - - PracticeActivityEvent get practiceEvent => widget.practiceEvent; - - @override - void initState() { - super.initState(); - initalizeActivity(); - } - - @override - void didUpdateWidget(covariant PracticeActivityContent oldWidget) { - super.didUpdateWidget(oldWidget); - if (oldWidget.practiceEvent.event.eventId != - widget.practiceEvent.event.eventId) { - initalizeActivity(); - } - } - - void initalizeActivity() { - final PracticeActivityRecordEvent? recordEvent = - widget.practiceEvent.userRecords.firstOrNull; - if (recordEvent?.record == null) { - recordModel = PracticeActivityRecordModel( - question: - widget.practiceEvent.practiceActivity.multipleChoice!.question, - ); - } else { - recordModel = recordEvent!.record; - - //Note that only MultipleChoice activities will have this so we probably should move this logic to the MultipleChoiceActivity widget - selectedChoiceIndex = recordModel?.latestResponse != null - ? widget.practiceEvent.practiceActivity.multipleChoice - ?.choiceIndex(recordModel!.latestResponse!) - : null; - - recordSubmittedPreviousSession = true; - recordSubmittedThisSession = true; - } - setState(() {}); - } - - void updateChoice(int index) { - setState(() { - selectedChoiceIndex = index; - recordModel!.addResponse( - text: widget - .practiceEvent.practiceActivity.multipleChoice!.choices[index], - ); - }); - } - - Widget get activityWidget { - switch (widget.practiceEvent.practiceActivity.activityType) { - case ActivityTypeEnum.multipleChoice: - return MultipleChoiceActivity( - card: this, - updateChoice: updateChoice, - isActive: - !recordSubmittedPreviousSession && !recordSubmittedThisSession, - ); - default: - return const SizedBox.shrink(); - } - } - - void sendRecord() { - MatrixState.pangeaController.activityRecordController - .send( - recordModel!, - widget.practiceEvent, - ) - .catchError((error) { - ErrorHandler.logError( - e: error, - s: StackTrace.current, - data: { - 'recordModel': recordModel?.toJson(), - 'practiceEvent': widget.practiceEvent.event.toJson(), - }, - ); - return null; - }).then((_) => widget.controller.showNextActivity()); - - setState(() { - recordSubmittedThisSession = true; - }); - } - - @override - Widget build(BuildContext context) { - debugPrint( - "MessagePracticeActivityContentState.build with selectedChoiceIndex: $selectedChoiceIndex", - ); - return Column( - children: [ - activityWidget, - const SizedBox(height: 8), - Row( - mainAxisAlignment: MainAxisAlignment.center, - children: [ - Opacity( - opacity: selectedChoiceIndex != null && - !recordSubmittedThisSession && - !recordSubmittedPreviousSession - ? 1.0 - : 0.5, - child: TextButton( - onPressed: () { - if (recordSubmittedThisSession || - recordSubmittedPreviousSession) { - return; - } - selectedChoiceIndex != null ? sendRecord() : null; - }, - style: ButtonStyle( - backgroundColor: WidgetStateProperty.all( - AppConfig.primaryColor, - ), - ), - child: Text(L10n.of(context)!.submit), - ), - ), - ], - ), - ], - ); - } -} diff --git a/needed-translations.txt b/needed-translations.txt index 1355bb368e..ec54ac3599 100644 --- a/needed-translations.txt +++ b/needed-translations.txt @@ -863,7 +863,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "be": [ @@ -2363,7 +2364,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "bn": [ @@ -3859,7 +3861,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "bo": [ @@ -5359,7 +5362,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ca": [ @@ -6261,7 +6265,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "cs": [ @@ -7245,7 +7250,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "de": [ @@ -8112,7 +8118,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "el": [ @@ -9563,7 +9570,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "eo": [ @@ -10712,7 +10720,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "es": [ @@ -10727,7 +10736,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "et": [ @@ -11594,7 +11604,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "eu": [ @@ -12463,7 +12474,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "fa": [ @@ -13469,7 +13481,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "fi": [ @@ -14439,7 +14452,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "fil": [ @@ -15765,7 +15779,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "fr": [ @@ -16770,7 +16785,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ga": [ @@ -17904,7 +17920,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "gl": [ @@ -18771,7 +18788,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "he": [ @@ -20024,7 +20042,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "hi": [ @@ -21517,7 +21536,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "hr": [ @@ -22463,7 +22483,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "hu": [ @@ -23346,7 +23367,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ia": [ @@ -24832,7 +24854,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "id": [ @@ -25705,7 +25728,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ie": [ @@ -26962,7 +26986,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "it": [ @@ -27886,7 +27911,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ja": [ @@ -28921,7 +28947,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ka": [ @@ -30275,7 +30302,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ko": [ @@ -31144,7 +31172,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "lt": [ @@ -32179,7 +32208,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "lv": [ @@ -33054,7 +33084,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "nb": [ @@ -34253,7 +34284,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "nl": [ @@ -35216,7 +35248,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "pl": [ @@ -36188,7 +36221,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "pt": [ @@ -37666,7 +37700,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "pt_BR": [ @@ -38539,7 +38574,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "pt_PT": [ @@ -39739,7 +39775,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ro": [ @@ -40746,7 +40783,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ru": [ @@ -41619,7 +41657,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "sk": [ @@ -42885,7 +42924,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "sl": [ @@ -44281,7 +44321,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "sr": [ @@ -45451,7 +45492,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "sv": [ @@ -46355,7 +46397,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "ta": [ @@ -47852,7 +47895,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "th": [ @@ -49303,7 +49347,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "tr": [ @@ -50170,7 +50215,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "uk": [ @@ -51074,7 +51120,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "vi": [ @@ -52426,7 +52473,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "zh": [ @@ -53293,7 +53341,8 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ], "zh_Hant": [ @@ -54441,6 +54490,7 @@ "suggestToSpaceDesc", "practice", "noLanguagesSet", - "noActivitiesFound" + "noActivitiesFound", + "previous" ] } From d0e03aea97017944817437c4221628092432b06f Mon Sep 17 00:00:00 2001 From: ggurdin Date: Thu, 27 Jun 2024 15:59:57 -0400 Subject: [PATCH 2/5] seperating practice activity-specific logic and functionality from navigation / event sending logic --- lib/pangea/constants/pangea_event_types.dart | 10 +- ...actice_activity_generation_controller.dart | 2 +- .../extensions/pangea_event_extension.dart | 2 +- .../pangea_message_event.dart | 54 +++++---- .../practice_activity_event.dart | 30 +++-- lib/pangea/widgets/chat/message_toolbar.dart | 1 - .../multiple_choice_activity_view.dart | 86 +++++++++++-- .../practice_activity/practice_activity.dart | 68 +---------- .../practice_activity_card.dart | 114 +++++++----------- 9 files changed, 182 insertions(+), 185 deletions(-) diff --git a/lib/pangea/constants/pangea_event_types.dart b/lib/pangea/constants/pangea_event_types.dart index 27b177a350..9ca975dc0e 100644 --- a/lib/pangea/constants/pangea_event_types.dart +++ b/lib/pangea/constants/pangea_event_types.dart @@ -26,7 +26,13 @@ class PangeaEventTypes { static const String report = 'm.report'; static const textToSpeechRule = "p.rule.text_to_speech"; - static const pangeaActivityRes = "pangea.activity_res"; - static const acitivtyRequest = "pangea.activity_req"; + /// A request to the server to generate activities + static const activityRequest = "pangea.activity_req"; + + /// A practice activity that is related to a message + static const pangeaActivity = "pangea.activity_res"; + + /// A record of completion of an activity. There + /// can be one per user per activity. static const activityRecord = "pangea.activity_completion"; } diff --git a/lib/pangea/controllers/practice_activity_generation_controller.dart b/lib/pangea/controllers/practice_activity_generation_controller.dart index 29047d0c4b..8ea5b5c820 100644 --- a/lib/pangea/controllers/practice_activity_generation_controller.dart +++ b/lib/pangea/controllers/practice_activity_generation_controller.dart @@ -51,7 +51,7 @@ class PracticeGenerationController { final Event? activityEvent = await pangeaMessageEvent.room.sendPangeaEvent( content: model.toJson(), parentEventId: pangeaMessageEvent.eventId, - type: PangeaEventTypes.pangeaActivityRes, + type: PangeaEventTypes.pangeaActivity, ); if (activityEvent == null) { diff --git a/lib/pangea/extensions/pangea_event_extension.dart b/lib/pangea/extensions/pangea_event_extension.dart index 17e14ed866..f18ee23b7b 100644 --- a/lib/pangea/extensions/pangea_event_extension.dart +++ b/lib/pangea/extensions/pangea_event_extension.dart @@ -28,7 +28,7 @@ extension PangeaEvent on Event { return PangeaRepresentation.fromJson(json) as V; case PangeaEventTypes.choreoRecord: return ChoreoRecord.fromJson(json) as V; - case PangeaEventTypes.pangeaActivityRes: + case PangeaEventTypes.pangeaActivity: return PracticeActivityModel.fromJson(json) as V; case PangeaEventTypes.activityRecord: return PracticeActivityRecordModel.fromJson(json) as V; diff --git a/lib/pangea/matrix_event_wrappers/pangea_message_event.dart b/lib/pangea/matrix_event_wrappers/pangea_message_event.dart index 306376df8c..6621874f73 100644 --- a/lib/pangea/matrix_event_wrappers/pangea_message_event.dart +++ b/lib/pangea/matrix_event_wrappers/pangea_message_event.dart @@ -566,10 +566,8 @@ class PangeaMessageEvent { /// If any activity is not complete, it returns true, indicating that the activity icon should be shown. /// Otherwise, it returns false. bool get hasUncompletedActivity { - if (l2Code == null) return false; - final List activities = practiceActivities(l2Code!); - if (activities.isEmpty) return false; - return activities.any((activity) => !(activity.isComplete)); + if (practiceActivities.isEmpty) return false; + return practiceActivities.any((activity) => !(activity.isComplete)); } String? get l2Code => @@ -603,34 +601,36 @@ class PangeaMessageEvent { return steps; } - List get _practiceActivityEvents => _latestEdit - .aggregatedEvents( - timeline, - PangeaEventTypes.pangeaActivityRes, - ) - .map( - (e) => PracticeActivityEvent( - timeline: timeline, - event: e, - ), - ) - .toList(); + /// Returns a list of all [PracticeActivityEvent] objects + /// associated with this message event. + List get _practiceActivityEvents { + return _latestEdit + .aggregatedEvents( + timeline, + PangeaEventTypes.pangeaActivity, + ) + .map( + (e) => PracticeActivityEvent( + timeline: timeline, + event: e, + ), + ) + .toList(); + } + /// Returns a boolean value indicating whether there are any + /// activities associated with this message event for the user's active l2 bool get hasActivities { try { - final String? l2code = - MatrixState.pangeaController.languageController.activeL2Code(); - - if (l2code == null) return false; - - return practiceActivities(l2code).isNotEmpty; + return practiceActivities.isNotEmpty; } catch (e, s) { ErrorHandler.logError(e: e, s: s); return false; } } - List practiceActivities( + /// Returns a list of [PracticeActivityEvent] objects for the given [langCode]. + List practiceActivitiesByLangCode( String langCode, { bool debug = false, }) { @@ -650,6 +650,14 @@ class PangeaMessageEvent { } } + /// Returns a list of [PracticeActivityEvent] for the user's active l2. + List get practiceActivities { + final String? l2code = + MatrixState.pangeaController.languageController.activeL2Code(); + if (l2code == null) return []; + return practiceActivitiesByLangCode(l2code); + } + // List get activities => //each match is turned into an activity that other students can access //they're not told the answer but have to find it themselves diff --git a/lib/pangea/matrix_event_wrappers/practice_activity_event.dart b/lib/pangea/matrix_event_wrappers/practice_activity_event.dart index c5f35be911..10dd814ec3 100644 --- a/lib/pangea/matrix_event_wrappers/practice_activity_event.dart +++ b/lib/pangea/matrix_event_wrappers/practice_activity_event.dart @@ -27,7 +27,7 @@ class PracticeActivityEvent { _content = content; } } - if (event.type != PangeaEventTypes.pangeaActivityRes) { + if (event.type != PangeaEventTypes.pangeaActivity) { throw Exception( "${event.type} should not be used to make a PracticeActivityEvent", ); @@ -39,7 +39,7 @@ class PracticeActivityEvent { return _content!; } - //in aggregatedEvents for the event, find all practiceActivityRecordEvents whose sender matches the client's userId + /// All completion records assosiated with this activity List get allRecords { if (timeline == null) { debugger(when: kDebugMode); @@ -54,14 +54,24 @@ class PracticeActivityEvent { .toList(); } - List get userRecords => allRecords - .where( - (recordEvent) => - recordEvent.event.senderId == recordEvent.event.room.client.userID, - ) - .toList(); + /// Completion record assosiated with this activity + /// for the logged in user, null if there is none + PracticeActivityRecordEvent? get userRecord { + final List records = allRecords + .where( + (recordEvent) => + recordEvent.event.senderId == + recordEvent.event.room.client.userID, + ) + .toList(); + if (records.length > 1) { + debugPrint("There should only be one record per user per activity"); + debugger(when: kDebugMode); + } + return records.firstOrNull; + } - /// Checks if there are any user records in the list for this activity, + /// Checks if there is a user record for this activity, /// and, if so, then the activity is complete - bool get isComplete => userRecords.isNotEmpty; + bool get isComplete => userRecord != null; } diff --git a/lib/pangea/widgets/chat/message_toolbar.dart b/lib/pangea/widgets/chat/message_toolbar.dart index 2468d6b96c..7c7c7ba6f6 100644 --- a/lib/pangea/widgets/chat/message_toolbar.dart +++ b/lib/pangea/widgets/chat/message_toolbar.dart @@ -302,7 +302,6 @@ class MessageToolbarState extends State { void showPracticeActivity() { toolbarContent = PracticeActivityCard( pangeaMessageEvent: widget.pangeaMessageEvent, - controller: this, ); } diff --git a/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart b/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart index 100da3456b..28fc00bd18 100644 --- a/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart +++ b/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart @@ -2,29 +2,89 @@ import 'package:collection/collection.dart'; import 'package:fluffychat/pangea/choreographer/widgets/choice_array.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_model.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity.dart'; +import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_card.dart'; import 'package:flutter/material.dart'; -class MultipleChoiceActivityView extends StatelessWidget { - final PracticeActivityContentState controller; - final Function(int) updateChoice; - final bool isActive; +/// The multiple choice activity view +class MultipleChoiceActivity extends StatefulWidget { + final MessagePracticeActivityCardState controller; + final PracticeActivityEvent? currentActivity; - const MultipleChoiceActivityView({ + const MultipleChoiceActivity({ super.key, required this.controller, - required this.updateChoice, - required this.isActive, + required this.currentActivity, }); - PracticeActivityEvent get practiceEvent => controller.practiceEvent; + @override + MultipleChoiceActivityState createState() => MultipleChoiceActivityState(); +} + +class MultipleChoiceActivityState extends State { + int? selectedChoiceIndex; + + PracticeActivityRecordModel? get currentRecordModel => + widget.controller.currentRecordModel; + + bool get isSubmitted => + widget.currentActivity?.userRecord?.record?.latestResponse != null; + + @override + void initState() { + super.initState(); + setCompletionRecord(); + } - int? get selectedChoiceIndex => controller.selectedChoiceIndex; + @override + void didUpdateWidget(covariant MultipleChoiceActivity oldWidget) { + super.didUpdateWidget(oldWidget); + if (oldWidget.currentActivity?.event.eventId != + widget.currentActivity?.event.eventId) { + setCompletionRecord(); + } + } + + /// Sets the completion record for the multiple choice activity. + /// If the user record is null, it creates a new record model with the question + /// from the current activity and sets the selected choice index to null. + /// Otherwise, it sets the current model to the user record's record and + /// determines the selected choice index. + void setCompletionRecord() { + if (widget.currentActivity?.userRecord?.record == null) { + widget.controller.setCurrentModel( + PracticeActivityRecordModel( + question: + widget.currentActivity?.practiceActivity.multipleChoice!.question, + ), + ); + selectedChoiceIndex = null; + } else { + widget.controller + .setCurrentModel(widget.currentActivity!.userRecord!.record); + selectedChoiceIndex = widget + .currentActivity?.practiceActivity.multipleChoice! + .choiceIndex(currentRecordModel!.latestResponse!); + } + setState(() {}); + } + + void updateChoice(int index) { + currentRecordModel?.addResponse( + text: widget.controller.currentActivity?.practiceActivity.multipleChoice! + .choices[index], + ); + setState(() => selectedChoiceIndex = index); + } @override Widget build(BuildContext context) { - final PracticeActivityModel practiceActivity = - practiceEvent.practiceActivity; + final PracticeActivityModel? practiceActivity = + widget.currentActivity?.practiceActivity; + + if (practiceActivity == null) { + return const SizedBox(); + } return Container( padding: const EdgeInsets.all(8), @@ -55,7 +115,7 @@ class MultipleChoiceActivityView extends StatelessWidget { ), ) .toList(), - isActive: isActive, + isActive: !isSubmitted, ), ], ), diff --git a/lib/pangea/widgets/practice_activity/practice_activity.dart b/lib/pangea/widgets/practice_activity/practice_activity.dart index 5606aceff4..1c6b384956 100644 --- a/lib/pangea/widgets/practice_activity/practice_activity.dart +++ b/lib/pangea/widgets/practice_activity/practice_activity.dart @@ -1,20 +1,17 @@ import 'package:fluffychat/pangea/enum/activity_type_enum.dart'; -import 'package:fluffychat/pangea/matrix_event_wrappers/pangea_message_event.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; -import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; import 'package:fluffychat/pangea/widgets/practice_activity/multiple_choice_activity_view.dart'; import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_card.dart'; import 'package:flutter/material.dart'; +/// Practice activity content class PracticeActivity extends StatefulWidget { final PracticeActivityEvent practiceEvent; - final PangeaMessageEvent pangeaMessageEvent; final MessagePracticeActivityCardState controller; const PracticeActivity({ super.key, required this.practiceEvent, - required this.pangeaMessageEvent, required this.controller, }); @@ -23,66 +20,12 @@ class PracticeActivity extends StatefulWidget { } class PracticeActivityContentState extends State { - PracticeActivityEvent get practiceEvent => widget.practiceEvent; - int? selectedChoiceIndex; - bool isSubmitted = false; - - @override - void initState() { - super.initState(); - setRecord(); - } - - @override - void didUpdateWidget(covariant PracticeActivity oldWidget) { - super.didUpdateWidget(oldWidget); - if (oldWidget.practiceEvent.event.eventId != - widget.practiceEvent.event.eventId) { - setRecord(); - } - } - - // sets the record model for the activity - // either a new record model that will be sent after submitting the - // activity or the record model from the user's previous response - void setRecord() { - if (widget.controller.recordEvent?.record == null) { - final String question = - practiceEvent.practiceActivity.multipleChoice!.question; - widget.controller.recordModel = - PracticeActivityRecordModel(question: question); - } else { - widget.controller.recordModel = widget.controller.recordEvent!.record; - - // Note that only MultipleChoice activities will have this so we - // probably should move this logic to the MultipleChoiceActivity widget - selectedChoiceIndex = - widget.controller.recordModel?.latestResponse != null - ? widget.practiceEvent.practiceActivity.multipleChoice - ?.choiceIndex(widget.controller.recordModel!.latestResponse!) - : null; - isSubmitted = widget.controller.recordModel?.latestResponse != null; - } - setState(() {}); - } - - void updateChoice(int index) { - setState(() { - selectedChoiceIndex = index; - widget.controller.recordModel!.addResponse( - text: widget - .practiceEvent.practiceActivity.multipleChoice!.choices[index], - ); - }); - } - Widget get activityWidget { switch (widget.practiceEvent.practiceActivity.activityType) { case ActivityTypeEnum.multipleChoice: - return MultipleChoiceActivityView( - controller: this, - updateChoice: updateChoice, - isActive: !isSubmitted, + return MultipleChoiceActivity( + controller: widget.controller, + currentActivity: widget.practiceEvent, ); default: return const SizedBox.shrink(); @@ -91,9 +34,6 @@ class PracticeActivityContentState extends State { @override Widget build(BuildContext context) { - debugPrint( - "MessagePracticeActivityContentState.build with selectedChoiceIndex: $selectedChoiceIndex", - ); return Column( children: [ activityWidget, diff --git a/lib/pangea/widgets/practice_activity/practice_activity_card.dart b/lib/pangea/widgets/practice_activity/practice_activity_card.dart index e28dabe9d5..879c96dec6 100644 --- a/lib/pangea/widgets/practice_activity/practice_activity_card.dart +++ b/lib/pangea/widgets/practice_activity/practice_activity_card.dart @@ -1,29 +1,24 @@ -import 'dart:developer'; - -import 'package:collection/collection.dart'; import 'package:fluffychat/config/app_config.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/pangea_message_event.dart'; -import 'package:fluffychat/pangea/matrix_event_wrappers/practice_acitivity_record_event.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; import 'package:fluffychat/pangea/utils/bot_style.dart'; import 'package:fluffychat/pangea/utils/error_handler.dart'; -import 'package:fluffychat/pangea/widgets/chat/message_toolbar.dart'; import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity.dart'; import 'package:fluffychat/widgets/matrix.dart'; -import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; import 'package:flutter_gen/gen_l10n/l10n.dart'; import 'package:matrix/matrix.dart'; +/// The wrapper for practice activity content. +/// Handles the activities assosiated with a message, +/// their navigation, and the management of completion records class PracticeActivityCard extends StatefulWidget { final PangeaMessageEvent pangeaMessageEvent; - final MessageToolbarState controller; const PracticeActivityCard({ super.key, required this.pangeaMessageEvent, - required this.controller, }); @override @@ -32,13 +27,15 @@ class PracticeActivityCard extends StatefulWidget { } class MessagePracticeActivityCardState extends State { - List practiceActivities = []; - PracticeActivityEvent? practiceEvent; - PracticeActivityRecordModel? recordModel; + PracticeActivityEvent? currentActivity; + PracticeActivityRecordModel? currentRecordModel; bool sending = false; + List get practiceActivities => + widget.pangeaMessageEvent.practiceActivities; + int get practiceEventIndex => practiceActivities.indexWhere( - (activity) => activity.event.eventId == practiceEvent?.event.eventId, + (activity) => activity.event.eventId == currentActivity?.event.eventId, ); bool get isPrevEnabled => @@ -49,80 +46,59 @@ class MessagePracticeActivityCardState extends State { practiceEventIndex >= 0 && practiceEventIndex < practiceActivities.length - 1; - // the first record for this practice activity - // assosiated with the current user - PracticeActivityRecordEvent? get recordEvent => - practiceEvent?.userRecords.firstOrNull; - @override void initState() { super.initState(); - setPracticeActivities(); - } - - String? get langCode { - final String? langCode = MatrixState.pangeaController.languageController - .activeL2Model() - ?.langCode; - - if (langCode == null) { - ScaffoldMessenger.of(context).showSnackBar( - SnackBar(content: Text(L10n.of(context)!.noLanguagesSet)), - ); - debugger(when: kDebugMode); - return null; - } - return langCode; + setCurrentActivity(); } - /// Initalizes the practice activities for the current language - /// and sets the first activity as the current activity - void setPracticeActivities() { - if (langCode == null) return; - practiceActivities = - widget.pangeaMessageEvent.practiceActivities(langCode!); + /// Initalizes the current activity. + /// If the current activity hasn't been set yet, show the first + /// uncompleted activity if there is one. + /// If not, show the first activity + void setCurrentActivity() { if (practiceActivities.isEmpty) return; - - practiceActivities.sort( - (a, b) => a.event.originServerTs.compareTo(b.event.originServerTs), - ); - - // if the current activity hasn't been set yet, show the first uncompleted activity - // if there is one. If not, show the first activity final List incompleteActivities = practiceActivities.where((element) => !element.isComplete).toList(); - practiceEvent ??= incompleteActivities.isNotEmpty + currentActivity ??= incompleteActivities.isNotEmpty ? incompleteActivities.first : practiceActivities.first; setState(() {}); } - void navigateActivities({Direction? direction, int? index}) { + void setCurrentModel(PracticeActivityRecordModel? recordModel) { + currentRecordModel = recordModel; + } + + /// Sets the current acitivity based on the given [direction]. + void navigateActivities(Direction direction) { final bool enableNavigation = (direction == Direction.f && isNextEnabled) || - (direction == Direction.b && isPrevEnabled) || - (index != null && index >= 0 && index < practiceActivities.length); + (direction == Direction.b && isPrevEnabled); if (enableNavigation) { - final int newIndex = index ?? - (direction == Direction.f - ? practiceEventIndex + 1 - : practiceEventIndex - 1); - practiceEvent = practiceActivities[newIndex]; + currentActivity = practiceActivities[direction == Direction.f + ? practiceEventIndex + 1 + : practiceEventIndex - 1]; setState(() {}); } } + /// Sends the current record model and activity to the server. + /// If either the currentRecordModel or currentActivity is null, the method returns early. + /// Sets the [sending] flag to true before sending the record and activity. + /// Logs any errors that occur during the send operation. + /// Sets the [sending] flag to false when the send operation is complete. void sendRecord() { - if (recordModel == null || practiceEvent == null) return; + if (currentRecordModel == null || currentActivity == null) return; setState(() => sending = true); MatrixState.pangeaController.activityRecordController - .send(recordModel!, practiceEvent!) + .send(currentRecordModel!, currentActivity!) .catchError((error) { ErrorHandler.logError( e: error, s: StackTrace.current, data: { - 'recordModel': recordModel?.toJson(), - 'practiceEvent': practiceEvent?.event.toJson(), + 'recordModel': currentRecordModel?.toJson(), + 'practiceEvent': currentActivity?.event.toJson(), }, ); return null; @@ -138,20 +114,20 @@ class MessagePracticeActivityCardState extends State { Opacity( opacity: isPrevEnabled ? 1.0 : 0, child: IconButton( - onPressed: isPrevEnabled - ? () => navigateActivities(direction: Direction.b) - : null, + onPressed: + isPrevEnabled ? () => navigateActivities(Direction.b) : null, icon: const Icon(Icons.keyboard_arrow_left_outlined), tooltip: L10n.of(context)!.previous, ), ), Expanded( child: Opacity( - opacity: recordEvent == null ? 1.0 : 0.5, + opacity: currentActivity?.userRecord == null ? 1.0 : 0.5, child: sending ? const CircularProgressIndicator.adaptive() : TextButton( - onPressed: recordEvent == null ? sendRecord : null, + onPressed: + currentActivity?.userRecord == null ? sendRecord : null, style: ButtonStyle( backgroundColor: WidgetStateProperty.all( AppConfig.primaryColor, @@ -164,9 +140,8 @@ class MessagePracticeActivityCardState extends State { Opacity( opacity: isNextEnabled ? 1.0 : 0, child: IconButton( - onPressed: isNextEnabled - ? () => navigateActivities(direction: Direction.f) - : null, + onPressed: + isNextEnabled ? () => navigateActivities(Direction.f) : null, icon: const Icon(Icons.keyboard_arrow_right_outlined), tooltip: L10n.of(context)!.next, ), @@ -174,7 +149,7 @@ class MessagePracticeActivityCardState extends State { ], ); - if (practiceEvent == null || practiceActivities.isEmpty) { + if (currentActivity == null || practiceActivities.isEmpty) { return Text( L10n.of(context)!.noActivitiesFound, style: BotStyle.text(context), @@ -187,8 +162,7 @@ class MessagePracticeActivityCardState extends State { return Column( children: [ PracticeActivity( - pangeaMessageEvent: widget.pangeaMessageEvent, - practiceEvent: practiceEvent!, + practiceEvent: currentActivity!, controller: this, ), navigationButtons, From f81e5957a5198f7f1757d8e7bf62ca389f591108 Mon Sep 17 00:00:00 2001 From: ggurdin Date: Thu, 27 Jun 2024 16:01:52 -0400 Subject: [PATCH 3/5] renamed multiple choice activity file name --- ..._choice_activity_view.dart => multiple_choice_activity.dart} | 0 lib/pangea/widgets/practice_activity/practice_activity.dart | 2 +- 2 files changed, 1 insertion(+), 1 deletion(-) rename lib/pangea/widgets/practice_activity/{multiple_choice_activity_view.dart => multiple_choice_activity.dart} (100%) diff --git a/lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart b/lib/pangea/widgets/practice_activity/multiple_choice_activity.dart similarity index 100% rename from lib/pangea/widgets/practice_activity/multiple_choice_activity_view.dart rename to lib/pangea/widgets/practice_activity/multiple_choice_activity.dart diff --git a/lib/pangea/widgets/practice_activity/practice_activity.dart b/lib/pangea/widgets/practice_activity/practice_activity.dart index 1c6b384956..6de31829c9 100644 --- a/lib/pangea/widgets/practice_activity/practice_activity.dart +++ b/lib/pangea/widgets/practice_activity/practice_activity.dart @@ -1,6 +1,6 @@ import 'package:fluffychat/pangea/enum/activity_type_enum.dart'; import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/multiple_choice_activity_view.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/multiple_choice_activity.dart'; import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_card.dart'; import 'package:flutter/material.dart'; From 6eb003dee3ffcc789df83097ef377e248433e4a3 Mon Sep 17 00:00:00 2001 From: ggurdin Date: Thu, 27 Jun 2024 16:04:32 -0400 Subject: [PATCH 4/5] renamed practice activity content file name --- .../widgets/practice_activity/practice_activity_card.dart | 2 +- .../{practice_activity.dart => practice_activity_content.dart} | 0 2 files changed, 1 insertion(+), 1 deletion(-) rename lib/pangea/widgets/practice_activity/{practice_activity.dart => practice_activity_content.dart} (100%) diff --git a/lib/pangea/widgets/practice_activity/practice_activity_card.dart b/lib/pangea/widgets/practice_activity/practice_activity_card.dart index 879c96dec6..5d0b816625 100644 --- a/lib/pangea/widgets/practice_activity/practice_activity_card.dart +++ b/lib/pangea/widgets/practice_activity/practice_activity_card.dart @@ -4,7 +4,7 @@ import 'package:fluffychat/pangea/matrix_event_wrappers/practice_activity_event. import 'package:fluffychat/pangea/models/practice_activities.dart/practice_activity_record_model.dart'; import 'package:fluffychat/pangea/utils/bot_style.dart'; import 'package:fluffychat/pangea/utils/error_handler.dart'; -import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity.dart'; +import 'package:fluffychat/pangea/widgets/practice_activity/practice_activity_content.dart'; import 'package:fluffychat/widgets/matrix.dart'; import 'package:flutter/material.dart'; import 'package:flutter_gen/gen_l10n/l10n.dart'; diff --git a/lib/pangea/widgets/practice_activity/practice_activity.dart b/lib/pangea/widgets/practice_activity/practice_activity_content.dart similarity index 100% rename from lib/pangea/widgets/practice_activity/practice_activity.dart rename to lib/pangea/widgets/practice_activity/practice_activity_content.dart From 466136ec9bd1309223f2bed3936f30e15b988c03 Mon Sep 17 00:00:00 2001 From: ggurdin Date: Fri, 28 Jun 2024 15:51:43 -0400 Subject: [PATCH 5/5] removed needed translation file from git tracking --- needed-translations.txt | 54844 -------------------------------------- 1 file changed, 54844 deletions(-) delete mode 100644 needed-translations.txt diff --git a/needed-translations.txt b/needed-translations.txt deleted file mode 100644 index 34dd4c00f3..0000000000 --- a/needed-translations.txt +++ /dev/null @@ -1,54844 +0,0 @@ -{ - "ar": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "be": [ - "repeatPassword", - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "about", - "accept", - "acceptedTheInvitation", - "account", - "accountInformation", - "activatedEndToEndEncryption", - "addEmail", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "admin", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSure", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "bn": [ - "repeatPassword", - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "activatedEndToEndEncryption", - "addEmail", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "admin", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSure", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "bo": [ - "repeatPassword", - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "about", - "accept", - "acceptedTheInvitation", - "account", - "accountInformation", - "activatedEndToEndEncryption", - "addEmail", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "admin", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSure", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ca": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "writeAMessageFlag", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "publicChatAddresses", - "createNewAddress", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "cs": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "callingAccount", - "appearOnTopDetails", - "noKeyForThisMessage", - "enterSpace", - "enterRoom", - "hideUnimportantStateEvents", - "hidePresences", - "noBackupWarning", - "readUpToHere", - "reportErrorDescription", - "report", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "de": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "el": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "eo": [ - "repeatPassword", - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "yourChatBackupHasBeenSetUp", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "messagesStyle", - "shareInviteLink", - "scanQrCode", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pleaseEnterRecoveryKey", - "redactedBy", - "directChat", - "redactedByBecause", - "recoveryKey", - "recoveryKeyLost", - "separateChatTypes", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "startFirstChat", - "unverified", - "writeAMessageFlag", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "es": [ - "searchIn", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel" - ], - - "et": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "eu": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "fa": [ - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "createGroup", - "createNewGroup", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "messagesStyle", - "shareInviteLink", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "redactedBy", - "directChat", - "redactedByBecause", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "fi": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "fil": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "fr": [ - "exportEmotePack", - "replace", - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "messagesStyle", - "shareInviteLink", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "redactedBy", - "directChat", - "redactedByBecause", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ga": [ - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_discardsession", - "commandHint_dm", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "messagesStyle", - "shareInviteLink", - "oneClientLoggedOut", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pleaseEnterRecoveryKey", - "redactedBy", - "directChat", - "redactedByBecause", - "recoveryKey", - "recoveryKeyLost", - "separateChatTypes", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "startFirstChat", - "unverified", - "writeAMessageFlag", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "experimentalVideoCalls", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "gl": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "he": [ - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "commandHint_markasdm", - "commandHint_markasgroup", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "enableEmotesGlobally", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "messagesStyle", - "noEmotesFound", - "shareInviteLink", - "ok", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pleaseEnterRecoveryKey", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "hi": [ - "replace", - "about", - "accept", - "acceptedTheInvitation", - "account", - "accountInformation", - "activatedEndToEndEncryption", - "addEmail", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "admin", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSure", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "hr": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "blockListDescription", - "noGoogleServicesWarning", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "hu": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "writeAMessageFlag", - "usersMustKnock", - "knock", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "knocking", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "commandHint_ignore", - "commandHint_unignore", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ia": [ - "accountInformation", - "activatedEndToEndEncryption", - "confirmMatrixId", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "admin", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSure", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "id": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ie": [ - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "activatedEndToEndEncryption", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "appLock", - "appLockDescription", - "areGuestsAllowedToJoin", - "askSSSSSign", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changeTheNameOfTheGroup", - "channelCorruptedDecryptError", - "yourChatBackupHasBeenSetUp", - "chatBackupDescription", - "chatHasBeenAddedToThisSpace", - "chooseAStrongPassword", - "commandHint_markasdm", - "commandHint_ban", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_react", - "commandHint_unban", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "contactHasBeenInvitedToTheGroup", - "contentHasBeenReported", - "couldNotDecryptMessage", - "createdTheChat", - "createGroup", - "createNewGroup", - "deactivateAccountWarning", - "defaultPermissionLevel", - "allRooms", - "displaynameHasBeenChanged", - "chatPermissions", - "editChatPermissions", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteWarnNeedToPick", - "enableEmotesGlobally", - "enableEncryptionWarning", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "errorObtainingLocation", - "goToTheNewRoom", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "inviteText", - "joinedTheChat", - "kicked", - "kickedAndBanned", - "kickFromChat", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "logInTo", - "messagesStyle", - "needPantalaimonWarning", - "newMessageInFluffyChat", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "noPasswordRecoveryDescription", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openVideoCamera", - "oneClientLoggedOut", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "serverRequiresEmail", - "optionalGroupName", - "passphraseOrKey", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pickImage", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "rejectedTheInvitation", - "removeAllOtherDevices", - "removedBy", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "roomHasBeenUpgraded", - "recoveryKeyLost", - "seenByUser", - "sendAMessage", - "sendAsText", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "sharedTheLocation", - "presenceStyle", - "presencesToggle", - "singlesignon", - "spaceIsPublic", - "startedACall", - "startFirstChat", - "statusExampleMessage", - "synchronizingPleaseWait", - "theyDontMatch", - "toggleFavorite", - "toggleMuted", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unbannedUser", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "userSentUnknownEvent", - "verifySuccess", - "verifyTitle", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "removeFromSpace", - "addToSpaceDescription", - "pleaseEnterRecoveryKeyDescription", - "markAsRead", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "placeCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "foregroundServiceRunning", - "screenSharingDetail", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "it": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "presenceStyle", - "writeAMessageFlag", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "searchForUsers", - "passwordsDoNotMatch", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "sessionLostBody", - "restoreSessionBody", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "stickers", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ja": [ - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_cuddle", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "commandHint_kick", - "commandHint_me", - "commandHint_op", - "commandHint_unban", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "messagesStyle", - "shareInviteLink", - "openInMaps", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "redactedBy", - "directChat", - "redactedByBecause", - "separateChatTypes", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "dismiss", - "indexedDbErrorLong", - "widgetEtherpad", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "saveKeyManuallyDescription", - "callingAccountDetails", - "appearOnTop", - "noKeyForThisMessage", - "hidePresences", - "newSpaceDescription", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "pleaseTryAgainLaterOrChooseDifferentServer", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ka": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "badServerVersionsException", - "commandHint_markasdm", - "createNewGroup", - "editChatPermissions", - "emoteKeyboardNoRecents", - "emotePacks", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ko": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "lt": [ - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "messagesStyle", - "shareInviteLink", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "redactedBy", - "directChat", - "redactedByBecause", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "startFirstChat", - "writeAMessageFlag", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "lv": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "nb": [ - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "yourChatBackupHasBeenSetUp", - "chatHasBeenAddedToThisSpace", - "chats", - "clearArchive", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "editRoomAliases", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "homeserver", - "errorObtainingLocation", - "goToTheNewRoom", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "messagesStyle", - "noEncryptionForPublicRooms", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "obtainingLocation", - "oopsPushError", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "people", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPin", - "redactedBy", - "directChat", - "redactedByBecause", - "redactMessage", - "register", - "removeYourAvatar", - "roomVersion", - "saveFile", - "recoveryKey", - "recoveryKeyLost", - "sendAsText", - "sendSticker", - "separateChatTypes", - "setAsCanonicalAlias", - "setChatDescription", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "spaceIsPublic", - "spaceName", - "startFirstChat", - "synchronizingPleaseWait", - "unverified", - "verified", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "wipeChatBackup", - "writeAMessageFlag", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "nl": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "pl": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "blockListDescription", - "blockUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "pt": [ - "repeatPassword", - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accept", - "acceptedTheInvitation", - "accountInformation", - "activatedEndToEndEncryption", - "addEmail", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "deactivateAccountWarning", - "defaultPermissionLevel", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "logInTo", - "memberChanges", - "mention", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "publicRooms", - "pushRules", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "pt_BR": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "pt_PT": [ - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "commandHint_markasdm", - "commandHint_markasgroup", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "fromJoining", - "fromTheInvitation", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "messagesStyle", - "shareInviteLink", - "scanQrCode", - "openVideoCamera", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pleaseEnterRecoveryKey", - "pushRules", - "redactedBy", - "directChat", - "redactedByBecause", - "recoveryKey", - "recoveryKeyLost", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ro": [ - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "createGroup", - "createNewGroup", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "messagesStyle", - "shareInviteLink", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "redactedBy", - "directChat", - "redactedByBecause", - "setChatDescription", - "presenceStyle", - "presencesToggle", - "writeAMessageFlag", - "youInvitedToBy", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "hidePresences", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ru": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "sk": [ - "notAnImage", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "autoplayImages", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "blocked", - "botMessages", - "changeYourAvatar", - "chatBackupDescription", - "chatHasBeenAddedToThisSpace", - "clearArchive", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "configureChat", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copyToClipboard", - "createGroup", - "createNewGroup", - "deactivateAccountWarning", - "defaultPermissionLevel", - "deleteAccount", - "deviceId", - "directChats", - "allRooms", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editRoomAliases", - "editRoomAvatar", - "emoteKeyboardNoRecents", - "emotePacks", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enableEmotesGlobally", - "enableEncryption", - "encrypted", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fontSize", - "goToTheNewRoom", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "inoffensive", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "inviteForMe", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "newChat", - "next", - "no", - "noConnectionToTheServer", - "noEncryptionForPublicRooms", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "noPasswordRecoveryDescription", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "online", - "oopsPushError", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "pin", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPin", - "pleaseFollowInstructionsOnWeb", - "privacy", - "pushRules", - "reason", - "redactedBy", - "directChat", - "redactedByBecause", - "redactMessage", - "register", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "saveFile", - "recoveryKey", - "recoveryKeyLost", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "synchronizingPleaseWait", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "unavailable", - "unpin", - "unverified", - "verified", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessageFlag", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "sl": [ - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "createGroup", - "createNewGroup", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "sr": [ - "repeatPassword", - "notAnImage", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "accountInformation", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "appLockDescription", - "autoplayImages", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "cantOpenUri", - "yourChatBackupHasBeenSetUp", - "chatHasBeenAddedToThisSpace", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_myroomavatar", - "commandInvalid", - "commandMissing", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "homeserver", - "errorObtainingLocation", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "redactMessageDescription", - "optionalRedactReason", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "messagesStyle", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "obtainingLocation", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pleaseEnterRecoveryKey", - "redactedBy", - "directChat", - "redactedByBecause", - "saveFile", - "recoveryKey", - "recoveryKeyLost", - "sendAsText", - "sendSticker", - "separateChatTypes", - "setChatDescription", - "shareLocation", - "presenceStyle", - "presencesToggle", - "spaceIsPublic", - "spaceName", - "startFirstChat", - "synchronizingPleaseWait", - "unverified", - "writeAMessageFlag", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "sv": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "writeAMessageFlag", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "publicChatAddresses", - "createNewAddress", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "ta": [ - "repeatPassword", - "notAnImage", - "remove", - "importNow", - "importEmojis", - "importFromZipFile", - "exportEmotePack", - "replace", - "account", - "accountInformation", - "activatedEndToEndEncryption", - "addEmail", - "confirmMatrixId", - "supposedMxid", - "addGroupDescription", - "addNewFriend", - "addToSpace", - "admin", - "alias", - "all", - "allChats", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "answeredTheCall", - "anyoneCanJoin", - "appLock", - "appLockDescription", - "archive", - "areGuestsAllowedToJoin", - "areYouSure", - "areYouSureYouWantToLogout", - "askSSSSSign", - "askVerificationRequest", - "autoplayImages", - "badServerLoginTypesException", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "chat", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatDetails", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copy", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "delete", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "th": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "badServerVersionsException", - "banFromChat", - "banned", - "bannedUser", - "blockDevice", - "blocked", - "botMessages", - "cancel", - "cantOpenUri", - "changeDeviceName", - "changedTheChatAvatar", - "changedTheChatDescriptionTo", - "changedTheChatNameTo", - "changedTheChatPermissions", - "changedTheDisplaynameTo", - "changedTheGuestAccessRules", - "changedTheGuestAccessRulesTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changedTheProfileAvatar", - "changedTheRoomAliases", - "changedTheRoomInvitationLink", - "changePassword", - "changeTheHomeserver", - "changeTheme", - "changeTheNameOfTheGroup", - "changeYourAvatar", - "channelCorruptedDecryptError", - "yourChatBackupHasBeenSetUp", - "chatBackup", - "chatBackupDescription", - "chatHasBeenAddedToThisSpace", - "chats", - "chooseAStrongPassword", - "clearArchive", - "close", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "compareEmojiMatch", - "compareNumbersMatch", - "configureChat", - "confirm", - "connect", - "contactHasBeenInvitedToTheGroup", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copyToClipboard", - "couldNotDecryptMessage", - "countParticipants", - "create", - "createdTheChat", - "createGroup", - "createNewGroup", - "currentlyActive", - "darkTheme", - "dateAndTimeOfDay", - "dateWithoutYear", - "dateWithYear", - "deactivateAccountWarning", - "defaultPermissionLevel", - "deleteAccount", - "deleteMessage", - "device", - "deviceId", - "devices", - "directChats", - "allRooms", - "displaynameHasBeenChanged", - "downloadFile", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editDisplayname", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "emoteSettings", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "everythingReady", - "extremeOffensive", - "fileName", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "next", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noEncryptionForPublicRooms", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notifications", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "pleaseFollowInstructionsOnWeb", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendSticker", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "settings", - "share", - "sharedTheLocation", - "shareLocation", - "showPassword", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "transferFromAnotherDevice", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "discover", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "tr": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "uk": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "writeAMessageFlag", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "publicChatAddresses", - "createNewAddress", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "vi": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "commandHint_googly", - "commandHint_cuddle", - "commandHint_hug", - "googlyEyesContent", - "cuddleContent", - "hugContent", - "askSSSSSign", - "autoplayImages", - "sendTypingNotifications", - "swipeRightToLeftToReply", - "sendOnEnter", - "botMessages", - "cantOpenUri", - "changedTheDisplaynameTo", - "changedTheHistoryVisibility", - "changedTheHistoryVisibilityTo", - "changedTheJoinRules", - "changedTheJoinRulesTo", - "changeTheme", - "changeYourAvatar", - "channelCorruptedDecryptError", - "yourChatBackupHasBeenSetUp", - "chatHasBeenAddedToThisSpace", - "chats", - "clearArchive", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_ban", - "commandHint_clearcache", - "commandHint_create", - "commandHint_discardsession", - "commandHint_dm", - "commandHint_html", - "commandHint_invite", - "commandHint_join", - "commandHint_kick", - "commandHint_leave", - "commandHint_me", - "commandHint_myroomavatar", - "commandHint_myroomnick", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "commandHint_unban", - "commandInvalid", - "commandMissing", - "configureChat", - "containsDisplayName", - "containsUserName", - "contentHasBeenReported", - "copiedToClipboard", - "copyToClipboard", - "createGroup", - "createNewGroup", - "darkTheme", - "defaultPermissionLevel", - "directChats", - "allRooms", - "edit", - "editBlockedServers", - "chatPermissions", - "editChatPermissions", - "editRoomAliases", - "editRoomAvatar", - "emoteExists", - "emoteInvalid", - "emoteKeyboardNoRecents", - "emotePacks", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "emoteShortcode", - "emoteWarnNeedToPick", - "emptyChat", - "enableEmotesGlobally", - "enableEncryption", - "enableEncryptionWarning", - "encrypted", - "encryption", - "encryptionNotEnabled", - "endedTheCall", - "enterAGroupName", - "enterAnEmailAddress", - "enterASpacepName", - "homeserver", - "enterYourHomeserver", - "errorObtainingLocation", - "extremeOffensive", - "fileName", - "fluffychat", - "fontSize", - "forward", - "fromJoining", - "fromTheInvitation", - "goToTheNewRoom", - "group", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupIsPublic", - "groupDescription", - "groupDescriptionHasBeenChanged", - "groups", - "groupWith", - "guestsAreForbidden", - "guestsCanJoin", - "hasWithdrawnTheInvitationFor", - "help", - "hideRedactedEvents", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "howOffensiveIsThisContent", - "id", - "identity", - "ignore", - "ignoredUsers", - "ignoreListDescription", - "ignoreUsername", - "block", - "blockedUsers", - "blockListDescription", - "blockUsername", - "iHaveClickedOnLink", - "incorrectPassphraseOrKey", - "inoffensive", - "inviteContact", - "inviteContactToGroupQuestion", - "inviteContactToGroup", - "noChatDescriptionYet", - "tryAgain", - "invalidServerName", - "invited", - "redactMessageDescription", - "optionalRedactReason", - "invitedUser", - "invitedUsersOnly", - "inviteForMe", - "inviteText", - "isTyping", - "joinedTheChat", - "joinRoom", - "kicked", - "kickedAndBanned", - "kickFromChat", - "lastActiveAgo", - "leave", - "leftTheChat", - "license", - "lightTheme", - "loadCountMoreParticipants", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "loadingPleaseWait", - "loadMore", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "login", - "logInTo", - "logout", - "memberChanges", - "mention", - "messages", - "messagesStyle", - "moderator", - "muteChat", - "needPantalaimonWarning", - "newChat", - "newMessageInFluffyChat", - "newVerificationRequest", - "no", - "noConnectionToTheServer", - "noEmotesFound", - "noGoogleServicesWarning", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "none", - "noPasswordRecoveryDescription", - "noPermission", - "noRoomsFound", - "notificationsEnabledForThisAccount", - "numUsersTyping", - "obtainingLocation", - "offensive", - "offline", - "ok", - "online", - "onlineKeyBackupEnabled", - "oopsPushError", - "oopsSomethingWentWrong", - "openAppToReadMessages", - "openCamera", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "participant", - "passphraseOrKey", - "password", - "passwordForgotten", - "passwordHasBeenChanged", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "passwordRecoverySettings", - "passwordRecovery", - "people", - "pickImage", - "pin", - "play", - "pleaseChoose", - "pleaseChooseAPasscode", - "pleaseClickOnLink", - "pleaseEnter4Digits", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPassword", - "pleaseEnterYourPin", - "pleaseEnterYourUsername", - "privacy", - "publicRooms", - "pushRules", - "reason", - "recording", - "redactedBy", - "directChat", - "redactedByBecause", - "redactedAnEvent", - "redactMessage", - "register", - "reject", - "rejectedTheInvitation", - "rejoin", - "removeAllOtherDevices", - "removedBy", - "removeDevice", - "unbanFromChat", - "removeYourAvatar", - "replaceRoomWithNewerVersion", - "reply", - "reportMessage", - "requestPermission", - "roomHasBeenUpgraded", - "roomVersion", - "saveFile", - "search", - "security", - "recoveryKey", - "recoveryKeyLost", - "seenByUser", - "send", - "sendAMessage", - "sendAsText", - "sendAudio", - "sendFile", - "sendImage", - "sendMessages", - "sendOriginal", - "sendVideo", - "sentAFile", - "sentAnAudio", - "sentAPicture", - "sentASticker", - "sentAVideo", - "sentCallInformations", - "separateChatTypes", - "setAsCanonicalAlias", - "setCustomEmotes", - "setChatDescription", - "setInvitationLink", - "setPermissionsLevel", - "setStatus", - "share", - "sharedTheLocation", - "shareLocation", - "presenceStyle", - "presencesToggle", - "singlesignon", - "skip", - "sourceCode", - "spaceIsPublic", - "spaceName", - "startedACall", - "startFirstChat", - "status", - "statusExampleMessage", - "submit", - "synchronizingPleaseWait", - "systemTheme", - "theyDontMatch", - "theyMatch", - "title", - "toggleFavorite", - "toggleMuted", - "toggleUnread", - "tooManyRequestsWarning", - "tryToSendAgain", - "unavailable", - "unbannedUser", - "unblockDevice", - "unknownDevice", - "unknownEncryptionAlgorithm", - "unknownEvent", - "unmuteChat", - "unpin", - "unreadChats", - "userAndOthersAreTyping", - "userAndUserAreTyping", - "userIsTyping", - "userLeftTheChat", - "username", - "userSentUnknownEvent", - "unverified", - "verify", - "verifyStart", - "verifySuccess", - "verifyTitle", - "videoCall", - "visibilityOfTheChatHistory", - "visibleForAllParticipants", - "visibleForEveryone", - "voiceMessage", - "waitingPartnerAcceptRequest", - "waitingPartnerEmoji", - "waitingPartnerNumbers", - "wallpaper", - "warning", - "weSentYouAnEmail", - "whoCanPerformWhichAction", - "whoIsAllowedToJoinThisGroup", - "whyDoYouWantToReportThis", - "wipeChatBackup", - "withTheseAddressesRecoveryDescription", - "writeAMessage", - "writeAMessageFlag", - "yes", - "you", - "youAreNoLongerParticipatingInThisChat", - "youHaveBeenBannedFromThisChat", - "yourPublicKey", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "deviceKeys", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "yourGlobalUserIdIs", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "zh": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "swipeRightToLeftToReply", - "createNewGroup", - "editChatPermissions", - "enterAGroupName", - "enterASpacepName", - "groupDescription", - "groupDescriptionHasBeenChanged", - "ignoreListDescription", - "ignoreUsername", - "optionalGroupName", - "writeAMessageFlag", - "requests", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ], - - "zh_Hant": [ - "accountInformation", - "addGroupDescription", - "addNewFriend", - "alreadyHaveAnAccount", - "appLockDescription", - "swipeRightToLeftToReply", - "commandHint_markasdm", - "commandHint_markasgroup", - "commandHint_html", - "commandHint_me", - "commandHint_op", - "commandHint_plain", - "commandHint_react", - "commandHint_send", - "createGroup", - "createNewGroup", - "allRooms", - "chatPermissions", - "editChatPermissions", - "emoteKeyboardNoRecents", - "globalChatId", - "accessAndVisibility", - "accessAndVisibilityDescription", - "calls", - "customEmojisAndStickers", - "customEmojisAndStickersBody", - "enterAGroupName", - "enterASpacepName", - "errorObtainingLocation", - "chatDescription", - "chatDescriptionHasBeenChanged", - "groupDescription", - "groupDescriptionHasBeenChanged", - "hideRedactedMessages", - "hideRedactedMessagesBody", - "hideInvalidOrUnknownMessageFormats", - "ignoreListDescription", - "ignoreUsername", - "blockUsername", - "inviteContactToGroupQuestion", - "noChatDescriptionYet", - "tryAgain", - "redactMessageDescription", - "optionalRedactReason", - "dehydrate", - "dehydrateWarning", - "dehydrateTor", - "dehydrateTorLong", - "hydrateTor", - "hydrateTorLong", - "hydrate", - "locationDisabledNotice", - "locationPermissionDeniedNotice", - "messagesStyle", - "noMatrixServer", - "shareInviteLink", - "scanQrCode", - "obtainingLocation", - "oopsPushError", - "openVideoCamera", - "oneClientLoggedOut", - "addAccount", - "editBundlesForAccount", - "addToBundle", - "removeFromBundle", - "bundleName", - "enableMultiAccounts", - "openInMaps", - "link", - "serverRequiresEmail", - "optionalGroupName", - "or", - "hideMemberChangesInPublicChats", - "hideMemberChangesInPublicChatsBody", - "overview", - "notifyMeFor", - "passwordRecoverySettings", - "pleaseChoose", - "pleaseEnterRecoveryKey", - "pleaseEnterYourPin", - "redactedBy", - "directChat", - "redactedByBecause", - "register", - "removeYourAvatar", - "saveFile", - "recoveryKey", - "recoveryKeyLost", - "sendAsText", - "sendSticker", - "separateChatTypes", - "setAsCanonicalAlias", - "setChatDescription", - "shareLocation", - "presenceStyle", - "presencesToggle", - "singlesignon", - "spaceIsPublic", - "spaceName", - "startFirstChat", - "synchronizingPleaseWait", - "unverified", - "writeAMessageFlag", - "messageInfo", - "time", - "messageType", - "sender", - "openGallery", - "removeFromSpace", - "addToSpaceDescription", - "start", - "pleaseEnterRecoveryKeyDescription", - "publish", - "videoWithSize", - "openChat", - "markAsRead", - "reportUser", - "dismiss", - "reactedWith", - "pinMessage", - "confirmEventUnpin", - "emojis", - "placeCall", - "voiceCall", - "unsupportedAndroidVersion", - "unsupportedAndroidVersionLong", - "videoCallsBetaWarning", - "experimentalVideoCalls", - "emailOrUsername", - "indexedDbErrorTitle", - "indexedDbErrorLong", - "switchToAccount", - "nextAccount", - "previousAccount", - "addWidget", - "widgetVideo", - "widgetEtherpad", - "widgetJitsi", - "widgetCustom", - "widgetName", - "widgetUrlError", - "widgetNameError", - "errorAddingWidget", - "youRejectedTheInvitation", - "youJoinedTheChat", - "youAcceptedTheInvitation", - "youBannedUser", - "youHaveWithdrawnTheInvitationFor", - "youInvitedToBy", - "youInvitedBy", - "youInvitedUser", - "youKicked", - "youKickedAndBanned", - "youUnbannedUser", - "hasKnocked", - "usersMustKnock", - "noOneCanJoin", - "userWouldLikeToChangeTheChat", - "noPublicLinkHasBeenCreatedYet", - "knock", - "users", - "unlockOldMessages", - "storeInSecureStorageDescription", - "saveKeyManuallyDescription", - "storeInAndroidKeystore", - "storeInAppleKeyChain", - "storeSecurlyOnThisDevice", - "countFiles", - "user", - "custom", - "foregroundServiceRunning", - "screenSharingTitle", - "screenSharingDetail", - "callingPermissions", - "callingAccount", - "callingAccountDetails", - "appearOnTop", - "appearOnTopDetails", - "otherCallingPermissions", - "whyIsThisMessageEncrypted", - "noKeyForThisMessage", - "newGroup", - "newSpace", - "enterSpace", - "enterRoom", - "allSpaces", - "numChats", - "hideUnimportantStateEvents", - "hidePresences", - "doNotShowAgain", - "wasDirectChatDisplayName", - "newSpaceDescription", - "encryptThisChat", - "disableEncryptionWarning", - "sorryThatsNotPossible", - "deviceKeys", - "reopenChat", - "noBackupWarning", - "noOtherDevicesFound", - "fileIsTooBigForServer", - "fileHasBeenSavedAt", - "jumpToLastReadMessage", - "readUpToHere", - "jump", - "openLinkInBrowser", - "reportErrorDescription", - "report", - "signInWithPassword", - "pleaseTryAgainLaterOrChooseDifferentServer", - "signInWith", - "profileNotFound", - "setTheme", - "setColorTheme", - "invite", - "requests", - "inviteGroupChat", - "invitePrivateChat", - "invalidInput", - "wrongPinEntered", - "allCorrect", - "newWayAllGood", - "othersAreBetter", - "holdForInfo", - "greenFeedback", - "yellowFeedback", - "redFeedback", - "customInputFeedbackChoice", - "itInstructionsTitle", - "itInstructionsBody", - "toggleLanguages", - "classWelcomeChat", - "deleteSpace", - "deleteGroup", - "areYouSureDeleteClass", - "areYouSureDeleteGroup", - "cannotBeReversed", - "enterDeletedClassName", - "incorrectClassName", - "oneday", - "oneweek", - "onemonth", - "sixmonth", - "oneyear", - "gaTooltip", - "taTooltip", - "unTooltip", - "interactiveTranslatorSliderHeader", - "interactiveGrammarSliderHeader", - "interactiveTranslatorNotAllowed", - "interactiveTranslatorAllowed", - "interactiveTranslatorRequired", - "interactiveTranslatorNotAllowedDesc", - "interactiveTranslatorAllowedDesc", - "interactiveTranslatorRequiredDesc", - "notYetSet", - "multiLingualSpace", - "allClasses", - "myLearning", - "allChatsAndClasses", - "timeOfLastMessage", - "totalMessages", - "waTooltip", - "changeDateRange", - "numberOfStudents", - "classDescription", - "classDescriptionDesc", - "requestToEnroll", - "spaceAnalyticsDesc", - "addStudents", - "copyClassLink", - "copyClassLinkDesc", - "copyClassCode", - "inviteStudentByUserName", - "languageSettings", - "languageSettingsDesc", - "selectSpaceDominantLanguage", - "selectSpaceTargetLanguage", - "whatIsYourSpaceLanguageLevel", - "studentPermissions", - "interactiveTranslator", - "oneToOneChatsWithinClass", - "oneToOneChatsWithinClassDesc", - "createGroupChats", - "createGroupChatsDesc", - "shareVideo", - "shareVideoDesc", - "sharePhotos", - "sharePhotosDesc", - "shareFiles", - "shareFilesDesc", - "shareLocationDesc", - "selectLanguageLevel", - "noIdenticalLanguages", - "iWantALanguagePartnerFrom", - "worldWide", - "noResults", - "searchBy", - "iWantAConversationPartner", - "iWantALanguagePartnerWhoSpeaks", - "iWantALanguagePartnerWhoIsLearning", - "yourBirthdayPlease", - "invalidDob", - "enterYourDob", - "getStarted", - "mustBe13", - "yourBirthdayPleaseShort", - "joinWithClassCode", - "joinWithClassCodeDesc", - "joinWithClassCodeHint", - "unableToFindClass", - "languageLevelPreA1", - "languageLevelA1", - "languageLevelA2", - "languageLevelB1", - "languageLevelB2", - "languageLevelC1", - "languageLevelC2", - "changeTheNameOfTheClass", - "changeTheNameOfTheChat", - "welcomeToYourNewClass", - "welcomeToClass", - "welcomeToPangea18Plus", - "welcomeToPangeaMinor", - "findALanguagePartner", - "setToPublicSettingsTitle", - "setToPublicSettingsDesc", - "accountSettings", - "unableToFindClassCode", - "askPangeaBot", - "sorryNoResults", - "ignoreInThisText", - "helpMeTranslate", - "needsItShortMessage", - "needsIGCShortMessage", - "needsItMessage", - "needsIgcMessage", - "tokenTranslationTitle", - "spanTranslationDesc", - "spanTranslationTitle", - "l1SpanAndGrammarTitle", - "l1SpanAndGrammarDesc", - "otherTitle", - "otherDesc", - "countryInformation", - "myLanguages", - "targetLanguage", - "sourceLanguage", - "languagesISpeak", - "updateLanguage", - "whatLanguageYouWantToLearn", - "whatIsYourBaseLanguage", - "saveChanges", - "publicProfileTitle", - "publicProfileDesc", - "errorDisableIT", - "errorDisableIGC", - "errorDisableLanguageAssistance", - "errorDisableITUserDesc", - "errorDisableIGCUserDesc", - "errorDisableLanguageAssistanceUserDesc", - "errorDisableITClassDesc", - "errorDisableIGCClassDesc", - "errorDisableLanguageAssistanceClassDesc", - "itIsDisabled", - "igcIsDisabled", - "goToLearningSettings", - "error405Title", - "error405Desc", - "loginOrSignup", - "iAgreeToThe", - "termsAndConditions", - "andCertifyIAmAtLeast13YearsOfAge", - "error502504Title", - "error502504Desc", - "error404Title", - "error404Desc", - "errorPleaseRefresh", - "findAClass", - "toggleIT", - "toggleIGC", - "toggleToolSettingsDescription", - "connectedToStaging", - "learningSettings", - "classNameRequired", - "sendVoiceNotes", - "sendVoiceNotesDesc", - "chatTopic", - "chatTopicDesc", - "inviteStudentByUserNameDesc", - "classRoster", - "almostPerfect", - "prettyGood", - "letMeThink", - "clickMessageTitle", - "clickMessageBody", - "understandingMessagesTitle", - "understandingMessagesBody", - "allDone", - "vocab", - "low", - "medium", - "high", - "unknownProficiency", - "changeView", - "clearAll", - "generateVocabulary", - "generatePrompts", - "subscribe", - "getAccess", - "subscriptionDesc", - "subscriptionManagement", - "currentSubscription", - "changeSubscription", - "cancelSubscription", - "selectYourPlan", - "subsciptionPlatformTooltip", - "subscriptionManagementUnavailable", - "paymentMethod", - "paymentHistory", - "emptyChatDownloadWarning", - "appUpdateAvailable", - "update", - "updateDesc", - "maybeLater", - "mainMenu", - "toggleImmersionMode", - "toggleImmersionModeDesc", - "itToggleDescription", - "igcToggleDescription", - "sendOnEnterDescription", - "alreadyInClass", - "pleaseLoginFirst", - "originalMessage", - "sentMessage", - "useType", - "notAvailable", - "taAndGaTooltip", - "definitionsToolName", - "messageTranslationsToolName", - "definitionsToolDescription", - "translationsToolDescrption", - "welcomeBack", - "createNewClass", - "kickAllStudents", - "kickAllStudentsConfirmation", - "inviteAllStudents", - "inviteAllStudentsConfirmation", - "inviteStudentsFromOtherClasses", - "inviteUsersFromPangea", - "redeemPromoCode", - "enterPromoCode", - "downloadTxtFile", - "downloadCSVFile", - "promotionalSubscriptionDesc", - "originalSubscriptionPlatform", - "oneWeekTrial", - "creatingSpacePleaseWait", - "downloadXLSXFile", - "abDisplayName", - "aaDisplayName", - "afDisplayName", - "akDisplayName", - "sqDisplayName", - "amDisplayName", - "arDisplayName", - "anDisplayName", - "hyDisplayName", - "asDisplayName", - "avDisplayName", - "aeDisplayName", - "ayDisplayName", - "azDisplayName", - "bmDisplayName", - "baDisplayName", - "euDisplayName", - "beDisplayName", - "bnDisplayName", - "bhDisplayName", - "biDisplayName", - "bsDisplayName", - "brDisplayName", - "bgDisplayName", - "myDisplayName", - "caDisplayName", - "chDisplayName", - "ceDisplayName", - "nyDisplayName", - "zhDisplayName", - "cvDisplayName", - "kwDisplayName", - "coDisplayName", - "crDisplayName", - "hrDisplayName", - "csDisplayName", - "daDisplayName", - "dvDisplayName", - "nlDisplayName", - "enDisplayName", - "eoDisplayName", - "etDisplayName", - "eeDisplayName", - "foDisplayName", - "fjDisplayName", - "fiDisplayName", - "frDisplayName", - "ffDisplayName", - "glDisplayName", - "kaDisplayName", - "deDisplayName", - "elDisplayName", - "gnDisplayName", - "guDisplayName", - "htDisplayName", - "haDisplayName", - "heDisplayName", - "hzDisplayName", - "hiDisplayName", - "hoDisplayName", - "huDisplayName", - "iaDisplayName", - "idDisplayName", - "ieDisplayName", - "gaDisplayName", - "igDisplayName", - "ikDisplayName", - "ioDisplayName", - "isDisplayName", - "itDisplayName", - "iuDisplayName", - "jaDisplayName", - "jvDisplayName", - "klDisplayName", - "knDisplayName", - "krDisplayName", - "ksDisplayName", - "kkDisplayName", - "kmDisplayName", - "kiDisplayName", - "rwDisplayName", - "kyDisplayName", - "kvDisplayName", - "kgDisplayName", - "koDisplayName", - "kuDisplayName", - "kjDisplayName", - "laDisplayName", - "lbDisplayName", - "lgDisplayName", - "liDisplayName", - "lnDisplayName", - "loDisplayName", - "ltDisplayName", - "luDisplayName", - "lvDisplayName", - "gvDisplayName", - "mkDisplayName", - "mgDisplayName", - "msDisplayName", - "mlDisplayName", - "mtDisplayName", - "miDisplayName", - "mrDisplayName", - "mhDisplayName", - "mnDisplayName", - "naDisplayName", - "nvDisplayName", - "nbDisplayName", - "ndDisplayName", - "neDisplayName", - "ngDisplayName", - "nnDisplayName", - "noDisplayName", - "iiDisplayName", - "nrDisplayName", - "ocDisplayName", - "ojDisplayName", - "cuDisplayName", - "omDisplayName", - "orDisplayName", - "osDisplayName", - "paDisplayName", - "piDisplayName", - "faDisplayName", - "plDisplayName", - "psDisplayName", - "ptDisplayName", - "quDisplayName", - "rmDisplayName", - "rnDisplayName", - "roDisplayName", - "ruDisplayName", - "saDisplayName", - "scDisplayName", - "sdDisplayName", - "seDisplayName", - "smDisplayName", - "sgDisplayName", - "srDisplayName", - "gdDisplayName", - "snDisplayName", - "siDisplayName", - "skDisplayName", - "slDisplayName", - "soDisplayName", - "stDisplayName", - "esDisplayName", - "suDisplayName", - "swDisplayName", - "ssDisplayName", - "svDisplayName", - "taDisplayName", - "teDisplayName", - "tgDisplayName", - "thDisplayName", - "tiDisplayName", - "boDisplayName", - "tkDisplayName", - "tlDisplayName", - "tnDisplayName", - "toDisplayName", - "trDisplayName", - "tsDisplayName", - "ttDisplayName", - "twDisplayName", - "tyDisplayName", - "ugDisplayName", - "ukDisplayName", - "urDisplayName", - "uzDisplayName", - "veDisplayName", - "viDisplayName", - "voDisplayName", - "waDisplayName", - "cyDisplayName", - "woDisplayName", - "fyDisplayName", - "xhDisplayName", - "yiDisplayName", - "yoDisplayName", - "zaDisplayName", - "unkDisplayName", - "zuDisplayName", - "hawDisplayName", - "hmnDisplayName", - "multiDisplayName", - "cebDisplayName", - "dzDisplayName", - "iwDisplayName", - "jwDisplayName", - "moDisplayName", - "shDisplayName", - "wwCountryDisplayName", - "afCountryDisplayName", - "axCountryDisplayName", - "alCountryDisplayName", - "dzCountryDisplayName", - "asCountryDisplayName", - "adCountryDisplayName", - "aoCountryDisplayName", - "aiCountryDisplayName", - "agCountryDisplayName", - "arCountryDisplayName", - "amCountryDisplayName", - "awCountryDisplayName", - "acCountryDisplayName", - "auCountryDisplayName", - "atCountryDisplayName", - "azCountryDisplayName", - "bsCountryDisplayName", - "bhCountryDisplayName", - "bdCountryDisplayName", - "bbCountryDisplayName", - "byCountryDisplayName", - "beCountryDisplayName", - "bzCountryDisplayName", - "bjCountryDisplayName", - "bmCountryDisplayName", - "btCountryDisplayName", - "boCountryDisplayName", - "baCountryDisplayName", - "bwCountryDisplayName", - "brCountryDisplayName", - "ioCountryDisplayName", - "vgCountryDisplayName", - "bnCountryDisplayName", - "bgCountryDisplayName", - "bfCountryDisplayName", - "biCountryDisplayName", - "khCountryDisplayName", - "cmCountryDisplayName", - "caCountryDisplayName", - "cvCountryDisplayName", - "bqCountryDisplayName", - "kyCountryDisplayName", - "cfCountryDisplayName", - "tdCountryDisplayName", - "clCountryDisplayName", - "cnCountryDisplayName", - "cxCountryDisplayName", - "ccCountryDisplayName", - "coCountryDisplayName", - "kmCountryDisplayName", - "cdCountryDisplayName", - "cgCountryDisplayName", - "ckCountryDisplayName", - "crCountryDisplayName", - "ciCountryDisplayName", - "hrCountryDisplayName", - "cuCountryDisplayName", - "cwCountryDisplayName", - "cyCountryDisplayName", - "czCountryDisplayName", - "dkCountryDisplayName", - "djCountryDisplayName", - "dmCountryDisplayName", - "doCountryDisplayName", - "tlCountryDisplayName", - "ecCountryDisplayName", - "egCountryDisplayName", - "svCountryDisplayName", - "gqCountryDisplayName", - "erCountryDisplayName", - "eeCountryDisplayName", - "szCountryDisplayName", - "etCountryDisplayName", - "fkCountryDisplayName", - "foCountryDisplayName", - "fjCountryDisplayName", - "fiCountryDisplayName", - "frCountryDisplayName", - "gfCountryDisplayName", - "pfCountryDisplayName", - "gaCountryDisplayName", - "gmCountryDisplayName", - "geCountryDisplayName", - "deCountryDisplayName", - "ghCountryDisplayName", - "giCountryDisplayName", - "grCountryDisplayName", - "glCountryDisplayName", - "gdCountryDisplayName", - "gpCountryDisplayName", - "guCountryDisplayName", - "gtCountryDisplayName", - "ggCountryDisplayName", - "gnCountryDisplayName", - "gwCountryDisplayName", - "gyCountryDisplayName", - "htCountryDisplayName", - "hmCountryDisplayName", - "hnCountryDisplayName", - "hkCountryDisplayName", - "huCountryDisplayName", - "isCountryDisplayName", - "inCountryDisplayName", - "idCountryDisplayName", - "irCountryDisplayName", - "iqCountryDisplayName", - "ieCountryDisplayName", - "imCountryDisplayName", - "ilCountryDisplayName", - "itCountryDisplayName", - "jmCountryDisplayName", - "jpCountryDisplayName", - "jeCountryDisplayName", - "joCountryDisplayName", - "kzCountryDisplayName", - "keCountryDisplayName", - "kiCountryDisplayName", - "xkCountryDisplayName", - "kwCountryDisplayName", - "kgCountryDisplayName", - "laCountryDisplayName", - "lvCountryDisplayName", - "lbCountryDisplayName", - "lsCountryDisplayName", - "lrCountryDisplayName", - "lyCountryDisplayName", - "liCountryDisplayName", - "ltCountryDisplayName", - "luCountryDisplayName", - "moCountryDisplayName", - "mkCountryDisplayName", - "mgCountryDisplayName", - "mwCountryDisplayName", - "myCountryDisplayName", - "mvCountryDisplayName", - "mlCountryDisplayName", - "mtCountryDisplayName", - "mhCountryDisplayName", - "mqCountryDisplayName", - "mrCountryDisplayName", - "muCountryDisplayName", - "ytCountryDisplayName", - "mxCountryDisplayName", - "fmCountryDisplayName", - "mdCountryDisplayName", - "mcCountryDisplayName", - "mnCountryDisplayName", - "meCountryDisplayName", - "msCountryDisplayName", - "maCountryDisplayName", - "mzCountryDisplayName", - "mmCountryDisplayName", - "naCountryDisplayName", - "nrCountryDisplayName", - "npCountryDisplayName", - "nlCountryDisplayName", - "ncCountryDisplayName", - "nzCountryDisplayName", - "niCountryDisplayName", - "neCountryDisplayName", - "ngCountryDisplayName", - "nuCountryDisplayName", - "nfCountryDisplayName", - "kpCountryDisplayName", - "mpCountryDisplayName", - "noCountryDisplayName", - "omCountryDisplayName", - "pkCountryDisplayName", - "pwCountryDisplayName", - "psCountryDisplayName", - "paCountryDisplayName", - "pgCountryDisplayName", - "pyCountryDisplayName", - "peCountryDisplayName", - "phCountryDisplayName", - "plCountryDisplayName", - "ptCountryDisplayName", - "prCountryDisplayName", - "qaCountryDisplayName", - "reCountryDisplayName", - "roCountryDisplayName", - "ruCountryDisplayName", - "rwCountryDisplayName", - "blCountryDisplayName", - "shCountryDisplayName", - "knCountryDisplayName", - "lcCountryDisplayName", - "mfCountryDisplayName", - "pmCountryDisplayName", - "vcCountryDisplayName", - "wsCountryDisplayName", - "smCountryDisplayName", - "stCountryDisplayName", - "saCountryDisplayName", - "snCountryDisplayName", - "rsCountryDisplayName", - "scCountryDisplayName", - "slCountryDisplayName", - "sgCountryDisplayName", - "sxCountryDisplayName", - "skCountryDisplayName", - "siCountryDisplayName", - "sbCountryDisplayName", - "soCountryDisplayName", - "zaCountryDisplayName", - "gsCountryDisplayName", - "krCountryDisplayName", - "ssCountryDisplayName", - "esCountryDisplayName", - "lkCountryDisplayName", - "sdCountryDisplayName", - "srCountryDisplayName", - "sjCountryDisplayName", - "seCountryDisplayName", - "chCountryDisplayName", - "syCountryDisplayName", - "twCountryDisplayName", - "tjCountryDisplayName", - "tzCountryDisplayName", - "thCountryDisplayName", - "tgCountryDisplayName", - "tkCountryDisplayName", - "toCountryDisplayName", - "ttCountryDisplayName", - "tnCountryDisplayName", - "trCountryDisplayName", - "tmCountryDisplayName", - "tcCountryDisplayName", - "tvCountryDisplayName", - "viCountryDisplayName", - "ugCountryDisplayName", - "uaCountryDisplayName", - "aeCountryDisplayName", - "gbCountryDisplayName", - "usCountryDisplayName", - "uyCountryDisplayName", - "uzCountryDisplayName", - "vuCountryDisplayName", - "vaCountryDisplayName", - "veCountryDisplayName", - "vnCountryDisplayName", - "wfCountryDisplayName", - "ehCountryDisplayName", - "yeCountryDisplayName", - "zmCountryDisplayName", - "zwCountryDisplayName", - "pay", - "allPrivateChats", - "unknownPrivateChat", - "copyClassCodeDesc", - "addToSpaceDesc", - "invitedToSpace", - "declinedInvitation", - "acceptedInvitation", - "youreInvited", - "studentPermissionsDesc", - "noEligibleSpaces", - "youAddedToSpace", - "youRemovedFromSpace", - "invitedToChat", - "monthlySubscription", - "yearlySubscription", - "defaultSubscription", - "freeTrial", - "grammarAnalytics", - "total", - "noDataFound", - "promoSubscriptionExpirationDesc", - "emptyChatNameWarning", - "emptyClassNameWarning", - "emptySpaceNameWarning", - "blurMeansTranslateTitle", - "blurMeansTranslateBody", - "someErrorTitle", - "someErrorBody", - "bestCorrectionFeedback", - "distractorFeedback", - "bestAnswerFeedback", - "definitionDefaultPrompt", - "practiceDefaultPrompt", - "correctionDefaultPrompt", - "itStartDefaultPrompt", - "languageLevelWarning", - "lockedChatWarning", - "lockSpace", - "lockChat", - "archiveSpace", - "suggestToChat", - "suggestToChatDesc", - "acceptSelection", - "acceptSelectionAnyway", - "makingActivity", - "why", - "definition", - "exampleSentence", - "reportToTeacher", - "reportMessageTitle", - "reportMessageBody", - "noTeachersFound", - "pleaseEnterANumber", - "archiveRoomDescription", - "roomUpgradeDescription", - "removeDevicesDescription", - "banUserDescription", - "unbanUserDescription", - "kickUserDescription", - "makeAdminDescription", - "pushNotificationsNotAvailable", - "learnMore", - "yourGlobalUserIdIs", - "noUsersFoundWithQuery", - "knocking", - "chatCanBeDiscoveredViaSearchOnServer", - "searchChatsRooms", - "createClass", - "viewArchive", - "trialExpiration", - "freeTrialDesc", - "activateTrial", - "inNoSpaces", - "successfullySubscribed", - "clickToManageSubscription", - "emptyInviteWarning", - "errorGettingAudio", - "nothingFound", - "groupName", - "createGroupAndInviteUsers", - "groupCanBeFoundViaSearch", - "wrongRecoveryKey", - "startConversation", - "commandHint_sendraw", - "databaseMigrationTitle", - "databaseMigrationBody", - "leaveEmptyToClearStatus", - "select", - "searchForUsers", - "pleaseEnterYourCurrentPassword", - "newPassword", - "pleaseChooseAStrongPassword", - "passwordsDoNotMatch", - "passwordIsWrong", - "publicLink", - "publicChatAddresses", - "createNewAddress", - "joinSpace", - "publicSpaces", - "addChatOrSubSpace", - "subspace", - "decline", - "thisDevice", - "initAppError", - "userRole", - "minimumPowerLevel", - "searchIn", - "searchMore", - "gallery", - "files", - "databaseBuildErrorBody", - "sessionLostBody", - "restoreSessionBody", - "forwardMessageTo", - "signUp", - "pleaseChooseAtLeastChars", - "noEmailWarning", - "pleaseEnterValidEmail", - "noAddToSpacePermissions", - "alreadyInSpace", - "pleaseChooseAUsername", - "chooseAUsername", - "define", - "listen", - "addConversationBot", - "addConversationBotDesc", - "convoBotSettingsTitle", - "convoBotSettingsDescription", - "enterAConversationTopic", - "conversationTopic", - "enableModeration", - "enableModerationDesc", - "conversationLanguageLevel", - "showDefinition", - "sendReadReceipts", - "sendTypingNotificationsDescription", - "sendReadReceiptsDescription", - "formattedMessages", - "formattedMessagesDescription", - "verifyOtherUser", - "verifyOtherUserDescription", - "verifyOtherDevice", - "verifyOtherDeviceDescription", - "acceptedKeyVerification", - "canceledKeyVerification", - "completedKeyVerification", - "isReadyForKeyVerification", - "requestedKeyVerification", - "startedKeyVerification", - "subscriptionPopupTitle", - "subscriptionPopupDesc", - "seeOptions", - "continuedWithoutSubscription", - "trialPeriodExpired", - "selectToDefine", - "translations", - "messageAudio", - "definitions", - "subscribedToUnlockTools", - "more", - "translationTooltip", - "audioTooltip", - "speechToTextTooltip", - "certifyAge", - "kickBotWarning", - "joinToView", - "refresh", - "autoPlayTitle", - "autoPlayDesc", - "transparent", - "incomingMessages", - "stickers", - "commandHint_ignore", - "commandHint_unignore", - "unreadChatsInApp", - "messageAnalytics", - "words", - "score", - "accuracy", - "points", - "noPaymentInfo", - "conversationBotModeSelectDescription", - "conversationBotModeSelectOption_discussion", - "conversationBotModeSelectOption_custom", - "conversationBotModeSelectOption_conversation", - "conversationBotModeSelectOption_textAdventure", - "conversationBotDiscussionZone_title", - "conversationBotDiscussionZone_discussionTopicLabel", - "conversationBotDiscussionZone_discussionTopicPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsLabel", - "conversationBotDiscussionZone_discussionKeywordsPlaceholder", - "conversationBotDiscussionZone_discussionKeywordsHintText", - "conversationBotDiscussionZone_discussionTriggerScheduleEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerScheduleHourIntervalLabel", - "conversationBotDiscussionZone_discussionTriggerReactionEnabledLabel", - "conversationBotDiscussionZone_discussionTriggerReactionKeyLabel", - "conversationBotCustomZone_title", - "conversationBotCustomZone_customSystemPromptLabel", - "conversationBotCustomZone_customSystemPromptPlaceholder", - "conversationBotCustomZone_customTriggerReactionEnabledLabel", - "addConversationBotDialogTitleInvite", - "addConversationBotButtonInvite", - "addConversationBotDialogInviteConfirmation", - "addConversationBotButtonTitleRemove", - "addConversationBotButtonRemove", - "addConversationBotDialogRemoveConfirmation", - "studentAnalyticsNotAvailable", - "roomDataMissing", - "updatePhoneOS", - "wordsPerMinute", - "autoIGCToolName", - "autoIGCToolDescription", - "runGrammarCorrection", - "grammarCorrectionFailed", - "grammarCorrectionComplete", - "leaveRoomDescription", - "archiveSpaceDescription", - "leaveSpaceDescription", - "onlyAdminDescription", - "tooltipInstructionsTitle", - "tooltipInstructionsMobileBody", - "tooltipInstructionsBrowserBody", - "addSpaceToSpaceDescription", - "roomCapacity", - "roomFull", - "topicNotSet", - "capacityNotSet", - "roomCapacityHasBeenChanged", - "roomExceedsCapacity", - "capacitySetTooLow", - "roomCapacityExplanation", - "enterNumber", - "buildTranslation", - "noDatabaseEncryption", - "thereAreCountUsersBlocked", - "restricted", - "knockRestricted", - "nonexistentSelection", - "cantAddSpaceChild", - "roomAddedToSpace", - "createNewSpace", - "addChatToSpaceDesc", - "addSpaceToSpaceDesc", - "spaceAnalytics", - "changeAnalyticsLanguage", - "suggestToSpace", - "suggestToSpaceDesc", - "practice", - "noLanguagesSet", - "noActivitiesFound", - "previous", - "languageButtonLabel", - "interactiveTranslatorAutoPlaySliderHeader", - "interactiveTranslatorAutoPlayDesc" - ] -}