From 14ac79da3274454bcf00f7a5fda83b1c1e918b28 Mon Sep 17 00:00:00 2001 From: rique223 Date: Wed, 22 Jun 2022 16:38:24 -0300 Subject: [PATCH 01/15] refactor: :recycle: Refactor some file names, structures and add new tab to app info page Refactored the ApiDisplay to be inside of the AppDetails component, changed the name of the AppDetailsPageContent component since now it is a tab content, changed the name of the AppLogsPage for the same reason and also changed the name of the AppSecurity page component. --- .../client/views/admin/apps/APIsDisplay.tsx | 3 +- ...pDetailsPageContent.tsx => AppDetails.tsx} | 10 +- .../views/admin/apps/AppDetailsPage.tsx | 31 +- .../admin/apps/{AppLogsPage.js => AppLogs.js} | 53 +- .../{AppSecurityPage.tsx => AppSecurity.tsx} | 6 +- .../rocketchat-i18n/i18n/en.i18n.json | 10193 ++++++++-------- yarn.lock | 2 +- 7 files changed, 5152 insertions(+), 5146 deletions(-) rename apps/meteor/client/views/admin/apps/{AppDetailsPageContent.tsx => AppDetails.tsx} (91%) rename apps/meteor/client/views/admin/apps/{AppLogsPage.js => AppLogs.js} (61%) rename apps/meteor/client/views/admin/apps/{AppSecurityPage.tsx => AppSecurity.tsx} (92%) diff --git a/apps/meteor/client/views/admin/apps/APIsDisplay.tsx b/apps/meteor/client/views/admin/apps/APIsDisplay.tsx index 11869cd5fa7f..2cfbde0103c3 100644 --- a/apps/meteor/client/views/admin/apps/APIsDisplay.tsx +++ b/apps/meteor/client/views/admin/apps/APIsDisplay.tsx @@ -1,5 +1,5 @@ import { IApiEndpointMetadata } from '@rocket.chat/apps-engine/definition/api'; -import { Box, Divider } from '@rocket.chat/fuselage'; +import { Box } from '@rocket.chat/fuselage'; import { useAbsoluteUrl, useTranslation } from '@rocket.chat/ui-contexts'; import React, { FC, Fragment } from 'react'; @@ -16,7 +16,6 @@ const APIsDisplay: FC = ({ apis }) => { return ( <> - {t('APIs')} diff --git a/apps/meteor/client/views/admin/apps/AppDetailsPageContent.tsx b/apps/meteor/client/views/admin/apps/AppDetails.tsx similarity index 91% rename from apps/meteor/client/views/admin/apps/AppDetailsPageContent.tsx rename to apps/meteor/client/views/admin/apps/AppDetails.tsx index eae5326bc21d..a151f79defb6 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsPageContent.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetails.tsx @@ -3,20 +3,22 @@ import { TranslationKey, useTranslation } from '@rocket.chat/ui-contexts'; import React, { FC } from 'react'; import ExternalLink from '../../../components/ExternalLink'; +import APIsDisplay from './APIsDisplay'; import ScreenshotCarouselAnchor from './components/ScreenshotCarouselAnchor'; import { AppInfo } from './definitions/AppInfo'; -type AppDetailsPageContentProps = { +type AppDetailsProps = { app: AppInfo; }; -const AppDetailsPageContent: FC = ({ app }) => { +const AppDetails: FC = ({ app }) => { const { author: { homepage, support }, detailedDescription, description, categories = [], screenshots, + apis, } = app; const t = useTranslation(); @@ -90,10 +92,12 @@ const AppDetailsPageContent: FC = ({ app }) => { + + {apis?.length && } ); }; -export default AppDetailsPageContent; +export default AppDetails; diff --git a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx index eaa7831b4f19..81d667145deb 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx @@ -7,11 +7,10 @@ import React, { useState, useCallback, useRef, FC } from 'react'; import { ISettings } from '../../../../app/apps/client/@types/IOrchestrator'; import { Apps } from '../../../../app/apps/client/orchestrator'; import Page from '../../../components/Page'; -import APIsDisplay from './APIsDisplay'; +import AppDetails from './AppDetails'; import AppDetailsHeader from './AppDetailsHeader'; -import AppDetailsPageContent from './AppDetailsPageContent'; -import AppLogsPage from './AppLogsPage'; -import AppSecurityPage from './AppSecurityPage'; +import AppLogs from './AppLogs'; +import AppSecurity from './AppSecurity'; import LoadingDetails from './LoadingDetails'; import SettingsDisplay from './SettingsDisplay'; import { handleAPIError } from './helpers'; @@ -38,8 +37,7 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { const router = useRoute(currentRouteName); const handleReturn = useMutableCallback((): void => router.push({})); - const { installed, settings, apis, privacyPolicySummary, permissions, tosLink, privacyLink } = appData || {}; - const showApis = apis?.length; + const { installed, settings, privacyPolicySummary, permissions, tosLink, privacyLink } = appData || {}; const saveAppSettings = useCallback(async () => { const { current } = settingsRef; @@ -58,7 +56,7 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { setIsSaving(false); }, [id, settings]); - const handleTabClick = (tab: 'details' | 'security' | 'logs' | 'settings'): void => { + const handleTabClick = (tab: 'details' | 'security' | 'releases' | 'settings' | 'logs'): void => { appsRoute.replace({ ...urlParams, tab }); }; @@ -89,8 +87,8 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { )} {Boolean(installed) && ( - handleTabClick('logs')} selected={tab === 'logs'}> - {t('Logs')} + handleTabClick('releases')} selected={tab === 'releases'}> + {t('Releases')} )} {Boolean(installed && settings && Object.values(settings).length) && ( @@ -98,19 +96,26 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { {t('Settings')} )} + {Boolean(installed) && ( + handleTabClick('logs')} selected={tab === 'logs'}> + {t('Logs')} + + )} - {Boolean(!tab || tab === 'details') && } - {Boolean((!tab || tab === 'details') && !!showApis) && } + {Boolean(!tab || tab === 'details') && } + {tab === 'security' && ( - )} - {tab === 'logs' && } + + {tab === 'logs' && } + {Boolean(tab === 'settings' && settings && Object.values(settings).length) && ( { return [filteredData, total, fetchData]; }; -function AppLogsPage({ id, ...props }) { +function AppLogs({ id }) { const formatDateAndTime = useFormatDateAndTime(); const [app] = useAppWithLogs({ id }); @@ -41,32 +40,30 @@ function AppLogsPage({ id, ...props }) { const showData = !loading && !app.error; return ( - - - {loading && } - {app.error && ( - - {app.error.message} - - )} - {showData && ( - <> - - {app.logs && - app.logs.map((log) => ( - - ))} - - - )} - - + <> + {loading && } + {app.error && ( + + {app.error.message} + + )} + {showData && ( + <> + + {app.logs && + app.logs.map((log) => ( + + ))} + + + )} + ); } -export default AppLogsPage; +export default AppLogs; diff --git a/apps/meteor/client/views/admin/apps/AppSecurityPage.tsx b/apps/meteor/client/views/admin/apps/AppSecurity.tsx similarity index 92% rename from apps/meteor/client/views/admin/apps/AppSecurityPage.tsx rename to apps/meteor/client/views/admin/apps/AppSecurity.tsx index cfcd23db94d8..d44729e57df2 100644 --- a/apps/meteor/client/views/admin/apps/AppSecurityPage.tsx +++ b/apps/meteor/client/views/admin/apps/AppSecurity.tsx @@ -3,14 +3,14 @@ import { Box, Margins } from '@rocket.chat/fuselage'; import { TranslationKey, useTranslation } from '@rocket.chat/ui-contexts'; import React, { FC } from 'react'; -type AppSecurityPageProps = { +type AppSecurityProps = { privacyPolicySummary: string | undefined; appPermissions: AppPermission[] | undefined; tosLink: string | undefined; privacyLink: string | undefined; }; -const AppSecurityPage: FC = ({ privacyPolicySummary, appPermissions, tosLink, privacyLink }) => { +const AppSecurity: FC = ({ privacyPolicySummary, appPermissions, tosLink, privacyLink }) => { const t = useTranslation(); const defaultPermissions = [ @@ -89,4 +89,4 @@ const AppSecurityPage: FC = ({ privacyPolicySummary, appPe ); }; -export default AppSecurityPage; +export default AppSecurity; diff --git a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json index 27831a5b888c..1052c390d266 100644 --- a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json +++ b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json @@ -1,5098 +1,5099 @@ { - "403": "Forbidden", - "500": "Internal Server Error", - "__count__empty_rooms_will_be_removed_automatically": "__count__ empty rooms will be removed automatically.", - "__count__empty_rooms_will_be_removed_automatically__rooms__": "__count__ empty rooms will be removed automatically:
__rooms__.", - "__username__is_no_longer__role__defined_by__user_by_": "__username__ is no longer __role__ by __user_by__", - "__username__was_set__role__by__user_by_": "__username__ was set __role__ by __user_by__", - "This_room_encryption_has_been_enabled_by__username_": "This room's encryption has been enabled by __username__", - "This_room_encryption_has_been_disabled_by__username_": "This room's encryption has been disabled by __username__", - "@username": "@username", - "@username_message": "@username ", - "#channel": "#channel", - "%_of_conversations": "% of Conversations", - "0_Errors_Only": "0 - Errors Only", - "1_Errors_and_Information": "1 - Errors and Information", - "2_Erros_Information_and_Debug": "2 - Errors, Information and Debug", - "12_Hour": "12-hour clock", - "24_Hour": "24-hour clock", - "A_new_owner_will_be_assigned_automatically_to__count__rooms": "A new owner will be assigned automatically to __count__ rooms.", - "A_new_owner_will_be_assigned_automatically_to_the__roomName__room": "A new owner will be assigned automatically to the __roomName__ room.", - "A_new_owner_will_be_assigned_automatically_to_those__count__rooms__rooms__": "A new owner will be assigned automatically to those __count__ rooms:
__rooms__.", - "Accept": "Accept", - "Accept_Call": "Accept Call", - "Accept_incoming_livechat_requests_even_if_there_are_no_online_agents": "Accept incoming omnichannel requests even if there are no online agents", - "Accept_new_livechats_when_agent_is_idle": "Accept new omnichannel requests when the agent is idle", - "Accept_with_no_online_agents": "Accept with No Online Agents", - "Access_not_authorized": "Access not authorized", - "Access_Token_URL": "Access Token URL", - "access-mailer": "Access Mailer Screen", - "access-mailer_description": "Permission to send mass email to all users.", - "access-permissions": "Access Permissions Screen", - "access-permissions_description": "Modify permissions for various roles.", - "access-setting-permissions": "Modify Setting-Based Permissions", - "access-setting-permissions_description": "Permission to modify setting-based permissions", - "Accessing_permissions": "Accessing permissions", - "Account_SID": "Account SID", - "Account": "Account", - "Accounts": "Accounts", - "Accounts_Description": "Modify workspace member account settings.", - "Accounts_Admin_Email_Approval_Needed_Default": "

The user [name] ([email]) has been registered.

Please check \"Administration -> Users\" to activate or delete it.

", - "Accounts_Admin_Email_Approval_Needed_Subject_Default": "A new user registered and needs approval", - "Accounts_Admin_Email_Approval_Needed_With_Reason_Default": "

The user [name] ([email]) has been registered.

Reason: [reason]

Please check \"Administration -> Users\" to activate or delete it.

", - "Accounts_AllowAnonymousRead": "Allow Anonymous Read", - "Accounts_AllowAnonymousWrite": "Allow Anonymous Write", - "Accounts_AllowDeleteOwnAccount": "Allow Users to Delete Own Account", - "Accounts_AllowedDomainsList": "Allowed Domains List", - "Accounts_AllowedDomainsList_Description": "Comma-separated list of allowed domains", - "Accounts_AllowInvisibleStatusOption": "Allow Invisible status option", - "Accounts_AllowEmailChange": "Allow Email Change", - "Accounts_AllowEmailNotifications": "Allow Email Notifications", - "Accounts_AllowPasswordChange": "Allow Password Change", - "Accounts_AllowPasswordChangeForOAuthUsers": "Allow Password Change for OAuth Users", - "Accounts_AllowRealNameChange": "Allow Name Change", - "Accounts_AllowUserAvatarChange": "Allow User Avatar Change", - "Accounts_AllowUsernameChange": "Allow Username Change", - "Accounts_AllowUserProfileChange": "Allow User Profile Change", - "Accounts_AllowUserStatusMessageChange": "Allow Custom Status Message", - "Accounts_AvatarBlockUnauthenticatedAccess": "Block Unauthenticated Access to Avatars", - "Accounts_AvatarCacheTime": "Avatar cache time", - "Accounts_AvatarCacheTime_description": "Number of seconds the http protocol is told to cache the avatar images.", - "Accounts_AvatarExternalProviderUrl": "Avatar External Provider URL", - "Accounts_AvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{username}`", - "Accounts_AvatarResize": "Resize Avatars", - "Accounts_AvatarSize": "Avatar Size", - "Accounts_BlockedDomainsList": "Blocked Domains List", - "Accounts_BlockedDomainsList_Description": "Comma-separated list of blocked domains", - "Accounts_BlockedUsernameList": "Blocked Username List", - "Accounts_BlockedUsernameList_Description": "Comma-separated list of blocked usernames (case-insensitive)", - "Accounts_CustomFields_Description": "Should be a valid JSON where keys are the field names containing a dictionary of field settings. Example:
{\n \"role\": {\n \"type\": \"select\",\n \"defaultValue\": \"student\",\n \"options\": [\"teacher\", \"student\"],\n \"required\": true,\n \"modifyRecordField\": {\n \"array\": true,\n \"field\": \"roles\"\n }\n },\n \"twitter\": {\n \"type\": \"text\",\n \"required\": true,\n \"minLength\": 2,\n \"maxLength\": 10\n }\n} ", - "Accounts_CustomFieldsToShowInUserInfo": "Custom Fields to Show in User Info", - "Accounts_Default_User_Preferences": "Default User Preferences", - "Accounts_Default_User_Preferences_audioNotifications": "Audio Notifications Default Alert", - "Accounts_Default_User_Preferences_desktopNotifications": "Desktop Notifications Default Alert", - "Accounts_Default_User_Preferences_pushNotifications": "Push Notifications Default Alert", - "Accounts_Default_User_Preferences_not_available": "Failed to retrieve User Preferences because they haven't been set up by the user yet", - "Accounts_DefaultUsernamePrefixSuggestion": "Default Username Prefix Suggestion", - "Accounts_denyUnverifiedEmail": "Deny unverified email", - "Accounts_Directory_DefaultView": "Default Directory Listing", - "Accounts_Email_Activated": "[name]

Your account was activated.

", - "Accounts_Email_Activated_Subject": "Account activated", - "Accounts_Email_Approved": "[name]

Your account was approved.

", - "Accounts_Email_Approved_Subject": "Account approved", - "Accounts_Email_Deactivated": "[name]

Your account was deactivated.

", - "Accounts_Email_Deactivated_Subject": "Account deactivated", - "Accounts_EmailVerification": "Only allow verified users to login", - "Accounts_EmailVerification_Description": "Make sure you have correct SMTP settings to use this feature", - "Accounts_Enrollment_Email": "Enrollment Email", - "Accounts_Enrollment_Email_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", - "Accounts_Enrollment_Email_Description": "You may use the following placeholders:
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Accounts_Enrollment_Email_Subject_Default": "Welcome to [Site_Name]", - "Accounts_ForgetUserSessionOnWindowClose": "Forget User Session on Window Close", - "Accounts_Iframe_api_method": "Api Method", - "Accounts_Iframe_api_url": "API URL", - "Accounts_iframe_enabled": "Enabled", - "Accounts_iframe_url": "Iframe URL", - "Accounts_LoginExpiration": "Login Expiration in Days", - "Accounts_ManuallyApproveNewUsers": "Manually Approve New Users", - "Accounts_OAuth_Apple": "Sign in with Apple", - "Accounts_OAuth_Custom_Access_Token_Param": "Param Name for access token", - "Accounts_OAuth_Custom_Authorize_Path": "Authorize Path", - "Accounts_OAuth_Custom_Avatar_Field": "Avatar field", - "Accounts_OAuth_Custom_Button_Color": "Button Color", - "Accounts_OAuth_Custom_Button_Label_Color": "Button Text Color", - "Accounts_OAuth_Custom_Button_Label_Text": "Button Text", - "Accounts_OAuth_Custom_Channel_Admin": "User Data Group Map", - "Accounts_OAuth_Custom_Channel_Map": "OAuth Group Channel Map", - "Accounts_OAuth_Custom_Email_Field": "Email field", - "Accounts_OAuth_Custom_Enable": "Enable", - "Accounts_OAuth_Custom_Groups_Claim": "Roles/Groups field for channel mapping", - "Accounts_OAuth_Custom_id": "Id", - "Accounts_OAuth_Custom_Identity_Path": "Identity Path", - "Accounts_OAuth_Custom_Identity_Token_Sent_Via": "Identity Token Sent Via", - "Accounts_OAuth_Custom_Key_Field": "Key Field", - "Accounts_OAuth_Custom_Login_Style": "Login Style", - "Accounts_OAuth_Custom_Map_Channels": "Map Roles/Groups to channels", - "Accounts_OAuth_Custom_Merge_Roles": "Merge Roles from SSO", - "Accounts_OAuth_Custom_Merge_Users": "Merge users", - "Accounts_OAuth_Custom_Name_Field": "Name field", - "Accounts_OAuth_Custom_Roles_Claim": "Roles/Groups field name", - "Accounts_OAuth_Custom_Roles_To_Sync": "Roles to Sync", - "Accounts_OAuth_Custom_Roles_To_Sync_Description": "OAuth Roles to sync on user login and creation (comma-separated).", - "Accounts_OAuth_Custom_Scope": "Scope", - "Accounts_OAuth_Custom_Secret": "Secret", - "Accounts_OAuth_Custom_Show_Button_On_Login_Page": "Show Button on Login Page", - "Accounts_OAuth_Custom_Token_Path": "Token Path", - "Accounts_OAuth_Custom_Token_Sent_Via": "Token Sent Via", - "Accounts_OAuth_Custom_Username_Field": "Username field", - "Accounts_OAuth_Drupal": "Drupal Login Enabled", - "Accounts_OAuth_Drupal_callback_url": "Drupal oAuth2 Redirect URI", - "Accounts_OAuth_Drupal_id": "Drupal oAuth2 Client ID", - "Accounts_OAuth_Drupal_secret": "Drupal oAuth2 Client Secret", - "Accounts_OAuth_Facebook": "Facebook Login", - "Accounts_OAuth_Facebook_callback_url": "Facebook Callback URL", - "Accounts_OAuth_Facebook_id": "Facebook App ID", - "Accounts_OAuth_Facebook_secret": "Facebook Secret", - "Accounts_OAuth_Github": "OAuth Enabled", - "Accounts_OAuth_Github_callback_url": "Github Callback URL", - "Accounts_OAuth_GitHub_Enterprise": "OAuth Enabled", - "Accounts_OAuth_GitHub_Enterprise_callback_url": "GitHub Enterprise Callback URL", - "Accounts_OAuth_GitHub_Enterprise_id": "Client Id", - "Accounts_OAuth_GitHub_Enterprise_secret": "Client Secret", - "Accounts_OAuth_Github_id": "Client Id", - "Accounts_OAuth_Github_secret": "Client Secret", - "Accounts_OAuth_Gitlab": "OAuth Enabled", - "Accounts_OAuth_Gitlab_callback_url": "GitLab Callback URL", - "Accounts_OAuth_Gitlab_id": "GitLab Id", - "Accounts_OAuth_Gitlab_identity_path": "Identity Path", - "Accounts_OAuth_Gitlab_merge_users": "Merge Users", - "Accounts_OAuth_Gitlab_secret": "Client Secret", - "Accounts_OAuth_Google": "Google Login", - "Accounts_OAuth_Google_callback_url": "Google Callback URL", - "Accounts_OAuth_Google_id": "Google Id", - "Accounts_OAuth_Google_secret": "Google Secret", - "Accounts_OAuth_Linkedin": "LinkedIn Login", - "Accounts_OAuth_Linkedin_callback_url": "Linkedin Callback URL", - "Accounts_OAuth_Linkedin_id": "LinkedIn Id", - "Accounts_OAuth_Linkedin_secret": "LinkedIn Secret", - "Accounts_OAuth_Meteor": "Meteor Login", - "Accounts_OAuth_Meteor_callback_url": "Meteor Callback URL", - "Accounts_OAuth_Meteor_id": "Meteor Id", - "Accounts_OAuth_Meteor_secret": "Meteor Secret", - "Accounts_OAuth_Nextcloud": "OAuth Enabled", - "Accounts_OAuth_Nextcloud_callback_url": "Nextcloud Callback URL", - "Accounts_OAuth_Nextcloud_id": "Nextcloud Id", - "Accounts_OAuth_Nextcloud_secret": "Client Secret", - "Accounts_OAuth_Nextcloud_URL": "Nextcloud Server URL", - "Accounts_OAuth_Proxy_host": "Proxy Host", - "Accounts_OAuth_Proxy_services": "Proxy Services", - "Accounts_OAuth_Tokenpass": "Tokenpass Login", - "Accounts_OAuth_Tokenpass_callback_url": "Tokenpass Callback URL", - "Accounts_OAuth_Tokenpass_id": "Tokenpass Id", - "Accounts_OAuth_Tokenpass_secret": "Tokenpass Secret", - "Accounts_OAuth_Twitter": "Twitter Login", - "Accounts_OAuth_Twitter_callback_url": "Twitter Callback URL", - "Accounts_OAuth_Twitter_id": "Twitter Id", - "Accounts_OAuth_Twitter_secret": "Twitter Secret", - "Accounts_OAuth_Wordpress": "WordPress Login", - "Accounts_OAuth_Wordpress_authorize_path": "Authorize Path", - "Accounts_OAuth_Wordpress_callback_url": "WordPress Callback URL", - "Accounts_OAuth_Wordpress_id": "WordPress Id", - "Accounts_OAuth_Wordpress_identity_path": "Identity Path", - "Accounts_OAuth_Wordpress_identity_token_sent_via": "Identity Token Sent Via", - "Accounts_OAuth_Wordpress_scope": "Scope", - "Accounts_OAuth_Wordpress_secret": "WordPress Secret", - "Accounts_OAuth_Wordpress_server_type_custom": "Custom", - "Accounts_OAuth_Wordpress_server_type_wordpress_com": "Wordpress.com", - "Accounts_OAuth_Wordpress_server_type_wp_oauth_server": "WP OAuth Server Plugin", - "Accounts_OAuth_Wordpress_token_path": "Token Path", - "Accounts_Password_Policy_AtLeastOneLowercase": "At Least One Lowercase", - "Accounts_Password_Policy_AtLeastOneLowercase_Description": "Enforce that a password contain at least one lowercase character.", - "Accounts_Password_Policy_AtLeastOneNumber": "At Least One Number", - "Accounts_Password_Policy_AtLeastOneNumber_Description": "Enforce that a password contain at least one numerical character.", - "Accounts_Password_Policy_AtLeastOneSpecialCharacter": "At Least One Symbol", - "Accounts_Password_Policy_AtLeastOneSpecialCharacter_Description": "Enforce that a password contain at least one special character.", - "Accounts_Password_Policy_AtLeastOneUppercase": "At Least One Uppercase", - "Accounts_Password_Policy_AtLeastOneUppercase_Description": "Enforce that a password contain at least one uppercase character.", - "Accounts_Password_Policy_Enabled": "Enable Password Policy", - "Accounts_Password_Policy_Enabled_Description": "When enabled, user passwords must adhere to the policies set forth. Note: this only applies to new passwords, not existing passwords.", - "Accounts_Password_Policy_ForbidRepeatingCharacters": "Forbid Repeating Characters", - "Accounts_Password_Policy_ForbidRepeatingCharacters_Description": "Ensures passwords do not contain the same character repeating next to each other.", - "Accounts_Password_Policy_ForbidRepeatingCharactersCount": "Max Repeating Characters", - "Accounts_Password_Policy_ForbidRepeatingCharactersCount_Description": "The amount of times a character can be repeating before it is not allowed.", - "Accounts_Password_Policy_MaxLength": "Maximum Length", - "Accounts_Password_Policy_MaxLength_Description": "Ensures that passwords do not have more than this amount of characters. Use `-1` to disable.", - "Accounts_Password_Policy_MinLength": "Minimum Length", - "Accounts_Password_Policy_MinLength_Description": "Ensures that passwords must have at least this amount of characters. Use `-1` to disable.", - "Accounts_PasswordReset": "Password Reset", - "Accounts_Registration_AuthenticationServices_Default_Roles": "Default Roles for Authentication Services", - "Accounts_Registration_AuthenticationServices_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through authentication services", - "Accounts_Registration_AuthenticationServices_Enabled": "Registration with Authentication Services", - "Accounts_Registration_Users_Default_Roles": "Default Roles for Users", - "Accounts_Registration_Users_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through manual registration (including via API)", - "Accounts_Registration_Users_Default_Roles_Enabled": "Enable Default Roles for Manual Registration", - "Accounts_Registration_InviteUrlType": "Invite URL Type", - "Accounts_Registration_InviteUrlType_Direct": "Direct", - "Accounts_Registration_InviteUrlType_Proxy": "Proxy", - "Accounts_RegistrationForm": "Registration Form", - "Accounts_RegistrationForm_Disabled": "Disabled", - "Accounts_RegistrationForm_LinkReplacementText": "Registration Form Link Replacement Text", - "Accounts_RegistrationForm_Public": "Public", - "Accounts_RegistrationForm_Secret_URL": "Secret URL", - "Accounts_RegistrationForm_SecretURL": "Registration Form Secret URL", - "Accounts_RegistrationForm_SecretURL_Description": "You must provide a random string that will be added to your registration URL. Example: https://open.rocket.chat/register/[secret_hash]", - "Accounts_RequireNameForSignUp": "Require Name For Signup", - "Accounts_RequirePasswordConfirmation": "Require Password Confirmation", - "Accounts_RoomAvatarExternalProviderUrl": "Room Avatar External Provider URL", - "Accounts_RoomAvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{roomId}`", - "Accounts_SearchFields": "Fields to Consider in Search", - "Accounts_Send_Email_When_Activating": "Send email to user when user is activated", - "Accounts_Send_Email_When_Deactivating": "Send email to user when user is deactivated", - "Accounts_Set_Email_Of_External_Accounts_as_Verified": "Set email of external accounts as verified", - "Accounts_Set_Email_Of_External_Accounts_as_Verified_Description": "Accounts created from external services, like LDAP, OAuth, etc, will have their emails verified automatically", - "Accounts_SetDefaultAvatar": "Set Default Avatar", - "Accounts_SetDefaultAvatar_Description": "Tries to determine default avatar based on OAuth Account or Gravatar", - "Accounts_ShowFormLogin": "Show Default Login Form", - "Accounts_TwoFactorAuthentication_By_TOTP_Enabled": "Enable Two Factor Authentication via TOTP", - "Accounts_TwoFactorAuthentication_By_TOTP_Enabled_Description": "Users can setup their Two Factor Authentication using any TOTP App, like Google Authenticator or Authy.", - "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In": "Auto opt in new users for Two Factor via Email", - "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In_Description": "New users will have the Two Factor Authentication via Email enabled by default. They will be able to disable it in their profile page.", - "Accounts_TwoFactorAuthentication_By_Email_Code_Expiration": "Time to expire the code sent via email in seconds", - "Accounts_TwoFactorAuthentication_By_Email_Enabled": "Enable Two Factor Authentication via Email", - "Accounts_TwoFactorAuthentication_By_Email_Enabled_Description": "Users with email verified and the option enabled in their profile page will receive an email with a temporary code to authorize certain actions like login, save the profile, etc.", - "Accounts_TwoFactorAuthentication_Enabled": "Enable Two Factor Authentication", - "Accounts_TwoFactorAuthentication_Enabled_Description": "If deactivated, this setting will deactivate all Two Factor Authentication.
To force users to use Two Factor Authentication, the admin has to configure the 'user' role to enforce it.", - "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback": "Enforce password fallback", - "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback_Description": "Users will be forced to enter their password, for important actions, if no other Two Factor Authentication method is enabled for that user and a password is set for him.", - "Accounts_TwoFactorAuthentication_MaxDelta": "Maximum Delta", - "Accounts_TwoFactorAuthentication_MaxDelta_Description": "The Maximum Delta determines how many tokens are valid at any given time. Tokens are generated every 30 seconds, and are valid for (30 * Maximum Delta) seconds.
Example: With a Maximum Delta set to 10, each token can be used up to 300 seconds before or after it's timestamp. This is useful when the client's clock is not properly synced with the server.", - "Accounts_TwoFactorAuthentication_RememberFor": "Remember Two Factor for (seconds)", - "Accounts_TwoFactorAuthentication_RememberFor_Description": "Do not request two factor authorization code if it was already provided before in the given time.", - "Accounts_UseDefaultBlockedDomainsList": "Use Default Blocked Domains List", - "Accounts_UseDNSDomainCheck": "Use DNS Domain Check", - "Accounts_UserAddedEmail_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

You may login using your email: [email] and password: [password]. You may be required to change it after your first login.", - "Accounts_UserAddedEmail_Description": "You may use the following placeholders:

  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [password] for the user's password.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Accounts_UserAddedEmailSubject_Default": "You have been added to [Site_Name]", - "Accounts_Verify_Email_For_External_Accounts": "Verify Email for External Accounts", - "Action": "Action", - "Action_required": "Action required", - "Activate": "Activate", - "Active": "Active", - "Active_users": "Active users", - "Activity": "Activity", - "Add": "Add", - "Add_agent": "Add agent", - "Add_custom_emoji": "Add custom emoji", - "Add_custom_oauth": "Add custom oauth", - "Add_Domain": "Add Domain", - "Add_files_from": "Add files from", - "Add_manager": "Add manager", - "Add_monitor": "Add monitor", - "Add_Reaction": "Add Reaction", - "Add_Role": "Add Role", - "Add_Sender_To_ReplyTo": "Add Sender to Reply-To", - "Add_URL": "Add URL", - "Add_user": "Add user", - "Add_User": "Add User", - "Add_users": "Add users", - "Add_members": "Add Members", - "add-all-to-room": "Add all users to a room", - "add-livechat-department-agents": "Add Omnichannel Agents to Departments", - "add-livechat-department-agents_description": "Permission to add omnichannel agents to departments", - "add-oauth-service": "Add Oauth Service", - "add-oauth-service_description": "Permission to add a new Oauth service", - "add-user": "Add User", - "add-user_description": "Permission to add new users to the server via users screen", - "add-user-to-any-c-room": "Add User to Any Public Channel", - "add-user-to-any-c-room_description": "Permission to add a user to any public channel", - "add-user-to-any-p-room": "Add User to Any Private Channel", - "add-user-to-any-p-room_description": "Permission to add a user to any private channel", - "add-user-to-joined-room": "Add User to Any Joined Channel", - "add-user-to-joined-room_description": "Permission to add a user to a currently joined channel", - "added__roomName__to_team": "added #__roomName__ to this Team", - "Added__username__to_team": "added @__user_added__ to this Team", - "Adding_OAuth_Services": "Adding OAuth Services", - "Adding_permission": "Adding permission", - "Adding_user": "Adding user", - "Additional_emails": "Additional Emails", - "Additional_Feedback": "Additional Feedback", - "additional_integrations_Bots": "If you are looking for how to integrate your own bot, then look no further than our Hubot adapter. https://github.com/RocketChat/hubot-rocketchat", - "additional_integrations_Zapier": "Are you looking to integrate other software and applications with Rocket.Chat but you don't have the time to manually do it? Then we suggest using Zapier which we fully support. Read more about it on our documentation. https://rocket.chat/docs/administrator-guides/integrations/zapier/using-zaps/", - "Admin_disabled_encryption": "Your administrator did not enable E2E encryption.", - "Admin_Info": "Admin Info", - "Administration": "Administration", - "Adult_images_are_not_allowed": "Adult images are not allowed", - "Aerospace_and_Defense": "Aerospace & Defense", - "After_OAuth2_authentication_users_will_be_redirected_to_this_URL": "After OAuth2 authentication, users will be redirected to an URL on this list. You can add one URL per line.", - "Agent": "Agent", - "Agent_added": "Agent added", - "Agent_Info": "Agent Info", - "Agent_messages": "Agent Messages", - "Agent_Name": "Agent Name", - "Agent_Name_Placeholder": "Please enter an agent name...", - "Agent_removed": "Agent removed", - "Agent_deactivated": "Agent was deactivated", - "Agent_Without_Extensions": "Agent Without Extensions", - "Agents": "Agents", - "Alerts": "Alerts", - "Alias": "Alias", - "Alias_Format": "Alias Format", - "Alias_Format_Description": "Import messages from Slack with an alias; %s is replaced by the username of the user. If empty, no alias will be used.", - "Alias_Set": "Alias Set", - "Aliases": "Aliases", - "All": "All", - "All_Apps": "All Apps", - "All_added_tokens_will_be_required_by_the_user": "All added tokens will be required by the user", - "All_categories": "All categories", - "All_channels": "All channels", - "All_closed_chats_have_been_removed": "All closed chats have been removed", - "All_logs": "All logs", - "All_messages": "All messages", - "All_users": "All users", - "All_users_in_the_channel_can_write_new_messages": "All users in the channel can write new messages", - "Allow_collect_and_store_HTTP_header_informations": "Allow to collect and store HTTP header informations", - "Allow_collect_and_store_HTTP_header_informations_description": "This setting determines whether Livechat is allowed to store information collected from HTTP header data, such as IP address, User-Agent, and so on.", - "Allow_Invalid_SelfSigned_Certs": "Allow Invalid Self-Signed Certs", - "Allow_Invalid_SelfSigned_Certs_Description": "Allow invalid and self-signed SSL certificate's for link validation and previews.", - "Allow_Marketing_Emails": "Allow Marketing Emails", - "Allow_Online_Agents_Outside_Business_Hours": "Allow online agents outside of business hours", - "Allow_Online_Agents_Outside_Office_Hours": "Allow online agents outside of office hours", - "Allow_Save_Media_to_Gallery": "Allow Save Media to Gallery", - "Allow_switching_departments": "Allow Visitor to Switch Departments", - "Almost_done": "Almost done", - "Alphabetical": "Alphabetical", - "Also_send_to_channel": "Also send to channel", - "Always_open_in_new_window": "Always Open in New Window", - "Analytics": "Analytics", - "Analytics_Description": "See how users interact with your workspace.", - "Analytics_features_enabled": "Features Enabled", - "Analytics_features_messages_Description": "Tracks custom events related to actions a user does on messages.", - "Analytics_features_rooms_Description": "Tracks custom events related to actions on a channel or group (create, leave, delete).", - "Analytics_features_users_Description": "Tracks custom events related to actions related to users (password reset times, profile picture change, etc).", - "Analytics_Google": "Google Analytics", - "Analytics_Google_id": "Tracking ID", - "and": "and", - "And_more": "And __length__ more", - "Animals_and_Nature": "Animals & Nature", - "Announcement": "Announcement", - "Anonymous": "Anonymous", - "Answer_call": "Answer Call", - "API": "API", - "API_Add_Personal_Access_Token": "Add new Personal Access Token", - "API_Allow_Infinite_Count": "Allow Getting Everything", - "API_Allow_Infinite_Count_Description": "Should calls to the REST API be allowed to return everything in one call?", - "API_Analytics": "Analytics", - "API_CORS_Origin": "CORS Origin", - "API_Default_Count": "Default Count", - "API_Default_Count_Description": "The default count for REST API results if the consumer did not provided any.", - "API_Drupal_URL": "Drupal Server URL", - "API_Drupal_URL_Description": "Example: https://domain.com (excluding trailing slash)", - "API_Embed": "Embed Link Previews", - "API_Embed_Description": "Whether embedded link previews are enabled or not when a user posts a link to a website.", - "API_Embed_UserAgent": "Embed Request User Agent", - "API_EmbedCacheExpirationDays": "Embed Cache Expiration Days", - "API_EmbedDisabledFor": "Disable Embed for Users", - "API_EmbedDisabledFor_Description": "Comma-separated list of usernames to disable the embedded link previews.", - "API_EmbedIgnoredHosts": "Embed Ignored Hosts", - "API_EmbedIgnoredHosts_Description": "Comma-separated list of hosts or CIDR addresses, eg. localhost, 127.0.0.1, 10.0.0.0/8, 172.16.0.0/12, 192.168.0.0/16", - "API_EmbedSafePorts": "Safe Ports", - "API_EmbedSafePorts_Description": "Comma-separated list of ports allowed for previewing.", - "API_Enable_CORS": "Enable CORS", - "API_Enable_Direct_Message_History_EndPoint": "Enable Direct Message History Endpoint", - "API_Enable_Direct_Message_History_EndPoint_Description": "This enables the `/api/v1/im.history.others` which allows the viewing of direct messages sent by other users that the caller is not part of.", - "API_Enable_Personal_Access_Tokens": "Enable Personal Access Tokens to REST API", - "API_Enable_Personal_Access_Tokens_Description": "Enable personal access tokens for use with the REST API", - "API_Enable_Rate_Limiter": "Enable Rate Limiter", - "API_Enable_Rate_Limiter_Dev": "Enable Rate Limiter in development", - "API_Enable_Rate_Limiter_Dev_Description": "Should limit the amount of calls to the endpoints in the development environment?", - "API_Enable_Rate_Limiter_Limit_Calls_Default": "Default number calls to the rate limiter", - "API_Enable_Rate_Limiter_Limit_Calls_Default_Description": "Number of default calls for each endpoint of the REST API, allowed within the time range defined below", - "API_Enable_Rate_Limiter_Limit_Time_Default": "Default time limit for the rate limiter (in ms)", - "API_Enable_Rate_Limiter_Limit_Time_Default_Description": "Default timeout to limit the number of calls at each endpoint of the REST API(in ms)", - "API_Enable_Shields": "Enable Shields", - "API_Enable_Shields_Description": "Enable shields available at `/api/v1/shield.svg`", - "API_GitHub_Enterprise_URL": "Server URL", - "API_GitHub_Enterprise_URL_Description": "Example: http://domain.com (excluding trailing slash)", - "API_Gitlab_URL": "GitLab URL", - "API_Personal_Access_Token_Generated": "Personal Access Token successfully generated", - "API_Personal_Access_Token_Generated_Text_Token_s_UserId_s": "Please save your token carefully as you will no longer be able to view it afterwards.
Token: __token__
Your user Id: __userId__", - "API_Personal_Access_Token_Name": "Personal Access Token Name", - "API_Personal_Access_Tokens_Regenerate_It": "Regenerate token", - "API_Personal_Access_Tokens_Regenerate_Modal": "If you lost or forgot your token, you can regenerate it, but remember that all applications that use this token should be updated", - "API_Personal_Access_Tokens_Remove_Modal": "Are you sure you wish to remove this personal access token?", - "API_Personal_Access_Tokens_To_REST_API": "Personal access tokens to REST API", - "API_Rate_Limiter": "API Rate Limiter", - "API_Shield_Types": "Shield Types", - "API_Shield_Types_Description": "Types of shields to enable as a comma separated list, choose from `online`, `channel` or `*` for all", - "API_Shield_user_require_auth": "Require authentication for users shields", - "API_Token": "API Token", - "API_Tokenpass_URL": "Tokenpass Server URL", - "API_Tokenpass_URL_Description": "Example: https://domain.com (excluding trailing slash)", - "API_Upper_Count_Limit": "Max Record Amount", - "API_Upper_Count_Limit_Description": "What is the maximum number of records the REST API should return (when not unlimited)?", - "API_Use_REST_For_DDP_Calls": "Use REST instead of websocket for Meteor calls", - "API_User_Limit": "User Limit for Adding All Users to Channel", - "API_Wordpress_URL": "WordPress URL", - "api-bypass-rate-limit": "Bypass rate limit for REST API", - "api-bypass-rate-limit_description": "Permission to call api without rate limitation", - "Apiai_Key": "Api.ai Key", - "Apiai_Language": "Api.ai Language", - "APIs": "APIs", - "App_author_homepage": "author homepage", - "App_Details": "App details", - "App_Info": "App Info", - "App_Information": "App Information", - "App_Installation": "App Installation", - "App_status_auto_enabled": "Enabled", - "App_status_constructed": "Constructed", - "App_status_disabled": "Disabled", - "App_status_error_disabled": "Disabled: Uncaught Error", - "App_status_initialized": "Initialized", - "App_status_invalid_license_disabled": "Disabled: Invalid License", - "App_status_invalid_settings_disabled": "Disabled: Configuration Needed", - "App_status_manually_disabled": "Disabled: Manually", - "App_status_manually_enabled": "Enabled", - "App_status_unknown": "Unknown", - "App_support_url": "support url", - "App_Url_to_Install_From": "Install from URL", - "App_Url_to_Install_From_File": "Install from file", - "App_user_not_allowed_to_login": "App users are not allowed to log in directly.", - "Appearance": "Appearance", - "Application_added": "Application added", - "Application_delete_warning": "You will not be able to recover this Application!", - "Application_Name": "Application Name", - "Application_updated": "Application updated", - "Apply": "Apply", - "Apply_and_refresh_all_clients": "Apply and refresh all clients", - "Apps": "Apps", - "Apps_Engine_Version": "Apps Engine Version", - "Apps_Essential_Alert": "This app is essential for the following events:", - "Apps_Essential_Disclaimer": "Events listed above will be disrupted if this app is disabled. If you want Rocket.Chat to work without this app's functionality, you need to uninstall it", - "Apps_Framework_Development_Mode": "Enable development mode", - "Apps_Framework_Development_Mode_Description": "Development mode allows the installation of Apps that are not from the Rocket.Chat's Marketplace.", - "Apps_Framework_enabled": "Enable the App Framework", - "Apps_Framework_Source_Package_Storage_Type": "Apps' Source Package Storage type", - "Apps_Framework_Source_Package_Storage_Type_Description": "Choose where all the apps' source code will be stored. Apps can have multiple megabytes in size each.", - "Apps_Framework_Source_Package_Storage_Type_Alert": "Changing where the apps are stored may cause instabilities in apps there are already installed", - "Apps_Framework_Source_Package_Storage_FileSystem_Path": "Directory for storing apps source package", - "Apps_Framework_Source_Package_Storage_FileSystem_Path_Description": "Absolute path in the filesystem for storing the apps' source code (in zip file format)", - "Apps_Framework_Source_Package_Storage_FileSystem_Alert": "Make sure the chosen directory exist and Rocket.Chat can access it (e.g. permission to read/write)", - "Apps_Game_Center": "Game Center", - "Apps_Game_Center_Back": "Back to Game Center", - "Apps_Game_Center_Invite_Friends": "Invite your friends to join", - "Apps_Game_Center_Play_Game_Together": "@here Let's play __name__ together!", - "Apps_Interface_IPostExternalComponentClosed": "Event happening after an external component is closed", - "Apps_Interface_IPostExternalComponentOpened": "Event happening after an external component is opened", - "Apps_Interface_IPostMessageDeleted": "Event happening after a message is deleted", - "Apps_Interface_IPostMessageSent": "Event happening after a message is sent", - "Apps_Interface_IPostMessageUpdated": "Event happening after a message is updated", - "Apps_Interface_IPostRoomCreate": "Event happening after a room is created", - "Apps_Interface_IPostRoomDeleted": "Event happening after a room is deleted", - "Apps_Interface_IPostRoomUserJoined": "Event happening after a user joins a room (private group, public channel)", - "Apps_Interface_IPreMessageDeletePrevent": "Event happening before a message is deleted", - "Apps_Interface_IPreMessageSentExtend": "Event happening before a message is sent", - "Apps_Interface_IPreMessageSentModify": "Event happening before a message is sent", - "Apps_Interface_IPreMessageSentPrevent": "Event happening before a message is sent", - "Apps_Interface_IPreMessageUpdatedExtend": "Event happening before a message is updated", - "Apps_Interface_IPreMessageUpdatedModify": "Event happening before a message is updated", - "Apps_Interface_IPreMessageUpdatedPrevent": "Event happening before a message is updated", - "Apps_Interface_IPreRoomCreateExtend": "Event happening before a room is created", - "Apps_Interface_IPreRoomCreateModify": "Event happening before a room is created", - "Apps_Interface_IPreRoomCreatePrevent": "Event happening before a room is created", - "Apps_Interface_IPreRoomDeletePrevent": "Event happening before a room is deleted", - "Apps_Interface_IPreRoomUserJoined": "Event happening before a user joins a room (private group, public channel)", - "Apps_License_Message_appId": "License hasn't been issued for this app", - "Apps_License_Message_bundle": "License issued for a bundle that does not contain the app", - "Apps_License_Message_expire": "License is no longer valid and needs to be renewed", - "Apps_License_Message_maxSeats": "License does not accomodate the current amount of active users. Please increase the number of seats", - "Apps_License_Message_publicKey": "There has been an error trying to decrypt the license. Please sync your workspace in the Connectivity Services and try again", - "Apps_License_Message_renewal": "License has expired and needs to be renewed", - "Apps_License_Message_seats": "License does not have enough seats to accommodate the current amount of active users. Please increase the number of seats", - "Apps_Logs_TTL": "Number of days to keep logs from apps stored", - "Apps_Logs_TTL_7days": "7 days", - "Apps_Logs_TTL_14days": "14 days", - "Apps_Logs_TTL_30days": "30 days", - "Apps_Logs_TTL_Alert": "Depending on the size of the Logs collection, changing this setting may cause slowness for some moments", - "Apps_Marketplace_Deactivate_App_Prompt": "Do you really want to disable this app?", - "Apps_Marketplace_Login_Required_Description": "Purchasing apps from the Rocket.Chat Marketplace requires registering your workspace and logging in.", - "Apps_Marketplace_Login_Required_Title": "Marketplace Login Required", - "Apps_Marketplace_Modify_App_Subscription": "Modify Subscription", - "Apps_Marketplace_pricingPlan_monthly": "__price__ / month", - "Apps_Marketplace_pricingPlan_monthly_perUser": "__price__ / month per user", - "Apps_Marketplace_pricingPlan_monthly_trialDays": "__price__ / month-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_monthly_perUser_trialDays": "__price__ / month per user-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_monthly": " __price__+* / month", - "Apps_Marketplace_pricingPlan_+*_monthly_trialDays": " __price__+* / month-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_monthly_perUser": " __price__+* / month per user", - "Apps_Marketplace_pricingPlan_+*_monthly_perUser_trialDays": " __price__+* / month per user-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_yearly": " __price__+* / year", - "Apps_Marketplace_pricingPlan_+*_yearly_trialDays": " __price__+* / year-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_yearly_perUser": " __price__+* / year per user", - "Apps_Marketplace_pricingPlan_+*_yearly_perUser_trialDays": " __price__+* / year per user-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_yearly_trialDays": "__price__ / year-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_yearly_perUser_trialDays": "__price__ / year per user-__trialDays__-day trial", - "Apps_Marketplace_Uninstall_App_Prompt": "Do you really want to uninstall this app?", - "Apps_Marketplace_Uninstall_Subscribed_App_Anyway": "Uninstall it anyway", - "Apps_Marketplace_Uninstall_Subscribed_App_Prompt": "This app has an active subscription and uninstalling will not cancel it. If you'd like to do that, please modify your subscription before uninstalling.", - "Apps_Permissions_Review_Modal_Title": "Required Permissions", - "Apps_Permissions_Review_Modal_Subtitle": "This app would like access to the following permissions. Do you agree?", - "Apps_Permissions_No_Permissions_Required": "The App does not require additional permissions", - "Apps_Permissions_cloud_workspace-token": "Interact with Cloud Services on behalf of this server", - "Apps_Permissions_user_read": "Access user information", - "Apps_Permissions_user_write": "Modify user information", - "Apps_Permissions_upload_read": "Access files uploaded to this server", - "Apps_Permissions_upload_write": "Upload files to this server", - "Apps_Permissions_server-setting_read": "Access settings in this server", - "Apps_Permissions_server-setting_write": "Modify settings in this server", - "Apps_Permissions_room_read": "Access room information", - "Apps_Permissions_room_write": "Create and modify rooms", - "Apps_Permissions_message_read": "Access messages", - "Apps_Permissions_message_write": "Send and modify messages", - "Apps_Permissions_livechat-status_read": "Access Livechat status information", - "Apps_Permissions_livechat-custom-fields_write": "Modify Livechat custom field configuration", - "Apps_Permissions_livechat-visitor_read": "Access Livechat visitor information", - "Apps_Permissions_livechat-visitor_write": "Modify Livechat visitor information", - "Apps_Permissions_livechat-message_read": "Access Livechat message information", - "Apps_Permissions_livechat-message_write": "Modify Livechat message information", - "Apps_Permissions_livechat-room_read": "Access Livechat room information", - "Apps_Permissions_livechat-room_write": "Modify Livechat room information", - "Apps_Permissions_livechat-department_read": "Access Livechat department information", - "Apps_Permissions_livechat-department_multiple": "Access to multiple Livechat departments information", - "Apps_Permissions_livechat-department_write": "Modify Livechat department information", - "Apps_Permissions_slashcommand": "Register new slash commands", - "Apps_Permissions_api": "Register new HTTP endpoints", - "Apps_Permissions_env_read": "Access minimal information about this server environment", - "Apps_Permissions_networking": "Access to this server network", - "Apps_Permissions_persistence": "Store internal data in the database", - "Apps_Permissions_scheduler": "Register and maintain scheduled jobs", - "Apps_Permissions_ui_interact": "Interact with the UI", - "Apps_Settings": "App's Settings", - "Apps_Manual_Update_Modal_Title": "This app is already installed", - "Apps_Manual_Update_Modal_Body": "Do you want to update it?", - "Apps_User_Already_Exists": "The username \"__username__\" is already being used. Rename or remove the user using it to install this App", - "Apps_WhatIsIt": "Apps: What Are They?", - "Apps_WhatIsIt_paragraph1": "A new icon in the administration area! What does this mean and what are Apps?", - "Apps_WhatIsIt_paragraph2": "First off, Apps in this context do not refer to the mobile applications. In fact, it would be best to think of them in terms of plugins or advanced integrations.", - "Apps_WhatIsIt_paragraph3": "Secondly, they are dynamic scripts or packages which will allow you to customize your Rocket.Chat instance without having to fork the codebase. But do keep in mind, this is a new feature set and due to that it might not be 100% stable. Also, we are still developing the feature set so not everything can be customized at this point in time. For more information about getting started developing an app, go here to read:", - "Apps_WhatIsIt_paragraph4": "But with that said, if you are interested in enabling this feature and trying it out then here click this button to enable the Apps system.", - "Archive": "Archive", - "archive-room": "Archive Room", - "archive-room_description": "Permission to archive a channel", - "are_typing": "are typing", - "Are_you_sure": "Are you sure?", - "Are_you_sure_you_want_to_clear_all_unread_messages": "Are you sure you want to clear all unread messages?", - "Are_you_sure_you_want_to_close_this_chat": "Are you sure you want to close this chat?", - "Are_you_sure_you_want_to_delete_this_record": "Are you sure you want to delete this record?", - "Are_you_sure_you_want_to_delete_your_account": "Are you sure you want to delete your account?", - "Are_you_sure_you_want_to_disable_Facebook_integration": "Are you sure you want to disable Facebook integration?", - "Assets": "Assets", - "Assets_Description": "Modify your workspace's logo, icon, favicon and more.", - "Assign_admin": "Assigning admin", - "Assign_new_conversations_to_bot_agent": "Assign new conversations to bot agent", - "Assign_new_conversations_to_bot_agent_description": "The routing system will attempt to find a bot agent before addressing new conversations to a human agent.", - "assign-admin-role": "Assign Admin Role", - "assign-admin-role_description": "Permission to assign the admin role to other users", - "assign-roles": "Assign Roles", - "assign-roles_description": "Permission to assign roles to other users", - "Associate": "Associate", - "Associate_Agent": "Associate Agent", - "Associate_Agent_to_Extension": "Associate Agent to Extension", - "at": "at", - "At_least_one_added_token_is_required_by_the_user": "At least one added token is required by the user", - "AtlassianCrowd": "Atlassian Crowd", - "AtlassianCrowd_Description": "Integrate Atlassian Crowd.", - "Attachment_File_Uploaded": "File Uploaded", - "Attribute_handling": "Attribute handling", - "Audio": "Audio", - "Audio_message": "Audio message", - "Audio_Notification_Value_Description": "Can be any custom sound or the default ones: beep, chelle, ding, droplet, highbell, seasons", - "Audio_Notifications_Default_Alert": "Audio Notifications Default Alert", - "Audio_Notifications_Value": "Default Message Notification Audio", - "Audio_settings": "Audio Settings", - "Audios": "Audios", - "Auditing": "Auditing", - "Auth_Token": "Auth Token", - "Authentication": "Authentication", - "Author": "Author", - "Author_Information": "Author Information", - "Author_Site": "Author site", - "Authorization_URL": "Authorization URL", - "Authorize": "Authorize", - "Auto_Load_Images": "Auto Load Images", - "Auto_Selection": "Auto Selection", - "Auto_Translate": "Auto-Translate", - "auto-translate": "Auto Translate", - "auto-translate_description": "Permission to use the auto translate tool", - "AutoLinker": "AutoLinker", - "AutoLinker_Email": "AutoLinker Email", - "AutoLinker_Phone": "AutoLinker Phone", - "AutoLinker_Phone_Description": "Automatically linked for Phone numbers. e.g. `(123)456-7890`", - "AutoLinker_StripPrefix": "AutoLinker Strip Prefix", - "AutoLinker_StripPrefix_Description": "Short display. e.g. https://rocket.chat => rocket.chat", - "AutoLinker_Urls_Scheme": "AutoLinker Scheme:// URLs", - "AutoLinker_Urls_TLD": "AutoLinker TLD URLs", - "AutoLinker_Urls_www": "AutoLinker 'www' URLs", - "AutoLinker_UrlsRegExp": "AutoLinker URL Regular Expression", - "Automatic_Translation": "Automatic Translation", - "AutoTranslate": "Auto-Translate", - "AutoTranslate_APIKey": "API Key", - "AutoTranslate_Change_Language_Description": "Changing the auto-translate language does not translate previous messages.", - "AutoTranslate_DeepL": "DeepL", - "AutoTranslate_Enabled": "Enable Auto-Translate", - "AutoTranslate_Enabled_Description": "Enabling auto-translation will allow people with the auto-translate permission to have all messages automatically translated into their selected language. Fees may apply.", - "AutoTranslate_Google": "Google", - "AutoTranslate_Microsoft": "Microsoft", - "AutoTranslate_Microsoft_API_Key": "Ocp-Apim-Subscription-Key", - "AutoTranslate_ServiceProvider": "Service Provider", - "Available": "Available", - "Available_agents": "Available agents", - "Available_departments": "Available Departments", - "Avatar": "Avatar", - "Avatars": "Avatars", - "Avatar_changed_successfully": "Avatar changed successfully", - "Avatar_URL": "Avatar URL", - "Avatar_format_invalid": "Invalid Format. Only image type is allowed", - "Avatar_url_invalid_or_error": "The url provided is invalid or not accessible. Please try again, but with a different url.", - "Avg_chat_duration": "Average of Chat Duration", - "Avg_first_response_time": "Average of First Response Time", - "Avg_of_abandoned_chats": "Average of Abandoned Chats", - "Avg_of_available_service_time": "Average of Service Available Time", - "Avg_of_chat_duration_time": "Average of Chat Duration Time", - "Avg_of_service_time": "Average of Service Time", - "Avg_of_waiting_time": "Average of Waiting Time", - "Avg_reaction_time": "Average of Reaction Time", - "Avg_response_time": "Average of Response Time", - "away": "away", - "Away": "Away", - "Back": "Back", - "Back_to_applications": "Back to applications", - "Back_to_chat": "Back to chat", - "Back_to_imports": "Back to imports", - "Back_to_integration_detail": "Back to the integration detail", - "Back_to_integrations": "Back to integrations", - "Back_to_login": "Back to login", - "Back_to_Manage_Apps": "Back to Manage Apps", - "Back_to_permissions": "Back to permissions", - "Back_to_room": "Back to Room", - "Back_to_threads": "Back to threads", - "Backup_codes": "Backup codes", - "ban-user": "Ban User", - "ban-user_description": "Permission to ban a user from a channel", - "BBB_End_Meeting": "End Meeting", - "BBB_Enable_Teams": "Enable for Teams", - "BBB_Join_Meeting": "Join Meeting", - "BBB_Start_Meeting": "Start Meeting", - "BBB_Video_Call": "BBB Video Call", - "BBB_You_have_no_permission_to_start_a_call": "You have no permission to start a call", - "Belongs_To": "Belongs To", - "Best_first_response_time": "Best first response time", - "Beta_feature_Depends_on_Video_Conference_to_be_enabled": "Beta feature. Depends on Video Conference to be enabled.", - "Better": "Better", - "Bio": "Bio", - "Bio_Placeholder": "Bio Placeholder", - "Block": "Block", - "Block_Multiple_Failed_Logins_Attempts_Until_Block_By_Ip": "How many failed attempts until block by IP", - "Block_Multiple_Failed_Logins_Attempts_Until_Block_by_User": "How many failed attempts until block by User", - "Block_Multiple_Failed_Logins_By_Ip": "Block failed login attempts by IP", - "Block_Multiple_Failed_Logins_By_User": "Block failed login attempts by Username", - "Block_Multiple_Failed_Logins_Enable_Collect_Login_data_Description": "Stores IP and username from log in attempts to a collection on database", - "Block_Multiple_Failed_Logins_Enabled": "Enable collect log in data", - "Block_Multiple_Failed_Logins_Ip_Whitelist": "IP Whitelist", - "Block_Multiple_Failed_Logins_Ip_Whitelist_Description": "Comma-separated list of whitelisted IPs", - "Block_Multiple_Failed_Logins_Time_To_Unblock_By_Ip_In_Minutes": "Time to unblock IP (In Minutes)", - "Block_Multiple_Failed_Logins_Time_To_Unblock_By_User_In_Minutes": "Time to unblock User (In Minutes)", - "Block_Multiple_Failed_Logins_Notify_Failed": "Notify of failed login attempts", - "Block_Multiple_Failed_Logins_Notify_Failed_Channel": "Channel to send the notifications", - "Block_Multiple_Failed_Logins_Notify_Failed_Channel_Desc": "This is where notifications will be received. Make sure the channel exists. The channel name should not include # symbol", - "Block_User": "Block User", - "Blockchain": "Blockchain", - "Body": "Body", - "bold": "bold", - "bot_request": "Bot request", - "BotHelpers_userFields": "User Fields", - "BotHelpers_userFields_Description": "CSV of user fields that can be accessed by bots helper methods.", - "Bot": "Bot", - "Bots": "Bots", - "Bots_Description": "Set the fields that can be referenced and used when developing bots.", - "Branch": "Branch", - "Broadcast": "Broadcast", - "Broadcast_channel": "Broadcast Channel", - "Broadcast_channel_Description": "Only authorized users can write new messages, but the other users will be able to reply", - "Broadcast_Connected_Instances": "Broadcast Connected Instances", - "Broadcasting_api_key": "Broadcasting API Key", - "Broadcasting_client_id": "Broadcasting Client ID", - "Broadcasting_client_secret": "Broadcasting Client Secret", - "Broadcasting_enabled": "Broadcasting Enabled", - "Broadcasting_media_server_url": "Broadcasting Media Server URL", - "Browse_Files": "Browse Files", - "Browser_does_not_support_audio_element": "Your browser does not support the audio element.", - "Browser_does_not_support_video_element": "Your browser does not support the video element.", - "Bugsnag_api_key": "Bugsnag API Key", - "Build_Environment": "Build Environment", - "bulk-register-user": "Bulk Create Users", - "bulk-register-user_description": "Permission to create users in bulk", - "bundle_chip_title": "__bundleName__ Bundle", - "Bundles": "Bundles", - "Busiest_day": "Busiest Day", - "Busiest_time": "Busiest Time", - "Business_Hour": "Business Hour", - "Business_Hour_Removed": "Business Hour Removed", - "Business_Hours": "Business Hours", - "Business_hours_enabled": "Business hours enabled", - "Business_hours_updated": "Business hours updated", - "busy": "busy", - "Busy": "Busy", - "By": "By", - "by": "by", - "By_author": "By __author__", - "cache_cleared": "Cache cleared", - "Call": "Call", - "Calling": "Calling", - "Call_Center": "Call Center", - "Call_Center_Description": "Configure Rocket.Chat call center.", - "Calls_in_queue": "__calls__ call in queue", - "Calls_in_queue_plural": "__calls__ calls in queue", - "Calls_in_queue_empty": "Queue is empty", - "Call_declined": "Call Declined!", - "Call_Information": "Call Information", - "Call_provider": "Call Provider", - "Call_Already_Ended": "Call Already Ended", - "call-management": "Call Management", - "call-management_description": "Permission to start a meeting", - "Caller": "Caller", - "Caller_Id": "Caller ID", - "Cancel": "Cancel", - "Cancel_message_input": "Cancel", - "Canceled": "Canceled", - "Canned_Response_Created": "Canned Response created", - "Canned_Response_Updated": "Canned Response updated", - "Canned_Response_Delete_Warning": "Deleting a canned response cannot be undone.", - "Canned_Response_Removed": "Canned Response Removed", - "Canned_Response_Sharing_Department_Description": "Anyone in the selected department can access this canned response", - "Canned_Response_Sharing_Private_Description": "Only you and Omnichannel managers can access this canned response", - "Canned_Response_Sharing_Public_Description": "Anyone can access this canned response", - "Canned_Responses": "Canned Responses", - "Canned_Responses_Enable": "Enable Canned Responses", - "Create_your_First_Canned_Response": "Create Your First Canned Response", - "Cannot_invite_users_to_direct_rooms": "Cannot invite users to direct rooms", - "Cannot_open_conversation_with_yourself": "Cannot Direct Message with yourself", - "Cannot_share_your_location": "Cannot share your location...", - "Cannot_disable_while_on_call": "Can't change status during calls ", - "CAS": "CAS", - "CAS_Description": "Central Authentication Service allows members to use one set of credentials to sign in to multiple sites over multiple protocols.", - "CAS_autoclose": "Autoclose Login Popup", - "CAS_base_url": "SSO Base URL", - "CAS_base_url_Description": "The base URL of your external SSO service e.g: https://sso.example.undef/sso/", - "CAS_button_color": "Login Button Background Color", - "CAS_button_label_color": "Login Button Text Color", - "CAS_button_label_text": "Login Button Label", - "CAS_Creation_User_Enabled": "Allow user creation", - "CAS_Creation_User_Enabled_Description": "Allow CAS User creation from data provided by the CAS ticket.", - "CAS_enabled": "Enabled", - "CAS_Login_Layout": "CAS Login Layout", - "CAS_login_url": "SSO Login URL", - "CAS_login_url_Description": "The login URL of your external SSO service e.g: https://sso.example.undef/sso/login", - "CAS_popup_height": "Login Popup Height", - "CAS_popup_width": "Login Popup Width", - "CAS_Sync_User_Data_Enabled": "Always Sync User Data", - "CAS_Sync_User_Data_Enabled_Description": "Always synchronize external CAS User data into available attributes upon login. Note: Attributes are always synced upon account creation anyway.", - "CAS_Sync_User_Data_FieldMap": "Attribute Map", - "CAS_Sync_User_Data_FieldMap_Description": "Use this JSON input to build internal attributes (key) from external attributes (value). External attribute names enclosed with '%' will interpolated in value strings.
Example, `{\"email\":\"%email%\", \"name\":\"%firstname%, %lastname%\"}`

The attribute map is always interpolated. In CAS 1.0 only the `username` attribute is available. Available internal attributes are: username, name, email, rooms; rooms is a comma separated list of rooms to join upon user creation e.g: {\"rooms\": \"%team%,%department%\"} would join CAS users on creation to their team and department channel.", - "CAS_trust_username": "Trust CAS username", - "CAS_trust_username_description": "When enabled, Rocket.Chat will trust that any username from CAS belongs to the same user on Rocket.Chat.
This may be needed if a user is renamed on CAS, but may also allow people to take control of Rocket.Chat accounts by renaming their own CAS users.", - "CAS_version": "CAS Version", - "CAS_version_Description": "Only use a supported CAS version supported by your CAS SSO service.", - "Categories": "Categories", - "Categories*": "Categories*", - "CDN_JSCSS_PREFIX": "CDN Prefix for JS/CSS", - "CDN_PREFIX": "CDN Prefix", - "CDN_PREFIX_ALL": "Use CDN Prefix for all assets", - "Certificates_and_Keys": "Certificates and Keys", - "change-livechat-room-visitor": "Change Livechat Room Visitors", - "change-livechat-room-visitor_description": "Permission to add additional information to the livechat room visitor", - "Change_Room_Type": "Changing the Room Type", - "Changing_email": "Changing email", - "channel": "channel", - "Channel": "Channel", - "Channel_already_exist": "The channel `#%s` already exists.", - "Channel_already_exist_static": "The channel already exists.", - "Channel_already_Unarchived": "Channel with name `#%s` is already in Unarchived state", - "Channel_Archived": "Channel with name `#%s` has been archived successfully", - "Channel_created": "Channel `#%s` created.", - "Channel_doesnt_exist": "The channel `#%s` does not exist.", - "Channel_Export": "Channel Export", - "Channel_name": "Channel Name", - "Channel_Name_Placeholder": "Please enter channel name...", - "Channel_to_listen_on": "Channel to listen on", - "Channel_Unarchived": "Channel with name `#%s` has been Unarchived successfully", - "Channels": "Channels", - "Channels_added": "Channels added sucessfully", - "Channels_are_where_your_team_communicate": "Channels are where your team communicate", - "Channels_list": "List of public channels", - "Channel_what_is_this_channel_about": "What is this channel about?", - "Chart": "Chart", - "Chat_button": "Chat button", - "Chat_close": "Chat Close", - "Chat_closed": "Chat closed", - "Chat_closed_by_agent": "Chat closed by agent", - "Chat_closed_successfully": "Chat closed successfully", - "Chat_History": "Chat History", - "Chat_Now": "Chat Now", - "chat_on_hold_due_to_inactivity": "This chat is on-hold due to inactivity", - "Chat_On_Hold": "Chat On-Hold", - "Chat_On_Hold_Successfully": "This chat was successfully placed On-Hold", - "Chat_queued": "Chat Queued", - "Chat_removed": "Chat Removed", - "Chat_resumed": "Chat Resumed", - "Chat_start": "Chat Start", - "Chat_started": "Chat started", - "Chat_taken": "Chat Taken", - "Chat_window": "Chat window", - "Chatops_Enabled": "Enable Chatops", - "Chatops_Title": "Chatops Panel", - "Chatops_Username": "Chatops Username", - "Chatpal_AdminPage": "Chatpal Admin Page", - "Chatpal_All_Results": "Everything", - "Chatpal_API_Key": "API Key", - "Chatpal_API_Key_Description": "You don't yet have an API Key? Get one!", - "Chatpal_Backend": "Backend Type", - "Chatpal_Backend_Description": "Select if you want to use Chatpal as a Service or as On-Site Installation", - "Chatpal_Base_URL": "Base Url", - "Chatpal_Base_URL_Description": "Find some description how to run a local instance on github. The URL must be absolue and point to the chatpal core, e.g. http://localhost:8983/solr/chatpal.", - "Chatpal_Batch_Size": "Index Batch Size", - "Chatpal_Batch_Size_Description": "The batch size of index documents (on bootstrapping)", - "Chatpal_channel_not_joined_yet": "Channel not joined yet", - "Chatpal_create_key": "Create Key", - "Chatpal_created_key_successfully": "API-Key created successfully", - "Chatpal_Current_Room_Only": "Same room", - "Chatpal_Default_Result_Type": "Default Result Type", - "Chatpal_Default_Result_Type_Description": "Defines which result type is shown by result. All means that an overview for all types is provided.", - "Chat_Duration": "Chat Duration", - "Chatpal_Email_Address": "Email Address", - "Chatpal_ERROR_Email_must_be_set": "Email must be set", - "Chatpal_ERROR_Email_must_be_valid": "Email must be valid", - "Chatpal_ERROR_TAC_must_be_checked": "Terms and Conditions must be checked", - "Chatpal_ERROR_username_already_exists": "Username already exists", - "Chatpal_Get_more_information_about_chatpal_on_our_website": "Get more information about Chatpal on http://chatpal.io!", - "Chatpal_go_to_message": "Jump", - "Chatpal_go_to_room": "Jump", - "Chatpal_go_to_user": "Send direct message", - "Chatpal_HTTP_Headers": "Http Headers", - "Chatpal_HTTP_Headers_Description": "List of HTTP Headers, one header per line. Format: name:value", - "Chatpal_Include_All_Public_Channels": "Include All Public Channels", - "Chatpal_Include_All_Public_Channels_Description": "Search in all public channels, even if you haven't joined them yet.", - "Chatpal_Main_Language": "Main Language", - "Chatpal_Main_Language_Description": "The language that is used most in conversations", - "Chatpal_Messages": "Messages", - "Chatpal_Messages_Only": "Messages", - "Chatpal_More": "More", - "Chatpal_No_Results": "No Results", - "Chatpal_no_search_results": "No result", - "Chatpal_one_search_result": "Found 1 result", - "Chatpal_Rooms": "Rooms", - "Chatpal_run_search": "Search", - "Chatpal_search_page_of": "Page %s of %s", - "Chatpal_search_results": "Found %s results", - "Chatpal_Search_Results": "Search Results", - "Chatpal_Suggestion_Enabled": "Suggestions enabled", - "Chatpal_TAC_read": "I have read the terms and conditions", - "Chatpal_Terms_and_Conditions": "Terms and Conditions", - "Chatpal_Timeout_Size": "Index Timeout", - "Chatpal_Timeout_Size_Description": "The time between 2 index windows in ms (on bootstrapping)", - "Chatpal_Users": "Users", - "Chatpal_Welcome": "Enjoy your search!", - "Chatpal_Window_Size": "Index Window Size", - "Chatpal_Window_Size_Description": "The size of index windows in hours (on bootstrapping)", - "Chats_removed": "Chats Removed", - "Check_All": "Check All", - "Check_if_the_spelling_is_correct": "Check if the spelling is correct", - "Check_Progress": "Check Progress", - "Choose_a_room": "Choose a room", - "Choose_messages": "Choose messages", - "Choose_the_alias_that_will_appear_before_the_username_in_messages": "Choose the alias that will appear before the username in messages.", - "Choose_the_username_that_this_integration_will_post_as": "Choose the username that this integration will post as.", - "Choose_users": "Choose users", - "Clean_Usernames": "Clear usernames", - "clean-channel-history": "Clean Channel History", - "clean-channel-history_description": "Permission to Clear the history from channels", - "clear": "Clear", - "Clear_all_unreads_question": "Clear all unreads?", - "clear_cache_now": "Clear Cache Now", - "Clear_filters": "Clear filters", - "clear_history": "Clear History", - "Clear_livechat_session_when_chat_ended": "Clear guest session when chat ended", - "clear-oembed-cache": "Clear OEmbed cache", - "Click_here": "Click here", - "Click_here_for_more_details_or_contact_sales_for_a_new_license": "Click here for more details or contact __email__ for a new license.", - "Click_here_for_more_info": "Click here for more info", - "Click_here_to_clear_the_selection": "Click here to clear the selection", - "Click_here_to_enter_your_encryption_password": "Click here to enter your encryption password", - "Click_here_to_view_and_copy_your_password": "Click here to view and copy your password.", - "Click_the_messages_you_would_like_to_send_by_email": "Click the messages you would like to send by e-mail", - "Click_to_join": "Click to Join!", - "Click_to_load": "Click to load", - "Client_ID": "Client ID", - "Client_Secret": "Client Secret", - "Clients_will_refresh_in_a_few_seconds": "Clients will refresh in a few seconds", - "close": "close", - "Close": "Close", - "Close_chat": "Close chat", - "Close_room_description": "You are about to close this chat. Are you sure you want to continue?", - "Close_to_seat_limit_banner_warning": "*You have [__seats__] seats left* \nThis workspace is nearing its seat limit. Once the limit is met no new members can be added. *[Request More Seats](__url__)*", - "Close_to_seat_limit_warning": "New members cannot be created once the seat limit is met.", - "close-livechat-room": "Close Omnichannel Room", - "close-livechat-room_description": "Permission to close the current Omnichannel room", - "Close_menu": "Close menu", - "close-others-livechat-room": "Close other Omnichannel Room", - "close-others-livechat-room_description": "Permission to close other Omnichannel rooms", - "Closed": "Closed", - "Closed_At": "Closed at", - "Closed_automatically": "Closed automatically by the system", - "Closed_automatically_chat_queued_too_long": "Closed automatically by the system (queue maximum time exceeded)", - "Closed_by_visitor": "Closed by visitor", - "Closing_chat": "Closing chat", - "Closing_chat_message": "Closing chat message", - "Cloud": "Cloud", - "Cloud_Apply_Offline_License": "Apply Offline License", - "Cloud_Change_Offline_License": "Change Offline License", - "Cloud_License_applied_successfully": "License applied successfully!", - "Cloud_Invalid_license": "Invalid license!", - "Cloud_Apply_license": "Apply license", - "Cloud_connectivity": "Cloud Connectivity", - "Cloud_address_to_send_registration_to": "The address to send your Cloud registration email to.", - "Cloud_click_here": "After copy the text, go to [cloud console (click here)](__cloudConsoleUrl__).", - "Cloud_console": "Cloud Console", - "Cloud_error_code": "Code: __errorCode__", - "Cloud_error_in_authenticating": "Error received while authenticating", - "Cloud_Info": "Cloud Info", - "Cloud_login_to_cloud": "Login to Rocket.Chat Cloud", - "Cloud_logout": "Logout of Rocket.Chat Cloud", - "Cloud_manually_input_token": "Enter the token received from the Cloud Console.", - "Cloud_register_error": "There has been an error trying to process your request. Please try again later.", - "Cloud_Register_manually": "Register Offline", - "Cloud_register_offline_finish_helper": "After completing the registration process in the Cloud Console you should be presented with some text. Please paste it here to finish the registration.", - "Cloud_register_offline_helper": "Workspaces can be manually registered if airgapped or network access is restricted. Copy the text below and go to our Cloud Console to complete the process.", - "Cloud_register_success": "Your workspace has been successfully registered!", - "Cloud_registration_pending_html": "Push notifications will not work until the registration is finished. Learn more", - "Cloud_registration_pending_title": "Cloud registration is still pending", - "Cloud_registration_required": "Registration Required", - "Cloud_registration_required_description": "Looks like during setup you didn't chose to register your workspace.", - "Cloud_registration_required_link_text": "Click here to register your workspace.", - "Cloud_resend_email": "Resend Email", - "Cloud_Service_Agree_PrivacyTerms": "Cloud Service Privacy Terms Agreement", - "Cloud_Service_Agree_PrivacyTerms_Description": "I agree with the [Terms](https://rocket.chat/terms) & [Privacy Policy](https://rocket.chat/privacy)", - "Cloud_Service_Agree_PrivacyTerms_Login_Disabled_Warning": "You should accept the cloud privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to connect to your cloud workspace", - "Cloud_status_page_description": "If a particular Cloud Service is having issues you can check for known issues on our status page at", - "Cloud_token_instructions": "To Register your workspace go to Cloud Console. Login or Create an account and click register self-managed. Paste the token provided below", - "Cloud_troubleshooting": "Troubleshooting", - "Cloud_update_email": "Update Email", - "Cloud_what_is_it": "What is this?", - "Cloud_what_is_it_additional": "In addition you will be able to manage licenses, billing and support from the Rocket.Chat Cloud Console.", - "Cloud_what_is_it_description": "Rocket.Chat Cloud Connect allows you to connect your self-hosted Rocket.Chat Workspace to services we provide in our Cloud.", - "Cloud_what_is_it_services_like": "Services like:", - "Cloud_workspace_connected": "Your workspace is connected to Rocket.Chat Cloud. Logging into your Rocket.Chat Cloud account here will allow you to interact with some services like marketplace.", - "Cloud_workspace_connected_plus_account": "Your workspace is now connected to the Rocket.Chat Cloud and an account is associated.", - "Cloud_workspace_connected_without_account": "Your workspace is now connected to the Rocket.Chat Cloud. If you would like, you can login to the Rocket.Chat Cloud and associate your workspace with your Cloud account.", - "Cloud_workspace_disconnect": "If you no longer wish to utilize cloud services you can disconnect your workspace from Rocket.Chat Cloud.", - "Cloud_workspace_support": "If you have trouble with a cloud service, please try to sync first. Should the issue persist, please open a support ticket in the Cloud Console.", - "Collaborative": "Collaborative", - "Collapse": "Collapse", - "Collapse_Embedded_Media_By_Default": "Collapse Embedded Media by Default", - "color": "Color", - "Color": "Color", - "Colors": "Colors", - "Commands": "Commands", - "Comment_to_leave_on_closing_session": "Comment to Leave on Closing Session", - "Comment": "Comment", - "Common_Access": "Common Access", - "Community": "Community", - "Compact": "Compact", - "Composer_not_available_phone_calls": "Messages are not available on phone calls", - "Condensed": "Condensed", - "Condition": "Condition", - "Commit_details": "Commit Details", - "Completed": "Completed", - "Computer": "Computer", - "Configure_Incoming_Mail_IMAP": "Configure Incoming Mail (IMAP)", - "Configure_Outgoing_Mail_SMTP": "Configure Outgoing Mail (SMTP)", - "Confirm": "Confirm", - "Confirm_new_encryption_password": "Confirm new encryption password", - "Confirm_new_password": "Confirm New Password", - "Confirm_New_Password_Placeholder": "Please re-enter new password...", - "Confirm_password": "Confirm your password", - "Confirmation": "Confirmation", - "Connect": "Connect", - "Connected": "Connected", - "Connect_SSL_TLS": "Connect with SSL/TLS", - "Connection_Closed": "Connection closed", - "Connection_Reset": "Connection reset", - "Connection_error": "Connection error", - "Connection_success": "LDAP Connection Successful", - "Connection_failed": "LDAP Connection Failed", - "Connectivity_Services": "Connectivity Services", - "Consulting": "Consulting", - "Consumer_Packaged_Goods": "Consumer Packaged Goods", - "Contact": "Contact", - "Contacts": "Contacts", - "Contact_Name": "Contact Name", - "Contact_Center": "Contact Center", - "Contact_Chat_History": "Contact Chat History", - "Contains_Security_Fixes": "Contains Security Fixes", - "Contact_Manager": "Contact Manager", - "Contact_not_found": "Contact not found", - "Contact_Profile": "Contact Profile", - "Contact_Info": "Contact Information", - "Content": "Content", - "Continue": "Continue", - "Continuous_sound_notifications_for_new_livechat_room": "Continuous sound notifications for new omnichannel room", - "Conversation": "Conversation", - "Conversation_closed": "Conversation closed: __comment__.", - "Conversation_closing_tags": "Conversation closing tags", - "Conversation_closing_tags_description": "Closing tags will be automatically assigned to conversations at closing.", - "Conversation_finished": "Conversation Finished", - "Conversation_finished_message": "Conversation Finished Message", - "Conversation_finished_text": "Conversation Finished Text", - "conversation_with_s": "the conversation with %s", - "Conversations": "Conversations", - "Conversations_per_day": "Conversations per Day", - "Convert": "Convert", - "Convert_Ascii_Emojis": "Convert ASCII to Emoji", - "Convert_to_channel": "Convert to Channel", - "Converting_channel_to_a_team": "You are converting this Channel to a Team. All members will be kept.", - "Converted__roomName__to_team": "converted #__roomName__ to a Team", - "Converted__roomName__to_channel": "converted #__roomName__ to a Channel", - "Converting_team_to_channel": "Converting Team to Channel", - "Copied": "Copied", - "Copy": "Copy", - "Copy_text": "Copy Text", - "Copy_to_clipboard": "Copy to clipboard", - "COPY_TO_CLIPBOARD": "COPY TO CLIPBOARD", - "could-not-access-webdav": "Could not access WebDAV", - "Count": "Count", - "Counters": "Counters", - "Country": "Country", - "Country_Afghanistan": "Afghanistan", - "Country_Albania": "Albania", - "Country_Algeria": "Algeria", - "Country_American_Samoa": "American Samoa", - "Country_Andorra": "Andorra", - "Country_Angola": "Angola", - "Country_Anguilla": "Anguilla", - "Country_Antarctica": "Antarctica", - "Country_Antigua_and_Barbuda": "Antigua and Barbuda", - "Country_Argentina": "Argentina", - "Country_Armenia": "Armenia", - "Country_Aruba": "Aruba", - "Country_Australia": "Australia", - "Country_Austria": "Austria", - "Country_Azerbaijan": "Azerbaijan", - "Country_Bahamas": "Bahamas", - "Country_Bahrain": "Bahrain", - "Country_Bangladesh": "Bangladesh", - "Country_Barbados": "Barbados", - "Country_Belarus": "Belarus", - "Country_Belgium": "Belgium", - "Country_Belize": "Belize", - "Country_Benin": "Benin", - "Country_Bermuda": "Bermuda", - "Country_Bhutan": "Bhutan", - "Country_Bolivia": "Bolivia", - "Country_Bosnia_and_Herzegovina": "Bosnia and Herzegovina", - "Country_Botswana": "Botswana", - "Country_Bouvet_Island": "Bouvet Island", - "Country_Brazil": "Brazil", - "Country_British_Indian_Ocean_Territory": "British Indian Ocean Territory", - "Country_Brunei_Darussalam": "Brunei Darussalam", - "Country_Bulgaria": "Bulgaria", - "Country_Burkina_Faso": "Burkina Faso", - "Country_Burundi": "Burundi", - "Country_Cambodia": "Cambodia", - "Country_Cameroon": "Cameroon", - "Country_Canada": "Canada", - "Country_Cape_Verde": "Cape Verde", - "Country_Cayman_Islands": "Cayman Islands", - "Country_Central_African_Republic": "Central African Republic", - "Country_Chad": "Chad", - "Country_Chile": "Chile", - "Country_China": "China", - "Country_Christmas_Island": "Christmas Island", - "Country_Cocos_Keeling_Islands": "Cocos (Keeling) Islands", - "Country_Colombia": "Colombia", - "Country_Comoros": "Comoros", - "Country_Congo": "Congo", - "Country_Congo_The_Democratic_Republic_of_The": "Congo, The Democratic Republic of The", - "Country_Cook_Islands": "Cook Islands", - "Country_Costa_Rica": "Costa Rica", - "Country_Cote_Divoire": "Cote D'ivoire", - "Country_Croatia": "Croatia", - "Country_Cuba": "Cuba", - "Country_Cyprus": "Cyprus", - "Country_Czech_Republic": "Czech Republic", - "Country_Denmark": "Denmark", - "Country_Djibouti": "Djibouti", - "Country_Dominica": "Dominica", - "Country_Dominican_Republic": "Dominican Republic", - "Country_Ecuador": "Ecuador", - "Country_Egypt": "Egypt", - "Country_El_Salvador": "El Salvador", - "Country_Equatorial_Guinea": "Equatorial Guinea", - "Country_Eritrea": "Eritrea", - "Country_Estonia": "Estonia", - "Country_Ethiopia": "Ethiopia", - "Country_Falkland_Islands_Malvinas": "Falkland Islands (Malvinas)", - "Country_Faroe_Islands": "Faroe Islands", - "Country_Fiji": "Fiji", - "Country_Finland": "Finland", - "Country_France": "France", - "Country_French_Guiana": "French Guiana", - "Country_French_Polynesia": "French Polynesia", - "Country_French_Southern_Territories": "French Southern Territories", - "Country_Gabon": "Gabon", - "Country_Gambia": "Gambia", - "Country_Georgia": "Georgia", - "Country_Germany": "Germany", - "Country_Ghana": "Ghana", - "Country_Gibraltar": "Gibraltar", - "Country_Greece": "Greece", - "Country_Greenland": "Greenland", - "Country_Grenada": "Grenada", - "Country_Guadeloupe": "Guadeloupe", - "Country_Guam": "Guam", - "Country_Guatemala": "Guatemala", - "Country_Guinea": "Guinea", - "Country_Guinea_bissau": "Guinea-bissau", - "Country_Guyana": "Guyana", - "Country_Haiti": "Haiti", - "Country_Heard_Island_and_Mcdonald_Islands": "Heard Island and Mcdonald Islands", - "Country_Holy_See_Vatican_City_State": "Holy See (Vatican City State)", - "Country_Honduras": "Honduras", - "Country_Hong_Kong": "Hong Kong", - "Country_Hungary": "Hungary", - "Country_Iceland": "Iceland", - "Country_India": "India", - "Country_Indonesia": "Indonesia", - "Country_Iran_Islamic_Republic_of": "Iran, Islamic Republic of", - "Country_Iraq": "Iraq", - "Country_Ireland": "Ireland", - "Country_Israel": "Israel", - "Country_Italy": "Italy", - "Country_Jamaica": "Jamaica", - "Country_Japan": "Japan", - "Country_Jordan": "Jordan", - "Country_Kazakhstan": "Kazakhstan", - "Country_Kenya": "Kenya", - "Country_Kiribati": "Kiribati", - "Country_Korea_Democratic_Peoples_Republic_of": "Korea, Democratic People's Republic of", - "Country_Korea_Republic_of": "Korea, Republic of", - "Country_Kuwait": "Kuwait", - "Country_Kyrgyzstan": "Kyrgyzstan", - "Country_Lao_Peoples_Democratic_Republic": "Lao People's Democratic Republic", - "Country_Latvia": "Latvia", - "Country_Lebanon": "Lebanon", - "Country_Lesotho": "Lesotho", - "Country_Liberia": "Liberia", - "Country_Libyan_Arab_Jamahiriya": "Libyan Arab Jamahiriya", - "Country_Liechtenstein": "Liechtenstein", - "Country_Lithuania": "Lithuania", - "Country_Luxembourg": "Luxembourg", - "Country_Macao": "Macao", - "Country_Macedonia_The_Former_Yugoslav_Republic_of": "Macedonia, The Former Yugoslav Republic of", - "Country_Madagascar": "Madagascar", - "Country_Malawi": "Malawi", - "Country_Malaysia": "Malaysia", - "Country_Maldives": "Maldives", - "Country_Mali": "Mali", - "Country_Malta": "Malta", - "Country_Marshall_Islands": "Marshall Islands", - "Country_Martinique": "Martinique", - "Country_Mauritania": "Mauritania", - "Country_Mauritius": "Mauritius", - "Country_Mayotte": "Mayotte", - "Country_Mexico": "Mexico", - "Country_Micronesia_Federated_States_of": "Micronesia, Federated States of", - "Country_Moldova_Republic_of": "Moldova, Republic of", - "Country_Monaco": "Monaco", - "Country_Mongolia": "Mongolia", - "Country_Montserrat": "Montserrat", - "Country_Morocco": "Morocco", - "Country_Mozambique": "Mozambique", - "Country_Myanmar": "Myanmar", - "Country_Namibia": "Namibia", - "Country_Nauru": "Nauru", - "Country_Nepal": "Nepal", - "Country_Netherlands": "Netherlands", - "Country_Netherlands_Antilles": "Netherlands Antilles", - "Country_New_Caledonia": "New Caledonia", - "Country_New_Zealand": "New Zealand", - "Country_Nicaragua": "Nicaragua", - "Country_Niger": "Niger", - "Country_Nigeria": "Nigeria", - "Country_Niue": "Niue", - "Country_Norfolk_Island": "Norfolk Island", - "Country_Northern_Mariana_Islands": "Northern Mariana Islands", - "Country_Norway": "Norway", - "Country_Oman": "Oman", - "Country_Pakistan": "Pakistan", - "Country_Palau": "Palau", - "Country_Palestinian_Territory_Occupied": "Palestinian Territory, Occupied", - "Country_Panama": "Panama", - "Country_Papua_New_Guinea": "Papua New Guinea", - "Country_Paraguay": "Paraguay", - "Country_Peru": "Peru", - "Country_Philippines": "Philippines", - "Country_Pitcairn": "Pitcairn", - "Country_Poland": "Poland", - "Country_Portugal": "Portugal", - "Country_Puerto_Rico": "Puerto Rico", - "Country_Qatar": "Qatar", - "Country_Reunion": "Reunion", - "Country_Romania": "Romania", - "Country_Russian_Federation": "Russian Federation", - "Country_Rwanda": "Rwanda", - "Country_Saint_Helena": "Saint Helena", - "Country_Saint_Kitts_and_Nevis": "Saint Kitts and Nevis", - "Country_Saint_Lucia": "Saint Lucia", - "Country_Saint_Pierre_and_Miquelon": "Saint Pierre and Miquelon", - "Country_Saint_Vincent_and_The_Grenadines": "Saint Vincent and The Grenadines", - "Country_Samoa": "Samoa", - "Country_San_Marino": "San Marino", - "Country_Sao_Tome_and_Principe": "Sao Tome and Principe", - "Country_Saudi_Arabia": "Saudi Arabia", - "Country_Senegal": "Senegal", - "Country_Serbia_and_Montenegro": "Serbia and Montenegro", - "Country_Seychelles": "Seychelles", - "Country_Sierra_Leone": "Sierra Leone", - "Country_Singapore": "Singapore", - "Country_Slovakia": "Slovakia", - "Country_Slovenia": "Slovenia", - "Country_Solomon_Islands": "Solomon Islands", - "Country_Somalia": "Somalia", - "Country_South_Africa": "South Africa", - "Country_South_Georgia_and_The_South_Sandwich_Islands": "South Georgia and The South Sandwich Islands", - "Country_Spain": "Spain", - "Country_Sri_Lanka": "Sri Lanka", - "Country_Sudan": "Sudan", - "Country_Suriname": "Suriname", - "Country_Svalbard_and_Jan_Mayen": "Svalbard and Jan Mayen", - "Country_Swaziland": "Swaziland", - "Country_Sweden": "Sweden", - "Country_Switzerland": "Switzerland", - "Country_Syrian_Arab_Republic": "Syrian Arab Republic", - "Country_Taiwan_Province_of_China": "Taiwan, Province of China", - "Country_Tajikistan": "Tajikistan", - "Country_Tanzania_United_Republic_of": "Tanzania, United Republic of", - "Country_Thailand": "Thailand", - "Country_Timor_leste": "Timor-leste", - "Country_Togo": "Togo", - "Country_Tokelau": "Tokelau", - "Country_Tonga": "Tonga", - "Country_Trinidad_and_Tobago": "Trinidad and Tobago", - "Country_Tunisia": "Tunisia", - "Country_Turkey": "Turkey", - "Country_Turkmenistan": "Turkmenistan", - "Country_Turks_and_Caicos_Islands": "Turks and Caicos Islands", - "Country_Tuvalu": "Tuvalu", - "Country_Uganda": "Uganda", - "Country_Ukraine": "Ukraine", - "Country_United_Arab_Emirates": "United Arab Emirates", - "Country_United_Kingdom": "United Kingdom", - "Country_United_States": "United States", - "Country_United_States_Minor_Outlying_Islands": "United States Minor Outlying Islands", - "Country_Uruguay": "Uruguay", - "Country_Uzbekistan": "Uzbekistan", - "Country_Vanuatu": "Vanuatu", - "Country_Venezuela": "Venezuela", - "Country_Viet_Nam": "Viet Nam", - "Country_Virgin_Islands_British": "Virgin Islands, British", - "Country_Virgin_Islands_US": "Virgin Islands, U.S.", - "Country_Wallis_and_Futuna": "Wallis and Futuna", - "Country_Western_Sahara": "Western Sahara", - "Country_Yemen": "Yemen", - "Country_Zambia": "Zambia", - "Country_Zimbabwe": "Zimbabwe", - "Cozy": "Cozy", - "Create": "Create", - "Create_Canned_Response": "Create Canned Response", - "Create_channel": "Create Channel", - "Create_A_New_Channel": "Create a New Channel", - "Create_new": "Create new", - "Create_new_members": "Create New Members", - "Create_unique_rules_for_this_channel": "Create unique rules for this channel", - "create-c": "Create Public Channels", - "create-c_description": "Permission to create public channels", - "create-d": "Create Direct Messages", - "create-d_description": "Permission to start direct messages", - "create-invite-links": "Create Invite Links", - "create-invite-links_description": "Permission to create invite links to channels", - "create-p": "Create Private Channels", - "create-p_description": "Permission to create private channels", - "create-personal-access-tokens": "Create Personal Access Tokens", - "create-personal-access-tokens_description": "Permission to create Personal Access Tokens", - "create-user": "Create User", - "create-user_description": "Permission to create users", - "Created": "Created", - "Created_as": "Created as", - "Created_at": "Created at", - "Created_at_s_by_s": "Created at %s by %s", - "Created_at_s_by_s_triggered_by_s": "Created at %s by %s triggered by %s", - "Created_by": "Created by", - "CRM_Integration": "CRM Integration", - "CROWD_Allow_Custom_Username": "Allow custom username in Rocket.Chat", - "CROWD_Reject_Unauthorized": "Reject Unauthorized", - "Crowd_Remove_Orphaned_Users": "Remove Orphaned Users", - "Crowd_sync_interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", - "Current_Chats": "Current Chats", - "Current_File": "Current File", - "Current_Import_Operation": "Current Import Operation", - "Current_Status": "Current Status", - "Custom": "Custom", - "Custom CSS": "Custom CSS", - "Custom_agent": "Custom agent", - "Custom_dates": "Custom Dates", - "Custom_Emoji": "Custom Emoji", - "Custom_Emoji_Add": "Add New Emoji", - "Custom_Emoji_Added_Successfully": "Custom emoji added successfully", - "Custom_Emoji_Delete_Warning": "Deleting an emoji cannot be undone.", - "Custom_Emoji_Error_Invalid_Emoji": "Invalid emoji", - "Custom_Emoji_Error_Name_Or_Alias_Already_In_Use": "The custom emoji or one of its aliases is already in use.", - "Custom_Emoji_Error_Same_Name_And_Alias": "The custom emoji name and their aliases should be different.", - "Custom_Emoji_Has_Been_Deleted": "The custom emoji has been deleted.", - "Custom_Emoji_Info": "Custom Emoji Info", - "Custom_Emoji_Updated_Successfully": "Custom emoji updated successfully", - "Custom_Fields": "Custom Fields", - "Custom_Field_Removed": "Custom Field Removed", - "Custom_Field_Not_Found": "Custom Field not found", - "Custom_Integration": "Custom Integration", - "Custom_oauth_helper": "When setting up your OAuth Provider, you'll have to inform a Callback URL. Use
%s
.", - "Custom_oauth_unique_name": "Custom oauth unique name", - "Custom_Script_Logged_In": "Custom Script for Logged In Users", - "Custom_Script_Logged_In_Description": "Custom Script that will run ALWAYS and to ANY user that is logged in. e.g. (whenever you enter the chat and you are logged in)", - "Custom_Script_Logged_Out": "Custom Script for Logged Out Users", - "Custom_Script_Logged_Out_Description": "Custom Script that will run ALWAYS and to ANY user that is NOT logged in. e.g. (whenever you enter the login page)", - "Custom_Script_On_Logout": "Custom Script for Logout Flow", - "Custom_Script_On_Logout_Description": "Custom Script that will run on execute logout flow ONLY", - "Custom_Scripts": "Custom Scripts", - "Custom_Sound_Add": "Add Custom Sound", - "Custom_Sound_Delete_Warning": "Deleting a sound cannot be undone.", - "Custom_Sound_Edit": "Edit Custom Sound", - "Custom_Sound_Error_Invalid_Sound": "Invalid sound", - "Custom_Sound_Error_Name_Already_In_Use": "The custom sound name is already in use.", - "Custom_Sound_Has_Been_Deleted": "The custom sound has been deleted.", - "Custom_Sound_Info": "Custom Sound Info", - "Custom_Sound_Saved_Successfully": "Custom sound saved successfully", - "Custom_Sounds": "Custom Sounds", - "Custom_Status": "Custom Status", - "Custom_Translations": "Custom Translations", - "Custom_Translations_Description": "Should be a valid JSON where keys are languages containing a dictionary of key and translations. Example:
{\n \"en\": {\n \"Channels\": \"Rooms\"\n },\n \"pt\": {\n \"Channels\": \"Salas\"\n }\n} ", - "Custom_User_Status": "Custom User Status", - "Custom_User_Status_Add": "Add Custom User Status", - "Custom_User_Status_Added_Successfully": "Custom User Status Added Successfully", - "Custom_User_Status_Delete_Warning": "Deleting a Custom User Status cannot be undone.", - "Custom_User_Status_Edit": "Edit Custom User Status", - "Custom_User_Status_Error_Invalid_User_Status": "Invalid User Status", - "Custom_User_Status_Error_Name_Already_In_Use": "The Custom User Status Name is already in use.", - "Custom_User_Status_Has_Been_Deleted": "Custom User Status Has Been Deleted", - "Custom_User_Status_Info": "Custom User Status Info", - "Custom_User_Status_Updated_Successfully": "Custom User Status Updated Successfully", - "Customer_without_registered_email": "The customer does not have a registered email address", - "Customize": "Customize", - "CustomSoundsFilesystem": "Custom Sounds Filesystem", - "CustomSoundsFilesystem_Description": "Specify how custom sounds are stored.", - "Daily_Active_Users": "Daily Active Users", - "Dashboard": "Dashboard", - "Data_processing_consent_text": "Data processing consent text", - "Data_processing_consent_text_description": "Use this setting to explain that you can collect, store and process customer's personal informations along the conversation.", - "Date": "Date", - "Date_From": "From", - "Date_to": "to", - "DAU_value": "DAU __value__", - "days": "days", - "Days": "Days", - "DB_Migration": "Database Migration", - "DB_Migration_Date": "Database Migration Date", - "DDP_Rate_Limiter": "DDP Rate Limit", - "DDP_Rate_Limit_Connection_By_Method_Enabled": "Limit by Connection per Method: enabled", - "DDP_Rate_Limit_Connection_By_Method_Interval_Time": "Limit by Connection per Method: interval time", - "DDP_Rate_Limit_Connection_By_Method_Requests_Allowed": "Limit by Connection per Method: requests allowed", - "DDP_Rate_Limit_Connection_Enabled": "Limit by Connection: enabled", - "DDP_Rate_Limit_Connection_Interval_Time": "Limit by Connection: interval time", - "DDP_Rate_Limit_Connection_Requests_Allowed": "Limit by Connection: requests allowed", - "DDP_Rate_Limit_IP_Enabled": "Limit by IP: enabled", - "DDP_Rate_Limit_IP_Interval_Time": "Limit by IP: interval time", - "DDP_Rate_Limit_IP_Requests_Allowed": "Limit by IP: requests allowed", - "DDP_Rate_Limit_User_By_Method_Enabled": "Limit by User per Method: enabled", - "DDP_Rate_Limit_User_By_Method_Interval_Time": "Limit by User per Method: interval time", - "DDP_Rate_Limit_User_By_Method_Requests_Allowed": "Limit by User per Method: requests allowed", - "DDP_Rate_Limit_User_Enabled": "Limit by User: enabled", - "DDP_Rate_Limit_User_Interval_Time": "Limit by User: interval time", - "DDP_Rate_Limit_User_Requests_Allowed": "Limit by User: requests allowed", - "Deactivate": "Deactivate", - "Decline": "Decline", - "Decode_Key": "Decode Key", - "Default": "Default", - "Default_value": "Default value", - "Delete": "Delete", - "Deleting": "Deleting", - "Delete_all_closed_chats": "Delete all closed chats", - "Delete_File_Warning": "Deleting a file will delete it forever. This cannot be undone.", - "Delete_message": "Delete message", - "Delete_my_account": "Delete my account", - "Delete_Role_Warning": "Deleting a role will delete it forever. This cannot be undone.", - "Delete_Room_Warning": "Deleting a room will delete all messages posted within the room. This cannot be undone.", - "Delete_User_Warning": "Deleting a user will delete all messages from that user as well. This cannot be undone.", - "Delete_User_Warning_Delete": "Deleting a user will delete all messages from that user as well. This cannot be undone.", - "Delete_User_Warning_Keep": "The user will be deleted, but their messages will remain visible. This cannot be undone.", - "Delete_User_Warning_Unlink": "Deleting a user will remove the user name from all their messages. This cannot be undone.", - "delete-c": "Delete Public Channels", - "delete-c_description": "Permission to delete public channels", - "delete-d": "Delete Direct Messages", - "delete-d_description": "Permission to delete direct messages", - "delete-message": "Delete Message", - "delete-message_description": "Permission to delete a message within a room", - "delete-own-message": "Delete Own Message", - "delete-own-message_description": "Permission to delete own message", - "delete-p": "Delete Private Channels", - "delete-p_description": "Permission to delete private channels", - "delete-user": "Delete User", - "delete-user_description": "Permission to delete users", - "Deleted": "Deleted!", - "Deleted__roomName__": "deleted #__roomName__", - "Department": "Department", - "Department_name": "Department name", - "Department_not_found": "Department not found", - "Department_removed": "Department removed", - "Departments": "Departments", - "Deployment_ID": "Deployment ID", - "Deployment": "Deployment", - "Description": "Description", - "Desktop": "Desktop", - "Desktop_Notification_Test": "Desktop Notification Test", - "Desktop_Notifications": "Desktop Notifications", - "Desktop_Notifications_Default_Alert": "Desktop Notifications Default Alert", - "Desktop_Notifications_Disabled": "Desktop Notifications are Disabled. Change your browser preferences if you need Notifications enabled.", - "Desktop_Notifications_Duration": "Desktop Notifications Duration", - "Desktop_Notifications_Duration_Description": "Seconds to display desktop notification. This may affect OS X Notification Center. Enter 0 to use default browser settings and not affect OS X Notification Center.", - "Desktop_Notifications_Enabled": "Desktop Notifications are Enabled", - "Desktop_Notifications_Not_Enabled": "Desktop Notifications are Not Enabled", - "Details": "Details", - "Different_Style_For_User_Mentions": "Different style for user mentions", - "Direct": "Direct", - "Direct_Message": "Direct Message", - "Direct_message_creation_description": "You are about to create a chat with multiple users. Add the ones you would like to talk, everyone in the same place, using direct messages.", - "Direct_message_someone": "Direct message someone", - "Direct_message_you_have_joined": "You have joined a new direct message with", - "Direct_Messages": "Direct Messages", - "Direct_Reply": "Direct Reply", - "Direct_Reply_Advice": "You can directly reply to this email. Do not modify previous emails in the thread.", - "Direct_Reply_Debug": "Debug Direct Reply", - "Direct_Reply_Debug_Description": "[Beware] Enabling Debug mode would display your 'Plain Text Password' in Admin console.", - "Direct_Reply_Delete": "Delete Emails", - "Direct_Reply_Delete_Description": "[Attention!] If this option is activated, all unread messages are irrevocably deleted, even those that are not direct replies. The configured e-mail mailbox is then always empty and cannot be processed in \"parallel\" by humans.", - "Direct_Reply_Enable": "Enable Direct Reply", - "Direct_Reply_Enable_Description": "[Attention!] If \"Direct Reply\" is enabled, Rocket.Chat will control the configured email mailbox. All unread e-mails are retrieved, marked as read and processed. \"Direct Reply\" should only be activated if the mailbox used is intended exclusively for access by Rocket.Chat and is not read/processed \"in parallel\" by humans.", - "Direct_Reply_Frequency": "Email Check Frequency", - "Direct_Reply_Frequency_Description": "(in minutes, default/minimum 2)", - "Direct_Reply_Host": "Direct Reply Host", - "Direct_Reply_IgnoreTLS": "IgnoreTLS", - "Direct_Reply_Password": "Password", - "Direct_Reply_Port": "Direct_Reply_Port", - "Direct_Reply_Protocol": "Direct Reply Protocol", - "Direct_Reply_Separator": "Separator", - "Direct_Reply_Separator_Description": "[Alter only if you know exactly what you are doing, refer docs]
Separator between base & tag part of email", - "Direct_Reply_Username": "Username", - "Direct_Reply_Username_Description": "Please use absolute email, tagging is not allowed, it would be over-written", - "Directory": "Directory", - "Disable": "Disable", - "Disable_Facebook_integration": "Disable Facebook integration", - "Disable_Notifications": "Disable Notifications", - "Disable_two-factor_authentication": "Disable two-factor authentication via TOTP", - "Disable_two-factor_authentication_email": "Disable two-factor authentication via Email", - "Disabled": "Disabled", - "Disallow_reacting": "Disallow Reacting", - "Disallow_reacting_Description": "Disallows reacting", - "Discard": "Discard", - "Disconnect": "Disconnect", - "Discussion": "Discussion", - "Discussion_Description": "Discussionns are an aditional way to organize conversations that allows invite users from outside channels to participate in specific conversations.", - "Discussion_description": "Help keeping an overview about what's going on! By creating a discussion, a sub-channel of the one you selected is created and both are linked.", - "Discussion_first_message_disabled_due_to_e2e": "You can start sending End-to-End encrypted messages in this discussion after its creation.", - "Discussion_first_message_title": "Your message", - "Discussion_name": "Discussion name", - "Discussion_start": "Start a Discussion", - "Discussion_target_channel": "Parent channel or group", - "Discussion_target_channel_description": "Select a channel which is related to what you want to ask", - "Discussion_target_channel_prefix": "You are creating a discussion in", - "Discussion_title": "Create a new discussion", - "discussion-created": "__message__", - "Discussions": "Discussions", - "Display": "Display", - "Display_avatars": "Display Avatars", - "Display_Avatars_Sidebar": "Display Avatars in Sidebar", - "Display_chat_permissions": "Display chat permissions", - "Display_mentions_counter": "Display badge for direct mentions only", - "Display_offline_form": "Display Offline Form", - "Display_setting_permissions": "Display permissions to change settings", - "Display_unread_counter": "Display room as unread when there are unread messages", - "Displays_action_text": "Displays action text", - "Do_It_Later": "Do It Later", - "Do_not_display_unread_counter": "Do not display any counter of this channel", - "Do_not_provide_this_code_to_anyone": "Do not provide this code to anyone.", - "Do_Nothing": "Do Nothing", - "Do_you_have_any_notes_for_this_conversation": "Do you have any notes for this conversation?", - "Do_you_want_to_accept": "Do you want to accept?", - "Do_you_want_to_change_to_s_question": "Do you want to change to %s?", - "Document_Domain": "Document Domain", - "Domain": "Domain", - "Domain_added": "domain Added", - "Domain_removed": "Domain Removed", - "Domains": "Domains", - "Domains_allowed_to_embed_the_livechat_widget": "Comma-separated list of domains allowed to embed the livechat widget. Leave blank to allow all domains.", - "Done": "Done", - "Dont_ask_me_again": "Don't ask me again!", - "Dont_ask_me_again_list": "Don't ask me again list", - "Download": "Download", - "Download_Info": "Download Info", - "Download_My_Data": "Download My Data (HTML)", - "Download_Pending_Avatars": "Download Pending Avatars", - "Download_Pending_Files": "Download Pending Files", - "Download_Snippet": "Download", - "Downloading_file_from_external_URL": "Downloading file from external URL", - "Drop_to_upload_file": "Drop to upload file", - "Dry_run": "Dry run", - "Dry_run_description": "Will only send one email, to the same address as in From. The email must belong to a valid user.", - "Duplicate_archived_channel_name": "An archived Channel with name `#%s` exists", - "Duplicate_archived_private_group_name": "An archived Private Group with name '%s' exists", - "Duplicate_channel_name": "A Channel with name '%s' exists", - "Duplicate_file_name_found": "Duplicate file name found.", - "Duplicate_private_group_name": "A Private Group with name '%s' exists", - "Duplicated_Email_address_will_be_ignored": "Duplicated email address will be ignored.", - "duplicated-account": "Duplicated account", - "E2E Encryption": "E2E Encryption", - "E2E Encryption_Description": "Keep conversations private, ensuring only the sender and intenteded recipients are able to read them.", - "E2E_enable": "Enable E2E", - "E2E_disable": "Disable E2E", - "E2E_Enable_alert": "This feature is currently in beta! Please report bugs to github.com/RocketChat/Rocket.Chat/issues and be aware of:
- Encrypted messages of encrypted rooms will not be found by search operations.
- The mobile apps may not support the encrypted messages (they are implementing it).
- Bots may not be able to see encrypted messages until they implement support for it.
- Uploads will not be encrypted in this version.", - "E2E_Enable_description": "Enable option to create encrypted groups and be able to change groups and direct messages to be encrypted", - "E2E_Enabled": "E2E Enabled", - "E2E_Enabled_Default_DirectRooms": "Enable encryption for Direct Rooms by default", - "E2E_Enabled_Default_PrivateRooms": "Enable encryption for Private Rooms by default", - "E2E_Encryption_Password_Change": "Change Encryption Password", - "E2E_Encryption_Password_Explanation": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store your password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on.", - "E2E_key_reset_email": "E2E Key Reset Notification", - "E2E_message_encrypted_placeholder": "This message is end-to-end encrypted. To view it, you must enter your encryption key in your account settings.", - "E2E_password_request_text": "To access your encrypted private groups and direct messages, enter your encryption password.
You need to enter this password to encode/decode your messages on every client you use, since the key is not stored on the server.", - "E2E_password_reveal_text": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store this password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on. Learn more here!

Your password is: %s

This is an auto generated password, you can setup a new password for your encryption key any time from any browser you have entered the existing password.
This password is only stored on this browser until you store the password and dismiss this message.", - "E2E_Reset_Email_Content": "You've been automatically logged out. When you login again, Rocket.Chat will generate a new key and restore your access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", - "E2E_Reset_Key_Explanation": "This option will remove your current E2E key and log you out.
When you login again, Rocket.Chat will generate you a new key and restore your access to any encrypted room that has one or more members online.
Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", - "E2E_Reset_Other_Key_Warning": "Reset the current E2E key will log out the user. When the user login again, Rocket.Chat will generate a new key and restore the user access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", - "ECDH_Enabled": "Enable second layer encryption for data transport", - "Edit": "Edit", - "Edit_Business_Hour": "Edit Business Hour", - "Edit_Canned_Response": "Edit Canned Response", - "Edit_Canned_Responses": "Edit Canned Responses", - "Edit_Custom_Field": "Edit Custom Field", - "Edit_Department": "Edit Department", - "Edit_Invite": "Edit Invite", - "Edit_previous_message": "`%s` - Edit previous message", - "Edit_Priority": "Edit Priority", - "Edit_Status": "Edit Status", - "Edit_Tag": "Edit Tag", - "Edit_Trigger": "Edit Trigger", - "Edit_Unit": "Edit Unit", - "Edit_User": "Edit User", - "edit-livechat-room-customfields": "Edit Livechat Room Custom Fields", - "edit-livechat-room-customfields_description": "Permission to edit the custom fields of livechat room", - "edit-message": "Edit Message", - "edit-message_description": "Permission to edit a message within a room", - "edit-other-user-active-status": "Edit Other User Active Status", - "edit-other-user-active-status_description": "Permission to enable or disable other accounts", - "edit-other-user-avatar": "Edit Other User Avatar", - "edit-other-user-avatar_description": "Permission to change other user's avatar.", - "edit-other-user-e2ee": "Edit Other User E2E Encryption", - "edit-other-user-e2ee_description": "Permission to modify other user's E2E Encryption.", - "edit-other-user-info": "Edit Other User Information", - "edit-other-user-info_description": "Permission to change other user's name, username or email address.", - "edit-other-user-password": "Edit Other User Password", - "edit-other-user-password_description": "Permission to modify other user's passwords. Requires edit-other-user-info permission.", - "edit-other-user-totp": "Edit Other User Two Factor TOTP", - "edit-other-user-totp_description": "Permission to edit other user's Two Factor TOTP", - "edit-privileged-setting": "Edit Privileged Setting", - "edit-privileged-setting_description": "Permission to edit settings", - "edit-room": "Edit Room", - "edit-room_description": "Permission to edit a room's name, topic, type (private or public status) and status (active or archived)", - "edit-room-avatar": "Edit Room Avatar", - "edit-room-avatar_description": "Permission to edit a room's avatar.", - "edit-room-retention-policy": "Edit Room's Retention Policy", - "edit-room-retention-policy_description": "Permission to edit a room’s retention policy, to automatically delete messages in it", - "edit-omnichannel-contact": "Edit Omnichannel Contact", - "edit-omnichannel-contact_description": "Permission to edit Omnichannel Contact", - "Edit_Contact_Profile": "Edit Contact Profile", - "edited": "edited", - "Editing_room": "Editing room", - "Editing_user": "Editing user", - "Editor": "Editor", - "Education": "Education", - "Email": "Email", - "Email_Description": "Configurations for sending broadcast emails from inside Rocket.Chat.", - "Email_address_to_send_offline_messages": "Email Address to Send Offline Messages", - "Email_already_exists": "Email already exists", - "Email_body": "Email body", - "Email_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of email", - "Email_Changed_Description": "You may use the following placeholders:
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Email_Changed_Email_Subject": "[Site_Name] - Email address has been changed", - "Email_changed_section": "Email Address Changed", - "Email_Footer_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Email_from": "From", - "Email_Header_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Email_Inbox": "Email Inbox", - "Email_Inboxes": "Email Inboxes", - "Email_Notification_Mode": "Offline Email Notifications", - "Email_Notification_Mode_All": "Every Mention/DM", - "Email_Notification_Mode_Disabled": "Disabled", - "Email_notification_show_message": "Show Message in Email Notification", - "Email_Notifications_Change_Disabled": "Your Rocket.Chat administrator has disabled email notifications", - "Email_or_username": "Email or username", - "Email_Placeholder": "Please enter your email address...", - "Email_Placeholder_any": "Please enter email addresses...", - "email_plain_text_only": "Send only plain text emails", - "email_style_description": "Avoid nested selectors", - "email_style_label": "Email Style", - "Email_subject": "Email Subject", - "Email_verified": "Email verified", - "Email_sent": "Email sent", - "Emails_sent_successfully!": "Emails sent successfully!", - "Emoji": "Emoji", - "Emoji_provided_by_JoyPixels": "Emoji provided by JoyPixels", - "EmojiCustomFilesystem": "Custom Emoji Filesystem", - "EmojiCustomFilesystem_Description": "Specify how emojis are stored.", - "Empty_title": "Empty title", - "Enable_New_Message_Template": "Enable New Message Template", - "Enable_New_Message_Template_alert": "This is a beta feature. It may not work as expected. Please report any issues you encounter.", - "See_on_Engagement_Dashboard": "See on Engagement Dashboard", - "Enable": "Enable", - "Enable_Auto_Away": "Enable Auto Away", - "Enable_CSP": "Enable Content-Security-Policy", - "Enable_CSP_Description": "Do not disable this option unless you have a custom build and are having problems due to inline-scripts", - "Enable_Desktop_Notifications": "Enable Desktop Notifications", - "Enable_inquiry_fetch_by_stream": "Enable inquiry data fetch from server using a stream", - "Enable_omnichannel_auto_close_abandoned_rooms": "Enable automatic closing of rooms abandoned by the visitor", - "Enable_Password_History": "Enable Password History", - "Enable_Password_History_Description": "When enabled, users won't be able to update their passwords to some of their most recently used passwords.", - "Enable_Svg_Favicon": "Enable SVG favicon", - "Enable_two-factor_authentication": "Enable two-factor authentication via TOTP", - "Enable_two-factor_authentication_email": "Enable two-factor authentication via Email", - "Enabled": "Enabled", - "Encrypted": "Encrypted", - "Encrypted_channel_Description": "End to end encrypted channel. Search will not work with encrypted channels and notifications may not show the messages content.", - "Encrypted_key_title": "Click here to disable end-to-end encryption for this channel (requires e2ee-permission)", - "Encrypted_message": "Encrypted message", - "Encrypted_setting_changed_successfully": "Encrypted setting changed successfully", - "Encrypted_not_available": "Not available for Public Channels", - "Encryption_key_saved_successfully": "Your encryption key was saved successfully.", - "EncryptionKey_Change_Disabled": "You can't set a password for your encryption key because your private key is not present on this client. In order to set a new password you need load your private key using your existing password or use a client where the key is already loaded.", - "End": "End", - "End_call": "End call", - "Expand_view": "Expand view", - "Explore_marketplace": "Explore Marketplace", - "Explore_the_marketplace_to_find_awesome_apps": "Explore the Marketplace to find awesome apps for Rocket.Chat", - "Export": "Export", - "End_Call": "End Call", - "End_OTR": "End OTR", - "Engagement_Dashboard": "Engagement Dashboard", - "Enter": "Enter", - "Enter_a_custom_message": "Enter a custom message", - "Enter_a_department_name": "Enter a department name", - "Enter_a_name": "Enter a name", - "Enter_a_regex": "Enter a regex", - "Enter_a_room_name": "Enter a room name", - "Enter_a_tag": "Enter a tag", - "Enter_a_username": "Enter a username", - "Enter_Alternative": "Alternative mode (send with Enter + Ctrl/Alt/Shift/CMD)", - "Enter_authentication_code": "Enter authentication code", - "Enter_Behaviour": "Enter key Behaviour", - "Enter_Behaviour_Description": "This changes if the enter key will send a message or do a line break", - "Enter_E2E_password": "Enter E2E password", - "Enter_name_here": "Enter name here", - "Enter_Normal": "Normal mode (send with Enter)", - "Enter_to": "Enter to", - "Enter_your_E2E_password": "Enter your E2E password", - "Enterprise": "Enterprise", - "Enterprise_Description": "Manually update your Enterprise license.", - "Enterprise_License": "Enterprise License", - "Enterprise_License_Description": "If your workspace is registered and license is provided by Rocket.Chat Cloud you don't need to manually update the license here.", - "Entertainment": "Entertainment", - "Error": "Error", - "Error_something_went_wrong": "Oops! Something went wrong. Please reload the page or contact an administrator.", - "Error_404": "Error:404", - "Error_changing_password": "Error changing password", - "Error_loading_pages": "Error loading pages", - "Error_login_blocked_for_ip": "Login has been temporarily blocked for this IP", - "Error_login_blocked_for_user": "Login has been temporarily blocked for this User", - "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances": "Error: Rocket.Chat requires oplog tailing when running in multiple instances", - "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances_details": "Please make sure your MongoDB is on ReplicaSet mode and MONGO_OPLOG_URL environment variable is defined correctly on the application server", - "Error_sending_livechat_offline_message": "Error sending Omnichannel offline message", - "Error_sending_livechat_transcript": "Error sending Omnichannel transcript", - "Error_Site_URL": "Invalid Site_Url", - "Error_Site_URL_description": "Please, update your \"Site_Url\" setting find more information here", - "error-action-not-allowed": "__action__ is not allowed", - "error-agent-offline": "Agent is offline", - "error-agent-status-service-offline": "Agent status is offline or Omnichannel service is not active", - "error-application-not-found": "Application not found", - "error-archived-duplicate-name": "There's an archived channel with name '__room_name__'", - "error-avatar-invalid-url": "Invalid avatar URL: __url__", - "error-avatar-url-handling": "Error while handling avatar setting from a URL (__url__) for __username__", - "error-business-hours-are-closed": "Business Hours are closed", - "error-blocked-username": "__field__ is blocked and can't be used!", - "error-canned-response-not-found": "Canned Response Not Found", - "error-cannot-delete-app-user": "Deleting app user is not allowed, uninstall the corresponding app to remove it.", - "error-cant-invite-for-direct-room": "Can't invite user to direct rooms", - "error-channels-setdefault-is-same": "The channel default setting is the same as what it would be changed to.", - "error-channels-setdefault-missing-default-param": "The bodyParam 'default' is required", - "error-could-not-change-email": "Could not change email", - "error-could-not-change-name": "Could not change name", - "error-could-not-change-username": "Could not change username", - "error-custom-field-name-already-exists": "Custom field name already exists", - "error-delete-protected-role": "Cannot delete a protected role", - "error-department-not-found": "Department not found", - "error-direct-message-file-upload-not-allowed": "File sharing not allowed in direct messages", - "error-duplicate-channel-name": "A channel with name '__channel_name__' exists", - "error-edit-permissions-not-allowed": "Editing permissions is not allowed", - "error-email-domain-blacklisted": "The email domain is blacklisted", - "error-email-send-failed": "Error trying to send email: __message__", - "error-essential-app-disabled": "Error: a Rocket.Chat App that is essential for this is disabled. Please contact your administrator", - "error-field-unavailable": "__field__ is already in use :(", - "error-file-too-large": "File is too large", - "error-forwarding-chat": "Something went wrong while forwarding the chat, Please try again later.", - "error-forwarding-chat-same-department": "The selected department and the current room department are the same", - "error-forwarding-department-target-not-allowed": "The forwarding to the target department is not allowed.", - "error-guests-cant-have-other-roles": "Guest users can't have any other role.", - "error-import-file-extract-error": "Failed to extract import file.", - "error-import-file-is-empty": "Imported file seems to be empty.", - "error-import-file-missing": "The file to be imported was not found on the specified path.", - "error-importer-not-defined": "The importer was not defined correctly, it is missing the Import class.", - "error-input-is-not-a-valid-field": "__input__ is not a valid __field__", - "error-insufficient-permission": "Error! You don't have ' __permission__ ' permission which is required to perform this operation", - "error-inquiry-taken": "Inquiry already taken", - "error-invalid-account": "Invalid Account", - "error-invalid-actionlink": "Invalid action link", - "error-invalid-arguments": "Invalid arguments", - "error-invalid-asset": "Invalid asset", - "error-invalid-channel": "Invalid channel.", - "error-invalid-channel-start-with-chars": "Invalid channel. Start with @ or #", - "error-invalid-custom-field": "Invalid custom field", - "error-invalid-custom-field-name": "Invalid custom field name. Use only letters, numbers, hyphens and underscores.", - "error-invalid-custom-field-value": "Invalid value for __field__ field", - "error-invalid-date": "Invalid date provided.", - "error-invalid-description": "Invalid description", - "error-invalid-domain": "Invalid domain", - "error-invalid-email": "Invalid email __email__", - "error-invalid-email-address": "Invalid email address", - "error-invalid-email-inbox": "Invalid Email Inbox", - "error-email-inbox-not-found": "Email Inbox not found", - "error-invalid-file-height": "Invalid file height", - "error-invalid-file-type": "Invalid file type", - "error-invalid-file-width": "Invalid file width", - "error-invalid-from-address": "You informed an invalid FROM address.", - "error-invalid-inquiry": "Invalid inquiry", - "error-invalid-integration": "Invalid integration", - "error-invalid-message": "Invalid message", - "error-invalid-method": "Invalid method", - "error-invalid-name": "Invalid name", - "error-invalid-password": "Invalid password", - "error-invalid-param": "Invalid param", - "error-invalid-params": "Invalid params", - "error-invalid-permission": "Invalid permission", - "error-invalid-port-number": "Invalid port number", - "error-invalid-priority": "Invalid priority", - "error-invalid-redirectUri": "Invalid redirectUri", - "error-invalid-role": "Invalid role", - "error-invalid-room": "Invalid room", - "error-invalid-room-name": "__room_name__ is not a valid room name", - "error-invalid-room-type": "__type__ is not a valid room type.", - "error-invalid-settings": "Invalid settings provided", - "error-invalid-subscription": "Invalid subscription", - "error-invalid-token": "Invalid token", - "error-invalid-triggerWords": "Invalid triggerWords", - "error-invalid-urls": "Invalid URLs", - "error-invalid-user": "Invalid user", - "error-invalid-username": "Invalid username", - "error-invalid-value": "Invalid value", - "error-invalid-webhook-response": "The webhook URL responded with a status other than 200", - "error-license-user-limit-reached": "The maximum number of users has been reached.", - "error-logged-user-not-in-room": "You are not in the room `%s`", - "error-max-guests-number-reached": "You reached the maximum number of guest users allowed by your license. Contact sale@rocket.chat for a new license.", - "error-max-number-simultaneous-chats-reached": "The maximum number of simultaneous chats per agent has been reached.", - "error-message-deleting-blocked": "Message deleting is blocked", - "error-message-editing-blocked": "Message editing is blocked", - "error-message-size-exceeded": "Message size exceeds Message_MaxAllowedSize", - "error-missing-unsubscribe-link": "You must provide the [unsubscribe] link.", - "error-no-tokens-for-this-user": "There are no tokens for this user", - "error-no-agents-online-in-department": "No agents online in the department", - "error-no-message-for-unread": "There are no messages to mark unread", - "error-not-allowed": "Not allowed", - "error-not-authorized": "Not authorized", - "error-office-hours-are-closed": "The office hours are closed.", - "error-password-in-history": "Entered password has been previously used", - "error-password-policy-not-met": "Password does not meet the server's policy", - "error-password-policy-not-met-maxLength": "Password does not meet the server's policy of maximum length (password too long)", - "error-password-policy-not-met-minLength": "Password does not meet the server's policy of minimum length (password too short)", - "error-password-policy-not-met-oneLowercase": "Password does not meet the server's policy of at least one lowercase character", - "error-password-policy-not-met-oneNumber": "Password does not meet the server's policy of at least one numerical character", - "error-password-policy-not-met-oneSpecial": "Password does not meet the server's policy of at least one special character", - "error-password-policy-not-met-oneUppercase": "Password does not meet the server's policy of at least one uppercase character", - "error-password-policy-not-met-repeatingCharacters": "Password not not meet the server's policy of forbidden repeating characters (you have too many of the same characters next to each other)", - "error-password-same-as-current": "Entered password same as current password", - "error-personal-access-tokens-are-current-disabled": "Personal Access Tokens are currently disabled", - "error-pinning-message": "Message could not be pinned", - "error-push-disabled": "Push is disabled", - "error-remove-last-owner": "This is the last owner. Please set a new owner before removing this one.", - "error-returning-inquiry": "Error returning inquiry to the queue", - "error-role-in-use": "Cannot delete role because it's in use", - "error-role-name-required": "Role name is required", - "error-role-already-present": "A role with this name already exists", - "error-room-is-not-closed": "Room is not closed", - "error-room-onHold": "Error! Room is On Hold", - "error-selected-agent-room-agent-are-same": "The selected agent and the room agent are the same", - "error-starring-message": "Message could not be stared", - "error-tags-must-be-assigned-before-closing-chat": "Tag(s) must be assigned before closing the chat", - "error-the-field-is-required": "The field __field__ is required.", - "error-this-is-not-a-livechat-room": "This is not a Omnichannel room", - "error-token-already-exists": "A token with this name already exists", - "error-token-does-not-exists": "Token does not exists", - "error-too-many-requests": "Error, too many requests. Please slow down. You must wait __seconds__ seconds before trying again.", - "error-transcript-already-requested": "Transcript already requested", - "error-unpinning-message": "Message could not be unpinned", - "error-user-has-no-roles": "User has no roles", - "error-user-is-not-activated": "User is not activated", - "error-user-is-not-agent": "User is not an Omnichannel Agent", - "error-user-is-offline": "User if offline", - "error-user-limit-exceeded": "The number of users you are trying to invite to #channel_name exceeds the limit set by the administrator", - "error-user-not-belong-to-department": "User does not belong to this department", - "error-user-not-in-room": "User is not in this room", - "error-user-registration-disabled": "User registration is disabled", - "error-user-registration-secret": "User registration is only allowed via Secret URL", - "error-validating-department-chat-closing-tags": "At least one closing tag is required when the department requires tag(s) on closing conversations.", - "error-no-permission-team-channel": "You don't have permission to add this channel to the team", - "error-no-owner-channel": "Only owners can add this channel to the team", - "error-you-are-last-owner": "You are the last owner. Please set new owner before leaving the room.", - "Errors_and_Warnings": "Errors and Warnings", - "Esc_to": "Esc to", - "Estimated_due_time": "Estimated due time", - "Estimated_due_time_in_minutes": "Estimated due time (time in minutes)", - "Event_Trigger": "Event Trigger", - "Event_Trigger_Description": "Select which type of event will trigger this Outgoing WebHook Integration", - "every_5_minutes": "Once every 5 minutes", - "every_10_seconds": "Once every 10 seconds", - "every_30_minutes": "Once every 30 minutes", - "every_day": "Once every day", - "every_hour": "Once every hour", - "every_minute": "Once every minute", - "every_second": "Once every second", - "every_six_hours": "Once every six hours", - "Everyone_can_access_this_channel": "Everyone can access this channel", - "Exact": "Exact", - "Example_payload": "Example payload", - "Example_s": "Example: %s", - "except_pinned": "(except those that are pinned)", - "Exclude_Botnames": "Exclude Bots", - "Exclude_Botnames_Description": "Do not propagate messages from bots whose name matches the regular expression above. If left empty, all messages from bots will be propagated.", - "Exclude_pinned": "Exclude pinned messages", - "Execute_Synchronization_Now": "Execute Synchronization Now", - "Exit_Full_Screen": "Exit Full Screen", - "Expand": "Expand", - "Experimental_Feature_Alert": "This is an experimental feature! Please be aware that it may change, break, or even be removed in the future without any notice.", - "Expired": "Expired", - "Expiration": "Expiration", - "Expiration_(Days)": "Expiration (Days)", - "Export_as_file": "Export as file", - "Export_Messages": "Export Messages", - "Export_My_Data": "Export My Data (JSON)", - "expression": "Expression", - "Extended": "Extended", - "Extensions": "Extensions", - "Extension_Number": "Extension Number", - "Extension_Status": "Extension Status", - "External": "External", - "External_Domains": "External Domains", - "External_Queue_Service_URL": "External Queue Service URL", - "External_Service": "External Service", - "External_Users": "External Users", - "Extremely_likely": "Extremely likely", - "Facebook": "Facebook", - "Facebook_Page": "Facebook Page", - "Failed": "Failed", - "Failed_to_activate_invite_token": "Failed to activate invite token", - "Failed_to_add_monitor": "Failed to add monitor", - "Failed_To_Download_Files": "Failed to download files", - "Failed_to_generate_invite_link": "Failed to generate invite link", - "Failed_To_Load_Import_Data": "Failed to load import data", - "Failed_To_Load_Import_History": "Failed to load import history", - "Failed_To_Load_Import_Operation": "Failed to load import operation", - "Failed_To_Start_Import": "Failed to start import operation", - "Failed_to_validate_invite_token": "Failed to validate invite token", - "False": "False", - "Fallback_forward_department": "Fallback department for forwarding", - "Fallback_forward_department_description": "Allows you to define a fallback department which will receive the chats forwarded to this one in case there's no online agents at the moment", - "Favorite": "Favorite", - "Favorite_Rooms": "Enable Favorite Rooms", - "Favorites": "Favorites", - "Featured": "Featured", - "Feature_depends_on_selected_call_provider_to_be_enabled_from_administration_settings": "This feature depends on the above selected call provider to be enabled from the administration settings.
For **Jitsi**, please make sure you have Jitsi Enabled under Admin -> Video Conference -> Jitsi -> Enabled.
For **WebRTC**, please make sure you have WebRTC enabled under Admin -> WebRTC -> Enabled.", - "Feature_Depends_on_Livechat_Visitor_navigation_as_a_message_to_be_enabled": "This feature depends on \"Send Visitor Navigation History as a Message\" to be enabled.", - "Feature_Limiting": "Feature Limiting", - "Features": "Features", - "Features_Enabled": "Features Enabled", - "Feature_Disabled": "Feature Disabled", - "Federation": "Federation", - "Federation_Adding_Federated_Users": "Adding Federated Users", - "Federation_Adding_to_your_server": "Adding Federation to your Server", - "Federation_Adding_users_from_another_server": "Adding users from another server", - "Federation_Changes_needed": "Changes needed on your Server the Domain Name, Target and Port.", - "Federation_Channels_Will_Be_Replicated": "Those channels are going to be replicated to the remote server, without the message history.", - "Federation_Configure_DNS": "Configure DNS", - "Federation_Dashboard": "Federation Dashboard", - "Federation_Description": "Federation allows an ulimited number of workspaces to communicate with each other.", - "Federation_Discovery_method": "Discovery Method", - "Federation_Discovery_method_details": "You can use the hub or a DNS record (SRV and a TXT entry). Learn more", - "Federation_DNS_info_update": "This Info is updated every 1 minute", - "Federation_Domain": "Domain", - "Federation_Domain_details": "Add the domain name that this server should be linked to.", - "Federation_Email": "E-mail address: joseph@remotedomain.com", - "Federation_Enable": "Enable Federation", - "Federation_Fix_now": "Fix now!", - "Federation_Guide_adding_users": "We guide you on how to add your first federated user.", - "Federation_HTTP_instead_HTTPS": "If you use HTTP protocol instead HTTPS", - "Federation_HTTP_instead_HTTPS_details": "We recommend to use HTTPS for all kinds of communications, but sometimes that is not possible. If you need, in the SRV DNS entry replace: the protocol: _http the port: 80", - "Federation_Invite_User": "Invite User", - "Federation_Invite_Users_To_Private_Rooms": "From now on, you can invite federated users only to private rooms or discussions.", - "Federation_Inviting_users_from_another_server": "Inviting users from a different server", - "Federation_Is_working_correctly": "Federation integration is working correctly.", - "Federation_Legacy_support": "Legacy Support", - "Federation_Must_add_records": "You must add the following DNS records on your server:", - "Federation_Protocol": "Protocol", - "Federation_Protocol_details": "We only recommend using HTTP on internal, very specific cases.", - "Federation_Protocol_TXT_record": "Protocol TXT Record", - "Federation_Public_key": "Public Key", - "Federation_Public_key_details": "This is the key you need to share with your peers. What is it for?", - "Federation_Search_users_you_want_to_connect": "Search for the user you want to connect using a combination of a username and a domain or an e-mail address, like:", - "Federation_SRV_no_support": "If your DNS provider does not support SRV records with _http or _https", - "Federation_SRV_no_support_details": "Some DNS providers will not allow setting _https or _http on SRV records, so we have support for those cases, using our old DNS record resolution method.", - "Federation_SRV_records_200": "SRV Record (2.0.0 or newer)", - "Federation_Public_key_TXT_record": "Public Key TXT Record", - "Federation_Username": "Username: myfriendsusername@anotherdomain.com", - "Federation_You_will_invite_users_without_login_access": "You will invite them to your server without login access. Also, you and everyone else on your server will be able to chat with them.", - "FEDERATION_Discovery_Method": "Discovery Method", - "FEDERATION_Discovery_Method_Description": "You can use the hub or a SRV and a TXT entry on your DNS records.", - "FEDERATION_Domain": "Domain", - "FEDERATION_Domain_Alert": "Do not change this after enabling the feature, we can't handle domain changes yet.", - "FEDERATION_Domain_Description": "Add the domain that this server should be linked to - for example: @rocket.chat.", - "FEDERATION_Enabled": "Attempt to integrate federation support.", - "FEDERATION_Enabled_Alert": "Federation Support is a work in progress. Use on a production system is not recommended at this time.", - "FEDERATION_Error_user_is_federated_on_rooms": "You can't remove federated users who belongs to rooms", - "FEDERATION_Hub_URL": "Hub URL", - "FEDERATION_Hub_URL_Description": "Set the hub URL, for example: https://hub.rocket.chat. Ports are accepted as well.", - "FEDERATION_Public_Key": "Public Key", - "FEDERATION_Public_Key_Description": "This is the key you need to share with your peers.", - "FEDERATION_Room_Status": "Federation Status", - "FEDERATION_Status": "Status", - "FEDERATION_Test_Setup": "Test setup", - "FEDERATION_Test_Setup_Error": "Could not find your server using your setup, please review your settings.", - "FEDERATION_Test_Setup_Success": "Your federation setup is working and other servers can find you!", - "FEDERATION_Unique_Id": "Unique ID", - "FEDERATION_Unique_Id_Description": "This is your federation unique ID, used to identify your peer on the mesh.", - "Federation_Matrix": "Federation V2", - "Federation_Matrix_enabled": "Enabled", - "Federation_Matrix_Enabled_Alert": "Matrix Federation Support is in alpha. Use on a production system is not recommended at this time.
More Information about Matrix Federation support can be found here", - "Federation_Matrix_id": "AppService ID", - "Federation_Matrix_hs_token": "Homeserver Token", - "Federation_Matrix_as_token": "AppService Token", - "Federation_Matrix_homeserver_url": "Homeserver URL", - "Federation_Matrix_homeserver_url_alert": "We recommend a new, empty homeserver, to use with our federation", - "Federation_Matrix_homeserver_domain": "Homeserver Domain", - "Federation_Matrix_only_owners_can_invite_users": "Only owners can invite users", - "Federation_Matrix_homeserver_domain_alert": "No user should connect to the homeserver with third party clients, only Rocket.Chat", - "Federation_Matrix_bridge_url": "Bridge URL", - "Federation_Matrix_bridge_localpart": "AppService User Localpart", - "Federation_Matrix_registration_file": "Registration File", - "Field": "Field", - "Field_removed": "Field removed", - "Field_required": "Field required", - "File": "File", - "File_Downloads_Started": "File Downloads Started", - "File_exceeds_allowed_size_of_bytes": "File exceeds allowed size of __size__.", - "File_name_Placeholder": "Search files...", - "File_not_allowed_direct_messages": "File sharing not allowed in direct messages.", - "File_Path": "File Path", - "file_pruned": "file pruned", - "File_removed_by_automatic_prune": "File removed by automatic prune", - "File_removed_by_prune": "File removed by prune", - "File_Type": "File Type", - "File_type_is_not_accepted": "File type is not accepted.", - "File_uploaded": "File uploaded", - "File_uploaded_successfully": "File uploaded successfully", - "File_URL": "File URL", - "FileType": "File Type", - "files": "files", - "Files": "Files", - "Files_only": "Only remove the attached files, keep messages", - "files_pruned": "files pruned", - "FileSize_Bytes": "__fileSize__ Bytes", - "FileSize_KB": "__fileSize__ KB", - "FileSize_MB": "__fileSize__ MB", - "FileUpload": "File Upload", - "FileUpload_Description": "Configure file upload and storage.", - "FileUpload_Cannot_preview_file": "Cannot preview file", - "FileUpload_Disabled": "File uploads are disabled.", - "FileUpload_Enable_json_web_token_for_files": "Enable Json Web Tokens protection to file uploads", - "FileUpload_Enable_json_web_token_for_files_description": "Appends a JWT to uploaded files urls", - "FileUpload_Enabled": "File Uploads Enabled", - "FileUpload_Enabled_Direct": "File Uploads Enabled in Direct Messages ", - "FileUpload_Error": "File Upload Error", - "FileUpload_File_Empty": "File empty", - "FileUpload_FileSystemPath": "System Path", - "FileUpload_GoogleStorage_AccessId": "Google Storage Access Id", - "FileUpload_GoogleStorage_AccessId_Description": "The Access Id is generally in an email format, for example: \"example-test@example.iam.gserviceaccount.com\"", - "FileUpload_GoogleStorage_Bucket": "Google Storage Bucket Name", - "FileUpload_GoogleStorage_Bucket_Description": "The name of the bucket which the files should be uploaded to.", - "FileUpload_GoogleStorage_Proxy_Avatars": "Proxy Avatars", - "FileUpload_GoogleStorage_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_GoogleStorage_Proxy_Uploads": "Proxy Uploads", - "FileUpload_GoogleStorage_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_GoogleStorage_Secret": "Google Storage Secret", - "FileUpload_GoogleStorage_Secret_Description": "Please follow these instructions and paste the result here.", - "FileUpload_json_web_token_secret_for_files": "File Upload Json Web Token Secret", - "FileUpload_json_web_token_secret_for_files_description": "File Upload Json Web Token Secret (Used to be able to access uploaded files without authentication)", - "FileUpload_MaxFileSize": "Maximum File Upload Size (in bytes)", - "FileUpload_MaxFileSizeDescription": "Set it to -1 to remove the file size limitation.", - "FileUpload_MediaType_NotAccepted__type__": "Media Type Not Accepted: __type__", - "FileUpload_MediaType_NotAccepted": "Media Types Not Accepted", - "FileUpload_MediaTypeBlackList": "Blocked Media Types", - "FileUpload_MediaTypeBlackListDescription": "Comma-separated list of media types. This setting has priority over the Accepted Media Types.", - "FileUpload_MediaTypeWhiteList": "Accepted Media Types", - "FileUpload_MediaTypeWhiteListDescription": "Comma-separated list of media types. Leave it blank for accepting all media types.", - "FileUpload_ProtectFiles": "Protect Uploaded Files", - "FileUpload_ProtectFilesDescription": "Only authenticated users will have access", - "FileUpload_RotateImages": "Rotate images on upload", - "FileUpload_RotateImages_Description": "Enabling this setting may cause image quality loss", - "FileUpload_S3_Acl": "Acl", - "FileUpload_S3_AWSAccessKeyId": "Access Key", - "FileUpload_S3_AWSSecretAccessKey": "Secret Key", - "FileUpload_S3_Bucket": "Bucket name", - "FileUpload_S3_BucketURL": "Bucket URL", - "FileUpload_S3_CDN": "CDN Domain for Downloads", - "FileUpload_S3_ForcePathStyle": "Force Path Style", - "FileUpload_S3_Proxy_Avatars": "Proxy Avatars", - "FileUpload_S3_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_S3_Proxy_Uploads": "Proxy Uploads", - "FileUpload_S3_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_S3_Region": "Region", - "FileUpload_S3_SignatureVersion": "Signature Version", - "FileUpload_S3_URLExpiryTimeSpan": "URLs Expiration Timespan", - "FileUpload_S3_URLExpiryTimeSpan_Description": "Time after which Amazon S3 generated URLs will no longer be valid (in seconds). If set to less than 5 seconds, this field will be ignored.", - "FileUpload_Storage_Type": "Storage Type", - "FileUpload_Webdav_Password": "WebDAV Password", - "FileUpload_Webdav_Proxy_Avatars": "Proxy Avatars", - "FileUpload_Webdav_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_Webdav_Proxy_Uploads": "Proxy Uploads", - "FileUpload_Webdav_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_Webdav_Server_URL": "WebDAV Server Access URL", - "FileUpload_Webdav_Upload_Folder_Path": "Upload Folder Path", - "FileUpload_Webdav_Upload_Folder_Path_Description": "WebDAV folder path which the files should be uploaded to", - "FileUpload_Webdav_Username": "WebDAV Username", - "Filter": "Filter", - "Filter_by_category": "Filter by Category", - "Filter_By_Price": "Filter By Price", - "Filters": "Filters", - "Filters_applied": "Filters applied", - "Financial_Services": "Financial Services", - "Finish": "Finish", - "Finish_Registration": "Finish Registration", - "First_Channel_After_Login": "First Channel After Login", - "First_response_time": "First Response Time", - "Flags": "Flags", - "Follow_message": "Follow Message", - "Follow_social_profiles": "Follow our social profiles, fork us on github and share your thoughts about the rocket.chat app on our trello board.", - "Following": "Following", - "Fonts": "Fonts", - "Food_and_Drink": "Food & Drink", - "Footer": "Footer", - "Footer_Direct_Reply": "Footer When Direct Reply is Enabled", - "For_more_details_please_check_our_docs": "For more details please check our docs.", - "For_your_security_you_must_enter_your_current_password_to_continue": "For your security, you must enter your current password to continue", - "Force_Disable_OpLog_For_Cache": "Force Disable OpLog for Cache", - "Force_Disable_OpLog_For_Cache_Description": "Will not use OpLog to sync cache even when it's available", - "Force_Screen_Lock": "Force screen lock", - "Force_Screen_Lock_After": "Force screen lock after", - "Force_Screen_Lock_After_description": "The time to request password again after the finish of the latest session, in seconds.", - "Force_Screen_Lock_description": "When enabled, you'll force your users to use a PIN/BIOMETRY/FACEID to unlock the app.", - "Force_SSL": "Force SSL", - "Force_SSL_Description": "*Caution!* _Force SSL_ should never be used with reverse proxy. If you have a reverse proxy, you should do the redirect THERE. This option exists for deployments like Heroku, that does not allow the redirect configuration at the reverse proxy.", - "Force_visitor_to_accept_data_processing_consent": "Force visitor to accept data processing consent", - "Force_visitor_to_accept_data_processing_consent_description": "Visitors are not allowed to start chatting without consent.", - "Force_visitor_to_accept_data_processing_consent_enabled_alert": "Agreement with data processing must be based on a transparent understanding of the reason for processing. Because of this, you must fill out the setting below which will be displayed to users in order to provide the reasons for collecting and processing your personal information.", - "force-delete-message": "Force Delete Message", - "force-delete-message_description": "Permission to delete a message bypassing all restrictions", - "Forgot_password": "Forgot your password?", - "Forgot_Password_Description": "You may use the following placeholders:
  • [Forgot_Password_Url] for the password recovery URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Forgot_Password_Email": "Click here to reset your password.", - "Forgot_Password_Email_Subject": "[Site_Name] - Password Recovery", - "Forgot_password_section": "Forgot password", - "Format": "Format", - "Forward": "Forward", - "Forward_chat": "Forward chat", - "Forward_to_department": "Forward to department", - "Forward_to_user": "Forward to user", - "Forwarding": "Forwarding", - "Free": "Free", - "Free_Extension_Numbers": "Free Extension Numbers", - "Free_Apps": "Free Apps", - "Frequently_Used": "Frequently Used", - "Friday": "Friday", - "From": "From", - "From_Email": "From Email", - "From_email_warning": "Warning: The field From is subject to your mail server settings.", - "Full_Name": "Full Name", - "Full_Screen": "Full Screen", - "Gaming": "Gaming", - "General": "General", - "General_Description": "Configure general workspace settings.", - "Generate_new_key": "Generate a new key", - "Generate_New_Link": "Generate New Link", - "Generating_key": "Generating key", - "Get_link": "Get Link", - "get-password-policy-forbidRepeatingCharacters": "The password should not contain repeating characters", - "get-password-policy-forbidRepeatingCharactersCount": "The password should not contain more than __forbidRepeatingCharactersCount__ repeating characters", - "get-password-policy-maxLength": "The password should be maximum __maxLength__ characters long", - "get-password-policy-minLength": "The password should be minimum __minLength__ characters long", - "get-password-policy-mustContainAtLeastOneLowercase": "The password should contain at least one lowercase letter", - "get-password-policy-mustContainAtLeastOneNumber": "The password should contain at least one number", - "get-password-policy-mustContainAtLeastOneSpecialCharacter": "The password should contain at least one special character", - "get-password-policy-mustContainAtLeastOneUppercase": "The password should contain at least one uppercase letter", - "get-server-info": "Get server info", - "github_no_public_email": "You don't have any email as public email in your GitHub account", - "github_HEAD": "HEAD", - "Give_a_unique_name_for_the_custom_oauth": "Give a unique name for the custom oauth", - "Give_the_application_a_name_This_will_be_seen_by_your_users": "Give the application a name. This will be seen by your users.", - "Global": "Global", - "Global Policy": "Global Policy", - "Global_purge_override_warning": "A global retention policy is in place. If you leave \"Override global retention policy\" off, you can only apply a policy that is stricter than the global policy.", - "Global_Search": "Global search", - "Go_to_your_workspace": "Go to your workspace", - "GoogleCloudStorage": "Google Cloud Storage", - "GoogleNaturalLanguage_ServiceAccount_Description": "Service account key JSON file. More information can be found [here](https://cloud.google.com/natural-language/docs/common/auth#set_up_a_service_account)", - "GoogleTagManager_id": "Google Tag Manager Id", - "Government": "Government", - "Graphql_CORS": "GraphQL CORS", - "Graphql_Enabled": "GraphQL Enabled", - "Graphql_Subscription_Port": "GraphQL Subscription Port", - "Group": "Group", - "Group_by": "Group by", - "Group_by_Type": "Group by Type", - "Group_discussions": "Group discussions", - "Group_favorites": "Group favorites", - "Group_mentions_disabled_x_members": "Group mentions `@all` and `@here` have been disabled for rooms with more than __total__ members.", - "Group_mentions_only": "Group mentions only", - "Grouping": "Grouping", - "Guest": "Guest", - "Hash": "Hash", - "Header": "Header", - "Header_and_Footer": "Header and Footer", - "Pharmaceutical": "Pharmaceutical", - "Healthcare": "Healthcare", - "Helpers": "Helpers", - "Here_is_your_authentication_code": "Here is your authentication code:", - "Hex_Color_Preview": "Hex Color Preview", - "Hi": "Hi", - "Hi_username": "Hi __name__", - "Hidden": "Hidden", - "Hide": "Hide", - "Hide_counter": "Hide counter", - "Hide_flextab": "Hide Right Sidebar with Click", - "Hide_Group_Warning": "Are you sure you want to hide the group \"%s\"?", - "Hide_Livechat_Warning": "Are you sure you want to hide the chat with \"%s\"?", - "Hide_Private_Warning": "Are you sure you want to hide the discussion with \"%s\"?", - "Hide_roles": "Hide Roles", - "Hide_room": "Hide", - "Hide_Room_Warning": "Are you sure you want to hide the channel \"%s\"?", - "Hide_System_Messages": "Hide System Messages", - "Hide_Unread_Room_Status": "Hide Unread Room Status", - "Hide_usernames": "Hide Usernames", - "Hide_video": "Hide video", - "Highlights": "Highlights", - "Highlights_How_To": "To be notified when someone mentions a word or phrase, add it here. You can separate words or phrases with commas. Highlight Words are not case sensitive.", - "Highlights_List": "Highlight words", - "History": "History", - "Hold_Time": "Hold Time", - "Hold_Call": "Hold Call", - "Home": "Home", - "Host": "Host", - "Hospitality_Businness": "Hospitality Businness", - "hours": "hours", - "Hours": "Hours", - "How_friendly_was_the_chat_agent": "How friendly was the chat agent?", - "How_knowledgeable_was_the_chat_agent": "How knowledgeable was the chat agent?", - "How_long_to_wait_after_agent_goes_offline": "How Long to Wait After Agent Goes Offline", - "How_long_to_wait_to_consider_visitor_abandonment": "How Long to Wait to Consider Visitor Abandonment?", - "How_long_to_wait_to_consider_visitor_abandonment_in_seconds": "How Long to Wait to Consider Visitor Abandonment?", - "How_responsive_was_the_chat_agent": "How responsive was the chat agent?", - "How_satisfied_were_you_with_this_chat": "How satisfied were you with this chat?", - "How_to_handle_open_sessions_when_agent_goes_offline": "How to Handle Open Sessions When Agent Goes Offline", - "HTML": "HTML", - "I_Saved_My_Password": "I Saved My Password", - "Idle_Time_Limit": "Idle Time Limit", - "Idle_Time_Limit_Description": "Period of time until status changes to away. Value needs to be in seconds.", - "if_they_are_from": "(if they are from %s)", - "If_this_email_is_registered": "If this email is registered, we'll send instructions on how to reset your password. If you do not receive an email shortly, please come back and try again.", - "If_you_are_sure_type_in_your_password": "If you are sure type in your password:", - "If_you_are_sure_type_in_your_username": "If you are sure type in your username:", - "If_you_didnt_ask_for_reset_ignore_this_email": "If you didn't ask for your password reset, you can ignore this email.", - "If_you_didnt_try_to_login_in_your_account_please_ignore_this_email": "If you didn't try to login in your account please ignore this email.", - "If_you_dont_have_one_send_an_email_to_omni_rocketchat_to_get_yours": "If you don't have one send an email to [omni@rocket.chat](mailto:omni@rocket.chat) to get yours.", - "Iframe_Integration": "Iframe Integration", - "Iframe_Integration_receive_enable": "Enable Receive", - "Iframe_Integration_receive_enable_Description": "Allow parent window to send commands to Rocket.Chat.", - "Iframe_Integration_receive_origin": "Receive Origins", - "Iframe_Integration_receive_origin_Description": "Origins with protocol prefix, separated by commas, which are allowed to receive commands e.g. 'https://localhost, http://localhost', or * to allow receiving from anywhere.", - "Iframe_Integration_send_enable": "Enable Send", - "Iframe_Integration_send_enable_Description": "Send events to parent window", - "Iframe_Integration_send_target_origin": "Send Target Origin", - "Iframe_Integration_send_target_origin_Description": "Origin with protocol prefix, which commands are sent to e.g. 'https://localhost', or * to allow sending to anywhere.", - "Iframe_Restrict_Access": "Restrict access inside any Iframe", - "Iframe_Restrict_Access_Description": "This setting enable/disable restrictions to load the RC inside any iframe", - "Iframe_X_Frame_Options": "Options to X-Frame-Options", - "Iframe_X_Frame_Options_Description": "Options to X-Frame-Options. [You can see all the options here.](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options#Syntax)", - "Ignore": "Ignore", - "Ignored": "Ignored", - "Images": "Images", - "IMAP_intercepter_already_running": "IMAP intercepter already running", - "IMAP_intercepter_Not_running": "IMAP intercepter Not running", - "Impersonate_next_agent_from_queue": "Impersonate next agent from queue", - "Impersonate_user": "Impersonate User", - "Impersonate_user_description": "When enabled, integration posts as the user that triggered integration", - "Import": "Import", - "Import_New_File": "Import New File", - "Import_requested_successfully": "Import Requested Successfully", - "Import_Type": "Import Type", - "Importer_Archived": "Archived", - "Importer_CSV_Information": "The CSV importer requires a specific format, please read the documentation for how to structure your zip file:", - "Importer_done": "Importing complete!", - "Importer_ExternalUrl_Description": "You can also use an URL for a publicly accessible file:", - "Importer_finishing": "Finishing up the import.", - "Importer_From_Description": "Imports __from__ data into Rocket.Chat.", - "Importer_From_Description_CSV": "Imports CSV data into Rocket.Chat. The uploaded file must be a ZIP file.", - "Importer_HipChatEnterprise_BetaWarning": "Please be aware that this import is still a work in progress, please report any errors which occur in GitHub:", - "Importer_HipChatEnterprise_Information": "The file uploaded must be a decrypted tar.gz, please read the documentation for further information:", - "Importer_import_cancelled": "Import cancelled.", - "Importer_import_failed": "An error occurred while running the import.", - "Importer_importing_channels": "Importing the channels.", - "Importer_importing_files": "Importing the files.", - "Importer_importing_messages": "Importing the messages.", - "Importer_importing_started": "Starting the import.", - "Importer_importing_users": "Importing the users.", - "Importer_not_in_progress": "The importer is currently not running.", - "Importer_not_setup": "The importer is not setup correctly, as it didn't return any data.", - "Importer_Prepare_Restart_Import": "Restart Import", - "Importer_Prepare_Start_Import": "Start Importing", - "Importer_Prepare_Uncheck_Archived_Channels": "Uncheck Archived Channels", - "Importer_Prepare_Uncheck_Deleted_Users": "Uncheck Deleted Users", - "Importer_progress_error": "Failed to get the progress for the import.", - "Importer_setup_error": "An error occurred while setting up the importer.", - "Importer_Slack_Users_CSV_Information": "The file uploaded must be Slack's Users export file, which is a CSV file. See here for more information:", - "Importer_Source_File": "Source File Selection", - "importer_status_done": "Completed successfully", - "importer_status_downloading_file": "Downloading file", - "importer_status_file_loaded": "File loaded", - "importer_status_finishing": "Almost done", - "importer_status_import_cancelled": "Cancelled", - "importer_status_import_failed": "Error", - "importer_status_importing_channels": "Importing channels", - "importer_status_importing_files": "Importing files", - "importer_status_importing_messages": "Importing messages", - "importer_status_importing_started": "Importing data", - "importer_status_importing_users": "Importing users", - "importer_status_new": "Not started", - "importer_status_preparing_channels": "Reading channels file", - "importer_status_preparing_messages": "Reading message files", - "importer_status_preparing_started": "Reading files", - "importer_status_preparing_users": "Reading users file", - "importer_status_uploading": "Uploading file", - "importer_status_user_selection": "Ready to select what to import", - "Importer_Upload_FileSize_Message": "Your server settings allow the upload of files of any size up to __maxFileSize__.", - "Importer_Upload_Unlimited_FileSize": "Your server settings allow the upload of files of any size.", - "Importing_channels": "Importing channels", - "Importing_Data": "Importing Data", - "Importing_messages": "Importing messages", - "Importing_users": "Importing users", - "Inactivity_Time": "Inactivity Time", - "In_progress": "In progress", - "Inbox_Info": "Inbox Info", - "Include_Offline_Agents": "Include offline agents", - "Inclusive": "Inclusive", - "Incoming": "Incoming", - "Incoming_Livechats": "Queued Chats", - "Incoming_WebHook": "Incoming WebHook", - "Industry": "Industry", - "Info": "Info", - "initials_avatar": "Initials Avatar", - "inline_code": "inline code", - "Install": "Install", - "Install_Extension": "Install Extension", - "Install_FxOs": "Install Rocket.Chat on your Firefox", - "Install_FxOs_done": "Great! You can now use Rocket.Chat via the icon on your homescreen. Have fun with Rocket.Chat!", - "Install_FxOs_error": "Sorry, that did not work as intended! The following error appeared:", - "Install_FxOs_follow_instructions": "Please confirm the app installation on your device (press \"Install\" when prompted).", - "Install_package": "Install package", - "Installation": "Installation", - "Installed": "Installed", - "Installed_at": "Installed at", - "Instance": "Instance", - "Instances": "Instances", - "Instances_health": "Instances Health", - "Instance_Record": "Instance Record", - "Instructions": "Instructions", - "Instructions_to_your_visitor_fill_the_form_to_send_a_message": "Instructions to your visitor fill the form to send a message", - "Insert_Contact_Name": "Insert the Contact Name", - "Insert_Placeholder": "Insert Placeholder", - "Insurance": "Insurance", - "Integration_added": "Integration has been added", - "Integration_Advanced_Settings": "Advanced Settings", - "Integration_Delete_Warning": "Deleting an Integrations cannot be undone.", - "Integration_disabled": "Integration disabled", - "Integration_History_Cleared": "Integration History Successfully Cleared", - "Integration_Incoming_WebHook": "Incoming WebHook Integration", - "Integration_New": "New Integration", - "Integration_Outgoing_WebHook": "Outgoing WebHook Integration", - "Integration_Outgoing_WebHook_History": "Outgoing WebHook Integration History", - "Integration_Outgoing_WebHook_History_Data_Passed_To_Trigger": "Data Passed to Integration", - "Integration_Outgoing_WebHook_History_Data_Passed_To_URL": "Data Passed to URL", - "Integration_Outgoing_WebHook_History_Error_Stacktrace": "Error Stacktrace", - "Integration_Outgoing_WebHook_History_Http_Response": "HTTP Response", - "Integration_Outgoing_WebHook_History_Http_Response_Error": "HTTP Response Error", - "Integration_Outgoing_WebHook_History_Messages_Sent_From_Prepare_Script": "Messages Sent from Prepare Step", - "Integration_Outgoing_WebHook_History_Messages_Sent_From_Process_Script": "Messages Sent from Process Response Step", - "Integration_Outgoing_WebHook_History_Time_Ended_Or_Error": "Time it Ended or Error'd", - "Integration_Outgoing_WebHook_History_Time_Triggered": "Time Integration Triggered", - "Integration_Outgoing_WebHook_History_Trigger_Step": "Last Trigger Step", - "Integration_Outgoing_WebHook_No_History": "This outgoing webhook integration has yet to have any history recorded.", - "Integration_Retry_Count": "Retry Count", - "Integration_Retry_Count_Description": "How many times should the integration be tried if the call to the url fails?", - "Integration_Retry_Delay": "Retry Delay", - "Integration_Retry_Delay_Description": "Which delay algorithm should the retrying use? 10^x or 2^x or x*2", - "Integration_Retry_Failed_Url_Calls": "Retry Failed Url Calls", - "Integration_Retry_Failed_Url_Calls_Description": "Should the integration try a reasonable amount of time if the call out to the url fails?", - "Integration_Run_When_Message_Is_Edited": "Run On Edits", - "Integration_Run_When_Message_Is_Edited_Description": "Should the integration run when the message is edited? Setting this to false will cause the integration to only run on new messages.", - "Integration_updated": "Integration has been updated.", - "Integration_Word_Trigger_Placement": "Word Placement Anywhere", - "Integration_Word_Trigger_Placement_Description": "Should the Word be Triggered when placed anywhere in the sentence other than the beginning?", - "Integrations": "Integrations", - "Integrations_for_all_channels": "Enter all_public_channels to listen on all public channels, all_private_groups to listen on all private groups, and all_direct_messages to listen to all direct messages.", - "Integrations_Outgoing_Type_FileUploaded": "File Uploaded", - "Integrations_Outgoing_Type_RoomArchived": "Room Archived", - "Integrations_Outgoing_Type_RoomCreated": "Room Created (public and private)", - "Integrations_Outgoing_Type_RoomJoined": "User Joined Room", - "Integrations_Outgoing_Type_RoomLeft": "User Left Room", - "Integrations_Outgoing_Type_SendMessage": "Message Sent", - "Integrations_Outgoing_Type_UserCreated": "User Created", - "InternalHubot": "Internal Hubot", - "InternalHubot_EnableForChannels": "Enable for Public Channels", - "InternalHubot_EnableForDirectMessages": "Enable for Direct Messages", - "InternalHubot_EnableForPrivateGroups": "Enable for Private Channels", - "InternalHubot_PathToLoadCustomScripts": "Folder to Load the Scripts", - "InternalHubot_reload": "Reload the scripts", - "InternalHubot_ScriptsToLoad": "Scripts to Load", - "InternalHubot_ScriptsToLoad_Description": "Please enter a comma separated list of scripts to load from your custom folder", - "InternalHubot_Username_Description": "This must be a valid username of a bot registered on your server.", - "Invalid Canned Response": "Invalid Canned Response", - "Invalid_confirm_pass": "The password confirmation does not match password", - "Invalid_Department": "Invalid Department", - "Invalid_email": "The email entered is invalid", - "Invalid_Export_File": "The file uploaded isn't a valid %s export file.", - "Invalid_field": "The field must not be empty", - "Invalid_Import_File_Type": "Invalid Import file type.", - "Invalid_name": "The name must not be empty", - "Invalid_notification_setting_s": "Invalid notification setting: %s", - "Invalid_or_expired_invite_token": "Invalid or expired invite token", - "Invalid_pass": "The password must not be empty", - "Invalid_password": "Invalid password", - "Invalid_reason": "The reason to join must not be empty", - "Invalid_room_name": "%s is not a valid room name", - "Invalid_secret_URL_message": "The URL provided is invalid.", - "Invalid_setting_s": "Invalid setting: %s", - "Invalid_two_factor_code": "Invalid two factor code", - "Invalid_username": "The username entered is invalid", - "Invalid_JSON": "Invalid JSON", - "invisible": "invisible", - "Invisible": "Invisible", - "Invitation": "Invitation", - "Invitation_Email_Description": "You may use the following placeholders:
  • [email] for the recipient email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Invitation_HTML": "Invitation HTML", - "Invitation_HTML_Default": "

You have been invited to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", - "Invitation_Subject": "Invitation Subject", - "Invitation_Subject_Default": "You have been invited to [Site_Name]", - "Invite": "Invite", - "Invites": "Invites", - "Invite_Link": "Invite Link", - "Invite_removed": "Invite removed successfully", - "Invite_user_to_join_channel": "Invite one user to join this channel", - "Invite_user_to_join_channel_all_from": "Invite all users from [#channel] to join this channel", - "Invite_user_to_join_channel_all_to": "Invite all users from this channel to join [#channel]", - "Invite_Users": "Invite Members", - "IP": "IP", - "IRC_Channel_Join": "Output of the JOIN command.", - "IRC_Channel_Leave": "Output of the PART command.", - "IRC_Channel_Users": "Output of the NAMES command.", - "IRC_Channel_Users_End": "End of output of the NAMES command.", - "IRC_Description": "Internet Relay Chat (IRC) is a text-based group communication tool. Users join uniquely named channels, or rooms, for open discussion. IRC also supports private messages between individual users and file sharing capabilities. This package integrates these layers of functionality with Rocket.Chat.", - "IRC_Enabled": "Attempt to integrate IRC support. Changing this value requires restarting Rocket.Chat.", - "IRC_Enabled_Alert": "IRC Support is a work in progress. Use on a production system is not recommended at this time.", - "IRC_Federation": "IRC Federation", - "IRC_Federation_Description": "Connect to other IRC servers.", - "IRC_Federation_Disabled": "IRC Federation is disabled.", - "IRC_Hostname": "The IRC host server to connect to.", - "IRC_Login_Fail": "Output upon a failed connection to the IRC server.", - "IRC_Login_Success": "Output upon a successful connection to the IRC server.", - "IRC_Message_Cache_Size": "The cache limit for outbound message handling.", - "IRC_Port": "The port to bind to on the IRC host server.", - "IRC_Private_Message": "Output of the PRIVMSG command.", - "IRC_Quit": "Output upon quitting an IRC session.", - "is_typing": "is typing", - "Issue_Links": "Issue tracker links", - "IssueLinks_Incompatible": "Warning: do not enable this and the 'Hex Color Preview' at the same time.", - "IssueLinks_LinkTemplate": "Template for issue links", - "IssueLinks_LinkTemplate_Description": "Template for issue links; %s will be replaced by the issue number.", - "It_works": "It works", - "It_Security": "It Security", - "italic": "Italic", - "italics": "italics", - "Items_per_page:": "Items per page:", - "Jitsi_Application_ID": "Application ID (iss)", - "Jitsi_Application_Secret": "Application Secret", - "Jitsi_Chrome_Extension": "Chrome Extension Id", - "Jitsi_Enable_Channels": "Enable in Channels", - "Jitsi_Enable_Teams": "Enable for Teams", - "Jitsi_Enabled_TokenAuth": "Enable JWT auth", - "Jitsi_Limit_Token_To_Room": "Limit token to Jitsi Room", - "Job_Title": "Job Title", - "join": "Join", - "Join_call": "Join Call", - "Join_audio_call": "Join audio call", - "Join_Chat": "Join Chat", - "Join_default_channels": "Join default channels", - "Join_the_Community": "Join the Community", - "Join_the_given_channel": "Join the given channel", - "Join_video_call": "Join video call", - "Join_my_room_to_start_the_video_call": "Join my room to start the video call", - "join-without-join-code": "Join Without Join Code", - "join-without-join-code_description": "Permission to bypass the join code in channels with join code enabled", - "Joined": "Joined", - "Joined_at": "Joined at", - "JSON": "JSON", - "Jump": "Jump", - "Jump_to_first_unread": "Jump to first unread", - "Jump_to_message": "Jump to Message", - "Jump_to_recent_messages": "Jump to recent messages", - "Just_invited_people_can_access_this_channel": "Just invited people can access this channel.", - "Katex_Dollar_Syntax": "Allow Dollar Syntax", - "Katex_Dollar_Syntax_Description": "Allow using $$katex block$$ and $inline katex$ syntaxes", - "Katex_Enabled": "Katex Enabled", - "Katex_Enabled_Description": "Allow using katex for math typesetting in messages", - "Katex_Parenthesis_Syntax": "Allow Parenthesis Syntax", - "Katex_Parenthesis_Syntax_Description": "Allow using \\[katex block\\] and \\(inline katex\\) syntaxes", - "Keep_default_user_settings": "Keep the default settings", - "Keyboard_Shortcuts_Edit_Previous_Message": "Edit previous message", - "Keyboard_Shortcuts_Keys_1": "Command (or Ctrl) + p OR Command (or Ctrl) + k", - "Keyboard_Shortcuts_Keys_2": "Up Arrow", - "Keyboard_Shortcuts_Keys_3": "Command (or Alt) + Left Arrow", - "Keyboard_Shortcuts_Keys_4": "Command (or Alt) + Up Arrow", - "Keyboard_Shortcuts_Keys_5": "Command (or Alt) + Right Arrow", - "Keyboard_Shortcuts_Keys_6": "Command (or Alt) + Down Arrow", - "Keyboard_Shortcuts_Keys_7": "Shift + Enter", - "Keyboard_Shortcuts_Keys_8": "Shift (or Ctrl) + ESC", - "Keyboard_Shortcuts_Mark_all_as_read": "Mark all messages (in all channels) as read", - "Keyboard_Shortcuts_Move_To_Beginning_Of_Message": "Move to the beginning of the message", - "Keyboard_Shortcuts_Move_To_End_Of_Message": "Move to the end of the message", - "Keyboard_Shortcuts_New_Line_In_Message": "New line in message compose input", - "Keyboard_Shortcuts_Open_Channel_Slash_User_Search": "Open Channel / User search", - "Keyboard_Shortcuts_Title": "Keyboard Shortcuts", - "Knowledge_Base": "Knowledge Base", - "Label": "Label", - "Language": "Language", - "Language_Bulgarian": "Bulgarian", - "Language_Chinese": "Chinese", - "Language_Czech": "Czech", - "Language_Danish": "Danish", - "Language_Dutch": "Dutch", - "Language_English": "English", - "Language_Estonian": "Estonian", - "Language_Finnish": "Finnish", - "Language_French": "French", - "Language_German": "German", - "Language_Greek": "Greek", - "Language_Hungarian": "Hungarian", - "Language_Italian": "Italian", - "Language_Japanese": "Japanese", - "Language_Latvian": "Latvian", - "Language_Lithuanian": "Lithuanian", - "Language_Not_set": "No specific", - "Language_Polish": "Polish", - "Language_Portuguese": "Portuguese", - "Language_Romanian": "Romanian", - "Language_Russian": "Russian", - "Language_Slovak": "Slovak", - "Language_Slovenian": "Slovenian", - "Language_Spanish": "Spanish", - "Language_Swedish": "Swedish", - "Language_Version": "English Version", - "Last_7_days": "Last 7 Days", - "Last_30_days": "Last 30 Days", - "Last_90_days": "Last 90 Days", - "Last_active": "Last active", - "Last_Call": "Last Call", - "Last_Chat": "Last Chat", - "Last_login": "Last login", - "Last_Message": "Last Message", - "Last_Message_At": "Last Message At", - "Last_seen": "Last seen", - "Last_Status": "Last Status", - "Last_token_part": "Last token part", - "Last_Updated": "Last Updated", - "Launched_successfully": "Launched successfully", - "Layout": "Layout", - "Layout_Description": "Customize the look of your workspace.", - "Layout_Home_Body": "Home Body", - "Layout_Home_Title": "Home Title", - "Layout_Legal_Notice": "Legal Notice", - "Layout_Login_Terms": "Login Terms", - "Layout_Privacy_Policy": "Privacy Policy", - "Layout_Show_Home_Button": "Show \"Home Button\"", - "Layout_Sidenav_Footer": "Side Navigation Footer", - "Layout_Sidenav_Footer_description": "Footer size is 260 x 70px", - "Layout_Terms_of_Service": "Terms of Service", - "LDAP": "LDAP", - "LDAP_Description": "Lightweight Directory Access Protocol enables anyone to locate data about your server or company.", - "LDAP_Documentation": "LDAP Documentation", - "LDAP_Connection": "Connection", - "LDAP_Connection_Authentication": "Authentication", - "LDAP_Connection_Encryption": "Encryption", - "LDAP_Connection_Timeouts": "Timeouts", - "LDAP_UserSearch": "User Search", - "LDAP_UserSearch_Filter": "Search Filter", - "LDAP_UserSearch_GroupFilter": "Group Filter", - "LDAP_DataSync": "Data Sync", - "LDAP_DataSync_DataMap": "Mapping", - "LDAP_DataSync_Avatar": "Avatar", - "LDAP_DataSync_Advanced": "Advanced Sync", - "LDAP_DataSync_CustomFields": "Sync Custom Fields", - "LDAP_DataSync_Roles": "Sync Roles", - "LDAP_DataSync_Channels": "Sync Channels", - "LDAP_DataSync_Teams": "Sync Teams", - "LDAP_Enterprise": "Enterprise", - "LDAP_DataSync_BackgroundSync": "Background Sync", - "LDAP_Server_Type": "Server Type", - "LDAP_Server_Type_AD": "Active Directory", - "LDAP_Server_Type_Other": "Other", - "LDAP_Name_Field": "Name Field", - "LDAP_Email_Field": "Email Field", - "LDAP_Update_Data_On_Login": "Update User Data on Login", - "LDAP_Advanced_Sync": "Advanced Sync", - "LDAP_Authentication": "Enable", - "LDAP_Authentication_Password": "Password", - "LDAP_Authentication_UserDN": "User DN", - "LDAP_Authentication_UserDN_Description": "The LDAP user that performs user lookups to authenticate other users when they sign in.
This is typically a service account created specifically for third-party integrations. Use a fully qualified name, such as `cn=Administrator,cn=Users,dc=Example,dc=com`.", - "LDAP_Avatar_Field": "User Avatar Field", - "LDAP_Avatar_Field_Description": " Which field will be used as *avatar* for users. Leave empty to use `thumbnailPhoto` first and `jpegPhoto` as fallback.", - "LDAP_Background_Sync": "Background Sync", - "LDAP_Background_Sync_Avatars": "Avatar Background Sync", - "LDAP_Background_Sync_Avatars_Description": "Enable a separate background process to sync user avatars.", - "LDAP_Background_Sync_Avatars_Interval": "Avatar Background Sync Interval", - "LDAP_Background_Sync_Import_New_Users": "Background Sync Import New Users", - "LDAP_Background_Sync_Import_New_Users_Description": "Will import all users (based on your filter criteria) that exists in LDAP and does not exists in Rocket.Chat", - "LDAP_Background_Sync_Interval": "Background Sync Interval", - "LDAP_Background_Sync_Interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", - "LDAP_Background_Sync_Keep_Existant_Users_Updated": "Background Sync Update Existing Users", - "LDAP_Background_Sync_Keep_Existant_Users_Updated_Description": "Will sync the avatar, fields, username, etc (based on your configuration) of all users already imported from LDAP on every **Sync Interval**", - "LDAP_BaseDN": "Base DN", - "LDAP_BaseDN_Description": "The fully qualified Distinguished Name (DN) of an LDAP subtree you want to search for users and groups. You can add as many as you like; however, each group must be defined in the same domain base as the users that belong to it. Example: `ou=Users+ou=Projects,dc=Example,dc=com`. If you specify restricted user groups, only users that belong to those groups will be in scope. We recommend that you specify the top level of your LDAP directory tree as your domain base and use search filter to control access.", - "LDAP_CA_Cert": "CA Cert", - "LDAP_Connect_Timeout": "Connection Timeout (ms)", - "LDAP_DataSync_AutoLogout": "Auto Logout Deactivated Users", - "LDAP_Default_Domain": "Default Domain", - "LDAP_Default_Domain_Description": "If provided the Default Domain will be used to create an unique email for users where email was not imported from LDAP. The email will be mounted as `username@default_domain` or `unique_id@default_domain`.
Example: `rocket.chat`", - "LDAP_Enable": "Enable", - "LDAP_Enable_Description": "Attempt to utilize LDAP for authentication.", - "LDAP_Enable_LDAP_Groups_To_RC_Teams": "Enable team mapping from LDAP to Rocket.Chat", - "LDAP_Encryption": "Encryption", - "LDAP_Encryption_Description": "The encryption method used to secure communications to the LDAP server. Examples include `plain` (no encryption), `SSL/LDAPS` (encrypted from the start), and `StartTLS` (upgrade to encrypted communication once connected).", - "LDAP_Find_User_After_Login": "Find user after login", - "LDAP_Find_User_After_Login_Description": "Will perform a search of the user's DN after bind to ensure the bind was successful preventing login with empty passwords when allowed by the AD configuration.", - "LDAP_Group_Filter_Enable": "Enable LDAP User Group Filter", - "LDAP_Group_Filter_Enable_Description": "Restrict access to users in a LDAP group
Useful for allowing OpenLDAP servers without a *memberOf* filter to restrict access by groups", - "LDAP_Group_Filter_Group_Id_Attribute": "Group ID Attribute", - "LDAP_Group_Filter_Group_Id_Attribute_Description": "E.g. *OpenLDAP:*cn", - "LDAP_Group_Filter_Group_Member_Attribute": "Group Member Attribute", - "LDAP_Group_Filter_Group_Member_Attribute_Description": "E.g. *OpenLDAP:*uniqueMember", - "LDAP_Group_Filter_Group_Member_Format": "Group Member Format", - "LDAP_Group_Filter_Group_Member_Format_Description": "E.g. *OpenLDAP:*uid=#{username},ou=users,o=Company,c=com", - "LDAP_Group_Filter_Group_Name": "Group name", - "LDAP_Group_Filter_Group_Name_Description": "Group name to which it belong the user", - "LDAP_Group_Filter_ObjectClass": "Group ObjectClass", - "LDAP_Group_Filter_ObjectClass_Description": "The *objectclass* that identify the groups.
E.g. OpenLDAP:groupOfUniqueNames", - "LDAP_Groups_To_Rocket_Chat_Teams": "Team mapping from LDAP to Rocket.Chat.", - "LDAP_Host": "Host", - "LDAP_Host_Description": "The LDAP host, e.g. `ldap.example.com` or `10.0.0.30`.", - "LDAP_Idle_Timeout": "Idle Timeout (ms)", - "LDAP_Idle_Timeout_Description": "How many milliseconds wait after the latest LDAP operation until close the connection. (Each operation will open a new connection)", - "LDAP_Import_Users_Description": "It True sync process will be import all LDAP users
*Caution!* Specify search filter to not import excess users.", - "LDAP_Internal_Log_Level": "Internal Log Level", - "LDAP_Login_Fallback": "Login Fallback", - "LDAP_Login_Fallback_Description": "If the login on LDAP is not successful try to login in default/local account system. Helps when the LDAP is down for some reason.", - "LDAP_Merge_Existing_Users": "Merge Existing Users", - "LDAP_Merge_Existing_Users_Description": "*Caution!* When importing a user from LDAP and an user with same username already exists the LDAP info and password will be set into the existing user.", - "LDAP_Port": "Port", - "LDAP_Port_Description": "Port to access LDAP. eg: `389` or `636` for LDAPS", - "LDAP_Prevent_Username_Changes": "Prevent LDAP users from changing their Rocket.Chat username", - "LDAP_Query_To_Get_User_Teams": "LDAP query to get user groups", - "LDAP_Reconnect": "Reconnect", - "LDAP_Reconnect_Description": "Try to reconnect automatically when connection is interrupted by some reason while executing operations", - "LDAP_Reject_Unauthorized": "Reject Unauthorized", - "LDAP_Reject_Unauthorized_Description": "Disable this option to allow certificates that can not be verified. Usually Self Signed Certificates will require this option disabled to work", - "LDAP_Search_Page_Size": "Search Page Size", - "LDAP_Search_Page_Size_Description": "The maximum number of entries each result page will return to be processed", - "LDAP_Search_Size_Limit": "Search Size Limit", - "LDAP_Search_Size_Limit_Description": "The maximum number of entries to return.
**Attention** This number should greater than **Search Page Size**", - "LDAP_Sync_Custom_Fields": "Sync Custom Fields", - "LDAP_CustomFieldMap": "Custom Fields Mapping", - "LDAP_Sync_AutoLogout_Enabled": "Enable Auto Logout", - "LDAP_Sync_AutoLogout_Interval": "Auto Logout Interval", - "LDAP_Sync_Now": "Sync Now", - "LDAP_Sync_Now_Description": "This will start a **Background Sync** operation now, without waiting for the next scheduled Sync.\nThis action is asynchronous, please see the logs for more information.", - "LDAP_Sync_User_Active_State": "Sync User Active State", - "LDAP_Sync_User_Active_State_Both": "Enable and Disable Users", - "LDAP_Sync_User_Active_State_Description": "Determine if users should be enabled or disabled on Rocket.Chat based on the LDAP status. The 'pwdAccountLockedTime' attribute will be used to determine if the user is disabled.", - "LDAP_Sync_User_Active_State_Disable": "Disable Users", - "LDAP_Sync_User_Active_State_Nothing": "Do Nothing", - "LDAP_Sync_User_Avatar": "Sync User Avatar", - "LDAP_Sync_User_Data_Roles": "Sync LDAP Groups", - "LDAP_Sync_User_Data_Channels": "Auto Sync LDAP Groups to Channels", - "LDAP_Sync_User_Data_Channels_Admin": "Channel Admin", - "LDAP_Sync_User_Data_Channels_Admin_Description": "When channels are auto-created that do not exist during a sync, this user will automatically become the admin for the channel.", - "LDAP_Sync_User_Data_Channels_BaseDN": "LDAP Group BaseDN", - "LDAP_Sync_User_Data_Channels_Description": "Enable this feature to automatically add users to a channel based on their LDAP group. If you would like to also remove users from a channel, see the option below about auto removing users.", - "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels": "Auto Remove Users from Channels", - "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels_Description": "**Attention**: Enabling this will remove any users in a channel that do not have the corresponding LDAP group! Only enable this if you know what you're doing.", - "LDAP_Sync_User_Data_Channels_Filter": "User Group Filter", - "LDAP_Sync_User_Data_Channels_Filter_Description": "The LDAP search filter used to check if a user is in a group.", - "LDAP_Sync_User_Data_ChannelsMap": "LDAP Group Channel Map", - "LDAP_Sync_User_Data_ChannelsMap_Default": "// Enable Auto Sync LDAP Groups to Channels above", - "LDAP_Sync_User_Data_ChannelsMap_Description": "Map LDAP groups to Rocket.Chat channels.
As an example, `{\"employee\":\"general\"}` will add any user in the LDAP group employee, to the general channel.", - "LDAP_Sync_User_Data_Roles_AutoRemove": "Auto Remove User Roles", - "LDAP_Sync_User_Data_Roles_AutoRemove_Description": "**Attention**: Enabling this will automatically remove users from a role if they are not assigned in LDAP! This will only remove roles automatically that are set under the user data group map below.", - "LDAP_Sync_User_Data_Roles_BaseDN": "LDAP Group BaseDN", - "LDAP_Sync_User_Data_Roles_BaseDN_Description": "The LDAP BaseDN used to lookup users.", - "LDAP_Sync_User_Data_Roles_Filter": "User Group Filter", - "LDAP_Sync_User_Data_Roles_Filter_Description": "The LDAP search filter used to check if a user is in a group.", - "LDAP_Sync_User_Data_RolesMap": "User Data Group Map", - "LDAP_Sync_User_Data_RolesMap_Description": "Map LDAP groups to Rocket.Chat user roles
As an example, `{\"rocket-admin\":\"admin\", \"tech-support\":\"support\", \"manager\":[\"leader\", \"moderator\"]}` will map the rocket-admin LDAP group to Rocket's \"admin\" role.", - "LDAP_Teams_BaseDN": "LDAP Teams BaseDN", - "LDAP_Teams_BaseDN_Description": "The LDAP BaseDN used to lookup user teams.", - "LDAP_Teams_Name_Field": "LDAP Team Name Attribute", - "LDAP_Teams_Name_Field_Description": "The LDAP attribute that Rocket.Chat should use to load the team's name. You can specify more than one possible attribute name if you separate them with a comma.", - "LDAP_Timeout": "Timeout (ms)", - "LDAP_Timeout_Description": "How many mileseconds wait for a search result before return an error", - "LDAP_Unique_Identifier_Field": "Unique Identifier Field", - "LDAP_Unique_Identifier_Field_Description": "Which field will be used to link the LDAP user and the Rocket.Chat user. You can inform multiple values separated by comma to try to get the value from LDAP record.
Default value is `objectGUID,ibm-entryUUID,GUID,dominoUNID,nsuniqueId,uidNumber`", - "LDAP_User_Found": "LDAP User Found", - "LDAP_User_Search_AttributesToQuery": "Attributes to Query", - "LDAP_User_Search_AttributesToQuery_Description": "Specify which attributes should be returned on LDAP queries, separating them with commas. Defaults to everything. `*` represents all regular attributes and `+` represents all operational attributes. Make sure to include every attribute that is used by every Rocket.Chat sync option.", - "LDAP_User_Search_Field": "Search Field", - "LDAP_User_Search_Field_Description": "The LDAP attribute that identifies the LDAP user who attempts authentication. This field should be `sAMAccountName` for most Active Directory installations, but it may be `uid` for other LDAP solutions, such as OpenLDAP. You can use `mail` to identify users by email or whatever attribute you want.
You can use multiple values separated by comma to allow users to login using multiple identifiers like username or email.", - "LDAP_User_Search_Filter": "Filter", - "LDAP_User_Search_Filter_Description": "If specified, only users that match this filter will be allowed to log in. If no filter is specified, all users within the scope of the specified domain base will be able to sign in.
E.g. for Active Directory `memberOf=cn=ROCKET_CHAT,ou=General Groups`.
E.g. for OpenLDAP (extensible match search) `ou:dn:=ROCKET_CHAT`.", - "LDAP_User_Search_Scope": "Scope", - "LDAP_Username_Field": "Username Field", - "LDAP_Username_Field_Description": "Which field will be used as *username* for new users. Leave empty to use the username informed on login page.
You can use template tags too, like `#{givenName}.#{sn}`.
Default value is `sAMAccountName`.", - "LDAP_Username_To_Search": "Username to search", - "LDAP_Validate_Teams_For_Each_Login": "Validate mapping for each login", - "LDAP_Validate_Teams_For_Each_Login_Description": "Determine if users' teams should be updated every time they login to Rocket.Chat. If this is turned off the team will be loaded only on their first login.", - "Lead_capture_email_regex": "Lead capture email regex", - "Lead_capture_phone_regex": "Lead capture phone regex", - "Least_recent_updated": "Least recent updated", - "Leave": "Leave", - "Leave_a_comment": "Leave a comment", - "Leave_Group_Warning": "Are you sure you want to leave the group \"%s\"?", - "Leave_Livechat_Warning": "Are you sure you want to leave the omnichannel with \"%s\"?", - "Leave_Private_Warning": "Are you sure you want to leave the discussion with \"%s\"?", - "Leave_room": "Leave", - "Leave_Room_Warning": "Are you sure you want to leave the channel \"%s\"?", - "Leave_the_current_channel": "Leave the current channel", - "Leave_the_description_field_blank_if_you_dont_want_to_show_the_role": "Leave the description field blank if you don't want to show the role", - "leave-c": "Leave Channels", - "leave-c_description": "Permission to leave channels", - "leave-p": "Leave Private Groups", - "leave-p_description": "Permission to leave private groups", - "Lets_get_you_new_one": "Let's get you a new one!", - "License": "License", - "line": "line", - "link": "link", - "Link_Preview": "Link Preview", - "List_of_Channels": "List of Channels", - "List_of_departments_for_forward": "List of departments allowed for forwarding (Optional)", - "List_of_departments_for_forward_description": "Allow to set a restricted list of departments that can receive chats from this department", - "List_of_departments_to_apply_this_business_hour": "List of departments to apply this business hour", - "List_of_Direct_Messages": "List of Direct Messages", - "Livechat": "Livechat", - "Livechat_abandoned_rooms_action": "How to handle Visitor Abandonment", - "Livechat_abandoned_rooms_closed_custom_message": "Custom message when room is automatically closed by visitor inactivity", - "Livechat_agents": "Omnichannel agents", - "Livechat_Agents": "Agents", - "Livechat_allow_manual_on_hold": "Allow agents to manually place chat On Hold", - "Livechat_allow_manual_on_hold_Description": "If enabled, the agent will get a new option to place a chat On Hold, provided the agent has sent the last message", - "Livechat_AllowedDomainsList": "Livechat Allowed Domains", - "Livechat_Appearance": "Livechat Appearance", - "Livechat_auto_close_on_hold_chats_custom_message": "Custom message for closed chats in On Hold queue", - "Livechat_auto_close_on_hold_chats_custom_message_Description": "Custom Message to be sent when a room in On-Hold queue gets automatically closed by the system", - "Livechat_auto_close_on_hold_chats_timeout": "How long to wait before closing a chat in On Hold Queue ?", - "Livechat_auto_close_on_hold_chats_timeout_Description": "Define how long the chat will remain in the On Hold queue until it's automatically closed by the system. Time in seconds", - "Livechat_auto_transfer_chat_timeout": "Timeout (in seconds) for automatic transfer of unanswered chats to another agent", - "Livechat_auto_transfer_chat_timeout_Description": "This event takes place only when the chat has just started. After the first transfering for inactivity, the room is no longer monitored.", - "Livechat_business_hour_type": "Business Hour Type (Single or Multiple)", - "Livechat_chat_transcript_sent": "Chat transcript sent: __transcript__", - "Livechat_close_chat": "Close chat", - "Livechat_custom_fields_options_placeholder": "Comma-separated list used to select a pre-configured value. Spaces between elements are not accepted.", - "Livechat_custom_fields_public_description": "Public custom fields will be displayed in external applications, such as Livechat, etc.", - "Livechat_Dashboard": "Omnichannel Dashboard", - "Livechat_DepartmentOfflineMessageToChannel": "Send this department's Livechat offline messages to a channel", - "Livechat_enable_message_character_limit": "Enable message character limit", - "Livechat_enabled": "Omnichannel enabled", - "Livechat_Facebook_API_Key": "OmniChannel API Key", - "Livechat_Facebook_API_Secret": "OmniChannel API Secret", - "Livechat_Facebook_Enabled": "Facebook integration enabled", - "Livechat_forward_open_chats": "Forward open chats", - "Livechat_forward_open_chats_timeout": "Timeout (in seconds) to forward chats", - "Livechat_guest_count": "Guest Counter", - "Livechat_Inquiry_Already_Taken": "Omnichannel inquiry already taken", - "Livechat_Installation": "Livechat Installation", - "Livechat_last_chatted_agent_routing": "Last-Chatted Agent Preferred", - "Livechat_last_chatted_agent_routing_Description": "The Last-Chatted Agent setting allocates chats to the agent who previously interacted with the same visitor if the agent is available when the chat starts.", - "Livechat_managers": "Omnichannel managers", - "Livechat_Managers": "Managers", - "Livechat_max_queue_wait_time_action": "How to handle queued chats when the maximum wait time is reached", - "Livechat_maximum_queue_wait_time": "Maximum waiting time in queue", - "Livechat_maximum_queue_wait_time_description": "Maximum time (in minutes) to keep chats on queue. -1 means unlimited", - "Livechat_message_character_limit": "Livechat message character limit", - "Livechat_monitors": "Livechat monitors", - "Livechat_Monitors": "Monitors", - "Livechat_offline": "Omnichannel offline", - "Livechat_offline_message_sent": "Livechat offline message sent", - "Livechat_OfflineMessageToChannel_enabled": "Send Livechat offline messages to a channel", - "Omnichannel_on_hold_chat_resumed": "On Hold Chat Resumed: __comment__", - "Omnichannel_on_hold_chat_automatically": "The chat was automatically resumed from On Hold upon receiving a new message from __guest__", - "Omnichannel_on_hold_chat_manually": "The chat was manually resumed from On Hold by __user__", - "Omnichannel_On_Hold_due_to_inactivity": "The chat was automatically placed On Hold because we haven't received any reply from __guest__ in __timeout__ seconds", - "Omnichannel_On_Hold_manually": "The chat was manually placed On Hold by __user__", - "Omnichannel_onHold_Chat": "Place chat On-Hold", - "Livechat_online": "Omnichannel on-line", - "Omnichannel_placed_chat_on_hold": "Chat On Hold: __comment__", - "Livechat_Queue": "Omnichannel Queue", - "Livechat_registration_form": "Registration Form", - "Livechat_registration_form_message": "Registration Form Message", - "Livechat_room_count": "Omnichannel Room Count", - "Livechat_Routing_Method": "Omnichannel Routing Method", - "Livechat_status": "Livechat Status", - "Livechat_Take_Confirm": "Do you want to take this client?", - "Livechat_title": "Livechat Title", - "Livechat_title_color": "Livechat Title Background Color", - "Livechat_transcript_already_requested_warning": "The transcript of this chat has already been requested and will be sent as soon as the conversation ends.", - "Livechat_transcript_has_been_requested": "The chat transcript has been requested.", - "Livechat_transcript_request_has_been_canceled": "The chat transcription request has been canceled.", - "Livechat_transcript_sent": "Omnichannel transcript sent", - "Livechat_transfer_return_to_the_queue": "__from__ returned the chat to the queue", - "Livechat_transfer_to_agent": "__from__ transferred the chat to __to__", - "Livechat_transfer_to_agent_with_a_comment": "__from__ transferred the chat to __to__ with a comment: __comment__", - "Livechat_transfer_to_department": "__from__ transferred the chat to the department __to__", - "Livechat_transfer_to_department_with_a_comment": "__from__ transferred the chat to the department __to__ with a comment: __comment__", - "Livechat_transfer_failed_fallback": "The original department ( __from__ ) doesn't have online agents. Chat succesfully transferred to __to__", - "Livechat_Triggers": "Livechat Triggers", - "Livechat_user_sent_chat_transcript_to_visitor": "__agent__ sent the chat transcript to __guest__", - "Livechat_Users": "Omnichannel Users", - "Livechat_Calls": "Livechat Calls", - "Livechat_visitor_email_and_transcript_email_do_not_match": "Visitor's email and transcript's email do not match", - "Livechat_visitor_transcript_request": "__guest__ requested the chat transcript", - "LiveStream & Broadcasting": "LiveStream & Broadcasting", - "LiveStream & Broadcasting_Description": "This integration between Rocket.Chat and YouTube Live allows channel owners to broadcast their camera feed live to livestream inside a channel.", - "Livestream": "Livestream", - "Livestream_close": "Close Livestream", - "Livestream_enable_audio_only": "Enable only audio mode", - "Livestream_enabled": "Livestream Enabled", - "Livestream_not_found": "Livestream not available", - "Livestream_popout": "Open Livestream", - "Livestream_source_changed_succesfully": "Livestream source changed successfully", - "Livestream_switch_to_room": "Switch to current room's livestream", - "Livestream_url": "Livestream source url", - "Livestream_url_incorrect": "Livestream url is incorrect", - "Livestream_live_now": "Live now!", - "Load_Balancing": "Load Balancing", - "Load_more": "Load more", - "Load_Rotation": "Load Rotation", - "Loading": "Loading", - "Loading_more_from_history": "Loading more from history", - "Loading_suggestion": "Loading suggestions", - "Loading...": "Loading...", - "Local_Domains": "Local Domains", - "Local_Password": "Local Password", - "Local_Time": "Local Time", - "Local_Timezone": "Local Timezone", - "Local_Time_time": "Local Time: __time__", - "Localization": "Localization", - "Location": "Location", - "Log_Exceptions_to_Channel": "Log Exceptions to Channel", - "Log_Exceptions_to_Channel_Description": "A channel that will receive all captured exceptions. Leave empty to ignore exceptions.", - "Log_File": "Show File and Line", - "Log_Level": "Log Level", - "Log_Package": "Show Package", - "Log_Trace_Methods": "Trace method calls", - "Log_Trace_Methods_Filter": "Trace method filter", - "Log_Trace_Methods_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", - "Log_Trace_Subscriptions": "Trace subscription calls", - "Log_Trace_Subscriptions_Filter": "Trace subscription filter", - "Log_Trace_Subscriptions_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", - "Log_View_Limit": "Log View Limit", - "Logged_out_of_other_clients_successfully": "Logged out of other clients successfully", - "Login": "Login", - "Login_Attempts": "Failed Login Attempts", - "Login_Logs": "Login Logs", - "Login_Logs_ClientIp": "Show Client IP on failed login attempts logs", - "Login_Logs_Enabled": "Log (on console) failed login attempts", - "Login_Logs_ForwardedForIp": "Show Forwarded IP on failed login attempts logs", - "Login_Logs_UserAgent": "Show UserAgent on failed login attempts logs", - "Login_Logs_Username": "Show Username on failed login attempts logs", - "Login_with": "Login with %s", - "Logistics": "Logistics", - "Logout": "Logout", - "Logout_Others": "Logout From Other Logged In Locations", - "Logs": "Logs", - "Logs_Description": "Configure how server logs are received.", - "Longest_chat_duration": "Longest Chat Duration", - "Longest_reaction_time": "Longest Reaction Time", - "Longest_response_time": "Longest Response Time", - "Looked_for": "Looked for", - "Mail_Message_Invalid_emails": "You have provided one or more invalid emails: %s", - "Mail_Message_Missing_subject": "You must provide an email subject.", - "Mail_Message_Missing_to": "You must select one or more users or provide one or more email addresses, separated by commas.", - "Mail_Message_No_messages_selected_select_all": "You haven't selected any messages", - "Mail_Messages": "Mail Messages", - "Mail_Messages_Instructions": "Choose which messages you want to send via email by clicking the messages", - "Mail_Messages_Subject": "Here's a selected portion of %s messages", - "mail-messages": "Mail Messages", - "mail-messages_description": "Permission to use the mail messages option", - "Mailer": "Mailer", - "Mailer_body_tags": "You must use [unsubscribe] for the unsubscription link.
You may use [name], [fname], [lname] for the user's full name, first name or last name, respectively.
You may use [email] for the user's email.", - "Mailing": "Mailing", - "Make_Admin": "Make Admin", - "Make_sure_you_have_a_copy_of_your_codes_1": "Make sure you have a copy of your codes:", - "Make_sure_you_have_a_copy_of_your_codes_2": "If you lose access to your authenticator app, you can use one of these codes to log in.", - "manage-apps": "Manage Apps", - "manage-apps_description": "Permission to manage all apps", - "manage-assets": "Manage Assets", - "manage-assets_description": "Permission to manage the server assets", - "manage-cloud": "Manage Cloud", - "manage-cloud_description": "Permission to manage cloud", - "manage-email-inbox": "Manage Email Inbox", - "manage-email-inbox_description": "Permission to manage email inboxes", - "manage-emoji": "Manage Emoji", - "manage-emoji_description": "Permission to manage the server emojis", - "manage-incoming-integrations": "Manage Incoming Integrations", - "manage-incoming-integrations_description": "Permission to manage the server incoming integrations", - "manage-integrations": "Manage Integrations", - "manage-integrations_description": "Permission to manage the server integrations", - "manage-livechat-agents": "Manage Omnichannel Agents", - "manage-livechat-agents_description": "Permission to manage omnichannel agents", - "manage-livechat-departments": "Manage Omnichannel Departments", - "manage-livechat-departments_description": "Permission to manage omnichannel departments", - "manage-livechat-managers": "Manage Omnichannel Managers", - "manage-livechat-managers_description": "Permission to manage omnichannel managers", - "manage-oauth-apps": "Manage Oauth Apps", - "manage-oauth-apps_description": "Permission to manage the server Oauth apps", - "manage-outgoing-integrations": "Manage Outgoing Integrations", - "manage-outgoing-integrations_description": "Permission to manage the server outgoing integrations", - "manage-own-incoming-integrations": "Manage Own Incoming Integrations", - "manage-own-incoming-integrations_description": "Permission to allow users to create and edit their own incoming integration or webhooks", - "manage-own-integrations": "Manage Own Integrations", - "manage-own-integrations_description": "Permition to allow users to create and edit their own integration or webhooks", - "manage-own-outgoing-integrations": "Manage Own Outgoing Integrations", - "manage-own-outgoing-integrations_description": "Permission to allow users to create and edit their own outgoing integration or webhooks", - "manage-selected-settings": "Change some settings", - "manage-selected-settings_description": "Permission to change settings which are explicitly granted to be changed", - "manage-sounds": "Manage Sounds", - "manage-sounds_description": "Permission to manage the server sounds", - "manage-the-app": "Manage the App", - "manage-user-status": "Manage User Status", - "manage-user-status_description": "Permission to manage the server custom user statuses", - "Manager_added": "Manager added", - "Manager_removed": "Manager removed", - "Managers": "Managers", - "manage-chatpal": "Manage Chatpal", - "Management_Server": "Management Server", - "Managing_assets": "Managing assets", - "Managing_integrations": "Managing integrations", - "Manual_Selection": "Manual Selection", - "Manufacturing": "Manufacturing", - "MapView_Enabled": "Enable Mapview", - "MapView_Enabled_Description": "Enabling mapview will display a location share button on the right of the chat input field.", - "MapView_GMapsAPIKey": "Google Static Maps API Key", - "MapView_GMapsAPIKey_Description": "This can be obtained from the Google Developers Console for free.", - "Mark_all_as_read": "Mark all messages (in all channels) as read", - "Mark_as_read": "Mark As Read", - "Mark_as_unread": "Mark As Unread", - "Mark_read": "Mark Read", - "Mark_unread": "Mark Unread", - "Markdown_Headers": "Allow Markdown headers in messages", - "Markdown_Marked_Breaks": "Enable Marked Breaks", - "Markdown_Marked_GFM": "Enable Marked GFM", - "Markdown_Marked_Pedantic": "Enable Marked Pedantic", - "Markdown_Marked_SmartLists": "Enable Marked Smart Lists", - "Markdown_Marked_Smartypants": "Enable Marked Smartypants", - "Markdown_Marked_Tables": "Enable Marked Tables", - "Markdown_Parser": "Markdown Parser", - "Markdown_SupportSchemesForLink": "Markdown Support Schemes for Link", - "Markdown_SupportSchemesForLink_Description": "Comma-separated list of allowed schemes", - "Marketplace": "Marketplace", - "Marketplace_app_last_updated": "Last updated __lastUpdated__ ago", - "Marketplace_view_marketplace": "View Marketplace", - "Marketplace_error": "Cannot connect to internet or your workspace may be an offline install.", - "MAU_value": "MAU __value__", - "Max_length_is": "Max length is %s", - "Max_number_incoming_livechats_displayed": "Max number of items displayed in the queue", - "Max_number_incoming_livechats_displayed_description": "(Optional) Max number of items displayed in the incoming Omnichannel queue.", - "Max_number_of_chats_per_agent": "Max. number of simultaneous chats", - "Max_number_of_chats_per_agent_description": "The max. number of simultaneous chats that the agents can attend", - "Max_number_of_uses": "Max number of uses", - "Maximum": "Maximum", - "Maximum_number_of_guests_reached": "Maximum number of guests reached", - "Me": "Me", - "Media": "Media", - "Medium": "Medium", - "Members": "Members", - "Members_List": "Members List", - "mention-all": "Mention All", - "mention-all_description": "Permission to use the @all mention", - "mention-here": "Mention Here", - "mention-here_description": "Permission to use the @here mention", - "Mentions": "Mentions", - "Mentions_default": "Mentions (default)", - "Mentions_only": "Mentions only", - "Merge_Channels": "Merge Channels", - "message": "message", - "Message": "Message", - "Message_Description": "Configure message settings.", - "Message_AllowBadWordsFilter": "Allow Message bad words filtering", - "Message_AllowConvertLongMessagesToAttachment": "Allow converting long messages to attachment", - "Message_AllowDeleting": "Allow Message Deleting", - "Message_AllowDeleting_BlockDeleteInMinutes": "Block Message Deleting After (n) Minutes", - "Message_AllowDeleting_BlockDeleteInMinutes_Description": "Enter 0 to disable blocking.", - "Message_AllowDirectMessagesToYourself": "Allow user direct messages to yourself", - "Message_AllowEditing": "Allow Message Editing", - "Message_AllowEditing_BlockEditInMinutes": "Block Message Editing After (n) Minutes", - "Message_AllowEditing_BlockEditInMinutesDescription": "Enter 0 to disable blocking.", - "Message_AllowPinning": "Allow Message Pinning", - "Message_AllowPinning_Description": "Allow messages to be pinned to any of the channels.", - "Message_AllowSnippeting": "Allow Message Snippeting", - "Message_AllowStarring": "Allow Message Starring", - "Message_AllowUnrecognizedSlashCommand": "Allow Unrecognized Slash Commands", - "Message_Already_Sent": "This message has already been sent and is being processed by the server", - "Message_AlwaysSearchRegExp": "Always Search Using RegExp", - "Message_AlwaysSearchRegExp_Description": "We recommend to set `True` if your language is not supported on MongoDB text search.", - "Message_Attachments": "Message Attachments", - "Message_Attachments_GroupAttach": "Group Attachment Buttons", - "Message_Attachments_GroupAttachDescription": "This groups the icons under an expandable menu. Takes up less screen space.", - "Message_Attachments_Thumbnails_Enabled": "Enable image thumbnails to save bandwith", - "Message_Attachments_Thumbnails_Width": "Thumbnail's max width (in pixels)", - "Message_Attachments_Thumbnails_Height": "Thumbnail's max height (in pixels)", - "Message_Attachments_Thumbnails_EnabledDesc": "Thumbnails will be served instead of the original image to reduce bandwith usage. Images at original resolution can be downloaded using the icon next to the attachment's name.", - "Message_Attachments_Strip_Exif": "Remove EXIF metadata from supported files", - "Message_Attachments_Strip_ExifDescription": "Strips out EXIF metadata from image files (jpeg, tiff, etc). This setting is not retroactive, so files uploaded while disabled will have EXIF data", - "Message_Audio": "Audio Message", - "Message_Audio_bitRate": "Audio Message Bit Rate", - "Message_AudioRecorderEnabled": "Audio Recorder Enabled", - "Message_AudioRecorderEnabled_Description": "Requires 'audio/mp3' files to be an accepted media type within 'File Upload' settings.", - "Message_auditing": "Message auditing", - "Message_auditing_log": "Message auditing log", - "Message_BadWordsFilterList": "Add Bad Words to the Blacklist", - "Message_BadWordsFilterListDescription": "Add List of Comma-separated list of bad words to filter", - "Message_BadWordsWhitelist": "Remove words from the Blacklist", - "Message_BadWordsWhitelistDescription": "Add a comma-separated list of words to be removed from filter", - "Message_Characther_Limit": "Message Character Limit", - "Message_Code_highlight": "Code highlighting languages list", - "Message_Code_highlight_Description": "Comma separated list of languages (all supported languages at https://github.com/highlightjs/highlight.js/tree/9.18.5#supported-languages) that will be used to highlight code blocks", - "message_counter": "__counter__ message", - "message_counter_plural": "__counter__ messages", - "Message_DateFormat": "Date Format", - "Message_DateFormat_Description": "See also: Moment.js", - "Message_deleting_blocked": "This message cannot be deleted anymore", - "Message_editing": "Message editing", - "Message_ErasureType": "Message Erasure Type", - "Message_ErasureType_Delete": "Delete All Messages", - "Message_ErasureType_Description": "Determine what to do with messages of users who remove their account.\n\n**Keep Messages and User Name:** The message and files history of the user will be deleted from Direct Messages and will be kept in other rooms.\n\n**Delete All Messages:** All messages and files from the user will be deleted from the database and it will not be possible to locate the user anymore.\n\n**Remove link between user and messages:** This option will assign all messages and fles of the user to Rocket.Cat bot and Direct Messages are going to be deleted.", - "Message_ErasureType_Keep": "Keep Messages and User Name", - "Message_ErasureType_Unlink": "Remove Link Between User and Messages", - "Message_GlobalSearch": "Global Search", - "Message_GroupingPeriod": "Grouping Period (in seconds)", - "Message_GroupingPeriodDescription": "Messages will be grouped with previous message if both are from the same user and the elapsed time was less than the informed time in seconds.", - "Message_has_been_edited": "Message has been edited", - "Message_has_been_edited_at": "Message has been edited at __date__", - "Message_has_been_edited_by": "Message has been edited by __username__", - "Message_has_been_edited_by_at": "Message has been edited by __username__ at __date__", - "Message_has_been_pinned": "Message has been pinned", - "Message_has_been_starred": "Message has been starred", - "Message_has_been_unpinned": "Message has been unpinned", - "Message_has_been_unstarred": "Message has been unstarred", - "Message_HideType_au": "Hide \"User Added\" messages", - "Message_HideType_added_user_to_team": "Hide \"User Added to Team\" messages", - "Message_HideType_mute_unmute": "Hide \"User Muted / Unmuted\" messages", - "Message_HideType_r": "Hide \"Room Name Changed\" messages", - "Message_HideType_rm": "Hide \"Message Removed\" messages", - "Message_HideType_room_allowed_reacting": "Hide \"Room allowed reacting\" messages", - "Message_HideType_room_archived": "Hide \"Room Archived\" messages", - "Message_HideType_room_changed_avatar": "Hide \"Room avatar changed\" messages", - "Message_HideType_room_changed_privacy": "Hide \"Room type changed\" messages", - "Message_HideType_room_changed_topic": "Hide \"Room topic changed\" messages", - "Message_HideType_room_disallowed_reacting": "Hide \"Room disallowed reacting\" messages", - "Message_HideType_room_enabled_encryption": "Hide \"Room encryption enabled\" messages", - "Message_HideType_room_disabled_encryption": "Hide \"Room encryption disabled\" messages", - "Message_HideType_room_set_read_only": "Hide \"Room set Read Only\" messages", - "Message_HideType_room_removed_read_only": "Hide \"Room added writing permission\" messages", - "Message_HideType_room_unarchived": "Hide \"Room Unarchived\" messages", - "Message_HideType_ru": "Hide \"User Removed\" messages", - "Message_HideType_removed_user_from_team": "Hide \"User Removed from Team\" messages", - "Message_HideType_subscription_role_added": "Hide \"Was Set Role\" messages", - "Message_HideType_subscription_role_removed": "Hide \"Role No Longer Defined\" messages", - "Message_HideType_uj": "Hide \"User Join\" messages", - "Message_HideType_ujt": "Hide \"User Joined Team\" messages", - "Message_HideType_ul": "Hide \"User Leave\" messages", - "Message_HideType_ult": "Hide \"User Left Team\" messages", - "Message_HideType_user_added_room_to_team": "Hide \"User Added Room to Team\" messages", - "Message_HideType_user_converted_to_channel": "Hide \"User converted team to a Channel\" messages", - "Message_HideType_user_converted_to_team": "Hide \"User converted channel to a Team\" messages", - "Message_HideType_user_deleted_room_from_team": "Hide \"User deleted room from Team\" messages", - "Message_HideType_user_removed_room_from_team": "Hide \"User removed room from Team\" messages", - "Message_HideType_ut": "Hide \"User Joined Conversation\" messages", - "Message_HideType_wm": "Hide \"Welcome\" messages", - "Message_Id": "Message Id", - "Message_Ignored": "This message was ignored", - "message-impersonate": "Impersonate Other Users", - "message-impersonate_description": "Permission to impersonate other users using message alias", - "Message_info": "Message info", - "Message_KeepHistory": "Keep Per Message Editing History", - "Message_MaxAll": "Maximum Channel Size for ALL Message", - "Message_MaxAllowedSize": "Maximum Allowed Characters Per Message", - "Message_pinning": "Message pinning", - "message_pruned": "message pruned", - "Message_QuoteChainLimit": "Maximum Number of Chained Quotes", - "Message_Read_Receipt_Enabled": "Show Read Receipts", - "Message_Read_Receipt_Store_Users": "Detailed Read Receipts", - "Message_Read_Receipt_Store_Users_Description": "Shows each user's read receipts", - "Message_removed": "Message removed", - "Message_sent_by_email": "Message sent by Email", - "Message_ShowDeletedStatus": "Show Deleted Status", - "Message_ShowEditedStatus": "Show Edited Status", - "Message_ShowFormattingTips": "Show Formatting Tips", - "Message_starring": "Message starring", - "Message_Time": "Message Time", - "Message_TimeAndDateFormat": "Time and Date Format", - "Message_TimeAndDateFormat_Description": "See also: Moment.js", - "Message_TimeFormat": "Time Format", - "Message_TimeFormat_Description": "See also: Moment.js", - "Message_too_long": "Message too long", - "Message_UserId": "User Id", - "Message_VideoRecorderEnabled": "Video Recorder Enabled", - "Message_VideoRecorderEnabledDescription": "Requires 'video/webm' files to be an accepted media type within 'File Upload' settings.", - "Message_view_mode_info": "This changes the amount of space messages take up on screen.", - "MessageBox_view_mode": "MessageBox View Mode", - "messages": "messages", - "Messages": "Messages", - "messages_pruned": "messages pruned", - "Messages_selected": "Messages selected", - "Messages_sent": "Messages sent", - "Messages_that_are_sent_to_the_Incoming_WebHook_will_be_posted_here": "Messages that are sent to the Incoming WebHook will be posted here.", - "Meta": "Meta", - "Meta_Description": "Set custom Meta properties.", - "Meta_custom": "Custom Meta Tags", - "Meta_fb_app_id": "Facebook App Id", - "Meta_google-site-verification": "Google Site Verification", - "Meta_language": "Language", - "Meta_msvalidate01": "MSValidate.01", - "Meta_robots": "Robots", - "meteor_status_connected": "Connected", - "meteor_status_connecting": "Connecting...", - "meteor_status_failed": "The server connection failed", - "meteor_status_offline": "Offline mode.", - "meteor_status_reconnect_in": "trying again in one second...", - "meteor_status_reconnect_in_plural": "trying again in __count__ seconds...", - "meteor_status_try_now_offline": "Connect again", - "meteor_status_try_now_waiting": "Try now", - "meteor_status_waiting": "Waiting for server connection,", - "Method": "Method", - "Mic_off": "Mic Off", - "Min_length_is": "Min length is %s", - "Minimum": "Minimum", - "Minimum_balance": "Minimum balance", - "minute": "minute", - "minutes": "minutes", - "Mobex_sms_gateway_address": "Mobex SMS Gateway Address", - "Mobex_sms_gateway_address_desc": "IP or Host of your Mobex service with specified port. E.g. `http://192.168.1.1:1401` or `https://www.example.com:1401`", - "Mobex_sms_gateway_from_number": "From", - "Mobex_sms_gateway_from_number_desc": "Originating address/phone number when sending a new SMS to livechat client", - "Mobex_sms_gateway_from_numbers_list": "List of numbers to send SMS from", - "Mobex_sms_gateway_from_numbers_list_desc": "Comma-separated list of numbers to use in sending brand new messages, eg. 123456789, 123456788, 123456888", - "Mobex_sms_gateway_password": "Password", - "Mobex_sms_gateway_restful_address": "Mobex SMS REST API Address", - "Mobex_sms_gateway_restful_address_desc": "IP or Host of your Mobex REST API. E.g. `http://192.168.1.1:8080` or `https://www.example.com:8080`", - "Mobex_sms_gateway_username": "Username", - "Mobile": "Mobile", - "Mobile_Description": "Define behaviors for connecting to your workspace from mobile devices.", - "mobile-upload-file": "Allow file upload on mobile devices", - "Mobile_Push_Notifications_Default_Alert": "Push Notifications Default Alert", - "Monday": "Monday", - "Mongo_storageEngine": "Mongo Storage Engine", - "Mongo_version": "Mongo Version", - "MongoDB": "MongoDB", - "MongoDB_Deprecated": "MongoDB Deprecated", - "MongoDB_version_s_is_deprecated_please_upgrade_your_installation": "MongoDB version %s is deprecated, please upgrade your installation.", - "Monitor_added": "Monitor Added", - "Monitor_history_for_changes_on": "Monitor History for Changes on", - "Monitor_removed": "Monitor removed", - "Monitors": "Monitors", - "Monthly_Active_Users": "Monthly Active Users", - "More": "More", - "More_channels": "More channels", - "More_direct_messages": "More direct messages", - "More_groups": "More private groups", - "More_unreads": "More unreads", - "More_options": "More options", - "Most_popular_channels_top_5": "Most popular channels (Top 5)", - "Most_recent_updated": "Most recent updated", - "Move_beginning_message": "`%s` - Move to the beginning of the message", - "Move_end_message": "`%s` - Move to the end of the message", - "Move_queue": "Move to the queue", - "Msgs": "Msgs", - "multi": "multi", - "multi_line": "multi line", - "Mute": "Mute", - "Mute_all_notifications": "Mute all notifications", - "Mute_Focused_Conversations": "Mute Focused Conversations", - "Mute_Group_Mentions": "Mute @all and @here mentions", - "Mute_someone_in_room": "Mute someone in the room", - "Mute_user": "Mute user", - "Mute_microphone": "Mute Microphone", - "mute-user": "Mute User", - "mute-user_description": "Permission to mute other users in the same channel", - "Muted": "Muted", - "My Data": "My Data", - "My_Account": "My Account", - "My_location": "My location", - "n_messages": "%s messages", - "N_new_messages": "%s new messages", - "Name": "Name", - "Name_cant_be_empty": "Name can't be empty", - "Name_of_agent": "Name of agent", - "Name_optional": "Name (optional)", - "Name_Placeholder": "Please enter your name...", - "Navigation_History": "Navigation History", - "Next": "Next", - "Never": "Never", - "New": "New", - "New_Application": "New Application", - "New_Business_Hour": "New Business Hour", - "New_Canned_Response": "New Canned Response", - "New_chat_in_queue": "New chat in queue", - "New_chat_priority": "Priority Changed: __user__ changed the priority to __priority__", - "New_chat_transfer": "New Chat Transfer: __transfer__", - "New_chat_transfer_fallback": "Transferred to fallback department: __fallback__", - "New_Contact": "New Contact", - "New_Custom_Field": "New Custom Field", - "New_Department": "New Department", - "New_discussion": "New discussion", - "New_discussion_first_message": "Usually, a discussion starts with a question, like \"How do I upload a picture?\"", - "New_discussion_name": "A meaningful name for the discussion room", - "New_Email_Inbox": "New Email Inbox", - "New_encryption_password": "New encryption password", - "New_integration": "New integration", - "New_line_message_compose_input": "`%s` - New line in message compose input", - "New_Livechat_offline_message_has_been_sent": "A new Livechat offline Message has been sent", - "New_logs": "New logs", - "New_Message_Notification": "New Message Notification", - "New_messages": "New messages", - "New_OTR_Chat": "New OTR Chat", - "New_password": "New Password", - "New_Password_Placeholder": "Please enter new password...", - "New_Priority": "New Priority", - "New_role": "New role", - "New_Room_Notification": "New Room Notification", - "New_Tag": "New Tag", - "New_Trigger": "New Trigger", - "New_Unit": "New Unit", - "New_users": "New users", - "New_version_available_(s)": "New version available (%s)", - "New_videocall_request": "New Video Call Request", - "New_visitor_navigation": "New Navigation: __history__", - "Newer_than": "Newer than", - "Newer_than_may_not_exceed_Older_than": "\"Newer than\" may not exceed \"Older than\"", - "Nickname": "Nickname", - "Nickname_Placeholder": "Enter your nickname...", - "No": "No", - "No_available_agents_to_transfer": "No available agents to transfer", - "No_app_matches": "No app matches", - "No_app_matches_for": "No app matches for", - "No_apps_installed": "No Apps Installed", - "No_Canned_Responses": "No Canned Responses", - "No_Canned_Responses_Yet": "No Canned Responses Yet", - "No_Canned_Responses_Yet-description": "Use canned responses to provide quick and consistent answers to frequently asked questions.", - "No_channels_in_team": "No Channels on this Team", - "No_channels_yet": "You aren't part of any channels yet", - "No_data_found": "No data found", - "No_direct_messages_yet": "No Direct Messages.", - "No_Discussions_found": "No discussions found", - "No_discussions_yet": "No discussions yet", - "No_emojis_found": "No emojis found", - "No_Encryption": "No Encryption", - "No_files_found": "No files found", - "No_files_left_to_download": "No files left to download", - "No_groups_yet": "You have no private groups yet.", - "No_installed_app_matches": "No installed app matches", - "No_integration_found": "No integration found by the provided id.", - "No_Limit": "No Limit", - "No_livechats": "You have no livechats", - "No_marketplace_matches_for": "No Marketplace matches for", - "No_members_found": "No members found", - "No_mentions_found": "No mentions found", - "No_messages_found_to_prune": "No messages found to prune", - "No_messages_yet": "No messages yet", - "No_pages_yet_Try_hitting_Reload_Pages_button": "No pages yet. Try hitting \"Reload Pages\" button.", - "No_pinned_messages": "No pinned messages", - "No_previous_chat_found": "No previous chat found", - "No_results_found": "No results found", - "No_results_found_for": "No results found for:", - "No_snippet_messages": "No snippet", - "No_starred_messages": "No starred messages", - "No_such_command": "No such command: `/__command__`", - "No_Threads": "No threads found", - "Nobody_available": "Nobody available", - "Node_version": "Node Version", - "None": "None", - "Nonprofit": "Nonprofit", - "Normal": "Normal", - "Not_authorized": "Not authorized", - "Not_Available": "Not Available", - "Not_enough_data": "Not enough data", - "Not_following": "Not following", - "Not_Following": "Not Following", - "Not_found_or_not_allowed": "Not Found or Not Allowed", - "Not_Imported_Messages_Title": "The following messages were not imported successfully", - "Not_in_channel": "Not in channel", - "Not_likely": "Not likely", - "Not_started": "Not started", - "Not_verified": "Not verified", - "Nothing": "Nothing", - "Nothing_found": "Nothing found", - "Notice_that_public_channels_will_be_public_and_visible_to_everyone": "Notice that public Channels will be public and visible to everyone.", - "Notification_Desktop_Default_For": "Show Desktop Notifications For", - "Notification_Push_Default_For": "Send Push Notifications For", - "Notification_RequireInteraction": "Require Interaction to Dismiss Desktop Notification", - "Notification_RequireInteraction_Description": "Works only with Chrome browser versions > 50. Utilizes the parameter requireInteraction to show the desktop notification to indefinite until the user interacts with it.", - "Notifications": "Notifications", - "Notifications_Max_Room_Members": "Max Room Members Before Disabling All Message Notifications", - "Notifications_Max_Room_Members_Description": "Max number of members in room when notifications for all messages gets disabled. Users can still change per room setting to receive all notifications on an individual basis. (0 to disable)", - "Notifications_Muted_Description": "If you choose to mute everything, you won't see the room highlight in the list when there are new messages, except for mentions. Muting notifications will override notifications settings.", - "Notifications_Preferences": "Notifications Preferences", - "Notifications_Sound_Volume": "Notifications sound volume", - "Notify_active_in_this_room": "Notify active users in this room", - "Notify_all_in_this_room": "Notify all in this room", - "NPS_survey_enabled": "Enable NPS Survey", - "NPS_survey_enabled_Description": "Allow NPS survey run for all users. Admins will receive an alert 2 months upfront the survey is launched", - "NPS_survey_is_scheduled_to-run-at__date__for_all_users": "NPS survey is scheduled to run at __date__ for all users. It's possible to turn off the survey on 'Admin > General > NPS'", - "Default_Timezone_For_Reporting": "Default timezone for reporting", - "Default_Timezone_For_Reporting_Description": "Sets the default timezone that will be used when showing dashboards or sending emails", - "Default_Server_Timezone": "Server timezone", - "Default_Custom_Timezone": "Custom timezone", - "Default_User_Timezone": "User's current timezone", - "Num_Agents": "# Agents", - "Number_in_seconds": "Number in seconds", - "Number_of_events": "Number of events", - "Number_of_federated_servers": "Number of federated servers", - "Number_of_federated_users": "Number of federated users", - "Number_of_messages": "Number of messages", - "Number_of_most_recent_chats_estimate_wait_time": "Number of recent chats to calculate estimate wait time", - "Number_of_most_recent_chats_estimate_wait_time_description": "This number defines the number of last served rooms that will be used to calculate queue wait times.", - "Number_of_users_autocomplete_suggestions": "Number of users' autocomplete suggestions", - "OAuth": "OAuth", - "OAuth_Description": "Configure authentication methods beyond just username and password.", - "OAuth Apps": "OAuth Apps", - "OAuth_Application": "OAuth Application", - "OAuth_Applications": "OAuth Applications", - "Objects": "Objects", - "Off": "Off", - "Off_the_record_conversation": "Off-the-Record Conversation", - "Off_the_record_conversation_is_not_available_for_your_browser_or_device": "Off-the-Record conversation is not available for your browser or device.", - "Office_Hours": "Office Hours", - "Office_hours_enabled": "Office Hours Enabled", - "Office_hours_updated": "Office hours updated", - "offline": "offline", - "Offline": "Offline", - "Offline_DM_Email": "Direct Message Email Subject", - "Offline_Email_Subject_Description": "You may use the following placeholders:
  • [Site_Name], [Site_URL], [User] & [Room] for the Application Name, URL, Username & Roomname respectively.
", - "Offline_form": "Offline form", - "Offline_form_unavailable_message": "Offline Form Unavailable Message", - "Offline_Link_Message": "GO TO MESSAGE", - "Offline_Mention_All_Email": "Mention All Email Subject", - "Offline_Mention_Email": "Mention Email Subject", - "Offline_message": "Offline message", - "Offline_Message": "Offline Message", - "Offline_Message_Use_DeepLink": "Use Deep Link URL Format", - "Offline_messages": "Offline Messages", - "Offline_success_message": "Offline Success Message", - "Offline_unavailable": "Offline unavailable", - "Ok": "Ok", - "Old Colors": "Old Colors", - "Old Colors (minor)": "Old Colors (minor)", - "Older_than": "Older than", - "Omnichannel": "Omnichannel", - "Omnichannel_Description": "Set up Omnichannel to communicate with customers from one place, regardless of how they connect with you.", - "Omnichannel_Directory": "Omnichannel Directory", - "Omnichannel_appearance": "Omnichannel Appearance", - "Omnichannel_calculate_dispatch_service_queue_statistics": "Calculate and dispatch Omnichannel waiting queue statistics", - "Omnichannel_calculate_dispatch_service_queue_statistics_Description": "Processing and dispatching waiting queue statistics such as position and estimated waiting time. If *Livechat channel* is not in use, it is recommended to disable this setting and prevent the server from doing unnecessary processes.", - "Omnichannel_Contact_Center": "Omnichannel Contact Center", - "Omnichannel_contact_manager_routing": "Assign new conversations to the contact manager", - "Omnichannel_contact_manager_routing_Description": "This setting allocates a chat to the assigned Contact Manager, as long as the Contact Manager is online when the chat starts", - "Omnichannel_External_Frame": "External Frame", - "Omnichannel_External_Frame_Enabled": "External frame enabled", - "Omnichannel_External_Frame_Encryption_JWK": "Encryption key (JWK)", - "Omnichannel_External_Frame_Encryption_JWK_Description": "If provided it will encrypt the user's token with the provided key and the external system will need to decrypt the data to access the token", - "Omnichannel_External_Frame_URL": "External frame URL", - "On": "On", - "On_Hold": "On hold", - "On_Hold_Chats": "On Hold", - "On_Hold_conversations": "On hold conversations", - "online": "online", - "Online": "Online", - "Only_authorized_users_can_write_new_messages": "Only authorized users can write new messages", - "Only_authorized_users_can_react_to_messages": "Only authorized users can react to messages", - "Only_from_users": "Only prune content from these users (leave empty to prune everyone's content)", - "Only_Members_Selected_Department_Can_View_Channel": "Only members of selected department can view chats on this channel", - "Only_On_Desktop": "Desktop mode (only sends with enter on desktop)", - "Only_works_with_chrome_version_greater_50": "Only works with Chrome browser versions > 50", - "Only_you_can_see_this_message": "Only you can see this message", - "Only_invited_users_can_acess_this_channel": "Only invited users can access this Channel", - "Oops_page_not_found": "Oops, page not found", - "Oops!": "Oops", - "Open": "Open", - "Open_channel_user_search": "`%s` - Open Channel / User search", - "Open_conversations": "Open Conversations", - "Open_Days": "Open days", - "Open_days_of_the_week": "Open Days of the Week", - "Open_Livechats": "Chats in Progress", - "Open_menu": "Open_menu", - "Open_thread": "Open Thread", - "Open_your_authentication_app_and_enter_the_code": "Open your authentication app and enter the code. You can also use one of your backup codes.", - "Opened": "Opened", - "Opened_in_a_new_window": "Opened in a new window.", - "Opens_a_channel_group_or_direct_message": "Opens a channel, group or direct message", - "Optional": "Optional", - "optional": "optional", - "Options": "Options", - "or": "or", - "Or_talk_as_anonymous": "Or talk as anonymous", - "Order": "Order", - "Organization_Email": "Organization Email", - "Organization_Info": "Organization Info", - "Organization_Name": "Organization Name", - "Organization_Type": "Organization Type", - "Original": "Original", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "Other": "Other", - "others": "others", - "Others": "Others", - "OTR": "OTR", - "OTR_Description": "Off-the-record chats are secure, private and disappear once ended.", - "OTR_Chat_Declined_Title": "OTR Chat invite Declined", - "OTR_Chat_Declined_Description": "%s declined OTR chat invite. For privacy protection local cache was deleted, including all related system messages.", - "OTR_Chat_Error_Title": "Chat ended due to failed key refresh", - "OTR_Chat_Error_Description": "For privacy protection local cache was deleted, including all related system messages.", - "OTR_Chat_Timeout_Title": "OTR chat invite expired", - "OTR_Chat_Timeout_Description": "%s failed to accept OTR chat invite in time. For privacy protection local cache was deleted, including all related system messages.", - "OTR_Enable_Description": "Enable option to use off-the-record (OTR) messages in direct messages between 2 users. OTR messages are not recorded on the server and exchanged directly and encrypted between the 2 users.", - "OTR_message": "OTR Message", - "OTR_is_only_available_when_both_users_are_online": "OTR is only available when both users are online", - "Out_of_seats": "Out of Seats", - "Outgoing": "Outgoing", - "Outgoing_WebHook": "Outgoing WebHook", - "Outgoing_WebHook_Description": "Get data out of Rocket.Chat in real-time.", - "Output_format": "Output format", - "Override_URL_to_which_files_are_uploaded_This_url_also_used_for_downloads_unless_a_CDN_is_given": "Override URL to which files are uploaded. This url also used for downloads unless a CDN is given", - "Owner": "Owner", - "Play": "Play", - "Page_title": "Page title", - "Page_URL": "Page URL", - "Pages": "Pages", - "Parent_channel_doesnt_exist": "Channel does not exist.", - "Participants": "Participants", - "Password": "Password", - "Password_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of passwords", - "Password_Changed_Description": "You may use the following placeholders:
  • [password] for the temporary password.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Password_Changed_Email_Subject": "[Site_Name] - Password Changed", - "Password_changed_section": "Password Changed", - "Password_changed_successfully": "Password changed successfully", - "Password_History": "Password History", - "Password_History_Amount": "Password History Length", - "Password_History_Amount_Description": "Amount of most recently used passwords to prevent users from reusing.", - "Password_Policy": "Password Policy", - "Password_to_access": "Password to access", - "Passwords_do_not_match": "Passwords do not match", - "Past_Chats": "Past Chats", - "Paste_here": "Paste here...", - "Paste": "Paste", - "Paste_error": "Error reading from clipboard", - "Paid_Apps": "Paid Apps", - "Payload": "Payload", - "PDF": "PDF", - "Peer_Password": "Peer Password", - "People": "People", - "Permalink": "Permalink", - "Permissions": "Permissions", - "Personal_Access_Tokens": "Personal Access Tokens", - "Phone": "Phone", - "Phone_call": "Phone Call", - "Phone_Number": "Phone Number", - "Phone_already_exists": "Phone already exists", - "Phone_number": "Phone number", - "PID": "PID", - "Pin": "Pin", - "Pin_Message": "Pin Message", - "pin-message": "Pin Message", - "pin-message_description": "Permission to pin a message in a channel", - "Pinned_a_message": "Pinned a message:", - "Pinned_Messages": "Pinned Messages", - "pinning-not-allowed": "Pinning is not allowed", - "PiwikAdditionalTrackers": "Additional Piwik Sites", - "PiwikAdditionalTrackers_Description": "Enter addtitional Piwik website URLs and SiteIDs in the following format, if you want to track the same data into different websites: [ { \"trackerURL\" : \"https://my.piwik.domain2/\", \"siteId\" : 42 }, { \"trackerURL\" : \"https://my.piwik.domain3/\", \"siteId\" : 15 } ]", - "PiwikAnalytics_cookieDomain": "All Subdomains", - "PiwikAnalytics_cookieDomain_Description": "Track visitors across all subdomains", - "PiwikAnalytics_domains": "Hide Outgoing Links", - "PiwikAnalytics_domains_Description": "In the 'Outlinks' report, hide clicks to known alias URLs. Please insert one domain per line and do not use any separators.", - "PiwikAnalytics_prependDomain": "Prepend Domain", - "PiwikAnalytics_prependDomain_Description": "Prepend the site domain to the page title when tracking", - "PiwikAnalytics_siteId_Description": "The site id to use for identifying this site. Example: 17", - "PiwikAnalytics_url_Description": "The url where the Piwik resides, be sure to include the trailing slash. Example: //piwik.rocket.chat/", - "Placeholder_for_email_or_username_login_field": "Placeholder for Email or Username Login Field", - "Placeholder_for_password_login_confirm_field": "Confirm Placeholder for Password Login Field", - "Placeholder_for_password_login_field": "Placeholder for Password Login Field", - "Please_add_a_comment": "Please add a comment", - "Please_add_a_comment_to_close_the_room": "Please, add a comment to close the room", - "Please_answer_survey": "Please take a moment to answer a quick survey about this chat", - "Please_enter_usernames": "Please enter usernames...", - "please_enter_valid_domain": "Please enter a valid domain", - "Please_enter_value_for_url": "Please enter a value for the url of your avatar.", - "Please_enter_your_new_password_below": "Please enter your new password below:", - "Please_enter_your_password": "Please enter your password", - "Please_fill_a_label": "Please fill a label", - "Please_fill_a_name": "Please fill a name", - "Please_fill_a_token_name": "Please fill a valid token name", - "Please_fill_a_username": "Please fill a username", - "Please_fill_all_the_information": "Please fill all the information", - "Please_fill_an_email": "Please fill an email", - "Please_fill_name_and_email": "Please fill name and email", - "Please_go_to_the_Administration_page_then_Livechat_Facebook": "Please go to the Administration page then Omnichannel > Facebook", - "Please_select_an_user": "Please select an user", - "Please_select_enabled_yes_or_no": "Please select an option for Enabled", - "Please_select_visibility": "Please select a visibility", - "Please_wait": "Please wait", - "Please_wait_activation": "Please wait, this can take some time.", - "Please_wait_while_OTR_is_being_established": "Please wait while OTR is being established", - "Please_wait_while_your_account_is_being_deleted": "Please wait while your account is being deleted...", - "Please_wait_while_your_profile_is_being_saved": "Please wait while your profile is being saved...", - "Policies": "Policies", - "Pool": "Pool", - "Port": "Port", - "Post_as": "Post as", - "Post_to": "Post to", - "Post_to_Channel": "Post to Channel", - "Post_to_s_as_s": "Post to %s as %s", - "post-readonly": "Post ReadOnly", - "post-readonly_description": "Permission to post a message in a read-only channel", - "Preferences": "Preferences", - "Preferences_saved": "Preferences saved", - "Preparing_data_for_import_process": "Preparing data for import process", - "Preparing_list_of_channels": "Preparing list of channels", - "Preparing_list_of_messages": "Preparing list of messages", - "Preparing_list_of_users": "Preparing list of users", - "Presence": "Presence", - "Preview": "Preview", - "preview-c-room": "Preview Public Channel", - "preview-c-room_description": "Permission to view the contents of a public channel before joining", - "Previous_month": "Previous Month", - "Previous_week": "Previous Week", - "Price": "Price", - "Priorities": "Priorities", - "Priority": "Priority", - "Priority_removed": "Priority removed", - "Privacy": "Privacy", - "Privacy_Policy": "Privacy Policy", - "Privacy_summary": "Privacy summary", - "Private": "Private", - "Private_Channel": "Private Channel", - "Private_Channels": "Private Channels", - "Private_Chats": "Private Chats", - "Private_Group": "Private Group", - "Private_Groups": "Private Groups", - "Private_Groups_list": "List of Private Groups", - "Private_Team": "Private Team", - "Productivity": "Productivity", - "Profile": "Profile", - "Profile_details": "Profile Details", - "Profile_picture": "Profile Picture", - "Profile_saved_successfully": "Profile saved successfully", - "Prometheus": "Prometheus", - "Prometheus_API_User_Agent": "API: Track User Agent", - "Prometheus_Garbage_Collector": "Collect NodeJS GC", - "Prometheus_Garbage_Collector_Alert": "Restart required to deactivate", - "Prometheus_Reset_Interval": "Reset Interval (ms)", - "Protocol": "Protocol", - "Prune": "Prune", - "Prune_finished": "Prune finished", - "Prune_Messages": "Prune Messages", - "Prune_Modal": "Are you sure you wish to prune these messages? Pruned messages cannot be recovered.", - "Prune_Warning_after": "This will delete all %s in %s after %s.", - "Prune_Warning_all": "This will delete all %s in %s!", - "Prune_Warning_before": "This will delete all %s in %s before %s.", - "Prune_Warning_between": "This will delete all %s in %s between %s and %s.", - "Pruning_files": "Pruning files...", - "Pruning_messages": "Pruning messages...", - "Public": "Public", - "Public_Channel": "Public Channel", - "Public_Channels": "Public Channels", - "Public_Community": "Public Community", - "Public_URL": "Public URL", - "Purchase_for_free": "Purchase for FREE", - "Purchase_for_price": "Purchase for $%s", - "Purchased": "Purchased", - "Push": "Push", - "Push_Description": "Enable and configure push notifications for workspace members using mobile devices.", - "Push_Notifications": "Push Notifications", - "Push_apn_cert": "APN Cert", - "Push_apn_dev_cert": "APN Dev Cert", - "Push_apn_dev_key": "APN Dev Key", - "Push_apn_dev_passphrase": "APN Dev Passphrase", - "Push_apn_key": "APN Key", - "Push_apn_passphrase": "APN Passphrase", - "Push_enable": "Enable", - "Push_enable_gateway": "Enable Gateway", - "Push_enable_gateway_Description": "Warning: You need to accept to register your server (Setup Wizard > Organization Info > Register Server) and our privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to enabled this setting and use our gateway. Even if this setting is on it won't work if the server isn't registered.", - "Push_gateway": "Gateway", - "Push_gateway_description": "Multiple lines can be used to specify multiple gateways", - "Push_gcm_api_key": "GCM API Key", - "Push_gcm_project_number": "GCM Project Number", - "Push_production": "Production", - "Push_request_content_from_server": "Fetch full message content from the server on receipt", - "Push_Setting_Requires_Restart_Alert": "Changing this value requires restarting Rocket.Chat.", - "Push_show_message": "Show Message in Notification", - "Push_show_username_room": "Show Channel/Group/Username in Notification", - "Push_test_push": "Test", - "Query": "Query", - "Query_description": "Additional conditions for determining which users to send the email to. Unsubscribed users are automatically removed from the query. It must be a valid JSON. Example: \"{\"createdAt\":{\"$gt\":{\"$date\": \"2015-01-01T00:00:00.000Z\"}}}\"", - "Query_is_not_valid_JSON": "Query is not valid JSON", - "Queue": "Queue", - "Queues": "Queues", - "Queue_delay_timeout": "Queue processing delay timeout", - "Queue_Time": "Queue Time", - "Queue_management": "Queue Management", - "quote": "quote", - "Quote": "Quote", - "Random": "Random", - "Rate Limiter": "Rate Limiter", - "Rate Limiter_Description": "Control the rate of requests sent or recieved by your server to prevent cyber attacks and scraping.", - "Rate_Limiter_Limit_RegisterUser": "Default number calls to the rate limiter for registering a user", - "Rate_Limiter_Limit_RegisterUser_Description": "Number of default calls for user registering endpoints(REST and real-time API's), allowed within the time range defined in the API Rate Limiter section.", - "Reached_seat_limit_banner_warning": "*No more seats available* \nThis workspace has reached its seat limit so no more members can join. *[Request More Seats](__url__)*", - "React_when_read_only": "Allow Reacting", - "React_when_read_only_changed_successfully": "Allow reacting when read only changed successfully", - "Reacted_with": "Reacted with", - "Reactions": "Reactions", - "Read_by": "Read by", - "Read_only": "Read Only", - "Read_only_changed_successfully": "Read only changed successfully", - "Read_only_channel": "Read Only Channel", - "Read_only_group": "Read Only Group", - "Real_Estate": "Real Estate", - "Real_Time_Monitoring": "Real-time Monitoring", - "RealName_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of names", - "Reason_To_Join": "Reason to Join", - "Receive_alerts": "Receive alerts", - "Receive_Group_Mentions": "Receive @all and @here mentions", - "Recent_Import_History": "Recent Import History", - "Record": "Record", - "recording": "recording", - "Redirect_URI": "Redirect URI", - "Refresh": "Refresh", - "Refresh_keys": "Refresh keys", - "Refresh_oauth_services": "Refresh OAuth Services", - "Refresh_your_page_after_install_to_enable_screen_sharing": "Refresh your page after install to enable screen sharing", - "Refreshing": "Refreshing", - "Regenerate_codes": "Regenerate codes", - "Regexp_validation": "Validation by regular expression", - "Register": "Register", - "Register_new_account": "Register a new account", - "Register_Server": "Register Server", - "Register_Server_Info": "Use the preconfigured gateways and proxies provided by Rocket.Chat Technologies Corp.", - "Register_Server_Opt_In": "Product and Security Updates", - "Register_Server_Registered": "Register to access", - "Register_Server_Registered_I_Agree": "I agree with the", - "Register_Server_Registered_Livechat": "Livechat omnichannel proxy", - "Register_Server_Registered_Marketplace": "Apps Marketplace", - "Register_Server_Registered_OAuth": "OAuth proxy for social network", - "Register_Server_Registered_Push_Notifications": "Mobile push notifications gateway", - "Register_Server_Standalone": "Keep standalone, you'll need to", - "Register_Server_Standalone_Own_Certificates": "Recompile the mobile apps with your own certificates", - "Register_Server_Standalone_Service_Providers": "Create accounts with service providers", - "Register_Server_Standalone_Update_Settings": "Update the preconfigured settings", - "Register_Server_Terms_Alert": "Please agree to terms to complete registration", - "register-on-cloud": "Register on cloud", - "Registration": "Registration", - "Registration_Succeeded": "Registration Succeeded", - "Registration_via_Admin": "Registration via Admin", - "Regular_Expressions": "Regular Expressions", - "Release": "Release", - "Religious": "Religious", - "Reload": "Reload", - "Reload_page": "Reload Page", - "Reload_Pages": "Reload Pages", - "Remove": "Remove", - "Remove_Admin": "Remove Admin", - "Remove_Association": "Remove Association", - "Remove_as_leader": "Remove as leader", - "Remove_as_moderator": "Remove as moderator", - "Remove_as_owner": "Remove as owner", - "Remove_Channel_Links": "Remove channel links", - "Remove_custom_oauth": "Remove custom oauth", - "Remove_from_room": "Remove from room", - "Remove_from_team": "Remove from team", - "Remove_last_admin": "Removing last admin", - "Remove_someone_from_room": "Remove someone from the room", - "remove-closed-livechat-room": "Remove Closed Omnichannel Room", - "remove-closed-livechat-rooms": "Remove All Closed Omnichannel Rooms", - "remove-closed-livechat-rooms_description": "Permission to remove all closed omnichannel rooms", - "remove-livechat-department": "Remove Omnichannel Departments", - "remove-slackbridge-links": "Remove slackbridge links", - "remove-user": "Remove User", - "remove-user_description": "Permission to remove a user from a room", - "Removed": "Removed", - "Removed_User": "Removed User", - "Removed__roomName__from_this_team": "removed #__roomName__ from this Team", - "Removed__username__from_team": "removed @__user_removed__ from this Team", - "Replay": "Replay", - "Replied_on": "Replied on", - "Replies": "Replies", - "Reply": "Reply", - "reply_counter": "__counter__ reply", - "reply_counter_plural": "__counter__ replies", - "Reply_in_direct_message": "Reply in Direct Message", - "Reply_in_thread": "Reply in Thread", - "Reply_via_Email": "Reply via Email", - "ReplyTo": "Reply-To", - "Report": "Report", - "Report_Abuse": "Report Abuse", - "Report_exclamation_mark": "Report!", - "Report_Number": "Report Number", - "Report_sent": "Report sent", - "Report_this_message_question_mark": "Report this message?", - "Reporting": "Reporting", - "Request": "Request", - "Request_seats": "Request Seats", - "Request_more_seats": "Request more seats.", - "Request_more_seats_out_of_seats": "You can not add members because this Workspace is out of seats, please request more seats.", - "Request_more_seats_sales_team": "Once your request is submitted, our Sales Team will look into it and will reach out to you within the next couple of days.", - "Request_more_seats_title": "Request More Seats", - "Request_comment_when_closing_conversation": "Request comment when closing conversation", - "Request_comment_when_closing_conversation_description": "If enabled, the agent will need to set a comment before the conversation is closed.", - "Request_tag_before_closing_chat": "Request tag(s) before closing conversation", - "Requested_At": "Requested At", - "Requested_By": "Requested By", - "Require": "Require", - "Required": "Required", - "required": "required", - "Require_all_tokens": "Require all tokens", - "Require_any_token": "Require any token", - "Require_password_change": "Require password change", - "Resend_verification_email": "Resend verification email", - "Reset": "Reset", - "Reset_Connection": "Reset Connection", - "Reset_E2E_Key": "Reset E2E Key", - "Reset_password": "Reset password", - "Reset_section_settings": "Reset Section to Default", - "Reset_TOTP": "Reset TOTP", - "reset-other-user-e2e-key": "Reset Other User E2E Key", - "Responding": "Responding", - "Response_description_post": "Empty bodies or bodies with an empty text property will simply be ignored. Non-200 responses will be retried a reasonable number of times. A response will be posted using the alias and avatar specified above. You can override these informations as in the example above.", - "Response_description_pre": "If the handler wishes to post a response back into the channel, the following JSON should be returned as the body of the response:", - "Restart": "Restart", - "Restart_the_server": "Restart the server", - "restart-server": "Restart the server", - "Retail": "Retail", - "Retention_setting_changed_successfully": "Retention policy setting changed successfully", - "RetentionPolicy": "Retention Policy", - "RetentionPolicy_Advanced_Precision": "Use Advanced Retention Policy configuration", - "RetentionPolicy_Advanced_Precision_Cron": "Use Advanced Retention Policy Cron", - "RetentionPolicy_Advanced_Precision_Cron_Description": "How often the prune timer should run defined by cron job expression. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", - "RetentionPolicy_AppliesToChannels": "Applies to channels", - "RetentionPolicy_AppliesToDMs": "Applies to direct messages", - "RetentionPolicy_AppliesToGroups": "Applies to private groups", - "RetentionPolicy_Description": "Automatically prune old messages and files across your workspace.", - "RetentionPolicy_DoNotPruneDiscussion": "Do not prune discussion messages", - "RetentionPolicy_DoNotPrunePinned": "Do not prune pinned messages", - "RetentionPolicy_DoNotPruneThreads": "Do not prune Threads", - "RetentionPolicy_Enabled": "Enabled", - "RetentionPolicy_ExcludePinned": "Exclude pinned messages", - "RetentionPolicy_FilesOnly": "Only delete files", - "RetentionPolicy_FilesOnly_Description": "Only files will be deleted, the messages themselves will stay in place.", - "RetentionPolicy_MaxAge": "Maximum message age", - "RetentionPolicy_MaxAge_Channels": "Maximum message age in channels", - "RetentionPolicy_MaxAge_Description": "Prune all messages older than this value, in days", - "RetentionPolicy_MaxAge_DMs": "Maximum message age in direct messages", - "RetentionPolicy_MaxAge_Groups": "Maximum message age in private groups", - "RetentionPolicy_Precision": "Timer Precision", - "RetentionPolicy_Precision_Description": "How often the prune timer should run. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", - "RetentionPolicy_RoomWarning": "Messages older than __time__ are automatically pruned here", - "RetentionPolicy_RoomWarning_FilesOnly": "Files older than __time__ are automatically pruned here (messages stay intact)", - "RetentionPolicy_RoomWarning_Unpinned": "Unpinned messages older than __time__ are automatically pruned here", - "RetentionPolicy_RoomWarning_UnpinnedFilesOnly": "Unpinned files older than __time__ are automatically pruned here (messages stay intact)", - "RetentionPolicyRoom_Enabled": "Automatically prune old messages", - "RetentionPolicyRoom_ExcludePinned": "Exclude pinned messages", - "RetentionPolicyRoom_FilesOnly": "Prune files only, keep messages", - "RetentionPolicyRoom_MaxAge": "Maximum message age in days (default: __max__)", - "RetentionPolicyRoom_OverrideGlobal": "Override global retention policy", - "RetentionPolicyRoom_ReadTheDocs": "Watch out! Tweaking these settings without utmost care can destroy all message history. Please read the documentation before turning the feature on here.", - "Retry": "Retry", - "Retry_Count": "Retry Count", - "Return_to_home": "Return to home", - "Return_to_previous_page": "Return to previous page", - "Return_to_the_queue": "Return back to the Queue", - "Ringing": "Ringing", - "Robot_Instructions_File_Content": "Robots.txt File Contents", - "Default_Referrer_Policy": "Default Referrer Policy", - "Default_Referrer_Policy_Description": "This controls the 'referrer' header that's sent when requesting embedded media from other servers. For more information, refer to this link from MDN. Remember, a full page refresh is required for this to take effect", - "No_Referrer": "No Referrer", - "No_Referrer_When_Downgrade": "No referrer when downgrade", - "Notes": "Notes", - "Origin": "Origin", - "Origin_When_Cross_Origin": "Origin when cross origin", - "Same_Origin": "Same origin", - "Strict_Origin": "Strict origin", - "Strict_Origin_When_Cross_Origin": "Strict origin when cross origin", - "UIKit_Interaction_Timeout": "App has failed to respond. Please try again or contact your admin", - "Unsafe_Url": "Unsafe URL", - "Rocket_Chat_Alert": "Rocket.Chat Alert", - "Role": "Role", - "Roles": "Roles", - "Role_Editing": "Role Editing", - "Role_Mapping": "Role mapping", - "Role_removed": "Role removed", - "Room": "Room", - "room_allowed_reacting": "Room allowed reacting by __user_by__", - "Room_announcement_changed_successfully": "Room announcement changed successfully", - "Room_archivation_state": "State", - "Room_archivation_state_false": "Active", - "Room_archivation_state_true": "Archived", - "Room_archived": "Room archived", - "room_changed_announcement": "Room announcement changed to: __room_announcement__ by __user_by__", - "room_changed_avatar": "Room avatar changed by __user_by__", - "room_changed_description": "Room description changed to: __room_description__ by __user_by__", - "room_changed_privacy": "Room type changed to: __room_type__ by __user_by__", - "room_changed_topic": "Room topic changed to: __room_topic__ by __user_by__", - "Room_default_change_to_private_will_be_default_no_more": "This is a default channel and changing it to a private group will cause it to no longer be a default channel. Do you want to proceed?", - "Room_description_changed_successfully": "Room description changed successfully", - "room_disallowed_reacting": "Room disallowed reacting by __user_by__", - "Room_Edit": "Room Edit", - "Room_has_been_archived": "Room has been archived", - "Room_has_been_deleted": "Room has been deleted", - "Room_has_been_removed": "Room has been removed", - "Room_has_been_unarchived": "Room has been unarchived", - "Room_Info": "Room Information", - "room_is_blocked": "This room is blocked", - "room_account_deactivated": "This account is deactivated", - "room_is_read_only": "This room is read only", - "room_name": "room name", - "Room_name_changed": "Room name changed to: __room_name__ by __user_by__", - "Room_name_changed_successfully": "Room name changed successfully", - "Room_not_exist_or_not_permission": "This room does not exist or you may not have permission to access", - "Room_not_found": "Room not found", - "Room_password_changed_successfully": "Room password changed successfully", - "room_removed_read_only": "Room added writing permission by __user_by__", - "room_set_read_only": "Room set as Read Only by __user_by__", - "Room_topic_changed_successfully": "Room topic changed successfully", - "Room_type_changed_successfully": "Room type changed successfully", - "Room_type_of_default_rooms_cant_be_changed": "This is a default room and the type can not be changed, please consult with your administrator.", - "Room_unarchived": "Room unarchived", - "Room_updated_successfully": "Room updated successfully!", - "Room_uploaded_file_list": "Files List", - "Room_uploaded_file_list_empty": "No files available.", - "Rooms": "Rooms", - "Rooms_added_successfully": "Rooms added successfully", - "Routing": "Routing", - "Run_only_once_for_each_visitor": "Run only once for each visitor", - "run-import": "Run Import", - "run-import_description": "Permission to run the importers", - "run-migration": "Run Migration", - "run-migration_description": "Permission to run the migrations", - "Running_Instances": "Running Instances", - "Runtime_Environment": "Runtime Environment", - "S_new_messages_since_s": "%s new messages since %s", - "Same_As_Token_Sent_Via": "Same as \"Token Sent Via\"", - "Same_Style_For_Mentions": "Same style for mentions", - "SAML": "SAML", - "SAML_Description": "Security Assertion Markup Language used for exchanging authentication and authorization data.", - "SAML_Allowed_Clock_Drift": "Allowed clock drift from Identity Provider", - "SAML_Allowed_Clock_Drift_Description": "The clock of the Identity Provider may drift slightly ahead of your system clocks. You can allow for a small amount of clock drift. Its value must be given in a number of milliseconds (ms). The value given is added to the current time at which the response is validated.", - "SAML_AuthnContext_Template": "AuthnContext Template", - "SAML_AuthnContext_Template_Description": "You can use any variable from the AuthnRequest Template here.\n\n To add additional authn contexts, duplicate the __AuthnContextClassRef__ tag and replace the __\\_\\_authnContext\\_\\___ variable with the new context.", - "SAML_AuthnRequest_Template": "AuthnRequest Template", - "SAML_AuthnRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.\n- **\\_\\_entryPoint\\_\\_**: The value of the __Custom Entry Point__ setting.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormatTag\\_\\_**: The contents of the __NameID Policy Template__ if a valid __Identifier Format__ is configured.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_authnContextTag\\_\\_**: The contents of the __AuthnContext Template__ if a valid __Custom Authn Context__ is configured.\n- **\\_\\_authnContextComparison\\_\\_**: The value of the __Authn Context Comparison__ setting.\n- **\\_\\_authnContext\\_\\_**: The value of the __Custom Authn Context__ setting.", - "SAML_Connection": "Connection", - "SAML_Enterprise": "Enterprise", - "SAML_General": "General", - "SAML_Custom_Authn_Context": "Custom Authn Context", - "SAML_Custom_Authn_Context_Comparison": "Authn Context Comparison", - "SAML_Custom_Authn_Context_description": "Leave this empty to omit the authn context from the request.\n\n To add multiple authn contexts, add the additional ones directly to the __AuthnContext Template__ setting.", - "SAML_Custom_Cert": "Custom Certificate", - "SAML_Custom_Debug": "Enable Debug", - "SAML_Custom_EMail_Field": "E-Mail field name", - "SAML_Custom_Entry_point": "Custom Entry Point", - "SAML_Custom_Generate_Username": "Generate Username", - "SAML_Custom_IDP_SLO_Redirect_URL": "IDP SLO Redirect URL", - "SAML_Custom_Immutable_Property": "Immutable field name", - "SAML_Custom_Immutable_Property_EMail": "E-Mail", - "SAML_Custom_Immutable_Property_Username": "Username", - "SAML_Custom_Issuer": "Custom Issuer", - "SAML_Custom_Logout_Behaviour": "Logout Behaviour", - "SAML_Custom_Logout_Behaviour_End_Only_RocketChat": "Only log out from Rocket.Chat", - "SAML_Custom_Logout_Behaviour_Terminate_SAML_Session": "Terminate SAML-session", - "SAML_Custom_mail_overwrite": "Overwrite user mail (use idp attribute)", - "SAML_Custom_name_overwrite": "Overwrite user fullname (use idp attribute)", - "SAML_Custom_Private_Key": "Private Key Contents", - "SAML_Custom_Provider": "Custom Provider", - "SAML_Custom_Public_Cert": "Public Cert Contents", - "SAML_Custom_signature_validation_all": "Validate All Signatures", - "SAML_Custom_signature_validation_assertion": "Validate Assertion Signature", - "SAML_Custom_signature_validation_either": "Validate Either Signature", - "SAML_Custom_signature_validation_response": "Validate Response Signature", - "SAML_Custom_signature_validation_type": "Signature Validation Type", - "SAML_Custom_signature_validation_type_description": "This setting will be ignored if no Custom Certificate is provided.", - "SAML_Custom_user_data_fieldmap": "User Data Field Map", - "SAML_Custom_user_data_fieldmap_description": "Configure how user account fields (like email) are populated from a record in SAML (once found). \nAs an example, `{\"name\":\"cn\", \"email\":\"mail\"}` will choose a person's human readable name from the cn attribute, and their email from the mail attribute.\nAvailable fields in Rocket.Chat: `name`, `email` and `username`, everything else will be discarted.\n```{\n \"email\": \"mail\",\n \"username\": {\n \"fieldName\": \"mail\",\n \"regex\": \"(.*)@.+$\",\n \"template\": \"user-__regex__\"\n },\n \"name\": {\n \"fieldNames\": [\n \"firstName\",\n \"lastName\"\n ],\n \"template\": \"__firstName__ __lastName__\"\n },\n \"__identifier__\": \"uid\"\n}\n", - "SAML_Custom_user_data_custom_fieldmap": "User Data Custom Field Map", - "SAML_Custom_user_data_custom_fieldmap_description": "Configure how user custom fields are populated from a record in SAML (once found).", - "SAML_Custom_Username_Field": "Username field name", - "SAML_Custom_Username_Normalize": "Normalize username", - "SAML_Custom_Username_Normalize_Lowercase": "To Lowercase", - "SAML_Custom_Username_Normalize_None": "No normalization", - "SAML_Default_User_Role": "Default User Role", - "SAML_Default_User_Role_Description": "You can specify multiple roles, separating them with commas.", - "SAML_Identifier_Format": "Identifier Format", - "SAML_Identifier_Format_Description": "Leave this empty to omit the NameID Policy from the request.", - "SAML_LogoutRequest_Template": "Logout Request Template", - "SAML_LogoutRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP when the user logged in.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP when the user logged in.", - "SAML_LogoutResponse_Template": "Logout Response Template", - "SAML_LogoutResponse_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_inResponseToId\\_\\_**: The ID of the Logout Request received from the IdP\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP Logout Request.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP Logout Request.", - "SAML_Metadata_Certificate_Template_Description": "The following variables are available:\n- **\\_\\_certificate\\_\\_**: The private certificate for assertion encryption.", - "SAML_Metadata_Template": "Metadata Template", - "SAML_Metadata_Template_Description": "The following variables are available:\n- **\\_\\_sloLocation\\_\\_**: The Rocket.Chat Single LogOut URL.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_certificateTag\\_\\_**: If a private certificate is configured, this will include the __Metadata Certificate Template__, otherwise it will be ignored.\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.", - "SAML_MetadataCertificate_Template": "Metadata Certificate Template", - "SAML_NameIdPolicy_Template": "NameID Policy Template", - "SAML_NameIdPolicy_Template_Description": "You can use any variable from the Authorize Request Template here.", - "SAML_Role_Attribute_Name": "Role Attribute Name", - "SAML_Role_Attribute_Name_Description": "If this attribute is found on the SAML response, it's values will be used as role names for new users.", - "SAML_Role_Attribute_Sync": "Sync User Roles", - "SAML_Role_Attribute_Sync_Description": "Sync SAML user roles on login (overwrites local user roles).", - "SAML_Section_1_User_Interface": "User Interface", - "SAML_Section_2_Certificate": "Certificate", - "SAML_Section_3_Behavior": "Behavior", - "SAML_Section_4_Roles": "Roles", - "SAML_Section_5_Mapping": "Mapping", - "SAML_Section_6_Advanced": "Advanced", - "SAML_Custom_channels_update": "Update Room Subscriptions on Each Login", - "SAML_Custom_channels_update_description": "Ensures user is a member of all channels in SAML assertion on every login.", - "SAML_Custom_include_private_channels_update": "Include Private Rooms in Room Subscription", - "SAML_Custom_include_private_channels_update_description": "Adds user to any private rooms that exist in the SAML assertion.", - "Saturday": "Saturday", - "Save": "Save", - "Save_changes": "Save changes", - "Save_Mobile_Bandwidth": "Save Mobile Bandwidth", - "Save_to_enable_this_action": "Save to enable this action", - "Save_To_Webdav": "Save to WebDAV", - "Save_Your_Encryption_Password": "Save Your Encryption Password", - "save-others-livechat-room-info": "Save Others Omnichannel Room Info", - "save-others-livechat-room-info_description": "Permission to save information from other omnichannel rooms", - "Saved": "Saved", - "Saving": "Saving", - "Scan_QR_code": "Using an authenticator app like Google Authenticator, Authy or Duo, scan the QR code. It will display a 6 digit code which you need to enter below.", - "Scan_QR_code_alternative_s": "If you can't scan the QR code, you may enter code manually instead:", - "Scope": "Scope", - "Score": "Score", - "Screen_Lock": "Screen Lock", - "Screen_Share": "Screen Share", - "Script_Enabled": "Script Enabled", - "Search": "Search", - "Search_Apps": "Search Apps", - "Search_by_file_name": "Search by file name", - "Search_by_username": "Search by username", - "Search_by_category": "Search by category", - "Search_Channels": "Search Channels", - "Search_Chat_History": "Search Chat History", - "Search_current_provider_not_active": "Current Search Provider is not active", - "Search_Description": "Select workspace search provider and configure search related settings.", - "Search_Files": "Search Files", - "Search_for_a_more_general_term": "Search for a more general term", - "Search_for_a_more_specific_term": "Search for a more specific term", - "Search_Integrations": "Search Integrations", - "Search_message_search_failed": "Search request failed", - "Search_Messages": "Search Messages", - "Search_on_marketplace": "Search on Marketplace", - "Search_Page_Size": "Page Size", - "Search_Private_Groups": "Search Private Groups", - "Search_Provider": "Search Provider", - "Search_Rooms": "Search Rooms", - "Search_Users": "Search Users", - "Seats_Available": "__seatsLeft__ Seats Available", - "Seats_usage": "Seats Usage", - "seconds": "seconds", - "Secret_token": "Secret Token", - "Security": "Security", - "See_full_profile": "See full profile", - "Select_a_department": "Select a department", - "Select_a_room": "Select a room", - "Select_a_user": "Select a user", - "Select_an_avatar": "Select an avatar", - "Select_an_option": "Select an option", - "Select_at_least_one_user": "Select at least one user", - "Select_at_least_two_users": "Select at least two users", - "Select_department": "Select a department", - "Select_file": "Select file", - "Select_role": "Select a Role", - "Select_service_to_login": "Select a service to login to load your picture or upload one directly from your computer", - "Select_tag": "Select a tag", - "Select_the_channels_you_want_the_user_to_be_removed_from": "Select the channels you want the user to be removed from", - "Select_the_teams_channels_you_would_like_to_delete": "Select the Team’s Channels you would like to delete, the ones you do not select will be moved to the Workspace.", - "Select_user": "Select user", - "Select_users": "Select users", - "Selected_agents": "Selected agents", - "Selected_departments": "Selected Departments", - "Selected_monitors": "Selected Monitors", - "Selecting_users": "Selecting users", - "Send": "Send", - "Send_a_message": "Send a message", - "Send_a_test_mail_to_my_user": "Send a test mail to my user", - "Send_a_test_push_to_my_user": "Send a test push to my user", - "Send_confirmation_email": "Send confirmation email", - "Send_data_into_RocketChat_in_realtime": "Send data into Rocket.Chat in real-time.", - "Send_email": "Send Email", - "Send_invitation_email": "Send invitation email", - "Send_invitation_email_error": "You haven't provided any valid email address.", - "Send_invitation_email_info": "You can send multiple email invitations at once.", - "Send_invitation_email_success": "You have successfully sent an invitation email to the following addresses:", - "Send_it_as_attachment_instead_question": "Send it as attachment instead?", - "Send_me_the_code_again": "Send me the code again", - "Send_request_on": "Send Request on", - "Send_request_on_agent_message": "Send Request on Agent Messages", - "Send_request_on_chat_close": "Send Request on Chat Close", - "Send_request_on_chat_queued": "Send request on Chat Queued", - "Send_request_on_chat_start": "Send Request on Chat Start", - "Send_request_on_chat_taken": "Send Request on Chat Taken", - "Send_request_on_forwarding": "Send Request on Forwarding", - "Send_request_on_lead_capture": "Send request on lead capture", - "Send_request_on_offline_messages": "Send Request on Offline Messages", - "Send_request_on_visitor_message": "Send Request on Visitor Messages", - "Send_Test": "Send Test", - "Send_Test_Email": "Send test email", - "Send_via_email": "Send via email", - "Send_via_Email_as_attachment": "Send via Email as attachment", - "Send_Visitor_navigation_history_as_a_message": "Send Visitor Navigation History as a Message", - "Send_visitor_navigation_history_on_request": "Send Visitor Navigation History on Request", - "Send_welcome_email": "Send welcome email", - "Send_your_JSON_payloads_to_this_URL": "Send your JSON payloads to this URL.", - "send-mail": "Send emails", - "send-many-messages": "Send Many Messages", - "send-many-messages_description": "Permission to bypasses rate limit of 5 messages per second", - "send-omnichannel-chat-transcript": "Send Omnichannel Conversation Transcript", - "send-omnichannel-chat-transcript_description": "Permission to send omnichannel conversation transcript", - "Sender_Info": "Sender Info", - "Sending": "Sending...", - "Sent_an_attachment": "Sent an attachment", - "Sent_from": "Sent from", - "Separate_multiple_words_with_commas": "Separate multiple words with commas", - "Served_By": "Served By", - "Server": "Server", - "Server_Configuration": "Server Configuration", - "Server_File_Path": "Server File Path", - "Server_Folder_Path": "Server Folder Path", - "Server_Info": "Server Info", - "Server_Type": "Server Type", - "Service": "Service", - "Service_account_key": "Service account key", - "Set_as_favorite": "Set as favorite", - "Set_as_leader": "Set as leader", - "Set_as_moderator": "Set as moderator", - "Set_as_owner": "Set as owner", - "Set_random_password_and_send_by_email": "Set random password and send by email", - "set-leader": "Set Leader", - "set-leader_description": "Permission to set other users as leader of a channel", - "set-moderator": "Set Moderator", - "set-moderator_description": "Permission to set other users as moderator of a channel", - "set-owner": "Set Owner", - "set-owner_description": "Permission to set other users as owner of a channel", - "set-react-when-readonly": "Set React When ReadOnly", - "set-react-when-readonly_description": "Permission to set the ability to react to messages in a read only channel", - "set-readonly": "Set ReadOnly", - "set-readonly_description": "Permission to set a channel to read only channel", - "Settings": "Settings", - "Settings_updated": "Settings updated", - "Setup_Wizard": "Setup Wizard", - "Setup_Wizard_Description": "Basic info about your workspace such as organization name and country.", - "Setup_Wizard_Info": "We'll guide you through setting up your first admin user, configuring your organisation and registering your server to receive free push notifications and more.", - "Share_Location_Title": "Share Location?", - "Share_screen": "Share screen", - "New_CannedResponse": "New Canned Response", - "Edit_CannedResponse": "Edit Canned Response", - "Sharing": "Sharing", - "Shared_Location": "Shared Location", - "Shared_Secret": "Shared Secret", - "Shortcut": "Shortcut", - "shortcut_name": "shortcut name", - "Should_be_a_URL_of_an_image": "Should be a URL of an image.", - "Should_exists_a_user_with_this_username": "The user must already exist.", - "Show_agent_email": "Show agent email", - "Show_agent_info": "Show agent information", - "Show_all": "Show All", - "Show_Avatars": "Show Avatars", - "Show_counter": "Mark as unread", - "Show_email_field": "Show email field", - "Show_mentions": "Show badge for mentions", - "Show_Message_In_Main_Thread": "Show thread messages in the main thread", - "Show_more": "Show more", - "Show_name_field": "Show name field", - "show_offline_users": "show offline users", - "Show_on_offline_page": "Show on offline page", - "Show_on_registration_page": "Show on registration page", - "Show_only_online": "Show Online Only", - "Show_preregistration_form": "Show Pre-registration Form", - "Show_queue_list_to_all_agents": "Show Queue List to All Agents", - "Show_room_counter_on_sidebar": "Show room counter on sidebar", - "Show_Setup_Wizard": "Show Setup Wizard", - "Show_the_keyboard_shortcut_list": "Show the keyboard shortcut list", - "Show_video": "Show video", - "Showing_archived_results": "

Showing %s archived results

", - "Showing_online_users": "Showing: __total_showing__, Online: __online__, Total: __total__ users", - "Showing_results": "

Showing %s results

", - "Showing_results_of": "Showing results %s - %s of %s", - "Sidebar": "Sidebar", - "Sidebar_list_mode": "Sidebar Channel List Mode", - "Sign_in_to_start_talking": "Sign in to start talking", - "Signaling_connection_disconnected": "Signaling connection disconnected", - "since_creation": "since %s", - "Site_Name": "Site Name", - "Site_Url": "Site URL", - "Site_Url_Description": "Example: https://chat.domain.com/", - "Size": "Size", - "Skip": "Skip", - "Slack_Users": "Slack's Users CSV", - "SlackBridge_APIToken": "API Tokens", - "SlackBridge_APIToken_Description": "You can configure multiple slack servers by adding one API Token per line.", - "Slackbridge_channel_links_removed_successfully": "The slackbridge channel links have been removed successfully.", - "SlackBridge_Description": "Enable Rocket.Chat to communicate directly with Slack.", - "SlackBridge_error": "SlackBridge got an error while importing your messages at %s: %s", - "SlackBridge_finish": "SlackBridge has finished importing the messages at %s. Please reload to view all messages.", - "SlackBridge_Out_All": "SlackBridge Out All", - "SlackBridge_Out_All_Description": "Send messages from all channels that exist in Slack and the bot has joined", - "SlackBridge_Out_Channels": "SlackBridge Out Channels", - "SlackBridge_Out_Channels_Description": "Choose which channels will send messages back to Slack", - "SlackBridge_Out_Enabled": "SlackBridge Out Enabled", - "SlackBridge_Out_Enabled_Description": "Choose whether SlackBridge should also send your messages back to Slack", - "SlackBridge_Remove_Channel_Links_Description": "Remove the internal link between Rocket.Chat channels and Slack channels. The links will afterwards be recreated based on the channel names.", - "SlackBridge_start": "@%s has started a SlackBridge import at `#%s`. We'll let you know when it's finished.", - "Slash_Gimme_Description": "Displays ༼ つ ◕_◕ ༽つ before your message", - "Slash_LennyFace_Description": "Displays ( ͡° ͜ʖ ͡°) after your message", - "Slash_Shrug_Description": "Displays ¯\\_(ツ)_/¯ after your message", - "Slash_Status_Description": "Set your status message", - "Slash_Status_Params": "Status message", - "Slash_Tableflip_Description": "Displays (╯°□°)╯︵ ┻━┻", - "Slash_TableUnflip_Description": "Displays ┬─┬ ノ( ゜-゜ノ)", - "Slash_Topic_Description": "Set topic", - "Slash_Topic_Params": "Topic message", - "Smarsh": "Smarsh", - "Smarsh_Description": "Configurations to preserve email communication.", - "Smarsh_Email": "Smarsh Email", - "Smarsh_Email_Description": "Smarsh Email Address to send the .eml file to.", - "Smarsh_Enabled": "Smarsh Enabled", - "Smarsh_Enabled_Description": "Whether the Smarsh eml connector is enabled or not (needs 'From Email' filled in under Email -> SMTP).", - "Smarsh_Interval": "Smarsh Interval", - "Smarsh_Interval_Description": "The amount of time to wait before sending the chats (needs 'From Email' filled in under Email -> SMTP).", - "Smarsh_MissingEmail_Email": "Missing Email", - "Smarsh_MissingEmail_Email_Description": "The email to show for a user account when their email address is missing, generally happens with bot accounts.", - "Smarsh_Timezone": "Smarsh Timezone", - "Smileys_and_People": "Smileys & People", - "SMS": "SMS", - "SMS_Description": "Enable and configure SMS gateways on your workspace.", - "SMS_Default_Omnichannel_Department": "Omnichannel Department (Default)", - "SMS_Default_Omnichannel_Department_Description": "If set, all new incoming chats initiated by this integration will be routed to this department.\nThis setting can be overwritten by passing department query param in the request.\ne.g. https:///api/v1/livechat/sms-incoming/twilio?department=.\nNote: if you're using Department Name, then it should be URL safe.", - "SMS_Enabled": "SMS Enabled", - "SMTP": "SMTP", - "SMTP_Host": "SMTP Host", - "SMTP_Password": "SMTP Password", - "SMTP_Port": "SMTP Port", - "SMTP_Test_Button": "Test SMTP Settings", - "SMTP_Username": "SMTP Username", - "Snippet_Added": "Created on %s", - "Snippet_Messages": "Snippet Messages", - "Snippet_name": "Snippet name", - "snippet-message": "Snippet Message", - "snippet-message_description": "Permission to create snippet message", - "Snippeted_a_message": "Created a snippet __snippetLink__", - "Social_Network": "Social Network", - "Sorry_page_you_requested_does_not_exist_or_was_deleted": "Sorry, page you requested does not exist or was deleted!", - "Sort": "Sort", - "Sort_By": "Sort by", - "Sort_by_activity": "Sort by Activity", - "Sound": "Sound", - "Sound_File_mp3": "Sound File (mp3)", - "Sound File": "Sound File", - "Source": "Source", - "SSL": "SSL", - "Star": "Star", - "Star_Message": "Star Message", - "Starred_Messages": "Starred Messages", - "Start": "Start", - "Start_audio_call": "Start audio call", - "Start_Chat": "Start Chat", - "Start_of_conversation": "Start of conversation", - "Start_OTR": "Start OTR", - "Start_video_call": "Start video call", - "Start_video_conference": "Start video conference?", - "Start_with_s_for_user_or_s_for_channel_Eg_s_or_s": "Start with %s for user or %s for channel. Eg: %s or %s", - "start-discussion": "Start Discussion", - "start-discussion_description": "Permission to start a discussion", - "start-discussion-other-user": "Start Discussion (Other-User)", - "start-discussion-other-user_description": "Permission to start a discussion, which gives permission to the user to create a discussion from a message sent by another user as well", - "Started": "Started", - "Started_a_video_call": "Started a Video Call", - "Started_At": "Started At", - "Statistics": "Statistics", - "Statistics_reporting": "Send Statistics to Rocket.Chat", - "Statistics_reporting_Description": "By sending your statistics, you'll help us identify how many instances of Rocket.Chat are deployed, as well as how good the system is behaving, so we can further improve it. Don't worry, as no user information is sent and all the information we receive is kept confidential.", - "Stats_Active_Guests": "Activated Guests", - "Stats_Active_Users": "Activated Users", - "Stats_App_Users": "Rocket.Chat App Users", - "Stats_Avg_Channel_Users": "Average Channel Users", - "Stats_Avg_Private_Group_Users": "Average Private Group Users", - "Stats_Away_Users": "Away Users", - "Stats_Max_Room_Users": "Max Rooms Users", - "Stats_Non_Active_Users": "Deactivated Users", - "Stats_Offline_Users": "Offline Users", - "Stats_Online_Users": "Online Users", - "Stats_Total_Active_Apps": "Total Active Apps", - "Stats_Total_Active_Incoming_Integrations": "Total Active Incoming Integrations", - "Stats_Total_Active_Outgoing_Integrations": "Total Active Outgoing Integrations", - "Stats_Total_Channels": "Channels", - "Stats_Total_Connected_Users": "Total Connected Users", - "Stats_Total_Direct_Messages": "Direct Message Rooms", - "Stats_Total_Incoming_Integrations": "Total Incoming Integrations", - "Stats_Total_Installed_Apps": "Total Installed Apps", - "Stats_Total_Integrations": "Total Integrations", - "Stats_Total_Integrations_With_Script_Enabled": "Total Integrations With Script Enabled", - "Stats_Total_Livechat_Rooms": "Omnichannel Rooms", - "Stats_Total_Messages": "Messages", - "Stats_Total_Messages_Channel": "Messages in Channels", - "Stats_Total_Messages_Direct": "Messages in Direct Messages", - "Stats_Total_Messages_Livechat": "Messages in Omnichannel", - "Stats_Total_Messages_PrivateGroup": "Messages in Private Groups", - "Stats_Total_Outgoing_Integrations": "Total Outgoing Integrations", - "Stats_Total_Private_Groups": "Private Groups", - "Stats_Total_Rooms": "Rooms", - "Stats_Total_Uploads": "Total Uploads", - "Stats_Total_Uploads_Size": "Total Uploads Size", - "Stats_Total_Users": "Total Users", - "Status": "Status", - "StatusMessage": "Status Message", - "StatusMessage_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of status messages", - "StatusMessage_Changed_Successfully": "Status message changed successfully.", - "StatusMessage_Placeholder": "What are you doing right now?", - "StatusMessage_Too_Long": "Status message must be shorter than 120 characters.", - "Step": "Step", - "Stop_call": "Stop call", - "Stop_Recording": "Stop Recording", - "Store_Last_Message": "Store Last Message", - "Store_Last_Message_Sent_per_Room": "Store last message sent on each room.", - "Stream_Cast": "Stream Cast", - "Stream_Cast_Address": "Stream Cast Address", - "Stream_Cast_Address_Description": "IP or Host of your Rocket.Chat central Stream Cast. E.g. `192.168.1.1:3000` or `localhost:4000`", - "strike": "strike", - "Style": "Style", - "Subject": "Subject", - "Submit": "Submit", - "Success": "Success", - "Success_message": "Success message", - "Successfully_downloaded_file_from_external_URL_should_start_preparing_soon": "Successfully downloaded file from external URL, should start preparing soon", - "Suggestion_from_recent_messages": "Suggestion from recent messages", - "Sunday": "Sunday", - "Support": "Support", - "Survey": "Survey", - "Survey_instructions": "Rate each question according to your satisfaction, 1 meaning you are completely unsatisfied and 5 meaning you are completely satisfied.", - "Symbols": "Symbols", - "Sync": "Sync", - "Sync / Import": "Sync / Import", - "Sync_in_progress": "Synchronization in progress", - "Sync_Interval": "Sync interval", - "Sync_success": "Sync success", - "Sync_Users": "Sync Users", - "sync-auth-services-users": "Sync authentication services' users", - "System_messages": "System Messages", - "Tag": "Tag", - "Tags": "Tags", - "Tag_removed": "Tag Removed", - "Tag_already_exists": "Tag already exists", - "Take_it": "Take it!", - "Taken_at": "Taken at", - "Talk_Time": "Talk Time", - "Target user not allowed to receive messages": "Target user not allowed to receive messages", - "TargetRoom": "Target Room", - "TargetRoom_Description": "The room where messages will be sent which are a result of this event being fired. Only one target room is allowed and it must exist.", - "Team": "Team", - "Team_Add_existing_channels": "Add Existing Channels", - "Team_Add_existing": "Add Existing", - "Team_Auto-join": "Auto-join", - "Team_Channels": "Team Channels", - "Team_Delete_Channel_modal_content_danger": "This can’t be undone.", - "Team_Delete_Channel_modal_content": "Would you like to delete this Channel?", - "Team_has_been_deleted": "Team has been deleted.", - "Team_Info": "Team Info", - "Team_Mapping": "Team Mapping", - "Team_Remove_from_team_modal_content": "Would you like to remove this Channel from __teamName__? The Channel will be moved back to the workspace.", - "Team_Remove_from_team": "Remove from team", - "Team_what_is_this_team_about": "What is this team about", - "Teams": "Teams", - "Teams_about_the_channels": "And about the Channels?", - "Teams_channels_didnt_leave": "You did not select the following Channels so you are not leaving them:", - "Teams_channels_last_owner_delete_channel_warning": "You are the last owner of this Channel. Once you convert the Team into a channel, the Channel will be moved to the Workspace.", - "Teams_channels_last_owner_leave_channel_warning": "You are the last owner of this Channel. Once you leave the Team, the Channel will be kept inside the Team but you will managing it from outside.", - "Teams_leaving_team": "You are leaving this Team.", - "Teams_channels": "Team's Channels", - "Teams_convert_channel_to_team": "Convert to Team", - "Teams_delete_team_choose_channels": "Select the Channels you would like to delete. The ones you decide to keep, will be available on your workspace.", - "Teams_delete_team_public_notice": "Notice that public Channels will still be public and visible to everyone.", - "Teams_delete_team_Warning": "Once you delete a Team, all chat content and configuration will be deleted.", - "Teams_delete_team": "You are about to delete this Team.", - "Teams_deleted_channels": "The following Channels are going to be deleted:", - "Teams_Errors_Already_exists": "The team `__name__` already exists.", - "Teams_Errors_team_name": "You can't use \"__name__\" as a team name.", - "Teams_move_channel_to_team": "Move to Team", - "Teams_move_channel_to_team_description_first": "Moving a Channel inside a Team means that this Channel will be added in the Team’s context, however, all Channel’s members, which are not members of the respective Team, will still have access to this Channel, but will not be added as Team’s members.", - "Teams_move_channel_to_team_description_second": "All Channel’s management will still be made by the owners of this Channel.", - "Teams_move_channel_to_team_description_third": "Team’s members and even Team’s owners, if not a member of this Channel, can not have access to the Channel’s content.", - "Teams_move_channel_to_team_description_fourth": "Please notice that the Team’s owner will be able to remove members from the Channel.", - "Teams_move_channel_to_team_confirm_description": "After reading the previous instructions about this behavior, do you want to move forward with this action?", - "Teams_New_Title": "Create Team", - "Teams_New_Name_Label": "Name", - "Teams_Info": "Team's Information", - "Teams_kept_channels": "You did not select the following Channels so they will be moved to the Workspace:", - "Teams_kept__username__channels": "You did not select the following Channels so __username__ will be kept on them:", - "Teams_leave_channels": "Select the Team’s Channels you would like to leave.", - "Teams_leave": "Leave Team", - "Teams_left_team_successfully": "Left the Team successfully", - "Teams_members": "Teams Members", - "Teams_New_Add_members_Label": "Add Members", - "Teams_New_Broadcast_Description": "Only authorized users can write new messages, but the other users will be able to reply", - "Teams_New_Broadcast_Label": "Broadcast", - "Teams_New_Description_Label": "Topic", - "Teams_New_Description_Placeholder": "What is this team about", - "Teams_New_Encrypted_Description_Disabled": "Only available for private team", - "Teams_New_Encrypted_Description_Enabled": "End to end encrypted team. Search will not work with encrypted Teams and notifications may not show the messages content.", - "Teams_New_Encrypted_Label": "Encrypted", - "Teams_New_Private_Description_Disabled": "When disabled, anyone can join the team", - "Teams_New_Private_Description_Enabled": "Only invited people can join", - "Teams_New_Private_Label": "Private", - "Teams_New_Read_only_Description": "All users in this team can write messages", - "Teams_Public_Team": "Public Team", - "Teams_Private_Team": "Private Team", - "Teams_removing_member": "Removing Member", - "Teams_removing__username__from_team": "You are removing __username__ from this Team", - "Teams_removing__username__from_team_and_channels": "You are removing __username__ from this Team and all its Channels.", - "Teams_Select_a_team": "Select a team", - "Teams_Search_teams": "Search Teams", - "Teams_New_Read_only_Label": "Read Only", - "Technology_Services": "Technology Services", - "Terms": "Terms", - "Test_Connection": "Test Connection", - "Test_Desktop_Notifications": "Test Desktop Notifications", - "Test_LDAP_Search": "Test LDAP Search", - "test-admin-options": "Test options on admin panel such as LDAP login and push notifications", - "Texts": "Texts", - "Thank_you_exclamation_mark": "Thank you!", - "Thank_you_for_your_feedback": "Thank you for your feedback", - "The_application_name_is_required": "The application name is required", - "The_channel_name_is_required": "The channel name is required", - "The_emails_are_being_sent": "The emails are being sent.", - "The_empty_room__roomName__will_be_removed_automatically": "The empty room __roomName__ will be removed automatically.", - "The_field_is_required": "The field %s is required.", - "The_image_resize_will_not_work_because_we_can_not_detect_ImageMagick_or_GraphicsMagick_installed_in_your_server": "The image resize will not work because we can not detect ImageMagick or GraphicsMagick installed on your server.", - "The_message_is_a_discussion_you_will_not_be_able_to_recover": "The message is a discussion you will not be able to recover the messages!", - "The_mobile_notifications_were_disabled_to_all_users_go_to_Admin_Push_to_enable_the_Push_Gateway_again": "The mobile notifications were disabled to all users, go to \"Admin > Push\" to enable the Push Gateway again", - "The_necessary_browser_permissions_for_location_sharing_are_not_granted": "The necessary browser permissions for location sharing are not granted", - "The_peer__peer__does_not_exist": "The peer __peer__ does not exist.", - "The_redirectUri_is_required": "The redirectUri is required", - "The_selected_user_is_not_a_monitor": "The selected user is not a monitor", - "The_selected_user_is_not_an_agent": "The selected user is not an agent", - "The_server_will_restart_in_s_seconds": "The server will restart in %s seconds", - "The_setting_s_is_configured_to_s_and_you_are_accessing_from_s": "The setting %s is configured to %s and you are accessing from %s!", - "The_user_s_will_be_removed_from_role_s": "The user %s will be removed from role %s", - "The_user_will_be_removed_from_s": "The user will be removed from %s", - "The_user_wont_be_able_to_type_in_s": "The user won't be able to type in %s", - "Theme": "Theme", - "theme-color-attention-color": "Attention Color", - "theme-color-component-color": "Component Color", - "theme-color-content-background-color": "Content Background Color", - "theme-color-custom-scrollbar-color": "Custom Scrollbar Color", - "theme-color-error-color": "Error Color", - "theme-color-info-font-color": "Info Font Color", - "theme-color-link-font-color": "Link Font Color", - "theme-color-pending-color": "Pending Color", - "theme-color-primary-action-color": "Primary Action Color", - "theme-color-primary-background-color": "Primary Background Color", - "theme-color-primary-font-color": "Primary Font Color", - "theme-color-rc-color-alert": "Alert", - "theme-color-rc-color-alert-light": "Alert Light", - "theme-color-rc-color-alert-message-primary": "Alert Message Primary", - "theme-color-rc-color-alert-message-primary-background": "Alert Message Primary Background", - "theme-color-rc-color-alert-message-secondary": "Alert Message Secondary", - "theme-color-rc-color-alert-message-secondary-background": "Alert Message Secondary Background", - "theme-color-rc-color-alert-message-warning": "Alert Message Warning", - "theme-color-rc-color-alert-message-warning-background": "Alert Message Warning Background", - "theme-color-rc-color-announcement-text": "Announcement Text Color", - "theme-color-rc-color-announcement-background": "Announcement Background Color", - "theme-color-rc-color-announcement-text-hover": "Announcement Text Color Hover", - "theme-color-rc-color-announcement-background-hover": "Announcement Background Color Hover", - "theme-color-rc-color-button-primary": "Button Primary", - "theme-color-rc-color-button-primary-light": "Button Primary Light", - "theme-color-rc-color-content": "Content", - "theme-color-rc-color-error": "Error", - "theme-color-rc-color-error-light": "Error Light", - "theme-color-rc-color-link-active": "Link Active", - "theme-color-rc-color-primary": "Primary", - "theme-color-rc-color-primary-background": "Primary Background", - "theme-color-rc-color-primary-dark": "Primary Dark", - "theme-color-rc-color-primary-darkest": "Primary Darkest", - "theme-color-rc-color-primary-light": "Primary Light", - "theme-color-rc-color-primary-light-medium": "Primary Light Medium", - "theme-color-rc-color-primary-lightest": "Primary Lightest", - "theme-color-rc-color-success": "Success", - "theme-color-rc-color-success-light": "Success Light", - "theme-color-secondary-action-color": "Secondary Action Color", - "theme-color-secondary-background-color": "Secondary Background Color", - "theme-color-secondary-font-color": "Secondary Font Color", - "theme-color-selection-color": "Selection Color", - "theme-color-status-away": "Away Status Color", - "theme-color-status-busy": "Busy Status Color", - "theme-color-status-offline": "Offline Status Color", - "theme-color-status-online": "Online Status Color", - "theme-color-success-color": "Success Color", - "theme-color-tertiary-font-color": "Tertiary Font Color", - "theme-color-transparent-dark": "Transparent Dark", - "theme-color-transparent-darker": "Transparent Darker", - "theme-color-transparent-light": "Transparent Light", - "theme-color-transparent-lighter": "Transparent Lighter", - "theme-color-transparent-lightest": "Transparent Lightest", - "theme-color-unread-notification-color": "Unread Notifications Color", - "theme-custom-css": "Custom CSS", - "theme-font-body-font-family": "Body Font Family", - "There_are_no_agents_added_to_this_department_yet": "There are no agents added to this department yet.", - "There_are_no_applications": "No oAuth Applications have been added yet.", - "There_are_no_applications_installed": "There are currently no Rocket.Chat Applications installed.", - "There_are_no_available_monitors": "There are no available monitors", - "There_are_no_departments_added_to_this_tag_yet": "There are no departments added to this tag yet", - "There_are_no_departments_added_to_this_unit_yet": "There are no departments added to this unit yet", - "There_are_no_departments_available": "There are no departments available", - "There_are_no_integrations": "There are no integrations", - "There_are_no_monitors_added_to_this_unit_yet": "There are no monitors added to this unit yet", - "There_are_no_personal_access_tokens_created_yet": "There are no Personal Access Tokens created yet.", - "There_are_no_users_in_this_role": "There are no users in this role.", - "There_is_one_or_more_apps_in_an_invalid_state_Click_here_to_review": "There is one or more apps in an invalid state. Click here to review.", - "There_has_been_an_error_installing_the_app": "There has been an error installing the app", - "These_notes_will_be_available_in_the_call_summary": "These notes will be available in the call summary", - "This_agent_was_already_selected": "This agent was already selected", - "this_app_is_included_with_subscription": "This app is included with __bundleName__ subscription", - "This_cant_be_undone": "This can't be undone.", - "This_conversation_is_already_closed": "This conversation is already closed.", - "This_email_has_already_been_used_and_has_not_been_verified__Please_change_your_password": "This email has already been used and has not been verified. Please change your password.", - "This_feature_is_currently_in_alpha": "This feature is currently in alpha!", - "This_is_a_desktop_notification": "This is a desktop notification", - "This_is_a_push_test_messsage": "This is a push test message", - "This_message_was_rejected_by__peer__peer": "This message was rejected by __peer__ peer.", - "This_monitor_was_already_selected": "This monitor was already selected", - "This_month": "This Month", - "This_room_has_been_archived_by__username_": "This room has been archived by __username__", - "This_room_has_been_unarchived_by__username_": "This room has been unarchived by __username__", - "This_week": "This Week", - "thread": "thread", - "Thread_message": "Commented on *__username__'s* message: _ __msg__ _", - "Threads": "Threads", - "Threads_Description": "Threads allow organized discussions around a specific message.", - "Thursday": "Thursday", - "Time_in_minutes": "Time in minutes", - "Time_in_seconds": "Time in seconds", - "Timeout": "Timeout", - "Timeouts": "Timeouts", - "Timezone": "Timezone", - "Title": "Title", - "Title_bar_color": "Title bar color", - "Title_bar_color_offline": "Title bar color offline", - "Title_offline": "Title offline", - "To": "To", - "To_additional_emails": "To additional emails", - "To_install_RocketChat_Livechat_in_your_website_copy_paste_this_code_above_the_last_body_tag_on_your_site": "To install Rocket.Chat Livechat in your website, copy & paste this code above the last </body> tag on your site.", - "to_see_more_details_on_how_to_integrate": "to see more details on how to integrate.", - "To_users": "To Users", - "Today": "Today", - "Toggle_original_translated": "Toggle original/translated", - "toggle-room-e2e-encryption": "Toggle Room E2E Encryption", - "toggle-room-e2e-encryption_description": "Permission to toggle e2e encryption room", - "Token": "Token", - "Token_Access": "Token Access", - "Token_Controlled_Access": "Token Controlled Access", - "Token_required": "Token required", - "Tokens_Minimum_Needed_Balance": "Minimum needed token balance", - "Tokens_Minimum_Needed_Balance_Description": "Set minimum needed balance on each token. Blank or \"0\" for not limit.", - "Tokens_Minimum_Needed_Balance_Placeholder": "Balance value", - "Tokens_Required": "Tokens required", - "Tokens_Required_Input_Description": "Type one or more tokens asset names separated by comma.", - "Tokens_Required_Input_Error": "Invalid typed tokens.", - "Tokens_Required_Input_Placeholder": "Tokens asset names", - "Topic": "Topic", - "Total": "Total", - "Total_abandoned_chats": "Total Abandoned Chats", - "Total_conversations": "Total Conversations", - "Total_Discussions": "Discussions", - "Total_messages": "Total Messages", - "Total_rooms": "Total Rooms", - "Total_Threads": "Threads", - "Total_visitors": "Total Visitors", - "TOTP Invalid [totp-invalid]": "Code or password invalid", - "TOTP_reset_email": "Two Factor TOTP Reset Notification", - "TOTP_Reset_Other_Key_Warning": "Reset the current Two Factor TOTP will log out the user. The user will be able to set the Two Factor again later.", - "totp-disabled": "You do not have 2FA login enabled for your user", - "totp-invalid": "Code or password invalid", - "totp-required": "TOTP Required", - "Transcript": "Transcript", - "Transcript_Enabled": "Ask Visitor if They Would Like a Transcript After Chat Closed", - "Transcript_message": "Message to Show When Asking About Transcript", - "Transcript_of_your_livechat_conversation": "Transcript of your omnichannel conversation.", - "Transcript_Request": "Transcript Request", - "transfer-livechat-guest": "Transfer Livechat Guests", - "transfer-livechat-guest_description": "Permission to transfer livechat guests", - "Transferred": "Transferred", - "Translate": "Translate", - "Translated": "Translated", - "Translations": "Translations", - "Travel_and_Places": "Travel & Places", - "Trigger_removed": "Trigger removed", - "Trigger_Words": "Trigger Words", - "Triggers": "Triggers", - "Troubleshoot": "Troubleshoot", - "Troubleshoot_Description": "Configure how troubleshooting is handled on your workspace.", - "Troubleshoot_Disable_Data_Exporter_Processor": "Disable Data Exporter Processor", - "Troubleshoot_Disable_Data_Exporter_Processor_Alert": "This setting stops the processing of all export requests from users, so they will not receive the link to download their data!", - "Troubleshoot_Disable_Instance_Broadcast": "Disable Instance Broadcast", - "Troubleshoot_Disable_Instance_Broadcast_Alert": "This setting prevents the Rocket.Chat instances from sending events to the other instances, it may cause syncing problems and misbehavior!", - "Troubleshoot_Disable_Livechat_Activity_Monitor": "Disable Livechat Activity Monitor", - "Troubleshoot_Disable_Livechat_Activity_Monitor_Alert": "This setting stops the processing of livechat visitor sessions causing the statistics to stop working correctly!", - "Troubleshoot_Disable_Notifications": "Disable Notifications", - "Troubleshoot_Disable_Notifications_Alert": "This setting completely disables the notifications system; sounds, desktop notifications, mobile notifications, and emails will stop!", - "Troubleshoot_Disable_Presence_Broadcast": "Disable Presence Broadcast", - "Troubleshoot_Disable_Presence_Broadcast_Alert": "This setting prevents all instances form sending the status changes of the users to their clients keeping all the users with their presence status from the first load!", - "Troubleshoot_Disable_Sessions_Monitor": "Disable Sessions Monitor", - "Troubleshoot_Disable_Sessions_Monitor_Alert": "This setting stops the processing of user sessions causing the statistics to stop working correctly!", - "Troubleshoot_Disable_Statistics_Generator": "Disable Statistics Generator", - "Troubleshoot_Disable_Statistics_Generator_Alert": "This setting stops the processing all statistics making the info page outdated until someone clicks on the refresh button and may cause other missing information around the system!", - "Troubleshoot_Disable_Workspace_Sync": "Disable Workspace Sync", - "Troubleshoot_Disable_Workspace_Sync_Alert": "This setting stops the sync of this server with Rocket.Chat's cloud and may cause issues with marketplace and enteprise licenses!", - "True": "True", - "Try_searching_in_the_marketplace_instead": "Try searching in the Marketplace instead", - "Tuesday": "Tuesday", - "Turn_OFF": "Turn OFF", - "Turn_ON": "Turn ON", - "Turn_on_video": "Turn on video", - "Turn_off_video": "Turn off video", - "Two Factor Authentication": "Two Factor Authentication", - "Two-factor_authentication": "Two-factor authentication via TOTP", - "Two-factor_authentication_disabled": "Two-factor authentication disabled", - "Two-factor_authentication_email": "Two-factor authentication via Email", - "Two-factor_authentication_email_is_currently_disabled": "Two-factor authentication via Email is currently disabled", - "Two-factor_authentication_enabled": "Two-factor authentication enabled", - "Two-factor_authentication_is_currently_disabled": "Two-factor authentication via TOTP is currently disabled", - "Two-factor_authentication_native_mobile_app_warning": "WARNING: Once you enable this, you will not be able to login on the native mobile apps (Rocket.Chat+) using your password until they implement the 2FA.", - "Type": "Type", - "typing": "typing", - "Types": "Types", - "Types_and_Distribution": "Types and Distribution", - "Type_your_email": "Type your email", - "Type_your_job_title": "Type your job title", - "Type_your_message": "Type your message", - "Type_your_name": "Type your name", - "Type_your_new_password": "Type your new password", - "Type_your_password": "Type your password", - "Type_your_username": "Type your username", - "UI_Allow_room_names_with_special_chars": "Allow Special Characters in Room Names", - "UI_Click_Direct_Message": "Click to Create Direct Message", - "UI_Click_Direct_Message_Description": "Skip opening profile tab, instead go straight to conversation", - "UI_DisplayRoles": "Display Roles", - "UI_Group_Channels_By_Type": "Group channels by type", - "UI_Merge_Channels_Groups": "Merge Private Groups with Channels", - "UI_Show_top_navbar_embedded_layout": "Show top navbar in embedded layout", - "UI_Unread_Counter_Style": "Unread Counter Style", - "UI_Use_Name_Avatar": "Use Full Name Initials to Generate Default Avatar", - "UI_Use_Real_Name": "Use Real Name", - "unable-to-get-file": "Unable to get file", - "Unarchive": "Unarchive", - "unarchive-room": "Unarchive Room", - "unarchive-room_description": "Permission to unarchive channels", - "Unassigned": "Unassigned", - "Unavailable": "Unavailable", - "Unblock": "Unblock", - "Unblock_User": "Unblock User", - "Uncheck_All": "Uncheck All", - "Uncollapse": "Uncollapse", - "Undefined": "Undefined", - "Unfavorite": "Unfavorite", - "Unfollow_message": "Unfollow Message", - "Unignore": "Unignore", - "Uninstall": "Uninstall", - "Unit_removed": "Unit Removed", - "Unknown_Import_State": "Unknown Import State", - "Unlimited": "Unlimited", - "Unmute": "Unmute", - "Unmute_someone_in_room": "Unmute someone in the room", - "Unmute_user": "Unmute user", - "Unnamed": "Unnamed", - "Unpin": "Unpin", - "Unpin_Message": "Unpin Message", - "unpinning-not-allowed": "Unpinning is not allowed", - "Unread": "Unread", - "Unread_Count": "Unread Count", - "Unread_Count_DM": "Unread Count for Direct Messages", - "Unread_Messages": "Unread Messages", - "Unread_on_top": "Unread on top", - "Unread_Rooms": "Unread Rooms", - "Unread_Rooms_Mode": "Unread Rooms Mode", - "Unread_Tray_Icon_Alert": "Unread Tray Icon Alert", - "Unstar_Message": "Remove Star", - "Unmute_microphone": "Unmute Microphone", - "Update": "Update", - "Update_EnableChecker": "Enable the Update Checker", - "Update_EnableChecker_Description": "Checks automatically for new updates / important messages from the Rocket.Chat developers and receives notifications when available. The notification appears once per new version as a clickable banner and as a message from the Rocket.Cat bot, both visible only for administrators.", - "Update_every": "Update every", - "Update_LatestAvailableVersion": "Update Latest Available Version", - "Update_to_version": "Update to __version__", - "Update_your_RocketChat": "Update your Rocket.Chat", - "Updated_at": "Updated at", - "Upgrade_tab_connection_error_description": "Looks like you have no internet connection. This may be because your workspace is installed on a fully-secured air-gapped server", - "Upgrade_tab_connection_error_restore": "Restore your connection to learn about features you are missing out on.", - "Upgrade_tab_go_fully_featured": "Go fully featured", - "Upgrade_tab_trial_guide": "Trial guide", - "Upgrade_tab_upgrade_your_plan": "Upgrade your plan", - "Upload": "Upload", - "Uploads": "Uploads", - "Upload_app": "Upload App", - "Upload_file_description": "File description", - "Upload_file_name": "File name", - "Upload_file_question": "Upload file?", - "Upload_Folder_Path": "Upload Folder Path", - "Upload_From": "Upload from __name__", - "Upload_user_avatar": "Upload avatar", - "Uploading_file": "Uploading file...", - "Uptime": "Uptime", - "URL": "URL", - "URL_room_hash": "Enable room name hash", - "URL_room_hash_description": "Recommended to enable if the Jitsi instance doesn't use any authentication mechanism.", - "URL_room_prefix": "URL room prefix", - "URL_room_suffix": "URL room suffix", - "Usage": "Usage", - "Use": "Use", - "Use_account_preference": "Use account preference", - "Use_Emojis": "Use Emojis", - "Use_Global_Settings": "Use Global Settings", - "Use_initials_avatar": "Use your username initials", - "Use_minor_colors": "Use minor color palette (defaults inherit major colors)", - "Use_Room_configuration": "Overwrites the server configuration and use room config", - "Use_Server_configuration": "Use server configuration", - "Use_service_avatar": "Use %s avatar", - "Use_this_response": "Use this response", - "Use_response": "Use response", - "Use_this_username": "Use this username", - "Use_uploaded_avatar": "Use uploaded avatar", - "Use_url_for_avatar": "Use URL for avatar", - "Use_User_Preferences_or_Global_Settings": "Use User Preferences or Global Settings", - "User": "User", - "User Search": "User Search", - "User Search (Group Validation)": "User Search (Group Validation)", - "User__username__is_now_a_leader_of__room_name_": "User __username__ is now a leader of __room_name__", - "User__username__is_now_a_moderator_of__room_name_": "User __username__ is now a moderator of __room_name__", - "User__username__is_now_a_owner_of__room_name_": "User __username__ is now a owner of __room_name__", - "User__username__muted_in_room__roomName__": "User __username__ muted in room __roomName__", - "User__username__removed_from__room_name__leaders": "User __username__ removed from __room_name__ leaders", - "User__username__removed_from__room_name__moderators": "User __username__ removed from __room_name__ moderators", - "User__username__removed_from__room_name__owners": "User __username__ removed from __room_name__ owners", - "User__username__unmuted_in_room__roomName__": "User __username__ unmuted in room __roomName__", - "User_added": "User added", - "User_added_by": "User __user_added__ added by __user_by__.", - "User_added_successfully": "User added successfully", - "User_and_group_mentions_only": "User and group mentions only", - "User_cant_be_empty": "User cannot be empty", - "User_created_successfully!": "User create successfully!", - "User_default": "User default", - "User_doesnt_exist": "No user exists by the name of `@%s`.", - "User_e2e_key_was_reset": "User E2E key was reset successfully.", - "User_has_been_activated": "User has been activated", - "User_has_been_deactivated": "User has been deactivated", - "User_has_been_deleted": "User has been deleted", - "User_has_been_ignored": "User has been ignored", - "User_has_been_muted_in_s": "User has been muted in %s", - "User_has_been_removed_from_s": "User has been removed from %s", - "User_has_been_removed_from_team": "User has been removed from team", - "User_has_been_unignored": "User is no longer ignored", - "User_Info": "User Info", - "User_Interface": "User Interface", - "User_is_blocked": "User is blocked", - "User_is_no_longer_an_admin": "User is no longer an admin", - "User_is_now_an_admin": "User is now an admin", - "User_is_unblocked": "User is unblocked", - "User_joined_channel": "Has joined the channel.", - "User_joined_conversation": "Has joined the conversation", - "User_joined_team": "joined this Team", - "user_joined_otr": "Has joined OTR chat.", - "user_key_refreshed_successfully": "key refreshed successfully", - "user_requested_otr_key_refresh": "Has requested key refresh.", - "User_left": "Has left the channel.", - "User_left_team": "left this Team", - "User_logged_out": "User is logged out", - "User_management": "User Management", - "User_mentions_only": "User mentions only", - "User_muted": "User Muted", - "User_muted_by": "User __user_muted__ muted by __user_by__.", - "User_not_found": "User not found", - "User_not_found_or_incorrect_password": "User not found or incorrect password", - "User_or_channel_name": "User or channel name", - "User_Presence": "User Presence", - "User_removed": "User removed", - "User_removed_by": "User __user_removed__ removed by __user_by__.", - "User_sent_a_message_on_channel": "__username__ sent a message on __channel__", - "User_sent_a_message_to_you": "__username__ sent you a message", - "user_sent_an_attachment": "__user__ sent an attachment", - "User_Settings": "User Settings", - "User_started_a_new_conversation": "__username__ started a new conversation", - "User_unmuted_by": "User __user_unmuted__ unmuted by __user_by__.", - "User_unmuted_in_room": "User unmuted in room", - "User_updated_successfully": "User updated successfully", - "User_uploaded_a_file_on_channel": "__username__ uploaded a file on __channel__", - "User_uploaded_a_file_to_you": "__username__ sent you a file", - "User_uploaded_file": "Uploaded a file", - "User_uploaded_image": "Uploaded an image", - "user-generate-access-token": "User Generate Access Token", - "user-generate-access-token_description": "Permission for users to generate access tokens", - "UserData_EnableDownload": "Enable User Data Download", - "UserData_FileSystemPath": "System Path (Exported Files)", - "UserData_FileSystemZipPath": "System Path (Compressed File)", - "UserData_MessageLimitPerRequest": "Message Limit per Request", - "UserData_ProcessingFrequency": "Processing Frequency (Minutes)", - "UserDataDownload": "User Data Download", - "UserDataDownload_Description": "Configurations to allow or disallow workspace members from downloading of workspace data.", - "UserDataDownload_CompletedRequestExisted_Text": "Your data file was already generated. Check your email account for the download link.", - "UserDataDownload_CompletedRequestExistedWithLink_Text": "Your data file was already generated. Click here to download it.", - "UserDataDownload_EmailBody": "Your data file is now ready to download. Click here to download it.", - "UserDataDownload_EmailSubject": "Your Data File is Ready to Download", - "UserDataDownload_FeatureDisabled": "Sorry, user data exports are not enabled on this server!", - "UserDataDownload_LoginNeeded": "You need to log into your Rocket.Chat account to download this data export. Click the link below to do that, then try again.", - "UserDataDownload_Requested": "Download File Requested", - "UserDataDownload_Requested_Text": "Your data file will be generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", - "UserDataDownload_RequestExisted_Text": "Your data file is already being generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", - "Username": "Username", - "Username_already_exist": "Username already exists. Please try another username.", - "Username_and_message_must_not_be_empty": "Username and message must not be empty.", - "Username_cant_be_empty": "The username cannot be empty", - "Username_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of usernames", - "Username_denied_the_OTR_session": "__username__ denied the OTR session", - "Username_description": "The username is used to allow others to mention you in messages.", - "Username_doesnt_exist": "The username `%s` doesn't exist.", - "Username_ended_the_OTR_session": "__username__ ended the OTR session", - "Username_invalid": "%s is not a valid username,
use only letters, numbers, dots, hyphens and underscores", - "Username_is_already_in_here": "`@%s` is already in here.", - "Username_is_not_in_this_room": "The user `#%s` is not in this room.", - "Username_Placeholder": "Please enter usernames...", - "Username_title": "Register username", - "Username_wants_to_start_otr_Do_you_want_to_accept": "__username__ wants to start OTR. Do you want to accept?", - "Users": "Users", - "Users must use Two Factor Authentication": "Users must use Two Factor Authentication", - "Users_added": "The users have been added", - "Users_and_rooms": "Users and Rooms", - "Users_by_time_of_day": "Users by time of day", - "Users_in_role": "Users in role", - "Users_key_has_been_reset": "User's key has been reset", - "Users_reacted": "Users that Reacted", - "Users_TOTP_has_been_reset": "User's TOTP has been reset", - "Uses": "Uses", - "Uses_left": "Uses left", - "UTC_Timezone": "UTC Timezone", - "Utilities": "Utilities", - "UTF8_Names_Slugify": "UTF8 Names Slugify", - "UTF8_User_Names_Validation": "UTF8 Usernames Validation", - "UTF8_User_Names_Validation_Description": "RegExp that will be used to validate usernames", - "UTF8_Channel_Names_Validation": "UTF8 Channel Names Validation", - "UTF8_Channel_Names_Validation_Description": "RegExp that will be used to validate channel names", - "Videocall_enabled": "Video Call Enabled", - "Validate_email_address": "Validate Email Address", - "Validation": "Validation", - "Value_messages": "__value__ messages", - "Value_users": "__value__ users", - "Verification": "Verification", - "Verification_Description": "You may use the following placeholders:
  • [Verification_Url] for the verification URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Verification_Email": "Click here to verify your email address.", - "Verification_email_body": "Please, click on the button below to confirm your email address.", - "Verification_email_sent": "Verification email sent", - "Verification_Email_Subject": "[Site_Name] - Email address verification", - "Verified": "Verified", - "Verify": "Verify", - "Verify_your_email": "Verify your email", - "Verify_your_email_for_the_code_we_sent": "Verify your email for the code we sent", - "Version": "Version", - "Version_version": "Version __version__", - "Video Conference": "Video Conference", - "Video Conference_Description": "Configure video conferencing for your workspace.", - "Video_Chat_Window": "Video Chat", - "Video_Conference": "Video Conference", - "Video_message": "Video message", - "Videocall_declined": "Video Call Declined.", - "Video_and_Audio_Call": "Video and Audio Call", - "Videos": "Videos", - "View_All": "View All Members", - "View_channels": "View Channels", - "view-import-operations": "View import operations", - "view-omnichannel-contact-center": "View Omnichannel Contact Center", - "view-omnichannel-contact-center_description": "Permission to view and interact with the Omnichannel Contact Center", - "View_Logs": "View Logs", - "View_mode": "View Mode", - "View_original": "View Original", - "View_the_Logs_for": "View the logs for: \"__name__\"", - "view-broadcast-member-list": "View Members List in Broadcast Room", - "view-broadcast-member-list_description": "Permission to view list of users in broadcast channel", - "view-c-room": "View Public Channel", - "view-c-room_description": "Permission to view public channels", - "view-canned-responses": "View Canned Responses", - "view-d-room": "View Direct Messages", - "view-d-room_description": "Permission to view direct messages", - "view-federation-data": "View federation data", - "View_full_conversation": "View full conversation", - "view-full-other-user-info": "View Full Other User Info", - "view-full-other-user-info_description": "Permission to view full profile of other users including account creation date, last login, etc.", - "view-history": "View History", - "view-history_description": "Permission to view the channel history", - "view-join-code": "View Join Code", - "view-join-code_description": "Permission to view the channel join code", - "view-joined-room": "View Joined Room", - "view-joined-room_description": "Permission to view the currently joined channels", - "view-l-room": "View Omnichannel Rooms", - "view-l-room_description": "Permission to view Omnichannel rooms", - "view-livechat-analytics": "View Omnichannel Analytics", - "view-livechat-analytics_description": "Permission to view live chat analytics", - "view-livechat-appearance": "View Omnichannel Appearance", - "view-livechat-appearance_description": "Permission to view live chat appearance", - "view-livechat-business-hours": "View Omnichannel Business-Hours", - "view-livechat-business-hours_description": "Permission to view live chat business hours", - "view-livechat-current-chats": "View Omnichannel Current Chats", - "view-livechat-current-chats_description": "Permission to view live chat current chats", - "view-livechat-departments": "View Omnichannel Departments", - "view-livechat-manager": "View Omnichannel Manager", - "view-livechat-manager_description": "Permission to view other Omnichannel managers", - "view-livechat-monitor": "View Livechat Monitors", - "view-livechat-queue": "View Omnichannel Queue", - "view-livechat-room-closed-by-another-agent": "View Omnichannel Rooms closed by another agent", - "view-livechat-room-closed-same-department": "View Omnichannel Rooms closed by another agent in the same department", - "view-livechat-room-closed-same-department_description": "Permission to view live chat rooms closed by another agent in the same department", - "view-livechat-room-customfields": "View Omnichannel Room Custom Fields", - "view-livechat-room-customfields_description": "Permission to view live chat room custom fields", - "view-livechat-rooms": "View Omnichannel Rooms", - "view-livechat-rooms_description": "Permission to view other Omnichannel rooms", - "view-livechat-triggers": "View Omnichannel Triggers", - "view-livechat-triggers_description": "Permission to view live chat triggers", - "view-livechat-webhooks": "View Omnichannel Webhooks", - "view-livechat-webhooks_description": "Permission to view live chat webhooks", - "view-livechat-unit": "View Livechat Units", - "view-logs": "View Logs", - "view-logs_description": "Permission to view the server logs ", - "view-other-user-channels": "View Other User Channels", - "view-other-user-channels_description": "Permission to view channels owned by other users", - "view-outside-room": "View Outside Room", - "view-outside-room_description": "Permission to view users outside the current room", - "view-p-room": "View Private Room", - "view-p-room_description": "Permission to view private channels", - "view-privileged-setting": "View Privileged Setting", - "view-privileged-setting_description": "Permission to view settings", - "view-room-administration": "View Room Administration", - "view-room-administration_description": "Permission to view public, private and direct message statistics. Does not include the ability to view conversations or archives", - "view-statistics": "View Statistics", - "view-statistics_description": "Permission to view system statistics such as number of users logged in, number of rooms, operating system information", - "view-user-administration": "View User Administration", - "view-user-administration_description": "Permission to partial, read-only list view of other user accounts currently logged into the system. No user account information is accessible with this permission", - "Viewing_room_administration": "Viewing room administration", - "Visibility": "Visibility", - "Visible": "Visible", - "Visit_Site_Url_and_try_the_best_open_source_chat_solution_available_today": "Visit __Site_URL__ and try the best open source chat solution available today!", - "Visitor": "Visitor", - "Visitor_Email": "Visitor E-mail", - "Visitor_Info": "Visitor Info", - "Visitor_message": "Visitor Messages", - "Visitor_Name": "Visitor Name", - "Visitor_Name_Placeholder": "Please enter a visitor name...", - "Visitor_does_not_exist": "Visitor does not exist!", - "Visitor_Navigation": "Visitor Navigation", - "Visitor_page_URL": "Visitor page URL", - "Visitor_time_on_site": "Visitor time on site", - "Voice_Call": "Voice Call", - "VoIP_Enable_Keep_Alive_For_Unstable_Networks": "Enable Keep-Alive using SIP-OPTIONS for unstable networks", - "VoIP_Enable_Keep_Alive_For_Unstable_Networks_Description": "Enables or Disables Keep-Alive using SIP-OPTIONS based on network quality", - "VoIP_Enabled": "VoIP Enabled", - "VoIP_Extension": "VoIP Extension", - "Voip_Server_Configuration": "Server Configuration", - "VoIP_Server_Host": "Server Host", - "VoIP_Server_Websocket_Port": "Websocket Port", - "VoIP_Server_Name": "Server Name", - "VoIP_Server_Websocket_Path": "Websocket Path", - "VoIP_Retry_Count": "Retry Count", - "VoIP_Retry_Count_Description": "Defines the number of times the client will try to reconnect to the VoIP server if the connection is lost.", - "VoIP_Management_Server": "VoIP Management Server", - "VoIP_Management_Server_Host": "Server Host", - "VoIP_Management_Server_Port": "Server Port", - "VoIP_Management_Server_Name": "Server Name", - "VoIP_Management_Server_Username": "Username", - "VoIP_Management_Server_Password": "Password", - "Voip_call_started": "Call started at", - "Voip_call_duration": "Call lasted __duration__", - "Voip_call_declined": "Call hanged up by agent", - "Voip_call_on_hold": "Call placed on hold at", - "Voip_call_unhold": "Call resumed at", - "Voip_call_ended": "Call ended at", - "Voip_call_ended_unexpectedly": "Call ended unexpectedly: __reason__", - "Voip_call_wrapup": "Call wrapup notes added: __comment__", - "VoIP_JWT_Secret": "VoIP JWT Secret", - "VoIP_JWT_Secret_description": "This allows you to set a secret key for sharing extension details from server to client as JWT instead of plain text. If you don't setup this, extension registration details will be sent as plain text", - "Voip_is_disabled": "VoIP is disabled", - "Voip_is_disabled_description": "To view the list of extensions it is necessary to activate VoIP, do so in the Settings tab.", - "Chat_opened_by_visitor": "Chat opened by the visitor", - "Wait_activation_warning": "Before you can login, your account must be manually activated by an administrator.", - "Waiting_queue": "Waiting queue", - "Waiting_queue_message": "Waiting queue message", - "Waiting_queue_message_description": "Message that will be displayed to the visitors when they get in the queue", - "Waiting_Time": "Waiting Time", - "Warning": "Warning", - "Warnings": "Warnings", - "WAU_value": "WAU __value__", - "We_appreciate_your_feedback": "We appreciate your feedback", - "We_are_offline_Sorry_for_the_inconvenience": "We are offline. Sorry for the inconvenience.", - "We_have_sent_password_email": "We have sent you an email with password reset instructions. If you do not receive an email shortly, please come back and try again.", - "We_have_sent_registration_email": "We have sent you an email to confirm your registration. If you do not receive an email shortly, please come back and try again.", - "Webdav Integration": "Webdav Integration", - "Webdav Integration_Description": "A framework for users to create, change and move documents on a server. Used to link WebDAV servers such as Nextcloud.", - "WebDAV_Accounts": "WebDAV Accounts", - "Webdav_add_new_account": "Add new WebDAV account", - "Webdav_Integration_Enabled": "Webdav Integration Enabled", - "Webdav_Password": "WebDAV Password", - "Webdav_Server_URL": "WebDAV Server Access URL", - "Webdav_Username": "WebDAV Username", - "Webdav_account_removed": "WebDAV account removed", - "webdav-account-saved": "WebDAV account saved", - "webdav-account-updated": "WebDAV account updated", - "Webhook_Details": "WebHook Details", - "Webhook_URL": "Webhook URL", - "Webhooks": "Webhooks", - "WebRTC": "WebRTC", - "WebRTC_Description": "Broadcast audio and/or video material, as well as transmit arbitrary data between browsers without the need for a middleman.", - "WebRTC_Call": "WebRTC Call", - "WebRTC_direct_audio_call_from_%s": "Direct audio call from %s", - "WebRTC_direct_video_call_from_%s": "Direct video call from %s", - "WebRTC_Enable_Channel": "Enable for Public Channels", - "WebRTC_Enable_Direct": "Enable for Direct Messages", - "WebRTC_Enable_Private": "Enable for Private Channels", - "WebRTC_group_audio_call_from_%s": "Group audio call from %s", - "WebRTC_group_video_call_from_%s": "Group video call from %s", - "WebRTC_monitor_call_from_%s": "Monitor call from %s", - "WebRTC_Servers": "STUN/TURN Servers", - "WebRTC_Servers_Description": "A list of STUN and TURN servers separated by comma.
Username, password and port are allowed in the format `username:password@stun:host:port` or `username:password@turn:host:port`.", - "WebRTC_call_ended_message": " Call ended at __endTime__ - Lasted __callDuration__", - "WebRTC_call_declined_message": " Call Declined by Contact.", - "Website": "Website", - "Wednesday": "Wednesday", - "Weekly_Active_Users": "Weekly Active Users", - "Welcome": "Welcome %s.", - "Welcome_to": "Welcome to __Site_Name__", - "Welcome_to_the": "Welcome to the", - "When": "When", - "When_a_line_starts_with_one_of_there_words_post_to_the_URLs_below": "When a line starts with one of these words, post to the URL(s) below", - "When_is_the_chat_busier?": "When is the chat busier?", - "Where_are_the_messages_being_sent?": "Where are the messages being sent?", - "Why_did_you_chose__score__": "Why did you chose __score__?", - "Why_do_you_want_to_report_question_mark": "Why do you want to report?", - "Will_Appear_In_From": "Will appear in the From: header of emails you send.", - "will_be_able_to": "will be able to", - "Will_be_available_here_after_saving": "Will be available here after saving.", - "Without_priority": "Without priority", - "Worldwide": "Worldwide", - "Would_you_like_to_return_the_inquiry": "Would you like to return the inquiry?", - "Would_you_like_to_return_the_queue": "Would you like to move back this room to the queue? All conversation history will be kept on the room.", - "Would_you_like_to_place_chat_on_hold": "Would you like to place this chat On-Hold?", - "Wrap_up_the_call": "Wrap-up the call", - "Wrap_Up_Notes": "Wrap-Up Notes", - "Yes": "Yes", - "Yes_archive_it": "Yes, archive it!", - "Yes_clear_all": "Yes, clear all!", - "Yes_deactivate_it": "Yes, deactivate it!", - "Yes_delete_it": "Yes, delete it!", - "Yes_hide_it": "Yes, hide it!", - "Yes_leave_it": "Yes, leave it!", - "Yes_mute_user": "Yes, mute user!", - "Yes_prune_them": "Yes, prune them!", - "Yes_remove_user": "Yes, remove user!", - "Yes_unarchive_it": "Yes, unarchive it!", - "yesterday": "yesterday", - "Yesterday": "Yesterday", - "You": "You", - "You_have_reacted": "You have reacted", - "Users_reacted_with": "__users__ have reacted with __emoji__", - "Users_and_more_reacted_with": "__users__ and __count__ more have reacted with __emoji__", - "You_and_users_Reacted_with": "You and __users__ have reacted with __emoji__", - "You_users_and_more_Reacted_with": "You, __users__ and __count__ more have reacted with __emoji__", - "You_are_converting_team_to_channel": "You are converting this Team to a Channel.", - "you_are_in_preview_mode_of": "You are in preview mode of channel #__room_name__", - "you_are_in_preview_mode_of_incoming_livechat": "You are in preview mode of this chat", - "You_are_logged_in_as": "You are logged in as", - "You_are_not_authorized_to_view_this_page": "You are not authorized to view this page.", - "You_can_change_a_different_avatar_too": "You can override the avatar used to post from this integration.", - "You_can_close_this_window_now": "You can close this window now.", - "You_can_search_using_RegExp_eg": "You can search using Regular Expression. e.g. /^text$/i", - "You_can_try_to": "You can try to", - "You_can_use_an_emoji_as_avatar": "You can also use an emoji as an avatar.", - "You_can_use_webhooks_to_easily_integrate_livechat_with_your_CRM": "You can use webhooks to easily integrate Omnichannel with your CRM.", - "You_cant_leave_a_livechat_room_Please_use_the_close_button": "You can't leave a omnichannel room. Please, use the close button.", - "You_followed_this_message": "You followed this message.", - "You_have_a_new_message": "You have a new message", - "You_have_been_muted": "You have been muted and cannot speak in this room", - "You_have_joined_a_new_call_with": "You have joined a new call with", - "You_have_n_codes_remaining": "You have __number__ codes remaining.", - "You_have_not_verified_your_email": "You have not verified your email.", - "You_have_successfully_unsubscribed": "You have successfully unsubscribed from our Mailling List.", - "You_have_to_set_an_API_token_first_in_order_to_use_the_integration": "You have to set an API token first in order to use the integration.", - "You_must_join_to_view_messages_in_this_channel": "You must join to view messages in this channel", - "You_need_confirm_email": "You need to confirm your email to login!", - "You_need_install_an_extension_to_allow_screen_sharing": "You need install an extension to allow screen sharing", - "You_need_to_change_your_password": "You need to change your password", - "You_need_to_type_in_your_password_in_order_to_do_this": "You need to type in your password in order to do this!", - "You_need_to_type_in_your_username_in_order_to_do_this": "You need to type in your username in order to do this!", - "You_need_to_verifiy_your_email_address_to_get_notications": "You need to verify your email address to get notifications", - "You_need_to_write_something": "You need to write something!", - "You_reached_the_maximum_number_of_guest_users_allowed_by_your_license": "You reached the maximum number of guest users allowed by your license.", - "You_should_inform_one_url_at_least": "You should define at least one URL.", - "You_should_name_it_to_easily_manage_your_integrations": "You should name it to easily manage your integrations.", - "You_unfollowed_this_message": "You unfollowed this message.", - "You_will_be_asked_for_permissions": "You will be asked for permissions", - "You_will_not_be_able_to_recover": "You will not be able to recover this message!", - "You_will_not_be_able_to_recover_email_inbox": "You will not be able to recover this email inbox", - "You_will_not_be_able_to_recover_file": "You will not be able to recover this file!", - "You_wont_receive_email_notifications_because_you_have_not_verified_your_email": "You won't receive email notifications because you have not verified your email.", - "Your_e2e_key_has_been_reset": "Your e2e key has been reset.", - "Your_email_address_has_changed": "Your email address has been changed.", - "Your_email_has_been_queued_for_sending": "Your email has been queued for sending", - "Your_entry_has_been_deleted": "Your entry has been deleted.", - "Your_file_has_been_deleted": "Your file has been deleted.", - "Your_invite_link_will_expire_after__usesLeft__uses": "Your invite link will expire after __usesLeft__ uses.", - "Your_invite_link_will_expire_on__date__": "Your invite link will expire on __date__.", - "Your_invite_link_will_expire_on__date__or_after__usesLeft__uses": "Your invite link will expire on __date__ or after __usesLeft__ uses.", - "Your_invite_link_will_never_expire": "Your invite link will never expire.", - "Your_mail_was_sent_to_s": "Your mail was sent to %s", - "your_message": "your message", - "your_message_optional": "your message (optional)", - "Your_new_email_is_email": "Your new email address is [email].", - "Your_password_is_wrong": "Your password is wrong!", - "Your_password_was_changed_by_an_admin": "Your password was changed by an admin.", - "Your_push_was_sent_to_s_devices": "Your push was sent to %s devices", - "Your_question": "Your question", - "Your_server_link": "Your server link", - "Your_temporary_password_is_password": "Your temporary password is [password].", - "Your_TOTP_has_been_reset": "Your Two Factor TOTP has been reset.", - "Your_workspace_is_ready": "Your workspace is ready to use 🎉", - "Zapier": "Zapier", - "onboarding.component.form.steps": "Step {{currentStep}} of {{stepCount}}", - "onboarding.component.form.action.back": "Back", - "onboarding.component.form.action.next": "Next", - "onboarding.component.form.action.skip": "Skip this step", - "onboarding.component.form.action.register": "Register", - "onboarding.component.form.action.confirm": "Confirm", - "onboarding.component.form.requiredField": "This field is required", - "onboarding.component.form.termsAndConditions": "I agree with <1>Terms and Conditions and <3>Privacy Policy", - "onboarding.component.emailCodeFallback": "Didn’t receive email? <1>Resend or <3>Change email", - "onboarding.page.form.title": "Let's <1>Launch Your Workspace", - "onboarding.page.awaitingConfirmation.title": "Awaiting confirmation", - "onboarding.page.awaitingConfirmation.subtitle": "We have sent you an email to {{emailAddress}} with a confirmation link. Please verify that the security code below matches the one in the email.", - "onboarding.page.emailConfirmed.title": "Email Confirmed!", - "onboarding.page.emailConfirmed.subtitle": "You can return to your Rocket.Chat application – we have launched your workspace already.", - "onboarding.page.checkYourEmail.title": "Check your email", - "onboarding.page.checkYourEmail.subtitle": "Your request has been sent successfully.<1>Check your email inbox to launch your Enterprise trial.<1>The link will expire in 30 minutes.", - "onboarding.page.confirmationProcess.title": "Confirmation in Process", - "onboarding.page.cloudDescription.title": "Let's launch your workspace and <1>14-day trial", - "onboarding.page.cloudDescription.tryGold": "Try our best Gold plan for 14 days for free", - "onboarding.page.cloudDescription.numberOfIntegrations": "1,000 integrations", - "onboarding.page.cloudDescription.availability": "High availability", - "onboarding.page.cloudDescription.auditing": "Message audit panel / Audit logs", - "onboarding.page.cloudDescription.engagement": "Engagement Dashboard", - "onboarding.page.cloudDescription.ldap": "LDAP enhanced sync", - "onboarding.page.cloudDescription.omnichannel": "Omnichannel premium", - "onboarding.page.cloudDescription.sla": "SLA: Premium", - "onboarding.page.cloudDescription.push": "Secured push notifications", - "onboarding.page.cloudDescription.goldIncludes": "* Golden plan includes all features from other plans", - "onboarding.page.alreadyHaveAccount": "Already have an account? <1>Manage your workspaces.", - "onboarding.page.invalidLink.title": "Your Link is no Longer Valid", - "onboarding.page.invalidLink.content": "Seems like you have already used invite link. It’s generated for a single sign in. Request a new one to join your workspace.", - "onboarding.page.invalidLink.button.text": "Request new link", - "onboarding.page.requestTrial.title": "Request a <1>30-day Trial", - "onboarding.page.requestTrial.subtitle": "Try our best Enterprise Edition plan for 30 days for free", - "onboarding.page.magicLinkEmail.title": "We emailed you a login link", - "onboarding.page.magicLinkEmail.subtitle": "Click the link in the email we just sent you to sign in to your workspace. <1>The link will expire in 30 minutes.", - "onboarding.page.organizationInfoPage.title": "A few more details...", - "onboarding.page.organizationInfoPage.subtitle": "These will help us to personalize your workspace.", - "onboarding.form.adminInfoForm.title": "Admin Info", - "onboarding.form.adminInfoForm.subtitle": "We need this to create an admin profile inside your workspace", - "onboarding.form.adminInfoForm.fields.fullName.label": "Full name", - "onboarding.form.adminInfoForm.fields.fullName.placeholder": "First and last name", - "onboarding.form.adminInfoForm.fields.username.label": "Username", - "onboarding.form.adminInfoForm.fields.username.placeholder": "@username", - "onboarding.form.adminInfoForm.fields.email.label": "Email", - "onboarding.form.adminInfoForm.fields.email.placeholder": "Email", - "onboarding.form.adminInfoForm.fields.password.label": "Password", - "onboarding.form.adminInfoForm.fields.password.placeholder": "Create password", - "onboarding.form.adminInfoForm.fields.keepPosted.label": "Keep me posted about Rocket.Chat updates", - "onboarding.form.organizationInfoForm.title": "Organization Info", - "onboarding.form.organizationInfoForm.subtitle": "Please, bear with us. This info will help us personalize your workspace", - "onboarding.form.organizationInfoForm.fields.organizationName.label": "Organization name", - "onboarding.form.organizationInfoForm.fields.organizationName.placeholder": "Organization name", - "onboarding.form.organizationInfoForm.fields.organizationType.label": "Organization type", - "onboarding.form.organizationInfoForm.fields.organizationType.placeholder": "Select", - "onboarding.form.organizationInfoForm.fields.organizationIndustry.label": "Organization industry", - "onboarding.form.organizationInfoForm.fields.organizationIndustry.placeholder": "Select", - "onboarding.form.organizationInfoForm.fields.organizationSize.label": "Organization size", - "onboarding.form.organizationInfoForm.fields.organizationSize.placeholder": "Select", - "onboarding.form.organizationInfoForm.fields.country.label": "Country", - "onboarding.form.organizationInfoForm.fields.country.placeholder": "Select", - "onboarding.form.registeredServerForm.title": "Register Your Server", - "onboarding.form.registeredServerForm.included.push": "Mobile push notifications", - "onboarding.form.registeredServerForm.included.externalProviders": "Integration with external providers (WhatsApp, Facebook, Telegram, Twitter)", - "onboarding.form.registeredServerForm.included.apps": "Access to marketplace apps", - "onboarding.form.registeredServerForm.fields.accountEmail.inputLabel": "Cloud account email", - "onboarding.form.registeredServerForm.fields.accountEmail.tooltipLabel": "To register your server, we need to connect it to your cloud account. If you already have one - we will link it automatically. Otherwise, a new account will be created", - "onboarding.form.registeredServerForm.fields.accountEmail.inputPlaceholder": "Please enter your Email", - "onboarding.form.registeredServerForm.keepInformed": "Keep me informed about news and events", - "onboarding.form.registeredServerForm.continueStandalone": "Continue as standalone", - "onboarding.form.registeredServerForm.agreeToReceiveUpdates": "By registering I agree to receive relevant product and security updates", - "onboarding.form.standaloneServerForm.title": "Standalone Server Confirmation", - "onboarding.form.standaloneServerForm.servicesUnavailable": "Some of the services will be unavailable or will require manual setup", - "onboarding.form.standaloneServerForm.publishOwnApp": "In order to send push notitications you need to compile and publish your own app to Google Play and App Store", - "onboarding.form.standaloneServerForm.manuallyIntegrate": "Need to manually integrate with external services" + "403": "Forbidden", + "500": "Internal Server Error", + "__count__empty_rooms_will_be_removed_automatically": "__count__ empty rooms will be removed automatically.", + "__count__empty_rooms_will_be_removed_automatically__rooms__": "__count__ empty rooms will be removed automatically:
__rooms__.", + "__username__is_no_longer__role__defined_by__user_by_": "__username__ is no longer __role__ by __user_by__", + "__username__was_set__role__by__user_by_": "__username__ was set __role__ by __user_by__", + "This_room_encryption_has_been_enabled_by__username_": "This room's encryption has been enabled by __username__", + "This_room_encryption_has_been_disabled_by__username_": "This room's encryption has been disabled by __username__", + "@username": "@username", + "@username_message": "@username ", + "#channel": "#channel", + "%_of_conversations": "% of Conversations", + "0_Errors_Only": "0 - Errors Only", + "1_Errors_and_Information": "1 - Errors and Information", + "2_Erros_Information_and_Debug": "2 - Errors, Information and Debug", + "12_Hour": "12-hour clock", + "24_Hour": "24-hour clock", + "A_new_owner_will_be_assigned_automatically_to__count__rooms": "A new owner will be assigned automatically to __count__ rooms.", + "A_new_owner_will_be_assigned_automatically_to_the__roomName__room": "A new owner will be assigned automatically to the __roomName__ room.", + "A_new_owner_will_be_assigned_automatically_to_those__count__rooms__rooms__": "A new owner will be assigned automatically to those __count__ rooms:
__rooms__.", + "Accept": "Accept", + "Accept_Call": "Accept Call", + "Accept_incoming_livechat_requests_even_if_there_are_no_online_agents": "Accept incoming omnichannel requests even if there are no online agents", + "Accept_new_livechats_when_agent_is_idle": "Accept new omnichannel requests when the agent is idle", + "Accept_with_no_online_agents": "Accept with No Online Agents", + "Access_not_authorized": "Access not authorized", + "Access_Token_URL": "Access Token URL", + "access-mailer": "Access Mailer Screen", + "access-mailer_description": "Permission to send mass email to all users.", + "access-permissions": "Access Permissions Screen", + "access-permissions_description": "Modify permissions for various roles.", + "access-setting-permissions": "Modify Setting-Based Permissions", + "access-setting-permissions_description": "Permission to modify setting-based permissions", + "Accessing_permissions": "Accessing permissions", + "Account_SID": "Account SID", + "Account": "Account", + "Accounts": "Accounts", + "Accounts_Description": "Modify workspace member account settings.", + "Accounts_Admin_Email_Approval_Needed_Default": "

The user [name] ([email]) has been registered.

Please check \"Administration -> Users\" to activate or delete it.

", + "Accounts_Admin_Email_Approval_Needed_Subject_Default": "A new user registered and needs approval", + "Accounts_Admin_Email_Approval_Needed_With_Reason_Default": "

The user [name] ([email]) has been registered.

Reason: [reason]

Please check \"Administration -> Users\" to activate or delete it.

", + "Accounts_AllowAnonymousRead": "Allow Anonymous Read", + "Accounts_AllowAnonymousWrite": "Allow Anonymous Write", + "Accounts_AllowDeleteOwnAccount": "Allow Users to Delete Own Account", + "Accounts_AllowedDomainsList": "Allowed Domains List", + "Accounts_AllowedDomainsList_Description": "Comma-separated list of allowed domains", + "Accounts_AllowInvisibleStatusOption": "Allow Invisible status option", + "Accounts_AllowEmailChange": "Allow Email Change", + "Accounts_AllowEmailNotifications": "Allow Email Notifications", + "Accounts_AllowPasswordChange": "Allow Password Change", + "Accounts_AllowPasswordChangeForOAuthUsers": "Allow Password Change for OAuth Users", + "Accounts_AllowRealNameChange": "Allow Name Change", + "Accounts_AllowUserAvatarChange": "Allow User Avatar Change", + "Accounts_AllowUsernameChange": "Allow Username Change", + "Accounts_AllowUserProfileChange": "Allow User Profile Change", + "Accounts_AllowUserStatusMessageChange": "Allow Custom Status Message", + "Accounts_AvatarBlockUnauthenticatedAccess": "Block Unauthenticated Access to Avatars", + "Accounts_AvatarCacheTime": "Avatar cache time", + "Accounts_AvatarCacheTime_description": "Number of seconds the http protocol is told to cache the avatar images.", + "Accounts_AvatarExternalProviderUrl": "Avatar External Provider URL", + "Accounts_AvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{username}`", + "Accounts_AvatarResize": "Resize Avatars", + "Accounts_AvatarSize": "Avatar Size", + "Accounts_BlockedDomainsList": "Blocked Domains List", + "Accounts_BlockedDomainsList_Description": "Comma-separated list of blocked domains", + "Accounts_BlockedUsernameList": "Blocked Username List", + "Accounts_BlockedUsernameList_Description": "Comma-separated list of blocked usernames (case-insensitive)", + "Accounts_CustomFields_Description": "Should be a valid JSON where keys are the field names containing a dictionary of field settings. Example:
{\n \"role\": {\n \"type\": \"select\",\n \"defaultValue\": \"student\",\n \"options\": [\"teacher\", \"student\"],\n \"required\": true,\n \"modifyRecordField\": {\n \"array\": true,\n \"field\": \"roles\"\n }\n },\n \"twitter\": {\n \"type\": \"text\",\n \"required\": true,\n \"minLength\": 2,\n \"maxLength\": 10\n }\n} ", + "Accounts_CustomFieldsToShowInUserInfo": "Custom Fields to Show in User Info", + "Accounts_Default_User_Preferences": "Default User Preferences", + "Accounts_Default_User_Preferences_audioNotifications": "Audio Notifications Default Alert", + "Accounts_Default_User_Preferences_desktopNotifications": "Desktop Notifications Default Alert", + "Accounts_Default_User_Preferences_pushNotifications": "Push Notifications Default Alert", + "Accounts_Default_User_Preferences_not_available": "Failed to retrieve User Preferences because they haven't been set up by the user yet", + "Accounts_DefaultUsernamePrefixSuggestion": "Default Username Prefix Suggestion", + "Accounts_denyUnverifiedEmail": "Deny unverified email", + "Accounts_Directory_DefaultView": "Default Directory Listing", + "Accounts_Email_Activated": "[name]

Your account was activated.

", + "Accounts_Email_Activated_Subject": "Account activated", + "Accounts_Email_Approved": "[name]

Your account was approved.

", + "Accounts_Email_Approved_Subject": "Account approved", + "Accounts_Email_Deactivated": "[name]

Your account was deactivated.

", + "Accounts_Email_Deactivated_Subject": "Account deactivated", + "Accounts_EmailVerification": "Only allow verified users to login", + "Accounts_EmailVerification_Description": "Make sure you have correct SMTP settings to use this feature", + "Accounts_Enrollment_Email": "Enrollment Email", + "Accounts_Enrollment_Email_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", + "Accounts_Enrollment_Email_Description": "You may use the following placeholders:
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Accounts_Enrollment_Email_Subject_Default": "Welcome to [Site_Name]", + "Accounts_ForgetUserSessionOnWindowClose": "Forget User Session on Window Close", + "Accounts_Iframe_api_method": "Api Method", + "Accounts_Iframe_api_url": "API URL", + "Accounts_iframe_enabled": "Enabled", + "Accounts_iframe_url": "Iframe URL", + "Accounts_LoginExpiration": "Login Expiration in Days", + "Accounts_ManuallyApproveNewUsers": "Manually Approve New Users", + "Accounts_OAuth_Apple": "Sign in with Apple", + "Accounts_OAuth_Custom_Access_Token_Param": "Param Name for access token", + "Accounts_OAuth_Custom_Authorize_Path": "Authorize Path", + "Accounts_OAuth_Custom_Avatar_Field": "Avatar field", + "Accounts_OAuth_Custom_Button_Color": "Button Color", + "Accounts_OAuth_Custom_Button_Label_Color": "Button Text Color", + "Accounts_OAuth_Custom_Button_Label_Text": "Button Text", + "Accounts_OAuth_Custom_Channel_Admin": "User Data Group Map", + "Accounts_OAuth_Custom_Channel_Map": "OAuth Group Channel Map", + "Accounts_OAuth_Custom_Email_Field": "Email field", + "Accounts_OAuth_Custom_Enable": "Enable", + "Accounts_OAuth_Custom_Groups_Claim": "Roles/Groups field for channel mapping", + "Accounts_OAuth_Custom_id": "Id", + "Accounts_OAuth_Custom_Identity_Path": "Identity Path", + "Accounts_OAuth_Custom_Identity_Token_Sent_Via": "Identity Token Sent Via", + "Accounts_OAuth_Custom_Key_Field": "Key Field", + "Accounts_OAuth_Custom_Login_Style": "Login Style", + "Accounts_OAuth_Custom_Map_Channels": "Map Roles/Groups to channels", + "Accounts_OAuth_Custom_Merge_Roles": "Merge Roles from SSO", + "Accounts_OAuth_Custom_Merge_Users": "Merge users", + "Accounts_OAuth_Custom_Name_Field": "Name field", + "Accounts_OAuth_Custom_Roles_Claim": "Roles/Groups field name", + "Accounts_OAuth_Custom_Roles_To_Sync": "Roles to Sync", + "Accounts_OAuth_Custom_Roles_To_Sync_Description": "OAuth Roles to sync on user login and creation (comma-separated).", + "Accounts_OAuth_Custom_Scope": "Scope", + "Accounts_OAuth_Custom_Secret": "Secret", + "Accounts_OAuth_Custom_Show_Button_On_Login_Page": "Show Button on Login Page", + "Accounts_OAuth_Custom_Token_Path": "Token Path", + "Accounts_OAuth_Custom_Token_Sent_Via": "Token Sent Via", + "Accounts_OAuth_Custom_Username_Field": "Username field", + "Accounts_OAuth_Drupal": "Drupal Login Enabled", + "Accounts_OAuth_Drupal_callback_url": "Drupal oAuth2 Redirect URI", + "Accounts_OAuth_Drupal_id": "Drupal oAuth2 Client ID", + "Accounts_OAuth_Drupal_secret": "Drupal oAuth2 Client Secret", + "Accounts_OAuth_Facebook": "Facebook Login", + "Accounts_OAuth_Facebook_callback_url": "Facebook Callback URL", + "Accounts_OAuth_Facebook_id": "Facebook App ID", + "Accounts_OAuth_Facebook_secret": "Facebook Secret", + "Accounts_OAuth_Github": "OAuth Enabled", + "Accounts_OAuth_Github_callback_url": "Github Callback URL", + "Accounts_OAuth_GitHub_Enterprise": "OAuth Enabled", + "Accounts_OAuth_GitHub_Enterprise_callback_url": "GitHub Enterprise Callback URL", + "Accounts_OAuth_GitHub_Enterprise_id": "Client Id", + "Accounts_OAuth_GitHub_Enterprise_secret": "Client Secret", + "Accounts_OAuth_Github_id": "Client Id", + "Accounts_OAuth_Github_secret": "Client Secret", + "Accounts_OAuth_Gitlab": "OAuth Enabled", + "Accounts_OAuth_Gitlab_callback_url": "GitLab Callback URL", + "Accounts_OAuth_Gitlab_id": "GitLab Id", + "Accounts_OAuth_Gitlab_identity_path": "Identity Path", + "Accounts_OAuth_Gitlab_merge_users": "Merge Users", + "Accounts_OAuth_Gitlab_secret": "Client Secret", + "Accounts_OAuth_Google": "Google Login", + "Accounts_OAuth_Google_callback_url": "Google Callback URL", + "Accounts_OAuth_Google_id": "Google Id", + "Accounts_OAuth_Google_secret": "Google Secret", + "Accounts_OAuth_Linkedin": "LinkedIn Login", + "Accounts_OAuth_Linkedin_callback_url": "Linkedin Callback URL", + "Accounts_OAuth_Linkedin_id": "LinkedIn Id", + "Accounts_OAuth_Linkedin_secret": "LinkedIn Secret", + "Accounts_OAuth_Meteor": "Meteor Login", + "Accounts_OAuth_Meteor_callback_url": "Meteor Callback URL", + "Accounts_OAuth_Meteor_id": "Meteor Id", + "Accounts_OAuth_Meteor_secret": "Meteor Secret", + "Accounts_OAuth_Nextcloud": "OAuth Enabled", + "Accounts_OAuth_Nextcloud_callback_url": "Nextcloud Callback URL", + "Accounts_OAuth_Nextcloud_id": "Nextcloud Id", + "Accounts_OAuth_Nextcloud_secret": "Client Secret", + "Accounts_OAuth_Nextcloud_URL": "Nextcloud Server URL", + "Accounts_OAuth_Proxy_host": "Proxy Host", + "Accounts_OAuth_Proxy_services": "Proxy Services", + "Accounts_OAuth_Tokenpass": "Tokenpass Login", + "Accounts_OAuth_Tokenpass_callback_url": "Tokenpass Callback URL", + "Accounts_OAuth_Tokenpass_id": "Tokenpass Id", + "Accounts_OAuth_Tokenpass_secret": "Tokenpass Secret", + "Accounts_OAuth_Twitter": "Twitter Login", + "Accounts_OAuth_Twitter_callback_url": "Twitter Callback URL", + "Accounts_OAuth_Twitter_id": "Twitter Id", + "Accounts_OAuth_Twitter_secret": "Twitter Secret", + "Accounts_OAuth_Wordpress": "WordPress Login", + "Accounts_OAuth_Wordpress_authorize_path": "Authorize Path", + "Accounts_OAuth_Wordpress_callback_url": "WordPress Callback URL", + "Accounts_OAuth_Wordpress_id": "WordPress Id", + "Accounts_OAuth_Wordpress_identity_path": "Identity Path", + "Accounts_OAuth_Wordpress_identity_token_sent_via": "Identity Token Sent Via", + "Accounts_OAuth_Wordpress_scope": "Scope", + "Accounts_OAuth_Wordpress_secret": "WordPress Secret", + "Accounts_OAuth_Wordpress_server_type_custom": "Custom", + "Accounts_OAuth_Wordpress_server_type_wordpress_com": "Wordpress.com", + "Accounts_OAuth_Wordpress_server_type_wp_oauth_server": "WP OAuth Server Plugin", + "Accounts_OAuth_Wordpress_token_path": "Token Path", + "Accounts_Password_Policy_AtLeastOneLowercase": "At Least One Lowercase", + "Accounts_Password_Policy_AtLeastOneLowercase_Description": "Enforce that a password contain at least one lowercase character.", + "Accounts_Password_Policy_AtLeastOneNumber": "At Least One Number", + "Accounts_Password_Policy_AtLeastOneNumber_Description": "Enforce that a password contain at least one numerical character.", + "Accounts_Password_Policy_AtLeastOneSpecialCharacter": "At Least One Symbol", + "Accounts_Password_Policy_AtLeastOneSpecialCharacter_Description": "Enforce that a password contain at least one special character.", + "Accounts_Password_Policy_AtLeastOneUppercase": "At Least One Uppercase", + "Accounts_Password_Policy_AtLeastOneUppercase_Description": "Enforce that a password contain at least one uppercase character.", + "Accounts_Password_Policy_Enabled": "Enable Password Policy", + "Accounts_Password_Policy_Enabled_Description": "When enabled, user passwords must adhere to the policies set forth. Note: this only applies to new passwords, not existing passwords.", + "Accounts_Password_Policy_ForbidRepeatingCharacters": "Forbid Repeating Characters", + "Accounts_Password_Policy_ForbidRepeatingCharacters_Description": "Ensures passwords do not contain the same character repeating next to each other.", + "Accounts_Password_Policy_ForbidRepeatingCharactersCount": "Max Repeating Characters", + "Accounts_Password_Policy_ForbidRepeatingCharactersCount_Description": "The amount of times a character can be repeating before it is not allowed.", + "Accounts_Password_Policy_MaxLength": "Maximum Length", + "Accounts_Password_Policy_MaxLength_Description": "Ensures that passwords do not have more than this amount of characters. Use `-1` to disable.", + "Accounts_Password_Policy_MinLength": "Minimum Length", + "Accounts_Password_Policy_MinLength_Description": "Ensures that passwords must have at least this amount of characters. Use `-1` to disable.", + "Accounts_PasswordReset": "Password Reset", + "Accounts_Registration_AuthenticationServices_Default_Roles": "Default Roles for Authentication Services", + "Accounts_Registration_AuthenticationServices_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through authentication services", + "Accounts_Registration_AuthenticationServices_Enabled": "Registration with Authentication Services", + "Accounts_Registration_Users_Default_Roles": "Default Roles for Users", + "Accounts_Registration_Users_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through manual registration (including via API)", + "Accounts_Registration_Users_Default_Roles_Enabled": "Enable Default Roles for Manual Registration", + "Accounts_Registration_InviteUrlType": "Invite URL Type", + "Accounts_Registration_InviteUrlType_Direct": "Direct", + "Accounts_Registration_InviteUrlType_Proxy": "Proxy", + "Accounts_RegistrationForm": "Registration Form", + "Accounts_RegistrationForm_Disabled": "Disabled", + "Accounts_RegistrationForm_LinkReplacementText": "Registration Form Link Replacement Text", + "Accounts_RegistrationForm_Public": "Public", + "Accounts_RegistrationForm_Secret_URL": "Secret URL", + "Accounts_RegistrationForm_SecretURL": "Registration Form Secret URL", + "Accounts_RegistrationForm_SecretURL_Description": "You must provide a random string that will be added to your registration URL. Example: https://open.rocket.chat/register/[secret_hash]", + "Accounts_RequireNameForSignUp": "Require Name For Signup", + "Accounts_RequirePasswordConfirmation": "Require Password Confirmation", + "Accounts_RoomAvatarExternalProviderUrl": "Room Avatar External Provider URL", + "Accounts_RoomAvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{roomId}`", + "Accounts_SearchFields": "Fields to Consider in Search", + "Accounts_Send_Email_When_Activating": "Send email to user when user is activated", + "Accounts_Send_Email_When_Deactivating": "Send email to user when user is deactivated", + "Accounts_Set_Email_Of_External_Accounts_as_Verified": "Set email of external accounts as verified", + "Accounts_Set_Email_Of_External_Accounts_as_Verified_Description": "Accounts created from external services, like LDAP, OAuth, etc, will have their emails verified automatically", + "Accounts_SetDefaultAvatar": "Set Default Avatar", + "Accounts_SetDefaultAvatar_Description": "Tries to determine default avatar based on OAuth Account or Gravatar", + "Accounts_ShowFormLogin": "Show Default Login Form", + "Accounts_TwoFactorAuthentication_By_TOTP_Enabled": "Enable Two Factor Authentication via TOTP", + "Accounts_TwoFactorAuthentication_By_TOTP_Enabled_Description": "Users can setup their Two Factor Authentication using any TOTP App, like Google Authenticator or Authy.", + "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In": "Auto opt in new users for Two Factor via Email", + "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In_Description": "New users will have the Two Factor Authentication via Email enabled by default. They will be able to disable it in their profile page.", + "Accounts_TwoFactorAuthentication_By_Email_Code_Expiration": "Time to expire the code sent via email in seconds", + "Accounts_TwoFactorAuthentication_By_Email_Enabled": "Enable Two Factor Authentication via Email", + "Accounts_TwoFactorAuthentication_By_Email_Enabled_Description": "Users with email verified and the option enabled in their profile page will receive an email with a temporary code to authorize certain actions like login, save the profile, etc.", + "Accounts_TwoFactorAuthentication_Enabled": "Enable Two Factor Authentication", + "Accounts_TwoFactorAuthentication_Enabled_Description": "If deactivated, this setting will deactivate all Two Factor Authentication.
To force users to use Two Factor Authentication, the admin has to configure the 'user' role to enforce it.", + "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback": "Enforce password fallback", + "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback_Description": "Users will be forced to enter their password, for important actions, if no other Two Factor Authentication method is enabled for that user and a password is set for him.", + "Accounts_TwoFactorAuthentication_MaxDelta": "Maximum Delta", + "Accounts_TwoFactorAuthentication_MaxDelta_Description": "The Maximum Delta determines how many tokens are valid at any given time. Tokens are generated every 30 seconds, and are valid for (30 * Maximum Delta) seconds.
Example: With a Maximum Delta set to 10, each token can be used up to 300 seconds before or after it's timestamp. This is useful when the client's clock is not properly synced with the server.", + "Accounts_TwoFactorAuthentication_RememberFor": "Remember Two Factor for (seconds)", + "Accounts_TwoFactorAuthentication_RememberFor_Description": "Do not request two factor authorization code if it was already provided before in the given time.", + "Accounts_UseDefaultBlockedDomainsList": "Use Default Blocked Domains List", + "Accounts_UseDNSDomainCheck": "Use DNS Domain Check", + "Accounts_UserAddedEmail_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

You may login using your email: [email] and password: [password]. You may be required to change it after your first login.", + "Accounts_UserAddedEmail_Description": "You may use the following placeholders:

  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [password] for the user's password.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Accounts_UserAddedEmailSubject_Default": "You have been added to [Site_Name]", + "Accounts_Verify_Email_For_External_Accounts": "Verify Email for External Accounts", + "Action": "Action", + "Action_required": "Action required", + "Activate": "Activate", + "Active": "Active", + "Active_users": "Active users", + "Activity": "Activity", + "Add": "Add", + "Add_agent": "Add agent", + "Add_custom_emoji": "Add custom emoji", + "Add_custom_oauth": "Add custom oauth", + "Add_Domain": "Add Domain", + "Add_files_from": "Add files from", + "Add_manager": "Add manager", + "Add_monitor": "Add monitor", + "Add_Reaction": "Add Reaction", + "Add_Role": "Add Role", + "Add_Sender_To_ReplyTo": "Add Sender to Reply-To", + "Add_URL": "Add URL", + "Add_user": "Add user", + "Add_User": "Add User", + "Add_users": "Add users", + "Add_members": "Add Members", + "add-all-to-room": "Add all users to a room", + "add-livechat-department-agents": "Add Omnichannel Agents to Departments", + "add-livechat-department-agents_description": "Permission to add omnichannel agents to departments", + "add-oauth-service": "Add Oauth Service", + "add-oauth-service_description": "Permission to add a new Oauth service", + "add-user": "Add User", + "add-user_description": "Permission to add new users to the server via users screen", + "add-user-to-any-c-room": "Add User to Any Public Channel", + "add-user-to-any-c-room_description": "Permission to add a user to any public channel", + "add-user-to-any-p-room": "Add User to Any Private Channel", + "add-user-to-any-p-room_description": "Permission to add a user to any private channel", + "add-user-to-joined-room": "Add User to Any Joined Channel", + "add-user-to-joined-room_description": "Permission to add a user to a currently joined channel", + "added__roomName__to_team": "added #__roomName__ to this Team", + "Added__username__to_team": "added @__user_added__ to this Team", + "Adding_OAuth_Services": "Adding OAuth Services", + "Adding_permission": "Adding permission", + "Adding_user": "Adding user", + "Additional_emails": "Additional Emails", + "Additional_Feedback": "Additional Feedback", + "additional_integrations_Bots": "If you are looking for how to integrate your own bot, then look no further than our Hubot adapter. https://github.com/RocketChat/hubot-rocketchat", + "additional_integrations_Zapier": "Are you looking to integrate other software and applications with Rocket.Chat but you don't have the time to manually do it? Then we suggest using Zapier which we fully support. Read more about it on our documentation. https://rocket.chat/docs/administrator-guides/integrations/zapier/using-zaps/", + "Admin_disabled_encryption": "Your administrator did not enable E2E encryption.", + "Admin_Info": "Admin Info", + "Administration": "Administration", + "Adult_images_are_not_allowed": "Adult images are not allowed", + "Aerospace_and_Defense": "Aerospace & Defense", + "After_OAuth2_authentication_users_will_be_redirected_to_this_URL": "After OAuth2 authentication, users will be redirected to an URL on this list. You can add one URL per line.", + "Agent": "Agent", + "Agent_added": "Agent added", + "Agent_Info": "Agent Info", + "Agent_messages": "Agent Messages", + "Agent_Name": "Agent Name", + "Agent_Name_Placeholder": "Please enter an agent name...", + "Agent_removed": "Agent removed", + "Agent_deactivated": "Agent was deactivated", + "Agent_Without_Extensions": "Agent Without Extensions", + "Agents": "Agents", + "Alerts": "Alerts", + "Alias": "Alias", + "Alias_Format": "Alias Format", + "Alias_Format_Description": "Import messages from Slack with an alias; %s is replaced by the username of the user. If empty, no alias will be used.", + "Alias_Set": "Alias Set", + "Aliases": "Aliases", + "All": "All", + "All_Apps": "All Apps", + "All_added_tokens_will_be_required_by_the_user": "All added tokens will be required by the user", + "All_categories": "All categories", + "All_channels": "All channels", + "All_closed_chats_have_been_removed": "All closed chats have been removed", + "All_logs": "All logs", + "All_messages": "All messages", + "All_users": "All users", + "All_users_in_the_channel_can_write_new_messages": "All users in the channel can write new messages", + "Allow_collect_and_store_HTTP_header_informations": "Allow to collect and store HTTP header informations", + "Allow_collect_and_store_HTTP_header_informations_description": "This setting determines whether Livechat is allowed to store information collected from HTTP header data, such as IP address, User-Agent, and so on.", + "Allow_Invalid_SelfSigned_Certs": "Allow Invalid Self-Signed Certs", + "Allow_Invalid_SelfSigned_Certs_Description": "Allow invalid and self-signed SSL certificate's for link validation and previews.", + "Allow_Marketing_Emails": "Allow Marketing Emails", + "Allow_Online_Agents_Outside_Business_Hours": "Allow online agents outside of business hours", + "Allow_Online_Agents_Outside_Office_Hours": "Allow online agents outside of office hours", + "Allow_Save_Media_to_Gallery": "Allow Save Media to Gallery", + "Allow_switching_departments": "Allow Visitor to Switch Departments", + "Almost_done": "Almost done", + "Alphabetical": "Alphabetical", + "Also_send_to_channel": "Also send to channel", + "Always_open_in_new_window": "Always Open in New Window", + "Analytics": "Analytics", + "Analytics_Description": "See how users interact with your workspace.", + "Analytics_features_enabled": "Features Enabled", + "Analytics_features_messages_Description": "Tracks custom events related to actions a user does on messages.", + "Analytics_features_rooms_Description": "Tracks custom events related to actions on a channel or group (create, leave, delete).", + "Analytics_features_users_Description": "Tracks custom events related to actions related to users (password reset times, profile picture change, etc).", + "Analytics_Google": "Google Analytics", + "Analytics_Google_id": "Tracking ID", + "and": "and", + "And_more": "And __length__ more", + "Animals_and_Nature": "Animals & Nature", + "Announcement": "Announcement", + "Anonymous": "Anonymous", + "Answer_call": "Answer Call", + "API": "API", + "API_Add_Personal_Access_Token": "Add new Personal Access Token", + "API_Allow_Infinite_Count": "Allow Getting Everything", + "API_Allow_Infinite_Count_Description": "Should calls to the REST API be allowed to return everything in one call?", + "API_Analytics": "Analytics", + "API_CORS_Origin": "CORS Origin", + "API_Default_Count": "Default Count", + "API_Default_Count_Description": "The default count for REST API results if the consumer did not provided any.", + "API_Drupal_URL": "Drupal Server URL", + "API_Drupal_URL_Description": "Example: https://domain.com (excluding trailing slash)", + "API_Embed": "Embed Link Previews", + "API_Embed_Description": "Whether embedded link previews are enabled or not when a user posts a link to a website.", + "API_Embed_UserAgent": "Embed Request User Agent", + "API_EmbedCacheExpirationDays": "Embed Cache Expiration Days", + "API_EmbedDisabledFor": "Disable Embed for Users", + "API_EmbedDisabledFor_Description": "Comma-separated list of usernames to disable the embedded link previews.", + "API_EmbedIgnoredHosts": "Embed Ignored Hosts", + "API_EmbedIgnoredHosts_Description": "Comma-separated list of hosts or CIDR addresses, eg. localhost, 127.0.0.1, 10.0.0.0/8, 172.16.0.0/12, 192.168.0.0/16", + "API_EmbedSafePorts": "Safe Ports", + "API_EmbedSafePorts_Description": "Comma-separated list of ports allowed for previewing.", + "API_Enable_CORS": "Enable CORS", + "API_Enable_Direct_Message_History_EndPoint": "Enable Direct Message History Endpoint", + "API_Enable_Direct_Message_History_EndPoint_Description": "This enables the `/api/v1/im.history.others` which allows the viewing of direct messages sent by other users that the caller is not part of.", + "API_Enable_Personal_Access_Tokens": "Enable Personal Access Tokens to REST API", + "API_Enable_Personal_Access_Tokens_Description": "Enable personal access tokens for use with the REST API", + "API_Enable_Rate_Limiter": "Enable Rate Limiter", + "API_Enable_Rate_Limiter_Dev": "Enable Rate Limiter in development", + "API_Enable_Rate_Limiter_Dev_Description": "Should limit the amount of calls to the endpoints in the development environment?", + "API_Enable_Rate_Limiter_Limit_Calls_Default": "Default number calls to the rate limiter", + "API_Enable_Rate_Limiter_Limit_Calls_Default_Description": "Number of default calls for each endpoint of the REST API, allowed within the time range defined below", + "API_Enable_Rate_Limiter_Limit_Time_Default": "Default time limit for the rate limiter (in ms)", + "API_Enable_Rate_Limiter_Limit_Time_Default_Description": "Default timeout to limit the number of calls at each endpoint of the REST API(in ms)", + "API_Enable_Shields": "Enable Shields", + "API_Enable_Shields_Description": "Enable shields available at `/api/v1/shield.svg`", + "API_GitHub_Enterprise_URL": "Server URL", + "API_GitHub_Enterprise_URL_Description": "Example: http://domain.com (excluding trailing slash)", + "API_Gitlab_URL": "GitLab URL", + "API_Personal_Access_Token_Generated": "Personal Access Token successfully generated", + "API_Personal_Access_Token_Generated_Text_Token_s_UserId_s": "Please save your token carefully as you will no longer be able to view it afterwards.
Token: __token__
Your user Id: __userId__", + "API_Personal_Access_Token_Name": "Personal Access Token Name", + "API_Personal_Access_Tokens_Regenerate_It": "Regenerate token", + "API_Personal_Access_Tokens_Regenerate_Modal": "If you lost or forgot your token, you can regenerate it, but remember that all applications that use this token should be updated", + "API_Personal_Access_Tokens_Remove_Modal": "Are you sure you wish to remove this personal access token?", + "API_Personal_Access_Tokens_To_REST_API": "Personal access tokens to REST API", + "API_Rate_Limiter": "API Rate Limiter", + "API_Shield_Types": "Shield Types", + "API_Shield_Types_Description": "Types of shields to enable as a comma separated list, choose from `online`, `channel` or `*` for all", + "API_Shield_user_require_auth": "Require authentication for users shields", + "API_Token": "API Token", + "API_Tokenpass_URL": "Tokenpass Server URL", + "API_Tokenpass_URL_Description": "Example: https://domain.com (excluding trailing slash)", + "API_Upper_Count_Limit": "Max Record Amount", + "API_Upper_Count_Limit_Description": "What is the maximum number of records the REST API should return (when not unlimited)?", + "API_Use_REST_For_DDP_Calls": "Use REST instead of websocket for Meteor calls", + "API_User_Limit": "User Limit for Adding All Users to Channel", + "API_Wordpress_URL": "WordPress URL", + "api-bypass-rate-limit": "Bypass rate limit for REST API", + "api-bypass-rate-limit_description": "Permission to call api without rate limitation", + "Apiai_Key": "Api.ai Key", + "Apiai_Language": "Api.ai Language", + "APIs": "APIs", + "App_author_homepage": "author homepage", + "App_Details": "App details", + "App_Info": "App Info", + "App_Information": "App Information", + "App_Installation": "App Installation", + "App_status_auto_enabled": "Enabled", + "App_status_constructed": "Constructed", + "App_status_disabled": "Disabled", + "App_status_error_disabled": "Disabled: Uncaught Error", + "App_status_initialized": "Initialized", + "App_status_invalid_license_disabled": "Disabled: Invalid License", + "App_status_invalid_settings_disabled": "Disabled: Configuration Needed", + "App_status_manually_disabled": "Disabled: Manually", + "App_status_manually_enabled": "Enabled", + "App_status_unknown": "Unknown", + "App_support_url": "support url", + "App_Url_to_Install_From": "Install from URL", + "App_Url_to_Install_From_File": "Install from file", + "App_user_not_allowed_to_login": "App users are not allowed to log in directly.", + "Appearance": "Appearance", + "Application_added": "Application added", + "Application_delete_warning": "You will not be able to recover this Application!", + "Application_Name": "Application Name", + "Application_updated": "Application updated", + "Apply": "Apply", + "Apply_and_refresh_all_clients": "Apply and refresh all clients", + "Apps": "Apps", + "Apps_Engine_Version": "Apps Engine Version", + "Apps_Essential_Alert": "This app is essential for the following events:", + "Apps_Essential_Disclaimer": "Events listed above will be disrupted if this app is disabled. If you want Rocket.Chat to work without this app's functionality, you need to uninstall it", + "Apps_Framework_Development_Mode": "Enable development mode", + "Apps_Framework_Development_Mode_Description": "Development mode allows the installation of Apps that are not from the Rocket.Chat's Marketplace.", + "Apps_Framework_enabled": "Enable the App Framework", + "Apps_Framework_Source_Package_Storage_Type": "Apps' Source Package Storage type", + "Apps_Framework_Source_Package_Storage_Type_Description": "Choose where all the apps' source code will be stored. Apps can have multiple megabytes in size each.", + "Apps_Framework_Source_Package_Storage_Type_Alert": "Changing where the apps are stored may cause instabilities in apps there are already installed", + "Apps_Framework_Source_Package_Storage_FileSystem_Path": "Directory for storing apps source package", + "Apps_Framework_Source_Package_Storage_FileSystem_Path_Description": "Absolute path in the filesystem for storing the apps' source code (in zip file format)", + "Apps_Framework_Source_Package_Storage_FileSystem_Alert": "Make sure the chosen directory exist and Rocket.Chat can access it (e.g. permission to read/write)", + "Apps_Game_Center": "Game Center", + "Apps_Game_Center_Back": "Back to Game Center", + "Apps_Game_Center_Invite_Friends": "Invite your friends to join", + "Apps_Game_Center_Play_Game_Together": "@here Let's play __name__ together!", + "Apps_Interface_IPostExternalComponentClosed": "Event happening after an external component is closed", + "Apps_Interface_IPostExternalComponentOpened": "Event happening after an external component is opened", + "Apps_Interface_IPostMessageDeleted": "Event happening after a message is deleted", + "Apps_Interface_IPostMessageSent": "Event happening after a message is sent", + "Apps_Interface_IPostMessageUpdated": "Event happening after a message is updated", + "Apps_Interface_IPostRoomCreate": "Event happening after a room is created", + "Apps_Interface_IPostRoomDeleted": "Event happening after a room is deleted", + "Apps_Interface_IPostRoomUserJoined": "Event happening after a user joins a room (private group, public channel)", + "Apps_Interface_IPreMessageDeletePrevent": "Event happening before a message is deleted", + "Apps_Interface_IPreMessageSentExtend": "Event happening before a message is sent", + "Apps_Interface_IPreMessageSentModify": "Event happening before a message is sent", + "Apps_Interface_IPreMessageSentPrevent": "Event happening before a message is sent", + "Apps_Interface_IPreMessageUpdatedExtend": "Event happening before a message is updated", + "Apps_Interface_IPreMessageUpdatedModify": "Event happening before a message is updated", + "Apps_Interface_IPreMessageUpdatedPrevent": "Event happening before a message is updated", + "Apps_Interface_IPreRoomCreateExtend": "Event happening before a room is created", + "Apps_Interface_IPreRoomCreateModify": "Event happening before a room is created", + "Apps_Interface_IPreRoomCreatePrevent": "Event happening before a room is created", + "Apps_Interface_IPreRoomDeletePrevent": "Event happening before a room is deleted", + "Apps_Interface_IPreRoomUserJoined": "Event happening before a user joins a room (private group, public channel)", + "Apps_License_Message_appId": "License hasn't been issued for this app", + "Apps_License_Message_bundle": "License issued for a bundle that does not contain the app", + "Apps_License_Message_expire": "License is no longer valid and needs to be renewed", + "Apps_License_Message_maxSeats": "License does not accomodate the current amount of active users. Please increase the number of seats", + "Apps_License_Message_publicKey": "There has been an error trying to decrypt the license. Please sync your workspace in the Connectivity Services and try again", + "Apps_License_Message_renewal": "License has expired and needs to be renewed", + "Apps_License_Message_seats": "License does not have enough seats to accommodate the current amount of active users. Please increase the number of seats", + "Apps_Logs_TTL": "Number of days to keep logs from apps stored", + "Apps_Logs_TTL_7days": "7 days", + "Apps_Logs_TTL_14days": "14 days", + "Apps_Logs_TTL_30days": "30 days", + "Apps_Logs_TTL_Alert": "Depending on the size of the Logs collection, changing this setting may cause slowness for some moments", + "Apps_Marketplace_Deactivate_App_Prompt": "Do you really want to disable this app?", + "Apps_Marketplace_Login_Required_Description": "Purchasing apps from the Rocket.Chat Marketplace requires registering your workspace and logging in.", + "Apps_Marketplace_Login_Required_Title": "Marketplace Login Required", + "Apps_Marketplace_Modify_App_Subscription": "Modify Subscription", + "Apps_Marketplace_pricingPlan_monthly": "__price__ / month", + "Apps_Marketplace_pricingPlan_monthly_perUser": "__price__ / month per user", + "Apps_Marketplace_pricingPlan_monthly_trialDays": "__price__ / month-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_monthly_perUser_trialDays": "__price__ / month per user-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_monthly": " __price__+* / month", + "Apps_Marketplace_pricingPlan_+*_monthly_trialDays": " __price__+* / month-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_monthly_perUser": " __price__+* / month per user", + "Apps_Marketplace_pricingPlan_+*_monthly_perUser_trialDays": " __price__+* / month per user-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_yearly": " __price__+* / year", + "Apps_Marketplace_pricingPlan_+*_yearly_trialDays": " __price__+* / year-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_yearly_perUser": " __price__+* / year per user", + "Apps_Marketplace_pricingPlan_+*_yearly_perUser_trialDays": " __price__+* / year per user-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_yearly_trialDays": "__price__ / year-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_yearly_perUser_trialDays": "__price__ / year per user-__trialDays__-day trial", + "Apps_Marketplace_Uninstall_App_Prompt": "Do you really want to uninstall this app?", + "Apps_Marketplace_Uninstall_Subscribed_App_Anyway": "Uninstall it anyway", + "Apps_Marketplace_Uninstall_Subscribed_App_Prompt": "This app has an active subscription and uninstalling will not cancel it. If you'd like to do that, please modify your subscription before uninstalling.", + "Apps_Permissions_Review_Modal_Title": "Required Permissions", + "Apps_Permissions_Review_Modal_Subtitle": "This app would like access to the following permissions. Do you agree?", + "Apps_Permissions_No_Permissions_Required": "The App does not require additional permissions", + "Apps_Permissions_cloud_workspace-token": "Interact with Cloud Services on behalf of this server", + "Apps_Permissions_user_read": "Access user information", + "Apps_Permissions_user_write": "Modify user information", + "Apps_Permissions_upload_read": "Access files uploaded to this server", + "Apps_Permissions_upload_write": "Upload files to this server", + "Apps_Permissions_server-setting_read": "Access settings in this server", + "Apps_Permissions_server-setting_write": "Modify settings in this server", + "Apps_Permissions_room_read": "Access room information", + "Apps_Permissions_room_write": "Create and modify rooms", + "Apps_Permissions_message_read": "Access messages", + "Apps_Permissions_message_write": "Send and modify messages", + "Apps_Permissions_livechat-status_read": "Access Livechat status information", + "Apps_Permissions_livechat-custom-fields_write": "Modify Livechat custom field configuration", + "Apps_Permissions_livechat-visitor_read": "Access Livechat visitor information", + "Apps_Permissions_livechat-visitor_write": "Modify Livechat visitor information", + "Apps_Permissions_livechat-message_read": "Access Livechat message information", + "Apps_Permissions_livechat-message_write": "Modify Livechat message information", + "Apps_Permissions_livechat-room_read": "Access Livechat room information", + "Apps_Permissions_livechat-room_write": "Modify Livechat room information", + "Apps_Permissions_livechat-department_read": "Access Livechat department information", + "Apps_Permissions_livechat-department_multiple": "Access to multiple Livechat departments information", + "Apps_Permissions_livechat-department_write": "Modify Livechat department information", + "Apps_Permissions_slashcommand": "Register new slash commands", + "Apps_Permissions_api": "Register new HTTP endpoints", + "Apps_Permissions_env_read": "Access minimal information about this server environment", + "Apps_Permissions_networking": "Access to this server network", + "Apps_Permissions_persistence": "Store internal data in the database", + "Apps_Permissions_scheduler": "Register and maintain scheduled jobs", + "Apps_Permissions_ui_interact": "Interact with the UI", + "Apps_Settings": "App's Settings", + "Apps_Manual_Update_Modal_Title": "This app is already installed", + "Apps_Manual_Update_Modal_Body": "Do you want to update it?", + "Apps_User_Already_Exists": "The username \"__username__\" is already being used. Rename or remove the user using it to install this App", + "Apps_WhatIsIt": "Apps: What Are They?", + "Apps_WhatIsIt_paragraph1": "A new icon in the administration area! What does this mean and what are Apps?", + "Apps_WhatIsIt_paragraph2": "First off, Apps in this context do not refer to the mobile applications. In fact, it would be best to think of them in terms of plugins or advanced integrations.", + "Apps_WhatIsIt_paragraph3": "Secondly, they are dynamic scripts or packages which will allow you to customize your Rocket.Chat instance without having to fork the codebase. But do keep in mind, this is a new feature set and due to that it might not be 100% stable. Also, we are still developing the feature set so not everything can be customized at this point in time. For more information about getting started developing an app, go here to read:", + "Apps_WhatIsIt_paragraph4": "But with that said, if you are interested in enabling this feature and trying it out then here click this button to enable the Apps system.", + "Archive": "Archive", + "archive-room": "Archive Room", + "archive-room_description": "Permission to archive a channel", + "are_typing": "are typing", + "Are_you_sure": "Are you sure?", + "Are_you_sure_you_want_to_clear_all_unread_messages": "Are you sure you want to clear all unread messages?", + "Are_you_sure_you_want_to_close_this_chat": "Are you sure you want to close this chat?", + "Are_you_sure_you_want_to_delete_this_record": "Are you sure you want to delete this record?", + "Are_you_sure_you_want_to_delete_your_account": "Are you sure you want to delete your account?", + "Are_you_sure_you_want_to_disable_Facebook_integration": "Are you sure you want to disable Facebook integration?", + "Assets": "Assets", + "Assets_Description": "Modify your workspace's logo, icon, favicon and more.", + "Assign_admin": "Assigning admin", + "Assign_new_conversations_to_bot_agent": "Assign new conversations to bot agent", + "Assign_new_conversations_to_bot_agent_description": "The routing system will attempt to find a bot agent before addressing new conversations to a human agent.", + "assign-admin-role": "Assign Admin Role", + "assign-admin-role_description": "Permission to assign the admin role to other users", + "assign-roles": "Assign Roles", + "assign-roles_description": "Permission to assign roles to other users", + "Associate": "Associate", + "Associate_Agent": "Associate Agent", + "Associate_Agent_to_Extension": "Associate Agent to Extension", + "at": "at", + "At_least_one_added_token_is_required_by_the_user": "At least one added token is required by the user", + "AtlassianCrowd": "Atlassian Crowd", + "AtlassianCrowd_Description": "Integrate Atlassian Crowd.", + "Attachment_File_Uploaded": "File Uploaded", + "Attribute_handling": "Attribute handling", + "Audio": "Audio", + "Audio_message": "Audio message", + "Audio_Notification_Value_Description": "Can be any custom sound or the default ones: beep, chelle, ding, droplet, highbell, seasons", + "Audio_Notifications_Default_Alert": "Audio Notifications Default Alert", + "Audio_Notifications_Value": "Default Message Notification Audio", + "Audio_settings": "Audio Settings", + "Audios": "Audios", + "Auditing": "Auditing", + "Auth_Token": "Auth Token", + "Authentication": "Authentication", + "Author": "Author", + "Author_Information": "Author Information", + "Author_Site": "Author site", + "Authorization_URL": "Authorization URL", + "Authorize": "Authorize", + "Auto_Load_Images": "Auto Load Images", + "Auto_Selection": "Auto Selection", + "Auto_Translate": "Auto-Translate", + "auto-translate": "Auto Translate", + "auto-translate_description": "Permission to use the auto translate tool", + "AutoLinker": "AutoLinker", + "AutoLinker_Email": "AutoLinker Email", + "AutoLinker_Phone": "AutoLinker Phone", + "AutoLinker_Phone_Description": "Automatically linked for Phone numbers. e.g. `(123)456-7890`", + "AutoLinker_StripPrefix": "AutoLinker Strip Prefix", + "AutoLinker_StripPrefix_Description": "Short display. e.g. https://rocket.chat => rocket.chat", + "AutoLinker_Urls_Scheme": "AutoLinker Scheme:// URLs", + "AutoLinker_Urls_TLD": "AutoLinker TLD URLs", + "AutoLinker_Urls_www": "AutoLinker 'www' URLs", + "AutoLinker_UrlsRegExp": "AutoLinker URL Regular Expression", + "Automatic_Translation": "Automatic Translation", + "AutoTranslate": "Auto-Translate", + "AutoTranslate_APIKey": "API Key", + "AutoTranslate_Change_Language_Description": "Changing the auto-translate language does not translate previous messages.", + "AutoTranslate_DeepL": "DeepL", + "AutoTranslate_Enabled": "Enable Auto-Translate", + "AutoTranslate_Enabled_Description": "Enabling auto-translation will allow people with the auto-translate permission to have all messages automatically translated into their selected language. Fees may apply.", + "AutoTranslate_Google": "Google", + "AutoTranslate_Microsoft": "Microsoft", + "AutoTranslate_Microsoft_API_Key": "Ocp-Apim-Subscription-Key", + "AutoTranslate_ServiceProvider": "Service Provider", + "Available": "Available", + "Available_agents": "Available agents", + "Available_departments": "Available Departments", + "Avatar": "Avatar", + "Avatars": "Avatars", + "Avatar_changed_successfully": "Avatar changed successfully", + "Avatar_URL": "Avatar URL", + "Avatar_format_invalid": "Invalid Format. Only image type is allowed", + "Avatar_url_invalid_or_error": "The url provided is invalid or not accessible. Please try again, but with a different url.", + "Avg_chat_duration": "Average of Chat Duration", + "Avg_first_response_time": "Average of First Response Time", + "Avg_of_abandoned_chats": "Average of Abandoned Chats", + "Avg_of_available_service_time": "Average of Service Available Time", + "Avg_of_chat_duration_time": "Average of Chat Duration Time", + "Avg_of_service_time": "Average of Service Time", + "Avg_of_waiting_time": "Average of Waiting Time", + "Avg_reaction_time": "Average of Reaction Time", + "Avg_response_time": "Average of Response Time", + "away": "away", + "Away": "Away", + "Back": "Back", + "Back_to_applications": "Back to applications", + "Back_to_chat": "Back to chat", + "Back_to_imports": "Back to imports", + "Back_to_integration_detail": "Back to the integration detail", + "Back_to_integrations": "Back to integrations", + "Back_to_login": "Back to login", + "Back_to_Manage_Apps": "Back to Manage Apps", + "Back_to_permissions": "Back to permissions", + "Back_to_room": "Back to Room", + "Back_to_threads": "Back to threads", + "Backup_codes": "Backup codes", + "ban-user": "Ban User", + "ban-user_description": "Permission to ban a user from a channel", + "BBB_End_Meeting": "End Meeting", + "BBB_Enable_Teams": "Enable for Teams", + "BBB_Join_Meeting": "Join Meeting", + "BBB_Start_Meeting": "Start Meeting", + "BBB_Video_Call": "BBB Video Call", + "BBB_You_have_no_permission_to_start_a_call": "You have no permission to start a call", + "Belongs_To": "Belongs To", + "Best_first_response_time": "Best first response time", + "Beta_feature_Depends_on_Video_Conference_to_be_enabled": "Beta feature. Depends on Video Conference to be enabled.", + "Better": "Better", + "Bio": "Bio", + "Bio_Placeholder": "Bio Placeholder", + "Block": "Block", + "Block_Multiple_Failed_Logins_Attempts_Until_Block_By_Ip": "How many failed attempts until block by IP", + "Block_Multiple_Failed_Logins_Attempts_Until_Block_by_User": "How many failed attempts until block by User", + "Block_Multiple_Failed_Logins_By_Ip": "Block failed login attempts by IP", + "Block_Multiple_Failed_Logins_By_User": "Block failed login attempts by Username", + "Block_Multiple_Failed_Logins_Enable_Collect_Login_data_Description": "Stores IP and username from log in attempts to a collection on database", + "Block_Multiple_Failed_Logins_Enabled": "Enable collect log in data", + "Block_Multiple_Failed_Logins_Ip_Whitelist": "IP Whitelist", + "Block_Multiple_Failed_Logins_Ip_Whitelist_Description": "Comma-separated list of whitelisted IPs", + "Block_Multiple_Failed_Logins_Time_To_Unblock_By_Ip_In_Minutes": "Time to unblock IP (In Minutes)", + "Block_Multiple_Failed_Logins_Time_To_Unblock_By_User_In_Minutes": "Time to unblock User (In Minutes)", + "Block_Multiple_Failed_Logins_Notify_Failed": "Notify of failed login attempts", + "Block_Multiple_Failed_Logins_Notify_Failed_Channel": "Channel to send the notifications", + "Block_Multiple_Failed_Logins_Notify_Failed_Channel_Desc": "This is where notifications will be received. Make sure the channel exists. The channel name should not include # symbol", + "Block_User": "Block User", + "Blockchain": "Blockchain", + "Body": "Body", + "bold": "bold", + "bot_request": "Bot request", + "BotHelpers_userFields": "User Fields", + "BotHelpers_userFields_Description": "CSV of user fields that can be accessed by bots helper methods.", + "Bot": "Bot", + "Bots": "Bots", + "Bots_Description": "Set the fields that can be referenced and used when developing bots.", + "Branch": "Branch", + "Broadcast": "Broadcast", + "Broadcast_channel": "Broadcast Channel", + "Broadcast_channel_Description": "Only authorized users can write new messages, but the other users will be able to reply", + "Broadcast_Connected_Instances": "Broadcast Connected Instances", + "Broadcasting_api_key": "Broadcasting API Key", + "Broadcasting_client_id": "Broadcasting Client ID", + "Broadcasting_client_secret": "Broadcasting Client Secret", + "Broadcasting_enabled": "Broadcasting Enabled", + "Broadcasting_media_server_url": "Broadcasting Media Server URL", + "Browse_Files": "Browse Files", + "Browser_does_not_support_audio_element": "Your browser does not support the audio element.", + "Browser_does_not_support_video_element": "Your browser does not support the video element.", + "Bugsnag_api_key": "Bugsnag API Key", + "Build_Environment": "Build Environment", + "bulk-register-user": "Bulk Create Users", + "bulk-register-user_description": "Permission to create users in bulk", + "bundle_chip_title": "__bundleName__ Bundle", + "Bundles": "Bundles", + "Busiest_day": "Busiest Day", + "Busiest_time": "Busiest Time", + "Business_Hour": "Business Hour", + "Business_Hour_Removed": "Business Hour Removed", + "Business_Hours": "Business Hours", + "Business_hours_enabled": "Business hours enabled", + "Business_hours_updated": "Business hours updated", + "busy": "busy", + "Busy": "Busy", + "By": "By", + "by": "by", + "By_author": "By __author__", + "cache_cleared": "Cache cleared", + "Call": "Call", + "Calling": "Calling", + "Call_Center": "Call Center", + "Call_Center_Description": "Configure Rocket.Chat call center.", + "Calls_in_queue": "__calls__ call in queue", + "Calls_in_queue_plural": "__calls__ calls in queue", + "Calls_in_queue_empty": "Queue is empty", + "Call_declined": "Call Declined!", + "Call_Information": "Call Information", + "Call_provider": "Call Provider", + "Call_Already_Ended": "Call Already Ended", + "call-management": "Call Management", + "call-management_description": "Permission to start a meeting", + "Caller": "Caller", + "Caller_Id": "Caller ID", + "Cancel": "Cancel", + "Cancel_message_input": "Cancel", + "Canceled": "Canceled", + "Canned_Response_Created": "Canned Response created", + "Canned_Response_Updated": "Canned Response updated", + "Canned_Response_Delete_Warning": "Deleting a canned response cannot be undone.", + "Canned_Response_Removed": "Canned Response Removed", + "Canned_Response_Sharing_Department_Description": "Anyone in the selected department can access this canned response", + "Canned_Response_Sharing_Private_Description": "Only you and Omnichannel managers can access this canned response", + "Canned_Response_Sharing_Public_Description": "Anyone can access this canned response", + "Canned_Responses": "Canned Responses", + "Canned_Responses_Enable": "Enable Canned Responses", + "Create_your_First_Canned_Response": "Create Your First Canned Response", + "Cannot_invite_users_to_direct_rooms": "Cannot invite users to direct rooms", + "Cannot_open_conversation_with_yourself": "Cannot Direct Message with yourself", + "Cannot_share_your_location": "Cannot share your location...", + "Cannot_disable_while_on_call": "Can't change status during calls ", + "CAS": "CAS", + "CAS_Description": "Central Authentication Service allows members to use one set of credentials to sign in to multiple sites over multiple protocols.", + "CAS_autoclose": "Autoclose Login Popup", + "CAS_base_url": "SSO Base URL", + "CAS_base_url_Description": "The base URL of your external SSO service e.g: https://sso.example.undef/sso/", + "CAS_button_color": "Login Button Background Color", + "CAS_button_label_color": "Login Button Text Color", + "CAS_button_label_text": "Login Button Label", + "CAS_Creation_User_Enabled": "Allow user creation", + "CAS_Creation_User_Enabled_Description": "Allow CAS User creation from data provided by the CAS ticket.", + "CAS_enabled": "Enabled", + "CAS_Login_Layout": "CAS Login Layout", + "CAS_login_url": "SSO Login URL", + "CAS_login_url_Description": "The login URL of your external SSO service e.g: https://sso.example.undef/sso/login", + "CAS_popup_height": "Login Popup Height", + "CAS_popup_width": "Login Popup Width", + "CAS_Sync_User_Data_Enabled": "Always Sync User Data", + "CAS_Sync_User_Data_Enabled_Description": "Always synchronize external CAS User data into available attributes upon login. Note: Attributes are always synced upon account creation anyway.", + "CAS_Sync_User_Data_FieldMap": "Attribute Map", + "CAS_Sync_User_Data_FieldMap_Description": "Use this JSON input to build internal attributes (key) from external attributes (value). External attribute names enclosed with '%' will interpolated in value strings.
Example, `{\"email\":\"%email%\", \"name\":\"%firstname%, %lastname%\"}`

The attribute map is always interpolated. In CAS 1.0 only the `username` attribute is available. Available internal attributes are: username, name, email, rooms; rooms is a comma separated list of rooms to join upon user creation e.g: {\"rooms\": \"%team%,%department%\"} would join CAS users on creation to their team and department channel.", + "CAS_trust_username": "Trust CAS username", + "CAS_trust_username_description": "When enabled, Rocket.Chat will trust that any username from CAS belongs to the same user on Rocket.Chat.
This may be needed if a user is renamed on CAS, but may also allow people to take control of Rocket.Chat accounts by renaming their own CAS users.", + "CAS_version": "CAS Version", + "CAS_version_Description": "Only use a supported CAS version supported by your CAS SSO service.", + "Categories": "Categories", + "Categories*": "Categories*", + "CDN_JSCSS_PREFIX": "CDN Prefix for JS/CSS", + "CDN_PREFIX": "CDN Prefix", + "CDN_PREFIX_ALL": "Use CDN Prefix for all assets", + "Certificates_and_Keys": "Certificates and Keys", + "change-livechat-room-visitor": "Change Livechat Room Visitors", + "change-livechat-room-visitor_description": "Permission to add additional information to the livechat room visitor", + "Change_Room_Type": "Changing the Room Type", + "Changing_email": "Changing email", + "channel": "channel", + "Channel": "Channel", + "Channel_already_exist": "The channel `#%s` already exists.", + "Channel_already_exist_static": "The channel already exists.", + "Channel_already_Unarchived": "Channel with name `#%s` is already in Unarchived state", + "Channel_Archived": "Channel with name `#%s` has been archived successfully", + "Channel_created": "Channel `#%s` created.", + "Channel_doesnt_exist": "The channel `#%s` does not exist.", + "Channel_Export": "Channel Export", + "Channel_name": "Channel Name", + "Channel_Name_Placeholder": "Please enter channel name...", + "Channel_to_listen_on": "Channel to listen on", + "Channel_Unarchived": "Channel with name `#%s` has been Unarchived successfully", + "Channels": "Channels", + "Channels_added": "Channels added sucessfully", + "Channels_are_where_your_team_communicate": "Channels are where your team communicate", + "Channels_list": "List of public channels", + "Channel_what_is_this_channel_about": "What is this channel about?", + "Chart": "Chart", + "Chat_button": "Chat button", + "Chat_close": "Chat Close", + "Chat_closed": "Chat closed", + "Chat_closed_by_agent": "Chat closed by agent", + "Chat_closed_successfully": "Chat closed successfully", + "Chat_History": "Chat History", + "Chat_Now": "Chat Now", + "chat_on_hold_due_to_inactivity": "This chat is on-hold due to inactivity", + "Chat_On_Hold": "Chat On-Hold", + "Chat_On_Hold_Successfully": "This chat was successfully placed On-Hold", + "Chat_queued": "Chat Queued", + "Chat_removed": "Chat Removed", + "Chat_resumed": "Chat Resumed", + "Chat_start": "Chat Start", + "Chat_started": "Chat started", + "Chat_taken": "Chat Taken", + "Chat_window": "Chat window", + "Chatops_Enabled": "Enable Chatops", + "Chatops_Title": "Chatops Panel", + "Chatops_Username": "Chatops Username", + "Chatpal_AdminPage": "Chatpal Admin Page", + "Chatpal_All_Results": "Everything", + "Chatpal_API_Key": "API Key", + "Chatpal_API_Key_Description": "You don't yet have an API Key? Get one!", + "Chatpal_Backend": "Backend Type", + "Chatpal_Backend_Description": "Select if you want to use Chatpal as a Service or as On-Site Installation", + "Chatpal_Base_URL": "Base Url", + "Chatpal_Base_URL_Description": "Find some description how to run a local instance on github. The URL must be absolue and point to the chatpal core, e.g. http://localhost:8983/solr/chatpal.", + "Chatpal_Batch_Size": "Index Batch Size", + "Chatpal_Batch_Size_Description": "The batch size of index documents (on bootstrapping)", + "Chatpal_channel_not_joined_yet": "Channel not joined yet", + "Chatpal_create_key": "Create Key", + "Chatpal_created_key_successfully": "API-Key created successfully", + "Chatpal_Current_Room_Only": "Same room", + "Chatpal_Default_Result_Type": "Default Result Type", + "Chatpal_Default_Result_Type_Description": "Defines which result type is shown by result. All means that an overview for all types is provided.", + "Chat_Duration": "Chat Duration", + "Chatpal_Email_Address": "Email Address", + "Chatpal_ERROR_Email_must_be_set": "Email must be set", + "Chatpal_ERROR_Email_must_be_valid": "Email must be valid", + "Chatpal_ERROR_TAC_must_be_checked": "Terms and Conditions must be checked", + "Chatpal_ERROR_username_already_exists": "Username already exists", + "Chatpal_Get_more_information_about_chatpal_on_our_website": "Get more information about Chatpal on http://chatpal.io!", + "Chatpal_go_to_message": "Jump", + "Chatpal_go_to_room": "Jump", + "Chatpal_go_to_user": "Send direct message", + "Chatpal_HTTP_Headers": "Http Headers", + "Chatpal_HTTP_Headers_Description": "List of HTTP Headers, one header per line. Format: name:value", + "Chatpal_Include_All_Public_Channels": "Include All Public Channels", + "Chatpal_Include_All_Public_Channels_Description": "Search in all public channels, even if you haven't joined them yet.", + "Chatpal_Main_Language": "Main Language", + "Chatpal_Main_Language_Description": "The language that is used most in conversations", + "Chatpal_Messages": "Messages", + "Chatpal_Messages_Only": "Messages", + "Chatpal_More": "More", + "Chatpal_No_Results": "No Results", + "Chatpal_no_search_results": "No result", + "Chatpal_one_search_result": "Found 1 result", + "Chatpal_Rooms": "Rooms", + "Chatpal_run_search": "Search", + "Chatpal_search_page_of": "Page %s of %s", + "Chatpal_search_results": "Found %s results", + "Chatpal_Search_Results": "Search Results", + "Chatpal_Suggestion_Enabled": "Suggestions enabled", + "Chatpal_TAC_read": "I have read the terms and conditions", + "Chatpal_Terms_and_Conditions": "Terms and Conditions", + "Chatpal_Timeout_Size": "Index Timeout", + "Chatpal_Timeout_Size_Description": "The time between 2 index windows in ms (on bootstrapping)", + "Chatpal_Users": "Users", + "Chatpal_Welcome": "Enjoy your search!", + "Chatpal_Window_Size": "Index Window Size", + "Chatpal_Window_Size_Description": "The size of index windows in hours (on bootstrapping)", + "Chats_removed": "Chats Removed", + "Check_All": "Check All", + "Check_if_the_spelling_is_correct": "Check if the spelling is correct", + "Check_Progress": "Check Progress", + "Choose_a_room": "Choose a room", + "Choose_messages": "Choose messages", + "Choose_the_alias_that_will_appear_before_the_username_in_messages": "Choose the alias that will appear before the username in messages.", + "Choose_the_username_that_this_integration_will_post_as": "Choose the username that this integration will post as.", + "Choose_users": "Choose users", + "Clean_Usernames": "Clear usernames", + "clean-channel-history": "Clean Channel History", + "clean-channel-history_description": "Permission to Clear the history from channels", + "clear": "Clear", + "Clear_all_unreads_question": "Clear all unreads?", + "clear_cache_now": "Clear Cache Now", + "Clear_filters": "Clear filters", + "clear_history": "Clear History", + "Clear_livechat_session_when_chat_ended": "Clear guest session when chat ended", + "clear-oembed-cache": "Clear OEmbed cache", + "Click_here": "Click here", + "Click_here_for_more_details_or_contact_sales_for_a_new_license": "Click here for more details or contact __email__ for a new license.", + "Click_here_for_more_info": "Click here for more info", + "Click_here_to_clear_the_selection": "Click here to clear the selection", + "Click_here_to_enter_your_encryption_password": "Click here to enter your encryption password", + "Click_here_to_view_and_copy_your_password": "Click here to view and copy your password.", + "Click_the_messages_you_would_like_to_send_by_email": "Click the messages you would like to send by e-mail", + "Click_to_join": "Click to Join!", + "Click_to_load": "Click to load", + "Client_ID": "Client ID", + "Client_Secret": "Client Secret", + "Clients_will_refresh_in_a_few_seconds": "Clients will refresh in a few seconds", + "close": "close", + "Close": "Close", + "Close_chat": "Close chat", + "Close_room_description": "You are about to close this chat. Are you sure you want to continue?", + "Close_to_seat_limit_banner_warning": "*You have [__seats__] seats left* \nThis workspace is nearing its seat limit. Once the limit is met no new members can be added. *[Request More Seats](__url__)*", + "Close_to_seat_limit_warning": "New members cannot be created once the seat limit is met.", + "close-livechat-room": "Close Omnichannel Room", + "close-livechat-room_description": "Permission to close the current Omnichannel room", + "Close_menu": "Close menu", + "close-others-livechat-room": "Close other Omnichannel Room", + "close-others-livechat-room_description": "Permission to close other Omnichannel rooms", + "Closed": "Closed", + "Closed_At": "Closed at", + "Closed_automatically": "Closed automatically by the system", + "Closed_automatically_chat_queued_too_long": "Closed automatically by the system (queue maximum time exceeded)", + "Closed_by_visitor": "Closed by visitor", + "Closing_chat": "Closing chat", + "Closing_chat_message": "Closing chat message", + "Cloud": "Cloud", + "Cloud_Apply_Offline_License": "Apply Offline License", + "Cloud_Change_Offline_License": "Change Offline License", + "Cloud_License_applied_successfully": "License applied successfully!", + "Cloud_Invalid_license": "Invalid license!", + "Cloud_Apply_license": "Apply license", + "Cloud_connectivity": "Cloud Connectivity", + "Cloud_address_to_send_registration_to": "The address to send your Cloud registration email to.", + "Cloud_click_here": "After copy the text, go to [cloud console (click here)](__cloudConsoleUrl__).", + "Cloud_console": "Cloud Console", + "Cloud_error_code": "Code: __errorCode__", + "Cloud_error_in_authenticating": "Error received while authenticating", + "Cloud_Info": "Cloud Info", + "Cloud_login_to_cloud": "Login to Rocket.Chat Cloud", + "Cloud_logout": "Logout of Rocket.Chat Cloud", + "Cloud_manually_input_token": "Enter the token received from the Cloud Console.", + "Cloud_register_error": "There has been an error trying to process your request. Please try again later.", + "Cloud_Register_manually": "Register Offline", + "Cloud_register_offline_finish_helper": "After completing the registration process in the Cloud Console you should be presented with some text. Please paste it here to finish the registration.", + "Cloud_register_offline_helper": "Workspaces can be manually registered if airgapped or network access is restricted. Copy the text below and go to our Cloud Console to complete the process.", + "Cloud_register_success": "Your workspace has been successfully registered!", + "Cloud_registration_pending_html": "Push notifications will not work until the registration is finished. Learn more", + "Cloud_registration_pending_title": "Cloud registration is still pending", + "Cloud_registration_required": "Registration Required", + "Cloud_registration_required_description": "Looks like during setup you didn't chose to register your workspace.", + "Cloud_registration_required_link_text": "Click here to register your workspace.", + "Cloud_resend_email": "Resend Email", + "Cloud_Service_Agree_PrivacyTerms": "Cloud Service Privacy Terms Agreement", + "Cloud_Service_Agree_PrivacyTerms_Description": "I agree with the [Terms](https://rocket.chat/terms) & [Privacy Policy](https://rocket.chat/privacy)", + "Cloud_Service_Agree_PrivacyTerms_Login_Disabled_Warning": "You should accept the cloud privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to connect to your cloud workspace", + "Cloud_status_page_description": "If a particular Cloud Service is having issues you can check for known issues on our status page at", + "Cloud_token_instructions": "To Register your workspace go to Cloud Console. Login or Create an account and click register self-managed. Paste the token provided below", + "Cloud_troubleshooting": "Troubleshooting", + "Cloud_update_email": "Update Email", + "Cloud_what_is_it": "What is this?", + "Cloud_what_is_it_additional": "In addition you will be able to manage licenses, billing and support from the Rocket.Chat Cloud Console.", + "Cloud_what_is_it_description": "Rocket.Chat Cloud Connect allows you to connect your self-hosted Rocket.Chat Workspace to services we provide in our Cloud.", + "Cloud_what_is_it_services_like": "Services like:", + "Cloud_workspace_connected": "Your workspace is connected to Rocket.Chat Cloud. Logging into your Rocket.Chat Cloud account here will allow you to interact with some services like marketplace.", + "Cloud_workspace_connected_plus_account": "Your workspace is now connected to the Rocket.Chat Cloud and an account is associated.", + "Cloud_workspace_connected_without_account": "Your workspace is now connected to the Rocket.Chat Cloud. If you would like, you can login to the Rocket.Chat Cloud and associate your workspace with your Cloud account.", + "Cloud_workspace_disconnect": "If you no longer wish to utilize cloud services you can disconnect your workspace from Rocket.Chat Cloud.", + "Cloud_workspace_support": "If you have trouble with a cloud service, please try to sync first. Should the issue persist, please open a support ticket in the Cloud Console.", + "Collaborative": "Collaborative", + "Collapse": "Collapse", + "Collapse_Embedded_Media_By_Default": "Collapse Embedded Media by Default", + "color": "Color", + "Color": "Color", + "Colors": "Colors", + "Commands": "Commands", + "Comment_to_leave_on_closing_session": "Comment to Leave on Closing Session", + "Comment": "Comment", + "Common_Access": "Common Access", + "Community": "Community", + "Compact": "Compact", + "Composer_not_available_phone_calls": "Messages are not available on phone calls", + "Condensed": "Condensed", + "Condition": "Condition", + "Commit_details": "Commit Details", + "Completed": "Completed", + "Computer": "Computer", + "Configure_Incoming_Mail_IMAP": "Configure Incoming Mail (IMAP)", + "Configure_Outgoing_Mail_SMTP": "Configure Outgoing Mail (SMTP)", + "Confirm": "Confirm", + "Confirm_new_encryption_password": "Confirm new encryption password", + "Confirm_new_password": "Confirm New Password", + "Confirm_New_Password_Placeholder": "Please re-enter new password...", + "Confirm_password": "Confirm your password", + "Confirmation": "Confirmation", + "Connect": "Connect", + "Connected": "Connected", + "Connect_SSL_TLS": "Connect with SSL/TLS", + "Connection_Closed": "Connection closed", + "Connection_Reset": "Connection reset", + "Connection_error": "Connection error", + "Connection_success": "LDAP Connection Successful", + "Connection_failed": "LDAP Connection Failed", + "Connectivity_Services": "Connectivity Services", + "Consulting": "Consulting", + "Consumer_Packaged_Goods": "Consumer Packaged Goods", + "Contact": "Contact", + "Contacts": "Contacts", + "Contact_Name": "Contact Name", + "Contact_Center": "Contact Center", + "Contact_Chat_History": "Contact Chat History", + "Contains_Security_Fixes": "Contains Security Fixes", + "Contact_Manager": "Contact Manager", + "Contact_not_found": "Contact not found", + "Contact_Profile": "Contact Profile", + "Contact_Info": "Contact Information", + "Content": "Content", + "Continue": "Continue", + "Continuous_sound_notifications_for_new_livechat_room": "Continuous sound notifications for new omnichannel room", + "Conversation": "Conversation", + "Conversation_closed": "Conversation closed: __comment__.", + "Conversation_closing_tags": "Conversation closing tags", + "Conversation_closing_tags_description": "Closing tags will be automatically assigned to conversations at closing.", + "Conversation_finished": "Conversation Finished", + "Conversation_finished_message": "Conversation Finished Message", + "Conversation_finished_text": "Conversation Finished Text", + "conversation_with_s": "the conversation with %s", + "Conversations": "Conversations", + "Conversations_per_day": "Conversations per Day", + "Convert": "Convert", + "Convert_Ascii_Emojis": "Convert ASCII to Emoji", + "Convert_to_channel": "Convert to Channel", + "Converting_channel_to_a_team": "You are converting this Channel to a Team. All members will be kept.", + "Converted__roomName__to_team": "converted #__roomName__ to a Team", + "Converted__roomName__to_channel": "converted #__roomName__ to a Channel", + "Converting_team_to_channel": "Converting Team to Channel", + "Copied": "Copied", + "Copy": "Copy", + "Copy_text": "Copy Text", + "Copy_to_clipboard": "Copy to clipboard", + "COPY_TO_CLIPBOARD": "COPY TO CLIPBOARD", + "could-not-access-webdav": "Could not access WebDAV", + "Count": "Count", + "Counters": "Counters", + "Country": "Country", + "Country_Afghanistan": "Afghanistan", + "Country_Albania": "Albania", + "Country_Algeria": "Algeria", + "Country_American_Samoa": "American Samoa", + "Country_Andorra": "Andorra", + "Country_Angola": "Angola", + "Country_Anguilla": "Anguilla", + "Country_Antarctica": "Antarctica", + "Country_Antigua_and_Barbuda": "Antigua and Barbuda", + "Country_Argentina": "Argentina", + "Country_Armenia": "Armenia", + "Country_Aruba": "Aruba", + "Country_Australia": "Australia", + "Country_Austria": "Austria", + "Country_Azerbaijan": "Azerbaijan", + "Country_Bahamas": "Bahamas", + "Country_Bahrain": "Bahrain", + "Country_Bangladesh": "Bangladesh", + "Country_Barbados": "Barbados", + "Country_Belarus": "Belarus", + "Country_Belgium": "Belgium", + "Country_Belize": "Belize", + "Country_Benin": "Benin", + "Country_Bermuda": "Bermuda", + "Country_Bhutan": "Bhutan", + "Country_Bolivia": "Bolivia", + "Country_Bosnia_and_Herzegovina": "Bosnia and Herzegovina", + "Country_Botswana": "Botswana", + "Country_Bouvet_Island": "Bouvet Island", + "Country_Brazil": "Brazil", + "Country_British_Indian_Ocean_Territory": "British Indian Ocean Territory", + "Country_Brunei_Darussalam": "Brunei Darussalam", + "Country_Bulgaria": "Bulgaria", + "Country_Burkina_Faso": "Burkina Faso", + "Country_Burundi": "Burundi", + "Country_Cambodia": "Cambodia", + "Country_Cameroon": "Cameroon", + "Country_Canada": "Canada", + "Country_Cape_Verde": "Cape Verde", + "Country_Cayman_Islands": "Cayman Islands", + "Country_Central_African_Republic": "Central African Republic", + "Country_Chad": "Chad", + "Country_Chile": "Chile", + "Country_China": "China", + "Country_Christmas_Island": "Christmas Island", + "Country_Cocos_Keeling_Islands": "Cocos (Keeling) Islands", + "Country_Colombia": "Colombia", + "Country_Comoros": "Comoros", + "Country_Congo": "Congo", + "Country_Congo_The_Democratic_Republic_of_The": "Congo, The Democratic Republic of The", + "Country_Cook_Islands": "Cook Islands", + "Country_Costa_Rica": "Costa Rica", + "Country_Cote_Divoire": "Cote D'ivoire", + "Country_Croatia": "Croatia", + "Country_Cuba": "Cuba", + "Country_Cyprus": "Cyprus", + "Country_Czech_Republic": "Czech Republic", + "Country_Denmark": "Denmark", + "Country_Djibouti": "Djibouti", + "Country_Dominica": "Dominica", + "Country_Dominican_Republic": "Dominican Republic", + "Country_Ecuador": "Ecuador", + "Country_Egypt": "Egypt", + "Country_El_Salvador": "El Salvador", + "Country_Equatorial_Guinea": "Equatorial Guinea", + "Country_Eritrea": "Eritrea", + "Country_Estonia": "Estonia", + "Country_Ethiopia": "Ethiopia", + "Country_Falkland_Islands_Malvinas": "Falkland Islands (Malvinas)", + "Country_Faroe_Islands": "Faroe Islands", + "Country_Fiji": "Fiji", + "Country_Finland": "Finland", + "Country_France": "France", + "Country_French_Guiana": "French Guiana", + "Country_French_Polynesia": "French Polynesia", + "Country_French_Southern_Territories": "French Southern Territories", + "Country_Gabon": "Gabon", + "Country_Gambia": "Gambia", + "Country_Georgia": "Georgia", + "Country_Germany": "Germany", + "Country_Ghana": "Ghana", + "Country_Gibraltar": "Gibraltar", + "Country_Greece": "Greece", + "Country_Greenland": "Greenland", + "Country_Grenada": "Grenada", + "Country_Guadeloupe": "Guadeloupe", + "Country_Guam": "Guam", + "Country_Guatemala": "Guatemala", + "Country_Guinea": "Guinea", + "Country_Guinea_bissau": "Guinea-bissau", + "Country_Guyana": "Guyana", + "Country_Haiti": "Haiti", + "Country_Heard_Island_and_Mcdonald_Islands": "Heard Island and Mcdonald Islands", + "Country_Holy_See_Vatican_City_State": "Holy See (Vatican City State)", + "Country_Honduras": "Honduras", + "Country_Hong_Kong": "Hong Kong", + "Country_Hungary": "Hungary", + "Country_Iceland": "Iceland", + "Country_India": "India", + "Country_Indonesia": "Indonesia", + "Country_Iran_Islamic_Republic_of": "Iran, Islamic Republic of", + "Country_Iraq": "Iraq", + "Country_Ireland": "Ireland", + "Country_Israel": "Israel", + "Country_Italy": "Italy", + "Country_Jamaica": "Jamaica", + "Country_Japan": "Japan", + "Country_Jordan": "Jordan", + "Country_Kazakhstan": "Kazakhstan", + "Country_Kenya": "Kenya", + "Country_Kiribati": "Kiribati", + "Country_Korea_Democratic_Peoples_Republic_of": "Korea, Democratic People's Republic of", + "Country_Korea_Republic_of": "Korea, Republic of", + "Country_Kuwait": "Kuwait", + "Country_Kyrgyzstan": "Kyrgyzstan", + "Country_Lao_Peoples_Democratic_Republic": "Lao People's Democratic Republic", + "Country_Latvia": "Latvia", + "Country_Lebanon": "Lebanon", + "Country_Lesotho": "Lesotho", + "Country_Liberia": "Liberia", + "Country_Libyan_Arab_Jamahiriya": "Libyan Arab Jamahiriya", + "Country_Liechtenstein": "Liechtenstein", + "Country_Lithuania": "Lithuania", + "Country_Luxembourg": "Luxembourg", + "Country_Macao": "Macao", + "Country_Macedonia_The_Former_Yugoslav_Republic_of": "Macedonia, The Former Yugoslav Republic of", + "Country_Madagascar": "Madagascar", + "Country_Malawi": "Malawi", + "Country_Malaysia": "Malaysia", + "Country_Maldives": "Maldives", + "Country_Mali": "Mali", + "Country_Malta": "Malta", + "Country_Marshall_Islands": "Marshall Islands", + "Country_Martinique": "Martinique", + "Country_Mauritania": "Mauritania", + "Country_Mauritius": "Mauritius", + "Country_Mayotte": "Mayotte", + "Country_Mexico": "Mexico", + "Country_Micronesia_Federated_States_of": "Micronesia, Federated States of", + "Country_Moldova_Republic_of": "Moldova, Republic of", + "Country_Monaco": "Monaco", + "Country_Mongolia": "Mongolia", + "Country_Montserrat": "Montserrat", + "Country_Morocco": "Morocco", + "Country_Mozambique": "Mozambique", + "Country_Myanmar": "Myanmar", + "Country_Namibia": "Namibia", + "Country_Nauru": "Nauru", + "Country_Nepal": "Nepal", + "Country_Netherlands": "Netherlands", + "Country_Netherlands_Antilles": "Netherlands Antilles", + "Country_New_Caledonia": "New Caledonia", + "Country_New_Zealand": "New Zealand", + "Country_Nicaragua": "Nicaragua", + "Country_Niger": "Niger", + "Country_Nigeria": "Nigeria", + "Country_Niue": "Niue", + "Country_Norfolk_Island": "Norfolk Island", + "Country_Northern_Mariana_Islands": "Northern Mariana Islands", + "Country_Norway": "Norway", + "Country_Oman": "Oman", + "Country_Pakistan": "Pakistan", + "Country_Palau": "Palau", + "Country_Palestinian_Territory_Occupied": "Palestinian Territory, Occupied", + "Country_Panama": "Panama", + "Country_Papua_New_Guinea": "Papua New Guinea", + "Country_Paraguay": "Paraguay", + "Country_Peru": "Peru", + "Country_Philippines": "Philippines", + "Country_Pitcairn": "Pitcairn", + "Country_Poland": "Poland", + "Country_Portugal": "Portugal", + "Country_Puerto_Rico": "Puerto Rico", + "Country_Qatar": "Qatar", + "Country_Reunion": "Reunion", + "Country_Romania": "Romania", + "Country_Russian_Federation": "Russian Federation", + "Country_Rwanda": "Rwanda", + "Country_Saint_Helena": "Saint Helena", + "Country_Saint_Kitts_and_Nevis": "Saint Kitts and Nevis", + "Country_Saint_Lucia": "Saint Lucia", + "Country_Saint_Pierre_and_Miquelon": "Saint Pierre and Miquelon", + "Country_Saint_Vincent_and_The_Grenadines": "Saint Vincent and The Grenadines", + "Country_Samoa": "Samoa", + "Country_San_Marino": "San Marino", + "Country_Sao_Tome_and_Principe": "Sao Tome and Principe", + "Country_Saudi_Arabia": "Saudi Arabia", + "Country_Senegal": "Senegal", + "Country_Serbia_and_Montenegro": "Serbia and Montenegro", + "Country_Seychelles": "Seychelles", + "Country_Sierra_Leone": "Sierra Leone", + "Country_Singapore": "Singapore", + "Country_Slovakia": "Slovakia", + "Country_Slovenia": "Slovenia", + "Country_Solomon_Islands": "Solomon Islands", + "Country_Somalia": "Somalia", + "Country_South_Africa": "South Africa", + "Country_South_Georgia_and_The_South_Sandwich_Islands": "South Georgia and The South Sandwich Islands", + "Country_Spain": "Spain", + "Country_Sri_Lanka": "Sri Lanka", + "Country_Sudan": "Sudan", + "Country_Suriname": "Suriname", + "Country_Svalbard_and_Jan_Mayen": "Svalbard and Jan Mayen", + "Country_Swaziland": "Swaziland", + "Country_Sweden": "Sweden", + "Country_Switzerland": "Switzerland", + "Country_Syrian_Arab_Republic": "Syrian Arab Republic", + "Country_Taiwan_Province_of_China": "Taiwan, Province of China", + "Country_Tajikistan": "Tajikistan", + "Country_Tanzania_United_Republic_of": "Tanzania, United Republic of", + "Country_Thailand": "Thailand", + "Country_Timor_leste": "Timor-leste", + "Country_Togo": "Togo", + "Country_Tokelau": "Tokelau", + "Country_Tonga": "Tonga", + "Country_Trinidad_and_Tobago": "Trinidad and Tobago", + "Country_Tunisia": "Tunisia", + "Country_Turkey": "Turkey", + "Country_Turkmenistan": "Turkmenistan", + "Country_Turks_and_Caicos_Islands": "Turks and Caicos Islands", + "Country_Tuvalu": "Tuvalu", + "Country_Uganda": "Uganda", + "Country_Ukraine": "Ukraine", + "Country_United_Arab_Emirates": "United Arab Emirates", + "Country_United_Kingdom": "United Kingdom", + "Country_United_States": "United States", + "Country_United_States_Minor_Outlying_Islands": "United States Minor Outlying Islands", + "Country_Uruguay": "Uruguay", + "Country_Uzbekistan": "Uzbekistan", + "Country_Vanuatu": "Vanuatu", + "Country_Venezuela": "Venezuela", + "Country_Viet_Nam": "Viet Nam", + "Country_Virgin_Islands_British": "Virgin Islands, British", + "Country_Virgin_Islands_US": "Virgin Islands, U.S.", + "Country_Wallis_and_Futuna": "Wallis and Futuna", + "Country_Western_Sahara": "Western Sahara", + "Country_Yemen": "Yemen", + "Country_Zambia": "Zambia", + "Country_Zimbabwe": "Zimbabwe", + "Cozy": "Cozy", + "Create": "Create", + "Create_Canned_Response": "Create Canned Response", + "Create_channel": "Create Channel", + "Create_A_New_Channel": "Create a New Channel", + "Create_new": "Create new", + "Create_new_members": "Create New Members", + "Create_unique_rules_for_this_channel": "Create unique rules for this channel", + "create-c": "Create Public Channels", + "create-c_description": "Permission to create public channels", + "create-d": "Create Direct Messages", + "create-d_description": "Permission to start direct messages", + "create-invite-links": "Create Invite Links", + "create-invite-links_description": "Permission to create invite links to channels", + "create-p": "Create Private Channels", + "create-p_description": "Permission to create private channels", + "create-personal-access-tokens": "Create Personal Access Tokens", + "create-personal-access-tokens_description": "Permission to create Personal Access Tokens", + "create-user": "Create User", + "create-user_description": "Permission to create users", + "Created": "Created", + "Created_as": "Created as", + "Created_at": "Created at", + "Created_at_s_by_s": "Created at %s by %s", + "Created_at_s_by_s_triggered_by_s": "Created at %s by %s triggered by %s", + "Created_by": "Created by", + "CRM_Integration": "CRM Integration", + "CROWD_Allow_Custom_Username": "Allow custom username in Rocket.Chat", + "CROWD_Reject_Unauthorized": "Reject Unauthorized", + "Crowd_Remove_Orphaned_Users": "Remove Orphaned Users", + "Crowd_sync_interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", + "Current_Chats": "Current Chats", + "Current_File": "Current File", + "Current_Import_Operation": "Current Import Operation", + "Current_Status": "Current Status", + "Custom": "Custom", + "Custom CSS": "Custom CSS", + "Custom_agent": "Custom agent", + "Custom_dates": "Custom Dates", + "Custom_Emoji": "Custom Emoji", + "Custom_Emoji_Add": "Add New Emoji", + "Custom_Emoji_Added_Successfully": "Custom emoji added successfully", + "Custom_Emoji_Delete_Warning": "Deleting an emoji cannot be undone.", + "Custom_Emoji_Error_Invalid_Emoji": "Invalid emoji", + "Custom_Emoji_Error_Name_Or_Alias_Already_In_Use": "The custom emoji or one of its aliases is already in use.", + "Custom_Emoji_Error_Same_Name_And_Alias": "The custom emoji name and their aliases should be different.", + "Custom_Emoji_Has_Been_Deleted": "The custom emoji has been deleted.", + "Custom_Emoji_Info": "Custom Emoji Info", + "Custom_Emoji_Updated_Successfully": "Custom emoji updated successfully", + "Custom_Fields": "Custom Fields", + "Custom_Field_Removed": "Custom Field Removed", + "Custom_Field_Not_Found": "Custom Field not found", + "Custom_Integration": "Custom Integration", + "Custom_oauth_helper": "When setting up your OAuth Provider, you'll have to inform a Callback URL. Use
%s
.", + "Custom_oauth_unique_name": "Custom oauth unique name", + "Custom_Script_Logged_In": "Custom Script for Logged In Users", + "Custom_Script_Logged_In_Description": "Custom Script that will run ALWAYS and to ANY user that is logged in. e.g. (whenever you enter the chat and you are logged in)", + "Custom_Script_Logged_Out": "Custom Script for Logged Out Users", + "Custom_Script_Logged_Out_Description": "Custom Script that will run ALWAYS and to ANY user that is NOT logged in. e.g. (whenever you enter the login page)", + "Custom_Script_On_Logout": "Custom Script for Logout Flow", + "Custom_Script_On_Logout_Description": "Custom Script that will run on execute logout flow ONLY", + "Custom_Scripts": "Custom Scripts", + "Custom_Sound_Add": "Add Custom Sound", + "Custom_Sound_Delete_Warning": "Deleting a sound cannot be undone.", + "Custom_Sound_Edit": "Edit Custom Sound", + "Custom_Sound_Error_Invalid_Sound": "Invalid sound", + "Custom_Sound_Error_Name_Already_In_Use": "The custom sound name is already in use.", + "Custom_Sound_Has_Been_Deleted": "The custom sound has been deleted.", + "Custom_Sound_Info": "Custom Sound Info", + "Custom_Sound_Saved_Successfully": "Custom sound saved successfully", + "Custom_Sounds": "Custom Sounds", + "Custom_Status": "Custom Status", + "Custom_Translations": "Custom Translations", + "Custom_Translations_Description": "Should be a valid JSON where keys are languages containing a dictionary of key and translations. Example:
{\n \"en\": {\n \"Channels\": \"Rooms\"\n },\n \"pt\": {\n \"Channels\": \"Salas\"\n }\n} ", + "Custom_User_Status": "Custom User Status", + "Custom_User_Status_Add": "Add Custom User Status", + "Custom_User_Status_Added_Successfully": "Custom User Status Added Successfully", + "Custom_User_Status_Delete_Warning": "Deleting a Custom User Status cannot be undone.", + "Custom_User_Status_Edit": "Edit Custom User Status", + "Custom_User_Status_Error_Invalid_User_Status": "Invalid User Status", + "Custom_User_Status_Error_Name_Already_In_Use": "The Custom User Status Name is already in use.", + "Custom_User_Status_Has_Been_Deleted": "Custom User Status Has Been Deleted", + "Custom_User_Status_Info": "Custom User Status Info", + "Custom_User_Status_Updated_Successfully": "Custom User Status Updated Successfully", + "Customer_without_registered_email": "The customer does not have a registered email address", + "Customize": "Customize", + "CustomSoundsFilesystem": "Custom Sounds Filesystem", + "CustomSoundsFilesystem_Description": "Specify how custom sounds are stored.", + "Daily_Active_Users": "Daily Active Users", + "Dashboard": "Dashboard", + "Data_processing_consent_text": "Data processing consent text", + "Data_processing_consent_text_description": "Use this setting to explain that you can collect, store and process customer's personal informations along the conversation.", + "Date": "Date", + "Date_From": "From", + "Date_to": "to", + "DAU_value": "DAU __value__", + "days": "days", + "Days": "Days", + "DB_Migration": "Database Migration", + "DB_Migration_Date": "Database Migration Date", + "DDP_Rate_Limiter": "DDP Rate Limit", + "DDP_Rate_Limit_Connection_By_Method_Enabled": "Limit by Connection per Method: enabled", + "DDP_Rate_Limit_Connection_By_Method_Interval_Time": "Limit by Connection per Method: interval time", + "DDP_Rate_Limit_Connection_By_Method_Requests_Allowed": "Limit by Connection per Method: requests allowed", + "DDP_Rate_Limit_Connection_Enabled": "Limit by Connection: enabled", + "DDP_Rate_Limit_Connection_Interval_Time": "Limit by Connection: interval time", + "DDP_Rate_Limit_Connection_Requests_Allowed": "Limit by Connection: requests allowed", + "DDP_Rate_Limit_IP_Enabled": "Limit by IP: enabled", + "DDP_Rate_Limit_IP_Interval_Time": "Limit by IP: interval time", + "DDP_Rate_Limit_IP_Requests_Allowed": "Limit by IP: requests allowed", + "DDP_Rate_Limit_User_By_Method_Enabled": "Limit by User per Method: enabled", + "DDP_Rate_Limit_User_By_Method_Interval_Time": "Limit by User per Method: interval time", + "DDP_Rate_Limit_User_By_Method_Requests_Allowed": "Limit by User per Method: requests allowed", + "DDP_Rate_Limit_User_Enabled": "Limit by User: enabled", + "DDP_Rate_Limit_User_Interval_Time": "Limit by User: interval time", + "DDP_Rate_Limit_User_Requests_Allowed": "Limit by User: requests allowed", + "Deactivate": "Deactivate", + "Decline": "Decline", + "Decode_Key": "Decode Key", + "Default": "Default", + "Default_value": "Default value", + "Delete": "Delete", + "Deleting": "Deleting", + "Delete_all_closed_chats": "Delete all closed chats", + "Delete_File_Warning": "Deleting a file will delete it forever. This cannot be undone.", + "Delete_message": "Delete message", + "Delete_my_account": "Delete my account", + "Delete_Role_Warning": "Deleting a role will delete it forever. This cannot be undone.", + "Delete_Room_Warning": "Deleting a room will delete all messages posted within the room. This cannot be undone.", + "Delete_User_Warning": "Deleting a user will delete all messages from that user as well. This cannot be undone.", + "Delete_User_Warning_Delete": "Deleting a user will delete all messages from that user as well. This cannot be undone.", + "Delete_User_Warning_Keep": "The user will be deleted, but their messages will remain visible. This cannot be undone.", + "Delete_User_Warning_Unlink": "Deleting a user will remove the user name from all their messages. This cannot be undone.", + "delete-c": "Delete Public Channels", + "delete-c_description": "Permission to delete public channels", + "delete-d": "Delete Direct Messages", + "delete-d_description": "Permission to delete direct messages", + "delete-message": "Delete Message", + "delete-message_description": "Permission to delete a message within a room", + "delete-own-message": "Delete Own Message", + "delete-own-message_description": "Permission to delete own message", + "delete-p": "Delete Private Channels", + "delete-p_description": "Permission to delete private channels", + "delete-user": "Delete User", + "delete-user_description": "Permission to delete users", + "Deleted": "Deleted!", + "Deleted__roomName__": "deleted #__roomName__", + "Department": "Department", + "Department_name": "Department name", + "Department_not_found": "Department not found", + "Department_removed": "Department removed", + "Departments": "Departments", + "Deployment_ID": "Deployment ID", + "Deployment": "Deployment", + "Description": "Description", + "Desktop": "Desktop", + "Desktop_Notification_Test": "Desktop Notification Test", + "Desktop_Notifications": "Desktop Notifications", + "Desktop_Notifications_Default_Alert": "Desktop Notifications Default Alert", + "Desktop_Notifications_Disabled": "Desktop Notifications are Disabled. Change your browser preferences if you need Notifications enabled.", + "Desktop_Notifications_Duration": "Desktop Notifications Duration", + "Desktop_Notifications_Duration_Description": "Seconds to display desktop notification. This may affect OS X Notification Center. Enter 0 to use default browser settings and not affect OS X Notification Center.", + "Desktop_Notifications_Enabled": "Desktop Notifications are Enabled", + "Desktop_Notifications_Not_Enabled": "Desktop Notifications are Not Enabled", + "Details": "Details", + "Different_Style_For_User_Mentions": "Different style for user mentions", + "Direct": "Direct", + "Direct_Message": "Direct Message", + "Direct_message_creation_description": "You are about to create a chat with multiple users. Add the ones you would like to talk, everyone in the same place, using direct messages.", + "Direct_message_someone": "Direct message someone", + "Direct_message_you_have_joined": "You have joined a new direct message with", + "Direct_Messages": "Direct Messages", + "Direct_Reply": "Direct Reply", + "Direct_Reply_Advice": "You can directly reply to this email. Do not modify previous emails in the thread.", + "Direct_Reply_Debug": "Debug Direct Reply", + "Direct_Reply_Debug_Description": "[Beware] Enabling Debug mode would display your 'Plain Text Password' in Admin console.", + "Direct_Reply_Delete": "Delete Emails", + "Direct_Reply_Delete_Description": "[Attention!] If this option is activated, all unread messages are irrevocably deleted, even those that are not direct replies. The configured e-mail mailbox is then always empty and cannot be processed in \"parallel\" by humans.", + "Direct_Reply_Enable": "Enable Direct Reply", + "Direct_Reply_Enable_Description": "[Attention!] If \"Direct Reply\" is enabled, Rocket.Chat will control the configured email mailbox. All unread e-mails are retrieved, marked as read and processed. \"Direct Reply\" should only be activated if the mailbox used is intended exclusively for access by Rocket.Chat and is not read/processed \"in parallel\" by humans.", + "Direct_Reply_Frequency": "Email Check Frequency", + "Direct_Reply_Frequency_Description": "(in minutes, default/minimum 2)", + "Direct_Reply_Host": "Direct Reply Host", + "Direct_Reply_IgnoreTLS": "IgnoreTLS", + "Direct_Reply_Password": "Password", + "Direct_Reply_Port": "Direct_Reply_Port", + "Direct_Reply_Protocol": "Direct Reply Protocol", + "Direct_Reply_Separator": "Separator", + "Direct_Reply_Separator_Description": "[Alter only if you know exactly what you are doing, refer docs]
Separator between base & tag part of email", + "Direct_Reply_Username": "Username", + "Direct_Reply_Username_Description": "Please use absolute email, tagging is not allowed, it would be over-written", + "Directory": "Directory", + "Disable": "Disable", + "Disable_Facebook_integration": "Disable Facebook integration", + "Disable_Notifications": "Disable Notifications", + "Disable_two-factor_authentication": "Disable two-factor authentication via TOTP", + "Disable_two-factor_authentication_email": "Disable two-factor authentication via Email", + "Disabled": "Disabled", + "Disallow_reacting": "Disallow Reacting", + "Disallow_reacting_Description": "Disallows reacting", + "Discard": "Discard", + "Disconnect": "Disconnect", + "Discussion": "Discussion", + "Discussion_Description": "Discussionns are an aditional way to organize conversations that allows invite users from outside channels to participate in specific conversations.", + "Discussion_description": "Help keeping an overview about what's going on! By creating a discussion, a sub-channel of the one you selected is created and both are linked.", + "Discussion_first_message_disabled_due_to_e2e": "You can start sending End-to-End encrypted messages in this discussion after its creation.", + "Discussion_first_message_title": "Your message", + "Discussion_name": "Discussion name", + "Discussion_start": "Start a Discussion", + "Discussion_target_channel": "Parent channel or group", + "Discussion_target_channel_description": "Select a channel which is related to what you want to ask", + "Discussion_target_channel_prefix": "You are creating a discussion in", + "Discussion_title": "Create a new discussion", + "discussion-created": "__message__", + "Discussions": "Discussions", + "Display": "Display", + "Display_avatars": "Display Avatars", + "Display_Avatars_Sidebar": "Display Avatars in Sidebar", + "Display_chat_permissions": "Display chat permissions", + "Display_mentions_counter": "Display badge for direct mentions only", + "Display_offline_form": "Display Offline Form", + "Display_setting_permissions": "Display permissions to change settings", + "Display_unread_counter": "Display room as unread when there are unread messages", + "Displays_action_text": "Displays action text", + "Do_It_Later": "Do It Later", + "Do_not_display_unread_counter": "Do not display any counter of this channel", + "Do_not_provide_this_code_to_anyone": "Do not provide this code to anyone.", + "Do_Nothing": "Do Nothing", + "Do_you_have_any_notes_for_this_conversation": "Do you have any notes for this conversation?", + "Do_you_want_to_accept": "Do you want to accept?", + "Do_you_want_to_change_to_s_question": "Do you want to change to %s?", + "Document_Domain": "Document Domain", + "Domain": "Domain", + "Domain_added": "domain Added", + "Domain_removed": "Domain Removed", + "Domains": "Domains", + "Domains_allowed_to_embed_the_livechat_widget": "Comma-separated list of domains allowed to embed the livechat widget. Leave blank to allow all domains.", + "Done": "Done", + "Dont_ask_me_again": "Don't ask me again!", + "Dont_ask_me_again_list": "Don't ask me again list", + "Download": "Download", + "Download_Info": "Download Info", + "Download_My_Data": "Download My Data (HTML)", + "Download_Pending_Avatars": "Download Pending Avatars", + "Download_Pending_Files": "Download Pending Files", + "Download_Snippet": "Download", + "Downloading_file_from_external_URL": "Downloading file from external URL", + "Drop_to_upload_file": "Drop to upload file", + "Dry_run": "Dry run", + "Dry_run_description": "Will only send one email, to the same address as in From. The email must belong to a valid user.", + "Duplicate_archived_channel_name": "An archived Channel with name `#%s` exists", + "Duplicate_archived_private_group_name": "An archived Private Group with name '%s' exists", + "Duplicate_channel_name": "A Channel with name '%s' exists", + "Duplicate_file_name_found": "Duplicate file name found.", + "Duplicate_private_group_name": "A Private Group with name '%s' exists", + "Duplicated_Email_address_will_be_ignored": "Duplicated email address will be ignored.", + "duplicated-account": "Duplicated account", + "E2E Encryption": "E2E Encryption", + "E2E Encryption_Description": "Keep conversations private, ensuring only the sender and intenteded recipients are able to read them.", + "E2E_enable": "Enable E2E", + "E2E_disable": "Disable E2E", + "E2E_Enable_alert": "This feature is currently in beta! Please report bugs to github.com/RocketChat/Rocket.Chat/issues and be aware of:
- Encrypted messages of encrypted rooms will not be found by search operations.
- The mobile apps may not support the encrypted messages (they are implementing it).
- Bots may not be able to see encrypted messages until they implement support for it.
- Uploads will not be encrypted in this version.", + "E2E_Enable_description": "Enable option to create encrypted groups and be able to change groups and direct messages to be encrypted", + "E2E_Enabled": "E2E Enabled", + "E2E_Enabled_Default_DirectRooms": "Enable encryption for Direct Rooms by default", + "E2E_Enabled_Default_PrivateRooms": "Enable encryption for Private Rooms by default", + "E2E_Encryption_Password_Change": "Change Encryption Password", + "E2E_Encryption_Password_Explanation": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store your password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on.", + "E2E_key_reset_email": "E2E Key Reset Notification", + "E2E_message_encrypted_placeholder": "This message is end-to-end encrypted. To view it, you must enter your encryption key in your account settings.", + "E2E_password_request_text": "To access your encrypted private groups and direct messages, enter your encryption password.
You need to enter this password to encode/decode your messages on every client you use, since the key is not stored on the server.", + "E2E_password_reveal_text": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store this password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on. Learn more here!

Your password is: %s

This is an auto generated password, you can setup a new password for your encryption key any time from any browser you have entered the existing password.
This password is only stored on this browser until you store the password and dismiss this message.", + "E2E_Reset_Email_Content": "You've been automatically logged out. When you login again, Rocket.Chat will generate a new key and restore your access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", + "E2E_Reset_Key_Explanation": "This option will remove your current E2E key and log you out.
When you login again, Rocket.Chat will generate you a new key and restore your access to any encrypted room that has one or more members online.
Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", + "E2E_Reset_Other_Key_Warning": "Reset the current E2E key will log out the user. When the user login again, Rocket.Chat will generate a new key and restore the user access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", + "ECDH_Enabled": "Enable second layer encryption for data transport", + "Edit": "Edit", + "Edit_Business_Hour": "Edit Business Hour", + "Edit_Canned_Response": "Edit Canned Response", + "Edit_Canned_Responses": "Edit Canned Responses", + "Edit_Custom_Field": "Edit Custom Field", + "Edit_Department": "Edit Department", + "Edit_Invite": "Edit Invite", + "Edit_previous_message": "`%s` - Edit previous message", + "Edit_Priority": "Edit Priority", + "Edit_Status": "Edit Status", + "Edit_Tag": "Edit Tag", + "Edit_Trigger": "Edit Trigger", + "Edit_Unit": "Edit Unit", + "Edit_User": "Edit User", + "edit-livechat-room-customfields": "Edit Livechat Room Custom Fields", + "edit-livechat-room-customfields_description": "Permission to edit the custom fields of livechat room", + "edit-message": "Edit Message", + "edit-message_description": "Permission to edit a message within a room", + "edit-other-user-active-status": "Edit Other User Active Status", + "edit-other-user-active-status_description": "Permission to enable or disable other accounts", + "edit-other-user-avatar": "Edit Other User Avatar", + "edit-other-user-avatar_description": "Permission to change other user's avatar.", + "edit-other-user-e2ee": "Edit Other User E2E Encryption", + "edit-other-user-e2ee_description": "Permission to modify other user's E2E Encryption.", + "edit-other-user-info": "Edit Other User Information", + "edit-other-user-info_description": "Permission to change other user's name, username or email address.", + "edit-other-user-password": "Edit Other User Password", + "edit-other-user-password_description": "Permission to modify other user's passwords. Requires edit-other-user-info permission.", + "edit-other-user-totp": "Edit Other User Two Factor TOTP", + "edit-other-user-totp_description": "Permission to edit other user's Two Factor TOTP", + "edit-privileged-setting": "Edit Privileged Setting", + "edit-privileged-setting_description": "Permission to edit settings", + "edit-room": "Edit Room", + "edit-room_description": "Permission to edit a room's name, topic, type (private or public status) and status (active or archived)", + "edit-room-avatar": "Edit Room Avatar", + "edit-room-avatar_description": "Permission to edit a room's avatar.", + "edit-room-retention-policy": "Edit Room's Retention Policy", + "edit-room-retention-policy_description": "Permission to edit a room’s retention policy, to automatically delete messages in it", + "edit-omnichannel-contact": "Edit Omnichannel Contact", + "edit-omnichannel-contact_description": "Permission to edit Omnichannel Contact", + "Edit_Contact_Profile": "Edit Contact Profile", + "edited": "edited", + "Editing_room": "Editing room", + "Editing_user": "Editing user", + "Editor": "Editor", + "Education": "Education", + "Email": "Email", + "Email_Description": "Configurations for sending broadcast emails from inside Rocket.Chat.", + "Email_address_to_send_offline_messages": "Email Address to Send Offline Messages", + "Email_already_exists": "Email already exists", + "Email_body": "Email body", + "Email_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of email", + "Email_Changed_Description": "You may use the following placeholders:
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Email_Changed_Email_Subject": "[Site_Name] - Email address has been changed", + "Email_changed_section": "Email Address Changed", + "Email_Footer_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Email_from": "From", + "Email_Header_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Email_Inbox": "Email Inbox", + "Email_Inboxes": "Email Inboxes", + "Email_Notification_Mode": "Offline Email Notifications", + "Email_Notification_Mode_All": "Every Mention/DM", + "Email_Notification_Mode_Disabled": "Disabled", + "Email_notification_show_message": "Show Message in Email Notification", + "Email_Notifications_Change_Disabled": "Your Rocket.Chat administrator has disabled email notifications", + "Email_or_username": "Email or username", + "Email_Placeholder": "Please enter your email address...", + "Email_Placeholder_any": "Please enter email addresses...", + "email_plain_text_only": "Send only plain text emails", + "email_style_description": "Avoid nested selectors", + "email_style_label": "Email Style", + "Email_subject": "Email Subject", + "Email_verified": "Email verified", + "Email_sent": "Email sent", + "Emails_sent_successfully!": "Emails sent successfully!", + "Emoji": "Emoji", + "Emoji_provided_by_JoyPixels": "Emoji provided by JoyPixels", + "EmojiCustomFilesystem": "Custom Emoji Filesystem", + "EmojiCustomFilesystem_Description": "Specify how emojis are stored.", + "Empty_title": "Empty title", + "Enable_New_Message_Template": "Enable New Message Template", + "Enable_New_Message_Template_alert": "This is a beta feature. It may not work as expected. Please report any issues you encounter.", + "See_on_Engagement_Dashboard": "See on Engagement Dashboard", + "Enable": "Enable", + "Enable_Auto_Away": "Enable Auto Away", + "Enable_CSP": "Enable Content-Security-Policy", + "Enable_CSP_Description": "Do not disable this option unless you have a custom build and are having problems due to inline-scripts", + "Enable_Desktop_Notifications": "Enable Desktop Notifications", + "Enable_inquiry_fetch_by_stream": "Enable inquiry data fetch from server using a stream", + "Enable_omnichannel_auto_close_abandoned_rooms": "Enable automatic closing of rooms abandoned by the visitor", + "Enable_Password_History": "Enable Password History", + "Enable_Password_History_Description": "When enabled, users won't be able to update their passwords to some of their most recently used passwords.", + "Enable_Svg_Favicon": "Enable SVG favicon", + "Enable_two-factor_authentication": "Enable two-factor authentication via TOTP", + "Enable_two-factor_authentication_email": "Enable two-factor authentication via Email", + "Enabled": "Enabled", + "Encrypted": "Encrypted", + "Encrypted_channel_Description": "End to end encrypted channel. Search will not work with encrypted channels and notifications may not show the messages content.", + "Encrypted_key_title": "Click here to disable end-to-end encryption for this channel (requires e2ee-permission)", + "Encrypted_message": "Encrypted message", + "Encrypted_setting_changed_successfully": "Encrypted setting changed successfully", + "Encrypted_not_available": "Not available for Public Channels", + "Encryption_key_saved_successfully": "Your encryption key was saved successfully.", + "EncryptionKey_Change_Disabled": "You can't set a password for your encryption key because your private key is not present on this client. In order to set a new password you need load your private key using your existing password or use a client where the key is already loaded.", + "End": "End", + "End_call": "End call", + "Expand_view": "Expand view", + "Explore_marketplace": "Explore Marketplace", + "Explore_the_marketplace_to_find_awesome_apps": "Explore the Marketplace to find awesome apps for Rocket.Chat", + "Export": "Export", + "End_Call": "End Call", + "End_OTR": "End OTR", + "Engagement_Dashboard": "Engagement Dashboard", + "Enter": "Enter", + "Enter_a_custom_message": "Enter a custom message", + "Enter_a_department_name": "Enter a department name", + "Enter_a_name": "Enter a name", + "Enter_a_regex": "Enter a regex", + "Enter_a_room_name": "Enter a room name", + "Enter_a_tag": "Enter a tag", + "Enter_a_username": "Enter a username", + "Enter_Alternative": "Alternative mode (send with Enter + Ctrl/Alt/Shift/CMD)", + "Enter_authentication_code": "Enter authentication code", + "Enter_Behaviour": "Enter key Behaviour", + "Enter_Behaviour_Description": "This changes if the enter key will send a message or do a line break", + "Enter_E2E_password": "Enter E2E password", + "Enter_name_here": "Enter name here", + "Enter_Normal": "Normal mode (send with Enter)", + "Enter_to": "Enter to", + "Enter_your_E2E_password": "Enter your E2E password", + "Enterprise": "Enterprise", + "Enterprise_Description": "Manually update your Enterprise license.", + "Enterprise_License": "Enterprise License", + "Enterprise_License_Description": "If your workspace is registered and license is provided by Rocket.Chat Cloud you don't need to manually update the license here.", + "Entertainment": "Entertainment", + "Error": "Error", + "Error_something_went_wrong": "Oops! Something went wrong. Please reload the page or contact an administrator.", + "Error_404": "Error:404", + "Error_changing_password": "Error changing password", + "Error_loading_pages": "Error loading pages", + "Error_login_blocked_for_ip": "Login has been temporarily blocked for this IP", + "Error_login_blocked_for_user": "Login has been temporarily blocked for this User", + "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances": "Error: Rocket.Chat requires oplog tailing when running in multiple instances", + "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances_details": "Please make sure your MongoDB is on ReplicaSet mode and MONGO_OPLOG_URL environment variable is defined correctly on the application server", + "Error_sending_livechat_offline_message": "Error sending Omnichannel offline message", + "Error_sending_livechat_transcript": "Error sending Omnichannel transcript", + "Error_Site_URL": "Invalid Site_Url", + "Error_Site_URL_description": "Please, update your \"Site_Url\" setting find more information here", + "error-action-not-allowed": "__action__ is not allowed", + "error-agent-offline": "Agent is offline", + "error-agent-status-service-offline": "Agent status is offline or Omnichannel service is not active", + "error-application-not-found": "Application not found", + "error-archived-duplicate-name": "There's an archived channel with name '__room_name__'", + "error-avatar-invalid-url": "Invalid avatar URL: __url__", + "error-avatar-url-handling": "Error while handling avatar setting from a URL (__url__) for __username__", + "error-business-hours-are-closed": "Business Hours are closed", + "error-blocked-username": "__field__ is blocked and can't be used!", + "error-canned-response-not-found": "Canned Response Not Found", + "error-cannot-delete-app-user": "Deleting app user is not allowed, uninstall the corresponding app to remove it.", + "error-cant-invite-for-direct-room": "Can't invite user to direct rooms", + "error-channels-setdefault-is-same": "The channel default setting is the same as what it would be changed to.", + "error-channels-setdefault-missing-default-param": "The bodyParam 'default' is required", + "error-could-not-change-email": "Could not change email", + "error-could-not-change-name": "Could not change name", + "error-could-not-change-username": "Could not change username", + "error-custom-field-name-already-exists": "Custom field name already exists", + "error-delete-protected-role": "Cannot delete a protected role", + "error-department-not-found": "Department not found", + "error-direct-message-file-upload-not-allowed": "File sharing not allowed in direct messages", + "error-duplicate-channel-name": "A channel with name '__channel_name__' exists", + "error-edit-permissions-not-allowed": "Editing permissions is not allowed", + "error-email-domain-blacklisted": "The email domain is blacklisted", + "error-email-send-failed": "Error trying to send email: __message__", + "error-essential-app-disabled": "Error: a Rocket.Chat App that is essential for this is disabled. Please contact your administrator", + "error-field-unavailable": "__field__ is already in use :(", + "error-file-too-large": "File is too large", + "error-forwarding-chat": "Something went wrong while forwarding the chat, Please try again later.", + "error-forwarding-chat-same-department": "The selected department and the current room department are the same", + "error-forwarding-department-target-not-allowed": "The forwarding to the target department is not allowed.", + "error-guests-cant-have-other-roles": "Guest users can't have any other role.", + "error-import-file-extract-error": "Failed to extract import file.", + "error-import-file-is-empty": "Imported file seems to be empty.", + "error-import-file-missing": "The file to be imported was not found on the specified path.", + "error-importer-not-defined": "The importer was not defined correctly, it is missing the Import class.", + "error-input-is-not-a-valid-field": "__input__ is not a valid __field__", + "error-insufficient-permission": "Error! You don't have ' __permission__ ' permission which is required to perform this operation", + "error-inquiry-taken": "Inquiry already taken", + "error-invalid-account": "Invalid Account", + "error-invalid-actionlink": "Invalid action link", + "error-invalid-arguments": "Invalid arguments", + "error-invalid-asset": "Invalid asset", + "error-invalid-channel": "Invalid channel.", + "error-invalid-channel-start-with-chars": "Invalid channel. Start with @ or #", + "error-invalid-custom-field": "Invalid custom field", + "error-invalid-custom-field-name": "Invalid custom field name. Use only letters, numbers, hyphens and underscores.", + "error-invalid-custom-field-value": "Invalid value for __field__ field", + "error-invalid-date": "Invalid date provided.", + "error-invalid-description": "Invalid description", + "error-invalid-domain": "Invalid domain", + "error-invalid-email": "Invalid email __email__", + "error-invalid-email-address": "Invalid email address", + "error-invalid-email-inbox": "Invalid Email Inbox", + "error-email-inbox-not-found": "Email Inbox not found", + "error-invalid-file-height": "Invalid file height", + "error-invalid-file-type": "Invalid file type", + "error-invalid-file-width": "Invalid file width", + "error-invalid-from-address": "You informed an invalid FROM address.", + "error-invalid-inquiry": "Invalid inquiry", + "error-invalid-integration": "Invalid integration", + "error-invalid-message": "Invalid message", + "error-invalid-method": "Invalid method", + "error-invalid-name": "Invalid name", + "error-invalid-password": "Invalid password", + "error-invalid-param": "Invalid param", + "error-invalid-params": "Invalid params", + "error-invalid-permission": "Invalid permission", + "error-invalid-port-number": "Invalid port number", + "error-invalid-priority": "Invalid priority", + "error-invalid-redirectUri": "Invalid redirectUri", + "error-invalid-role": "Invalid role", + "error-invalid-room": "Invalid room", + "error-invalid-room-name": "__room_name__ is not a valid room name", + "error-invalid-room-type": "__type__ is not a valid room type.", + "error-invalid-settings": "Invalid settings provided", + "error-invalid-subscription": "Invalid subscription", + "error-invalid-token": "Invalid token", + "error-invalid-triggerWords": "Invalid triggerWords", + "error-invalid-urls": "Invalid URLs", + "error-invalid-user": "Invalid user", + "error-invalid-username": "Invalid username", + "error-invalid-value": "Invalid value", + "error-invalid-webhook-response": "The webhook URL responded with a status other than 200", + "error-license-user-limit-reached": "The maximum number of users has been reached.", + "error-logged-user-not-in-room": "You are not in the room `%s`", + "error-max-guests-number-reached": "You reached the maximum number of guest users allowed by your license. Contact sale@rocket.chat for a new license.", + "error-max-number-simultaneous-chats-reached": "The maximum number of simultaneous chats per agent has been reached.", + "error-message-deleting-blocked": "Message deleting is blocked", + "error-message-editing-blocked": "Message editing is blocked", + "error-message-size-exceeded": "Message size exceeds Message_MaxAllowedSize", + "error-missing-unsubscribe-link": "You must provide the [unsubscribe] link.", + "error-no-tokens-for-this-user": "There are no tokens for this user", + "error-no-agents-online-in-department": "No agents online in the department", + "error-no-message-for-unread": "There are no messages to mark unread", + "error-not-allowed": "Not allowed", + "error-not-authorized": "Not authorized", + "error-office-hours-are-closed": "The office hours are closed.", + "error-password-in-history": "Entered password has been previously used", + "error-password-policy-not-met": "Password does not meet the server's policy", + "error-password-policy-not-met-maxLength": "Password does not meet the server's policy of maximum length (password too long)", + "error-password-policy-not-met-minLength": "Password does not meet the server's policy of minimum length (password too short)", + "error-password-policy-not-met-oneLowercase": "Password does not meet the server's policy of at least one lowercase character", + "error-password-policy-not-met-oneNumber": "Password does not meet the server's policy of at least one numerical character", + "error-password-policy-not-met-oneSpecial": "Password does not meet the server's policy of at least one special character", + "error-password-policy-not-met-oneUppercase": "Password does not meet the server's policy of at least one uppercase character", + "error-password-policy-not-met-repeatingCharacters": "Password not not meet the server's policy of forbidden repeating characters (you have too many of the same characters next to each other)", + "error-password-same-as-current": "Entered password same as current password", + "error-personal-access-tokens-are-current-disabled": "Personal Access Tokens are currently disabled", + "error-pinning-message": "Message could not be pinned", + "error-push-disabled": "Push is disabled", + "error-remove-last-owner": "This is the last owner. Please set a new owner before removing this one.", + "error-returning-inquiry": "Error returning inquiry to the queue", + "error-role-in-use": "Cannot delete role because it's in use", + "error-role-name-required": "Role name is required", + "error-role-already-present": "A role with this name already exists", + "error-room-is-not-closed": "Room is not closed", + "error-room-onHold": "Error! Room is On Hold", + "error-selected-agent-room-agent-are-same": "The selected agent and the room agent are the same", + "error-starring-message": "Message could not be stared", + "error-tags-must-be-assigned-before-closing-chat": "Tag(s) must be assigned before closing the chat", + "error-the-field-is-required": "The field __field__ is required.", + "error-this-is-not-a-livechat-room": "This is not a Omnichannel room", + "error-token-already-exists": "A token with this name already exists", + "error-token-does-not-exists": "Token does not exists", + "error-too-many-requests": "Error, too many requests. Please slow down. You must wait __seconds__ seconds before trying again.", + "error-transcript-already-requested": "Transcript already requested", + "error-unpinning-message": "Message could not be unpinned", + "error-user-has-no-roles": "User has no roles", + "error-user-is-not-activated": "User is not activated", + "error-user-is-not-agent": "User is not an Omnichannel Agent", + "error-user-is-offline": "User if offline", + "error-user-limit-exceeded": "The number of users you are trying to invite to #channel_name exceeds the limit set by the administrator", + "error-user-not-belong-to-department": "User does not belong to this department", + "error-user-not-in-room": "User is not in this room", + "error-user-registration-disabled": "User registration is disabled", + "error-user-registration-secret": "User registration is only allowed via Secret URL", + "error-validating-department-chat-closing-tags": "At least one closing tag is required when the department requires tag(s) on closing conversations.", + "error-no-permission-team-channel": "You don't have permission to add this channel to the team", + "error-no-owner-channel": "Only owners can add this channel to the team", + "error-you-are-last-owner": "You are the last owner. Please set new owner before leaving the room.", + "Errors_and_Warnings": "Errors and Warnings", + "Esc_to": "Esc to", + "Estimated_due_time": "Estimated due time", + "Estimated_due_time_in_minutes": "Estimated due time (time in minutes)", + "Event_Trigger": "Event Trigger", + "Event_Trigger_Description": "Select which type of event will trigger this Outgoing WebHook Integration", + "every_5_minutes": "Once every 5 minutes", + "every_10_seconds": "Once every 10 seconds", + "every_30_minutes": "Once every 30 minutes", + "every_day": "Once every day", + "every_hour": "Once every hour", + "every_minute": "Once every minute", + "every_second": "Once every second", + "every_six_hours": "Once every six hours", + "Everyone_can_access_this_channel": "Everyone can access this channel", + "Exact": "Exact", + "Example_payload": "Example payload", + "Example_s": "Example: %s", + "except_pinned": "(except those that are pinned)", + "Exclude_Botnames": "Exclude Bots", + "Exclude_Botnames_Description": "Do not propagate messages from bots whose name matches the regular expression above. If left empty, all messages from bots will be propagated.", + "Exclude_pinned": "Exclude pinned messages", + "Execute_Synchronization_Now": "Execute Synchronization Now", + "Exit_Full_Screen": "Exit Full Screen", + "Expand": "Expand", + "Experimental_Feature_Alert": "This is an experimental feature! Please be aware that it may change, break, or even be removed in the future without any notice.", + "Expired": "Expired", + "Expiration": "Expiration", + "Expiration_(Days)": "Expiration (Days)", + "Export_as_file": "Export as file", + "Export_Messages": "Export Messages", + "Export_My_Data": "Export My Data (JSON)", + "expression": "Expression", + "Extended": "Extended", + "Extensions": "Extensions", + "Extension_Number": "Extension Number", + "Extension_Status": "Extension Status", + "External": "External", + "External_Domains": "External Domains", + "External_Queue_Service_URL": "External Queue Service URL", + "External_Service": "External Service", + "External_Users": "External Users", + "Extremely_likely": "Extremely likely", + "Facebook": "Facebook", + "Facebook_Page": "Facebook Page", + "Failed": "Failed", + "Failed_to_activate_invite_token": "Failed to activate invite token", + "Failed_to_add_monitor": "Failed to add monitor", + "Failed_To_Download_Files": "Failed to download files", + "Failed_to_generate_invite_link": "Failed to generate invite link", + "Failed_To_Load_Import_Data": "Failed to load import data", + "Failed_To_Load_Import_History": "Failed to load import history", + "Failed_To_Load_Import_Operation": "Failed to load import operation", + "Failed_To_Start_Import": "Failed to start import operation", + "Failed_to_validate_invite_token": "Failed to validate invite token", + "False": "False", + "Fallback_forward_department": "Fallback department for forwarding", + "Fallback_forward_department_description": "Allows you to define a fallback department which will receive the chats forwarded to this one in case there's no online agents at the moment", + "Favorite": "Favorite", + "Favorite_Rooms": "Enable Favorite Rooms", + "Favorites": "Favorites", + "Featured": "Featured", + "Feature_depends_on_selected_call_provider_to_be_enabled_from_administration_settings": "This feature depends on the above selected call provider to be enabled from the administration settings.
For **Jitsi**, please make sure you have Jitsi Enabled under Admin -> Video Conference -> Jitsi -> Enabled.
For **WebRTC**, please make sure you have WebRTC enabled under Admin -> WebRTC -> Enabled.", + "Feature_Depends_on_Livechat_Visitor_navigation_as_a_message_to_be_enabled": "This feature depends on \"Send Visitor Navigation History as a Message\" to be enabled.", + "Feature_Limiting": "Feature Limiting", + "Features": "Features", + "Features_Enabled": "Features Enabled", + "Feature_Disabled": "Feature Disabled", + "Federation": "Federation", + "Federation_Adding_Federated_Users": "Adding Federated Users", + "Federation_Adding_to_your_server": "Adding Federation to your Server", + "Federation_Adding_users_from_another_server": "Adding users from another server", + "Federation_Changes_needed": "Changes needed on your Server the Domain Name, Target and Port.", + "Federation_Channels_Will_Be_Replicated": "Those channels are going to be replicated to the remote server, without the message history.", + "Federation_Configure_DNS": "Configure DNS", + "Federation_Dashboard": "Federation Dashboard", + "Federation_Description": "Federation allows an ulimited number of workspaces to communicate with each other.", + "Federation_Discovery_method": "Discovery Method", + "Federation_Discovery_method_details": "You can use the hub or a DNS record (SRV and a TXT entry). Learn more", + "Federation_DNS_info_update": "This Info is updated every 1 minute", + "Federation_Domain": "Domain", + "Federation_Domain_details": "Add the domain name that this server should be linked to.", + "Federation_Email": "E-mail address: joseph@remotedomain.com", + "Federation_Enable": "Enable Federation", + "Federation_Fix_now": "Fix now!", + "Federation_Guide_adding_users": "We guide you on how to add your first federated user.", + "Federation_HTTP_instead_HTTPS": "If you use HTTP protocol instead HTTPS", + "Federation_HTTP_instead_HTTPS_details": "We recommend to use HTTPS for all kinds of communications, but sometimes that is not possible. If you need, in the SRV DNS entry replace: the protocol: _http the port: 80", + "Federation_Invite_User": "Invite User", + "Federation_Invite_Users_To_Private_Rooms": "From now on, you can invite federated users only to private rooms or discussions.", + "Federation_Inviting_users_from_another_server": "Inviting users from a different server", + "Federation_Is_working_correctly": "Federation integration is working correctly.", + "Federation_Legacy_support": "Legacy Support", + "Federation_Must_add_records": "You must add the following DNS records on your server:", + "Federation_Protocol": "Protocol", + "Federation_Protocol_details": "We only recommend using HTTP on internal, very specific cases.", + "Federation_Protocol_TXT_record": "Protocol TXT Record", + "Federation_Public_key": "Public Key", + "Federation_Public_key_details": "This is the key you need to share with your peers. What is it for?", + "Federation_Search_users_you_want_to_connect": "Search for the user you want to connect using a combination of a username and a domain or an e-mail address, like:", + "Federation_SRV_no_support": "If your DNS provider does not support SRV records with _http or _https", + "Federation_SRV_no_support_details": "Some DNS providers will not allow setting _https or _http on SRV records, so we have support for those cases, using our old DNS record resolution method.", + "Federation_SRV_records_200": "SRV Record (2.0.0 or newer)", + "Federation_Public_key_TXT_record": "Public Key TXT Record", + "Federation_Username": "Username: myfriendsusername@anotherdomain.com", + "Federation_You_will_invite_users_without_login_access": "You will invite them to your server without login access. Also, you and everyone else on your server will be able to chat with them.", + "FEDERATION_Discovery_Method": "Discovery Method", + "FEDERATION_Discovery_Method_Description": "You can use the hub or a SRV and a TXT entry on your DNS records.", + "FEDERATION_Domain": "Domain", + "FEDERATION_Domain_Alert": "Do not change this after enabling the feature, we can't handle domain changes yet.", + "FEDERATION_Domain_Description": "Add the domain that this server should be linked to - for example: @rocket.chat.", + "FEDERATION_Enabled": "Attempt to integrate federation support.", + "FEDERATION_Enabled_Alert": "Federation Support is a work in progress. Use on a production system is not recommended at this time.", + "FEDERATION_Error_user_is_federated_on_rooms": "You can't remove federated users who belongs to rooms", + "FEDERATION_Hub_URL": "Hub URL", + "FEDERATION_Hub_URL_Description": "Set the hub URL, for example: https://hub.rocket.chat. Ports are accepted as well.", + "FEDERATION_Public_Key": "Public Key", + "FEDERATION_Public_Key_Description": "This is the key you need to share with your peers.", + "FEDERATION_Room_Status": "Federation Status", + "FEDERATION_Status": "Status", + "FEDERATION_Test_Setup": "Test setup", + "FEDERATION_Test_Setup_Error": "Could not find your server using your setup, please review your settings.", + "FEDERATION_Test_Setup_Success": "Your federation setup is working and other servers can find you!", + "FEDERATION_Unique_Id": "Unique ID", + "FEDERATION_Unique_Id_Description": "This is your federation unique ID, used to identify your peer on the mesh.", + "Federation_Matrix": "Federation V2", + "Federation_Matrix_enabled": "Enabled", + "Federation_Matrix_Enabled_Alert": "Matrix Federation Support is in alpha. Use on a production system is not recommended at this time.
More Information about Matrix Federation support can be found here", + "Federation_Matrix_id": "AppService ID", + "Federation_Matrix_hs_token": "Homeserver Token", + "Federation_Matrix_as_token": "AppService Token", + "Federation_Matrix_homeserver_url": "Homeserver URL", + "Federation_Matrix_homeserver_url_alert": "We recommend a new, empty homeserver, to use with our federation", + "Federation_Matrix_homeserver_domain": "Homeserver Domain", + "Federation_Matrix_only_owners_can_invite_users": "Only owners can invite users", + "Federation_Matrix_homeserver_domain_alert": "No user should connect to the homeserver with third party clients, only Rocket.Chat", + "Federation_Matrix_bridge_url": "Bridge URL", + "Federation_Matrix_bridge_localpart": "AppService User Localpart", + "Federation_Matrix_registration_file": "Registration File", + "Field": "Field", + "Field_removed": "Field removed", + "Field_required": "Field required", + "File": "File", + "File_Downloads_Started": "File Downloads Started", + "File_exceeds_allowed_size_of_bytes": "File exceeds allowed size of __size__.", + "File_name_Placeholder": "Search files...", + "File_not_allowed_direct_messages": "File sharing not allowed in direct messages.", + "File_Path": "File Path", + "file_pruned": "file pruned", + "File_removed_by_automatic_prune": "File removed by automatic prune", + "File_removed_by_prune": "File removed by prune", + "File_Type": "File Type", + "File_type_is_not_accepted": "File type is not accepted.", + "File_uploaded": "File uploaded", + "File_uploaded_successfully": "File uploaded successfully", + "File_URL": "File URL", + "FileType": "File Type", + "files": "files", + "Files": "Files", + "Files_only": "Only remove the attached files, keep messages", + "files_pruned": "files pruned", + "FileSize_Bytes": "__fileSize__ Bytes", + "FileSize_KB": "__fileSize__ KB", + "FileSize_MB": "__fileSize__ MB", + "FileUpload": "File Upload", + "FileUpload_Description": "Configure file upload and storage.", + "FileUpload_Cannot_preview_file": "Cannot preview file", + "FileUpload_Disabled": "File uploads are disabled.", + "FileUpload_Enable_json_web_token_for_files": "Enable Json Web Tokens protection to file uploads", + "FileUpload_Enable_json_web_token_for_files_description": "Appends a JWT to uploaded files urls", + "FileUpload_Enabled": "File Uploads Enabled", + "FileUpload_Enabled_Direct": "File Uploads Enabled in Direct Messages ", + "FileUpload_Error": "File Upload Error", + "FileUpload_File_Empty": "File empty", + "FileUpload_FileSystemPath": "System Path", + "FileUpload_GoogleStorage_AccessId": "Google Storage Access Id", + "FileUpload_GoogleStorage_AccessId_Description": "The Access Id is generally in an email format, for example: \"example-test@example.iam.gserviceaccount.com\"", + "FileUpload_GoogleStorage_Bucket": "Google Storage Bucket Name", + "FileUpload_GoogleStorage_Bucket_Description": "The name of the bucket which the files should be uploaded to.", + "FileUpload_GoogleStorage_Proxy_Avatars": "Proxy Avatars", + "FileUpload_GoogleStorage_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_GoogleStorage_Proxy_Uploads": "Proxy Uploads", + "FileUpload_GoogleStorage_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_GoogleStorage_Secret": "Google Storage Secret", + "FileUpload_GoogleStorage_Secret_Description": "Please follow these instructions and paste the result here.", + "FileUpload_json_web_token_secret_for_files": "File Upload Json Web Token Secret", + "FileUpload_json_web_token_secret_for_files_description": "File Upload Json Web Token Secret (Used to be able to access uploaded files without authentication)", + "FileUpload_MaxFileSize": "Maximum File Upload Size (in bytes)", + "FileUpload_MaxFileSizeDescription": "Set it to -1 to remove the file size limitation.", + "FileUpload_MediaType_NotAccepted__type__": "Media Type Not Accepted: __type__", + "FileUpload_MediaType_NotAccepted": "Media Types Not Accepted", + "FileUpload_MediaTypeBlackList": "Blocked Media Types", + "FileUpload_MediaTypeBlackListDescription": "Comma-separated list of media types. This setting has priority over the Accepted Media Types.", + "FileUpload_MediaTypeWhiteList": "Accepted Media Types", + "FileUpload_MediaTypeWhiteListDescription": "Comma-separated list of media types. Leave it blank for accepting all media types.", + "FileUpload_ProtectFiles": "Protect Uploaded Files", + "FileUpload_ProtectFilesDescription": "Only authenticated users will have access", + "FileUpload_RotateImages": "Rotate images on upload", + "FileUpload_RotateImages_Description": "Enabling this setting may cause image quality loss", + "FileUpload_S3_Acl": "Acl", + "FileUpload_S3_AWSAccessKeyId": "Access Key", + "FileUpload_S3_AWSSecretAccessKey": "Secret Key", + "FileUpload_S3_Bucket": "Bucket name", + "FileUpload_S3_BucketURL": "Bucket URL", + "FileUpload_S3_CDN": "CDN Domain for Downloads", + "FileUpload_S3_ForcePathStyle": "Force Path Style", + "FileUpload_S3_Proxy_Avatars": "Proxy Avatars", + "FileUpload_S3_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_S3_Proxy_Uploads": "Proxy Uploads", + "FileUpload_S3_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_S3_Region": "Region", + "FileUpload_S3_SignatureVersion": "Signature Version", + "FileUpload_S3_URLExpiryTimeSpan": "URLs Expiration Timespan", + "FileUpload_S3_URLExpiryTimeSpan_Description": "Time after which Amazon S3 generated URLs will no longer be valid (in seconds). If set to less than 5 seconds, this field will be ignored.", + "FileUpload_Storage_Type": "Storage Type", + "FileUpload_Webdav_Password": "WebDAV Password", + "FileUpload_Webdav_Proxy_Avatars": "Proxy Avatars", + "FileUpload_Webdav_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_Webdav_Proxy_Uploads": "Proxy Uploads", + "FileUpload_Webdav_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_Webdav_Server_URL": "WebDAV Server Access URL", + "FileUpload_Webdav_Upload_Folder_Path": "Upload Folder Path", + "FileUpload_Webdav_Upload_Folder_Path_Description": "WebDAV folder path which the files should be uploaded to", + "FileUpload_Webdav_Username": "WebDAV Username", + "Filter": "Filter", + "Filter_by_category": "Filter by Category", + "Filter_By_Price": "Filter By Price", + "Filters": "Filters", + "Filters_applied": "Filters applied", + "Financial_Services": "Financial Services", + "Finish": "Finish", + "Finish_Registration": "Finish Registration", + "First_Channel_After_Login": "First Channel After Login", + "First_response_time": "First Response Time", + "Flags": "Flags", + "Follow_message": "Follow Message", + "Follow_social_profiles": "Follow our social profiles, fork us on github and share your thoughts about the rocket.chat app on our trello board.", + "Following": "Following", + "Fonts": "Fonts", + "Food_and_Drink": "Food & Drink", + "Footer": "Footer", + "Footer_Direct_Reply": "Footer When Direct Reply is Enabled", + "For_more_details_please_check_our_docs": "For more details please check our docs.", + "For_your_security_you_must_enter_your_current_password_to_continue": "For your security, you must enter your current password to continue", + "Force_Disable_OpLog_For_Cache": "Force Disable OpLog for Cache", + "Force_Disable_OpLog_For_Cache_Description": "Will not use OpLog to sync cache even when it's available", + "Force_Screen_Lock": "Force screen lock", + "Force_Screen_Lock_After": "Force screen lock after", + "Force_Screen_Lock_After_description": "The time to request password again after the finish of the latest session, in seconds.", + "Force_Screen_Lock_description": "When enabled, you'll force your users to use a PIN/BIOMETRY/FACEID to unlock the app.", + "Force_SSL": "Force SSL", + "Force_SSL_Description": "*Caution!* _Force SSL_ should never be used with reverse proxy. If you have a reverse proxy, you should do the redirect THERE. This option exists for deployments like Heroku, that does not allow the redirect configuration at the reverse proxy.", + "Force_visitor_to_accept_data_processing_consent": "Force visitor to accept data processing consent", + "Force_visitor_to_accept_data_processing_consent_description": "Visitors are not allowed to start chatting without consent.", + "Force_visitor_to_accept_data_processing_consent_enabled_alert": "Agreement with data processing must be based on a transparent understanding of the reason for processing. Because of this, you must fill out the setting below which will be displayed to users in order to provide the reasons for collecting and processing your personal information.", + "force-delete-message": "Force Delete Message", + "force-delete-message_description": "Permission to delete a message bypassing all restrictions", + "Forgot_password": "Forgot your password?", + "Forgot_Password_Description": "You may use the following placeholders:
  • [Forgot_Password_Url] for the password recovery URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Forgot_Password_Email": "Click here to reset your password.", + "Forgot_Password_Email_Subject": "[Site_Name] - Password Recovery", + "Forgot_password_section": "Forgot password", + "Format": "Format", + "Forward": "Forward", + "Forward_chat": "Forward chat", + "Forward_to_department": "Forward to department", + "Forward_to_user": "Forward to user", + "Forwarding": "Forwarding", + "Free": "Free", + "Free_Extension_Numbers": "Free Extension Numbers", + "Free_Apps": "Free Apps", + "Frequently_Used": "Frequently Used", + "Friday": "Friday", + "From": "From", + "From_Email": "From Email", + "From_email_warning": "Warning: The field From is subject to your mail server settings.", + "Full_Name": "Full Name", + "Full_Screen": "Full Screen", + "Gaming": "Gaming", + "General": "General", + "General_Description": "Configure general workspace settings.", + "Generate_new_key": "Generate a new key", + "Generate_New_Link": "Generate New Link", + "Generating_key": "Generating key", + "Get_link": "Get Link", + "get-password-policy-forbidRepeatingCharacters": "The password should not contain repeating characters", + "get-password-policy-forbidRepeatingCharactersCount": "The password should not contain more than __forbidRepeatingCharactersCount__ repeating characters", + "get-password-policy-maxLength": "The password should be maximum __maxLength__ characters long", + "get-password-policy-minLength": "The password should be minimum __minLength__ characters long", + "get-password-policy-mustContainAtLeastOneLowercase": "The password should contain at least one lowercase letter", + "get-password-policy-mustContainAtLeastOneNumber": "The password should contain at least one number", + "get-password-policy-mustContainAtLeastOneSpecialCharacter": "The password should contain at least one special character", + "get-password-policy-mustContainAtLeastOneUppercase": "The password should contain at least one uppercase letter", + "get-server-info": "Get server info", + "github_no_public_email": "You don't have any email as public email in your GitHub account", + "github_HEAD": "HEAD", + "Give_a_unique_name_for_the_custom_oauth": "Give a unique name for the custom oauth", + "Give_the_application_a_name_This_will_be_seen_by_your_users": "Give the application a name. This will be seen by your users.", + "Global": "Global", + "Global Policy": "Global Policy", + "Global_purge_override_warning": "A global retention policy is in place. If you leave \"Override global retention policy\" off, you can only apply a policy that is stricter than the global policy.", + "Global_Search": "Global search", + "Go_to_your_workspace": "Go to your workspace", + "GoogleCloudStorage": "Google Cloud Storage", + "GoogleNaturalLanguage_ServiceAccount_Description": "Service account key JSON file. More information can be found [here](https://cloud.google.com/natural-language/docs/common/auth#set_up_a_service_account)", + "GoogleTagManager_id": "Google Tag Manager Id", + "Government": "Government", + "Graphql_CORS": "GraphQL CORS", + "Graphql_Enabled": "GraphQL Enabled", + "Graphql_Subscription_Port": "GraphQL Subscription Port", + "Group": "Group", + "Group_by": "Group by", + "Group_by_Type": "Group by Type", + "Group_discussions": "Group discussions", + "Group_favorites": "Group favorites", + "Group_mentions_disabled_x_members": "Group mentions `@all` and `@here` have been disabled for rooms with more than __total__ members.", + "Group_mentions_only": "Group mentions only", + "Grouping": "Grouping", + "Guest": "Guest", + "Hash": "Hash", + "Header": "Header", + "Header_and_Footer": "Header and Footer", + "Pharmaceutical": "Pharmaceutical", + "Healthcare": "Healthcare", + "Helpers": "Helpers", + "Here_is_your_authentication_code": "Here is your authentication code:", + "Hex_Color_Preview": "Hex Color Preview", + "Hi": "Hi", + "Hi_username": "Hi __name__", + "Hidden": "Hidden", + "Hide": "Hide", + "Hide_counter": "Hide counter", + "Hide_flextab": "Hide Right Sidebar with Click", + "Hide_Group_Warning": "Are you sure you want to hide the group \"%s\"?", + "Hide_Livechat_Warning": "Are you sure you want to hide the chat with \"%s\"?", + "Hide_Private_Warning": "Are you sure you want to hide the discussion with \"%s\"?", + "Hide_roles": "Hide Roles", + "Hide_room": "Hide", + "Hide_Room_Warning": "Are you sure you want to hide the channel \"%s\"?", + "Hide_System_Messages": "Hide System Messages", + "Hide_Unread_Room_Status": "Hide Unread Room Status", + "Hide_usernames": "Hide Usernames", + "Hide_video": "Hide video", + "Highlights": "Highlights", + "Highlights_How_To": "To be notified when someone mentions a word or phrase, add it here. You can separate words or phrases with commas. Highlight Words are not case sensitive.", + "Highlights_List": "Highlight words", + "History": "History", + "Hold_Time": "Hold Time", + "Hold_Call": "Hold Call", + "Home": "Home", + "Host": "Host", + "Hospitality_Businness": "Hospitality Businness", + "hours": "hours", + "Hours": "Hours", + "How_friendly_was_the_chat_agent": "How friendly was the chat agent?", + "How_knowledgeable_was_the_chat_agent": "How knowledgeable was the chat agent?", + "How_long_to_wait_after_agent_goes_offline": "How Long to Wait After Agent Goes Offline", + "How_long_to_wait_to_consider_visitor_abandonment": "How Long to Wait to Consider Visitor Abandonment?", + "How_long_to_wait_to_consider_visitor_abandonment_in_seconds": "How Long to Wait to Consider Visitor Abandonment?", + "How_responsive_was_the_chat_agent": "How responsive was the chat agent?", + "How_satisfied_were_you_with_this_chat": "How satisfied were you with this chat?", + "How_to_handle_open_sessions_when_agent_goes_offline": "How to Handle Open Sessions When Agent Goes Offline", + "HTML": "HTML", + "I_Saved_My_Password": "I Saved My Password", + "Idle_Time_Limit": "Idle Time Limit", + "Idle_Time_Limit_Description": "Period of time until status changes to away. Value needs to be in seconds.", + "if_they_are_from": "(if they are from %s)", + "If_this_email_is_registered": "If this email is registered, we'll send instructions on how to reset your password. If you do not receive an email shortly, please come back and try again.", + "If_you_are_sure_type_in_your_password": "If you are sure type in your password:", + "If_you_are_sure_type_in_your_username": "If you are sure type in your username:", + "If_you_didnt_ask_for_reset_ignore_this_email": "If you didn't ask for your password reset, you can ignore this email.", + "If_you_didnt_try_to_login_in_your_account_please_ignore_this_email": "If you didn't try to login in your account please ignore this email.", + "If_you_dont_have_one_send_an_email_to_omni_rocketchat_to_get_yours": "If you don't have one send an email to [omni@rocket.chat](mailto:omni@rocket.chat) to get yours.", + "Iframe_Integration": "Iframe Integration", + "Iframe_Integration_receive_enable": "Enable Receive", + "Iframe_Integration_receive_enable_Description": "Allow parent window to send commands to Rocket.Chat.", + "Iframe_Integration_receive_origin": "Receive Origins", + "Iframe_Integration_receive_origin_Description": "Origins with protocol prefix, separated by commas, which are allowed to receive commands e.g. 'https://localhost, http://localhost', or * to allow receiving from anywhere.", + "Iframe_Integration_send_enable": "Enable Send", + "Iframe_Integration_send_enable_Description": "Send events to parent window", + "Iframe_Integration_send_target_origin": "Send Target Origin", + "Iframe_Integration_send_target_origin_Description": "Origin with protocol prefix, which commands are sent to e.g. 'https://localhost', or * to allow sending to anywhere.", + "Iframe_Restrict_Access": "Restrict access inside any Iframe", + "Iframe_Restrict_Access_Description": "This setting enable/disable restrictions to load the RC inside any iframe", + "Iframe_X_Frame_Options": "Options to X-Frame-Options", + "Iframe_X_Frame_Options_Description": "Options to X-Frame-Options. [You can see all the options here.](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options#Syntax)", + "Ignore": "Ignore", + "Ignored": "Ignored", + "Images": "Images", + "IMAP_intercepter_already_running": "IMAP intercepter already running", + "IMAP_intercepter_Not_running": "IMAP intercepter Not running", + "Impersonate_next_agent_from_queue": "Impersonate next agent from queue", + "Impersonate_user": "Impersonate User", + "Impersonate_user_description": "When enabled, integration posts as the user that triggered integration", + "Import": "Import", + "Import_New_File": "Import New File", + "Import_requested_successfully": "Import Requested Successfully", + "Import_Type": "Import Type", + "Importer_Archived": "Archived", + "Importer_CSV_Information": "The CSV importer requires a specific format, please read the documentation for how to structure your zip file:", + "Importer_done": "Importing complete!", + "Importer_ExternalUrl_Description": "You can also use an URL for a publicly accessible file:", + "Importer_finishing": "Finishing up the import.", + "Importer_From_Description": "Imports __from__ data into Rocket.Chat.", + "Importer_From_Description_CSV": "Imports CSV data into Rocket.Chat. The uploaded file must be a ZIP file.", + "Importer_HipChatEnterprise_BetaWarning": "Please be aware that this import is still a work in progress, please report any errors which occur in GitHub:", + "Importer_HipChatEnterprise_Information": "The file uploaded must be a decrypted tar.gz, please read the documentation for further information:", + "Importer_import_cancelled": "Import cancelled.", + "Importer_import_failed": "An error occurred while running the import.", + "Importer_importing_channels": "Importing the channels.", + "Importer_importing_files": "Importing the files.", + "Importer_importing_messages": "Importing the messages.", + "Importer_importing_started": "Starting the import.", + "Importer_importing_users": "Importing the users.", + "Importer_not_in_progress": "The importer is currently not running.", + "Importer_not_setup": "The importer is not setup correctly, as it didn't return any data.", + "Importer_Prepare_Restart_Import": "Restart Import", + "Importer_Prepare_Start_Import": "Start Importing", + "Importer_Prepare_Uncheck_Archived_Channels": "Uncheck Archived Channels", + "Importer_Prepare_Uncheck_Deleted_Users": "Uncheck Deleted Users", + "Importer_progress_error": "Failed to get the progress for the import.", + "Importer_setup_error": "An error occurred while setting up the importer.", + "Importer_Slack_Users_CSV_Information": "The file uploaded must be Slack's Users export file, which is a CSV file. See here for more information:", + "Importer_Source_File": "Source File Selection", + "importer_status_done": "Completed successfully", + "importer_status_downloading_file": "Downloading file", + "importer_status_file_loaded": "File loaded", + "importer_status_finishing": "Almost done", + "importer_status_import_cancelled": "Cancelled", + "importer_status_import_failed": "Error", + "importer_status_importing_channels": "Importing channels", + "importer_status_importing_files": "Importing files", + "importer_status_importing_messages": "Importing messages", + "importer_status_importing_started": "Importing data", + "importer_status_importing_users": "Importing users", + "importer_status_new": "Not started", + "importer_status_preparing_channels": "Reading channels file", + "importer_status_preparing_messages": "Reading message files", + "importer_status_preparing_started": "Reading files", + "importer_status_preparing_users": "Reading users file", + "importer_status_uploading": "Uploading file", + "importer_status_user_selection": "Ready to select what to import", + "Importer_Upload_FileSize_Message": "Your server settings allow the upload of files of any size up to __maxFileSize__.", + "Importer_Upload_Unlimited_FileSize": "Your server settings allow the upload of files of any size.", + "Importing_channels": "Importing channels", + "Importing_Data": "Importing Data", + "Importing_messages": "Importing messages", + "Importing_users": "Importing users", + "Inactivity_Time": "Inactivity Time", + "In_progress": "In progress", + "Inbox_Info": "Inbox Info", + "Include_Offline_Agents": "Include offline agents", + "Inclusive": "Inclusive", + "Incoming": "Incoming", + "Incoming_Livechats": "Queued Chats", + "Incoming_WebHook": "Incoming WebHook", + "Industry": "Industry", + "Info": "Info", + "initials_avatar": "Initials Avatar", + "inline_code": "inline code", + "Install": "Install", + "Install_Extension": "Install Extension", + "Install_FxOs": "Install Rocket.Chat on your Firefox", + "Install_FxOs_done": "Great! You can now use Rocket.Chat via the icon on your homescreen. Have fun with Rocket.Chat!", + "Install_FxOs_error": "Sorry, that did not work as intended! The following error appeared:", + "Install_FxOs_follow_instructions": "Please confirm the app installation on your device (press \"Install\" when prompted).", + "Install_package": "Install package", + "Installation": "Installation", + "Installed": "Installed", + "Installed_at": "Installed at", + "Instance": "Instance", + "Instances": "Instances", + "Instances_health": "Instances Health", + "Instance_Record": "Instance Record", + "Instructions": "Instructions", + "Instructions_to_your_visitor_fill_the_form_to_send_a_message": "Instructions to your visitor fill the form to send a message", + "Insert_Contact_Name": "Insert the Contact Name", + "Insert_Placeholder": "Insert Placeholder", + "Insurance": "Insurance", + "Integration_added": "Integration has been added", + "Integration_Advanced_Settings": "Advanced Settings", + "Integration_Delete_Warning": "Deleting an Integrations cannot be undone.", + "Integration_disabled": "Integration disabled", + "Integration_History_Cleared": "Integration History Successfully Cleared", + "Integration_Incoming_WebHook": "Incoming WebHook Integration", + "Integration_New": "New Integration", + "Integration_Outgoing_WebHook": "Outgoing WebHook Integration", + "Integration_Outgoing_WebHook_History": "Outgoing WebHook Integration History", + "Integration_Outgoing_WebHook_History_Data_Passed_To_Trigger": "Data Passed to Integration", + "Integration_Outgoing_WebHook_History_Data_Passed_To_URL": "Data Passed to URL", + "Integration_Outgoing_WebHook_History_Error_Stacktrace": "Error Stacktrace", + "Integration_Outgoing_WebHook_History_Http_Response": "HTTP Response", + "Integration_Outgoing_WebHook_History_Http_Response_Error": "HTTP Response Error", + "Integration_Outgoing_WebHook_History_Messages_Sent_From_Prepare_Script": "Messages Sent from Prepare Step", + "Integration_Outgoing_WebHook_History_Messages_Sent_From_Process_Script": "Messages Sent from Process Response Step", + "Integration_Outgoing_WebHook_History_Time_Ended_Or_Error": "Time it Ended or Error'd", + "Integration_Outgoing_WebHook_History_Time_Triggered": "Time Integration Triggered", + "Integration_Outgoing_WebHook_History_Trigger_Step": "Last Trigger Step", + "Integration_Outgoing_WebHook_No_History": "This outgoing webhook integration has yet to have any history recorded.", + "Integration_Retry_Count": "Retry Count", + "Integration_Retry_Count_Description": "How many times should the integration be tried if the call to the url fails?", + "Integration_Retry_Delay": "Retry Delay", + "Integration_Retry_Delay_Description": "Which delay algorithm should the retrying use? 10^x or 2^x or x*2", + "Integration_Retry_Failed_Url_Calls": "Retry Failed Url Calls", + "Integration_Retry_Failed_Url_Calls_Description": "Should the integration try a reasonable amount of time if the call out to the url fails?", + "Integration_Run_When_Message_Is_Edited": "Run On Edits", + "Integration_Run_When_Message_Is_Edited_Description": "Should the integration run when the message is edited? Setting this to false will cause the integration to only run on new messages.", + "Integration_updated": "Integration has been updated.", + "Integration_Word_Trigger_Placement": "Word Placement Anywhere", + "Integration_Word_Trigger_Placement_Description": "Should the Word be Triggered when placed anywhere in the sentence other than the beginning?", + "Integrations": "Integrations", + "Integrations_for_all_channels": "Enter all_public_channels to listen on all public channels, all_private_groups to listen on all private groups, and all_direct_messages to listen to all direct messages.", + "Integrations_Outgoing_Type_FileUploaded": "File Uploaded", + "Integrations_Outgoing_Type_RoomArchived": "Room Archived", + "Integrations_Outgoing_Type_RoomCreated": "Room Created (public and private)", + "Integrations_Outgoing_Type_RoomJoined": "User Joined Room", + "Integrations_Outgoing_Type_RoomLeft": "User Left Room", + "Integrations_Outgoing_Type_SendMessage": "Message Sent", + "Integrations_Outgoing_Type_UserCreated": "User Created", + "InternalHubot": "Internal Hubot", + "InternalHubot_EnableForChannels": "Enable for Public Channels", + "InternalHubot_EnableForDirectMessages": "Enable for Direct Messages", + "InternalHubot_EnableForPrivateGroups": "Enable for Private Channels", + "InternalHubot_PathToLoadCustomScripts": "Folder to Load the Scripts", + "InternalHubot_reload": "Reload the scripts", + "InternalHubot_ScriptsToLoad": "Scripts to Load", + "InternalHubot_ScriptsToLoad_Description": "Please enter a comma separated list of scripts to load from your custom folder", + "InternalHubot_Username_Description": "This must be a valid username of a bot registered on your server.", + "Invalid Canned Response": "Invalid Canned Response", + "Invalid_confirm_pass": "The password confirmation does not match password", + "Invalid_Department": "Invalid Department", + "Invalid_email": "The email entered is invalid", + "Invalid_Export_File": "The file uploaded isn't a valid %s export file.", + "Invalid_field": "The field must not be empty", + "Invalid_Import_File_Type": "Invalid Import file type.", + "Invalid_name": "The name must not be empty", + "Invalid_notification_setting_s": "Invalid notification setting: %s", + "Invalid_or_expired_invite_token": "Invalid or expired invite token", + "Invalid_pass": "The password must not be empty", + "Invalid_password": "Invalid password", + "Invalid_reason": "The reason to join must not be empty", + "Invalid_room_name": "%s is not a valid room name", + "Invalid_secret_URL_message": "The URL provided is invalid.", + "Invalid_setting_s": "Invalid setting: %s", + "Invalid_two_factor_code": "Invalid two factor code", + "Invalid_username": "The username entered is invalid", + "Invalid_JSON": "Invalid JSON", + "invisible": "invisible", + "Invisible": "Invisible", + "Invitation": "Invitation", + "Invitation_Email_Description": "You may use the following placeholders:
  • [email] for the recipient email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Invitation_HTML": "Invitation HTML", + "Invitation_HTML_Default": "

You have been invited to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", + "Invitation_Subject": "Invitation Subject", + "Invitation_Subject_Default": "You have been invited to [Site_Name]", + "Invite": "Invite", + "Invites": "Invites", + "Invite_Link": "Invite Link", + "Invite_removed": "Invite removed successfully", + "Invite_user_to_join_channel": "Invite one user to join this channel", + "Invite_user_to_join_channel_all_from": "Invite all users from [#channel] to join this channel", + "Invite_user_to_join_channel_all_to": "Invite all users from this channel to join [#channel]", + "Invite_Users": "Invite Members", + "IP": "IP", + "IRC_Channel_Join": "Output of the JOIN command.", + "IRC_Channel_Leave": "Output of the PART command.", + "IRC_Channel_Users": "Output of the NAMES command.", + "IRC_Channel_Users_End": "End of output of the NAMES command.", + "IRC_Description": "Internet Relay Chat (IRC) is a text-based group communication tool. Users join uniquely named channels, or rooms, for open discussion. IRC also supports private messages between individual users and file sharing capabilities. This package integrates these layers of functionality with Rocket.Chat.", + "IRC_Enabled": "Attempt to integrate IRC support. Changing this value requires restarting Rocket.Chat.", + "IRC_Enabled_Alert": "IRC Support is a work in progress. Use on a production system is not recommended at this time.", + "IRC_Federation": "IRC Federation", + "IRC_Federation_Description": "Connect to other IRC servers.", + "IRC_Federation_Disabled": "IRC Federation is disabled.", + "IRC_Hostname": "The IRC host server to connect to.", + "IRC_Login_Fail": "Output upon a failed connection to the IRC server.", + "IRC_Login_Success": "Output upon a successful connection to the IRC server.", + "IRC_Message_Cache_Size": "The cache limit for outbound message handling.", + "IRC_Port": "The port to bind to on the IRC host server.", + "IRC_Private_Message": "Output of the PRIVMSG command.", + "IRC_Quit": "Output upon quitting an IRC session.", + "is_typing": "is typing", + "Issue_Links": "Issue tracker links", + "IssueLinks_Incompatible": "Warning: do not enable this and the 'Hex Color Preview' at the same time.", + "IssueLinks_LinkTemplate": "Template for issue links", + "IssueLinks_LinkTemplate_Description": "Template for issue links; %s will be replaced by the issue number.", + "It_works": "It works", + "It_Security": "It Security", + "italic": "Italic", + "italics": "italics", + "Items_per_page:": "Items per page:", + "Jitsi_Application_ID": "Application ID (iss)", + "Jitsi_Application_Secret": "Application Secret", + "Jitsi_Chrome_Extension": "Chrome Extension Id", + "Jitsi_Enable_Channels": "Enable in Channels", + "Jitsi_Enable_Teams": "Enable for Teams", + "Jitsi_Enabled_TokenAuth": "Enable JWT auth", + "Jitsi_Limit_Token_To_Room": "Limit token to Jitsi Room", + "Job_Title": "Job Title", + "join": "Join", + "Join_call": "Join Call", + "Join_audio_call": "Join audio call", + "Join_Chat": "Join Chat", + "Join_default_channels": "Join default channels", + "Join_the_Community": "Join the Community", + "Join_the_given_channel": "Join the given channel", + "Join_video_call": "Join video call", + "Join_my_room_to_start_the_video_call": "Join my room to start the video call", + "join-without-join-code": "Join Without Join Code", + "join-without-join-code_description": "Permission to bypass the join code in channels with join code enabled", + "Joined": "Joined", + "Joined_at": "Joined at", + "JSON": "JSON", + "Jump": "Jump", + "Jump_to_first_unread": "Jump to first unread", + "Jump_to_message": "Jump to Message", + "Jump_to_recent_messages": "Jump to recent messages", + "Just_invited_people_can_access_this_channel": "Just invited people can access this channel.", + "Katex_Dollar_Syntax": "Allow Dollar Syntax", + "Katex_Dollar_Syntax_Description": "Allow using $$katex block$$ and $inline katex$ syntaxes", + "Katex_Enabled": "Katex Enabled", + "Katex_Enabled_Description": "Allow using katex for math typesetting in messages", + "Katex_Parenthesis_Syntax": "Allow Parenthesis Syntax", + "Katex_Parenthesis_Syntax_Description": "Allow using \\[katex block\\] and \\(inline katex\\) syntaxes", + "Keep_default_user_settings": "Keep the default settings", + "Keyboard_Shortcuts_Edit_Previous_Message": "Edit previous message", + "Keyboard_Shortcuts_Keys_1": "Command (or Ctrl) + p OR Command (or Ctrl) + k", + "Keyboard_Shortcuts_Keys_2": "Up Arrow", + "Keyboard_Shortcuts_Keys_3": "Command (or Alt) + Left Arrow", + "Keyboard_Shortcuts_Keys_4": "Command (or Alt) + Up Arrow", + "Keyboard_Shortcuts_Keys_5": "Command (or Alt) + Right Arrow", + "Keyboard_Shortcuts_Keys_6": "Command (or Alt) + Down Arrow", + "Keyboard_Shortcuts_Keys_7": "Shift + Enter", + "Keyboard_Shortcuts_Keys_8": "Shift (or Ctrl) + ESC", + "Keyboard_Shortcuts_Mark_all_as_read": "Mark all messages (in all channels) as read", + "Keyboard_Shortcuts_Move_To_Beginning_Of_Message": "Move to the beginning of the message", + "Keyboard_Shortcuts_Move_To_End_Of_Message": "Move to the end of the message", + "Keyboard_Shortcuts_New_Line_In_Message": "New line in message compose input", + "Keyboard_Shortcuts_Open_Channel_Slash_User_Search": "Open Channel / User search", + "Keyboard_Shortcuts_Title": "Keyboard Shortcuts", + "Knowledge_Base": "Knowledge Base", + "Label": "Label", + "Language": "Language", + "Language_Bulgarian": "Bulgarian", + "Language_Chinese": "Chinese", + "Language_Czech": "Czech", + "Language_Danish": "Danish", + "Language_Dutch": "Dutch", + "Language_English": "English", + "Language_Estonian": "Estonian", + "Language_Finnish": "Finnish", + "Language_French": "French", + "Language_German": "German", + "Language_Greek": "Greek", + "Language_Hungarian": "Hungarian", + "Language_Italian": "Italian", + "Language_Japanese": "Japanese", + "Language_Latvian": "Latvian", + "Language_Lithuanian": "Lithuanian", + "Language_Not_set": "No specific", + "Language_Polish": "Polish", + "Language_Portuguese": "Portuguese", + "Language_Romanian": "Romanian", + "Language_Russian": "Russian", + "Language_Slovak": "Slovak", + "Language_Slovenian": "Slovenian", + "Language_Spanish": "Spanish", + "Language_Swedish": "Swedish", + "Language_Version": "English Version", + "Last_7_days": "Last 7 Days", + "Last_30_days": "Last 30 Days", + "Last_90_days": "Last 90 Days", + "Last_active": "Last active", + "Last_Call": "Last Call", + "Last_Chat": "Last Chat", + "Last_login": "Last login", + "Last_Message": "Last Message", + "Last_Message_At": "Last Message At", + "Last_seen": "Last seen", + "Last_Status": "Last Status", + "Last_token_part": "Last token part", + "Last_Updated": "Last Updated", + "Launched_successfully": "Launched successfully", + "Layout": "Layout", + "Layout_Description": "Customize the look of your workspace.", + "Layout_Home_Body": "Home Body", + "Layout_Home_Title": "Home Title", + "Layout_Legal_Notice": "Legal Notice", + "Layout_Login_Terms": "Login Terms", + "Layout_Privacy_Policy": "Privacy Policy", + "Layout_Show_Home_Button": "Show \"Home Button\"", + "Layout_Sidenav_Footer": "Side Navigation Footer", + "Layout_Sidenav_Footer_description": "Footer size is 260 x 70px", + "Layout_Terms_of_Service": "Terms of Service", + "LDAP": "LDAP", + "LDAP_Description": "Lightweight Directory Access Protocol enables anyone to locate data about your server or company.", + "LDAP_Documentation": "LDAP Documentation", + "LDAP_Connection": "Connection", + "LDAP_Connection_Authentication": "Authentication", + "LDAP_Connection_Encryption": "Encryption", + "LDAP_Connection_Timeouts": "Timeouts", + "LDAP_UserSearch": "User Search", + "LDAP_UserSearch_Filter": "Search Filter", + "LDAP_UserSearch_GroupFilter": "Group Filter", + "LDAP_DataSync": "Data Sync", + "LDAP_DataSync_DataMap": "Mapping", + "LDAP_DataSync_Avatar": "Avatar", + "LDAP_DataSync_Advanced": "Advanced Sync", + "LDAP_DataSync_CustomFields": "Sync Custom Fields", + "LDAP_DataSync_Roles": "Sync Roles", + "LDAP_DataSync_Channels": "Sync Channels", + "LDAP_DataSync_Teams": "Sync Teams", + "LDAP_Enterprise": "Enterprise", + "LDAP_DataSync_BackgroundSync": "Background Sync", + "LDAP_Server_Type": "Server Type", + "LDAP_Server_Type_AD": "Active Directory", + "LDAP_Server_Type_Other": "Other", + "LDAP_Name_Field": "Name Field", + "LDAP_Email_Field": "Email Field", + "LDAP_Update_Data_On_Login": "Update User Data on Login", + "LDAP_Advanced_Sync": "Advanced Sync", + "LDAP_Authentication": "Enable", + "LDAP_Authentication_Password": "Password", + "LDAP_Authentication_UserDN": "User DN", + "LDAP_Authentication_UserDN_Description": "The LDAP user that performs user lookups to authenticate other users when they sign in.
This is typically a service account created specifically for third-party integrations. Use a fully qualified name, such as `cn=Administrator,cn=Users,dc=Example,dc=com`.", + "LDAP_Avatar_Field": "User Avatar Field", + "LDAP_Avatar_Field_Description": " Which field will be used as *avatar* for users. Leave empty to use `thumbnailPhoto` first and `jpegPhoto` as fallback.", + "LDAP_Background_Sync": "Background Sync", + "LDAP_Background_Sync_Avatars": "Avatar Background Sync", + "LDAP_Background_Sync_Avatars_Description": "Enable a separate background process to sync user avatars.", + "LDAP_Background_Sync_Avatars_Interval": "Avatar Background Sync Interval", + "LDAP_Background_Sync_Import_New_Users": "Background Sync Import New Users", + "LDAP_Background_Sync_Import_New_Users_Description": "Will import all users (based on your filter criteria) that exists in LDAP and does not exists in Rocket.Chat", + "LDAP_Background_Sync_Interval": "Background Sync Interval", + "LDAP_Background_Sync_Interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", + "LDAP_Background_Sync_Keep_Existant_Users_Updated": "Background Sync Update Existing Users", + "LDAP_Background_Sync_Keep_Existant_Users_Updated_Description": "Will sync the avatar, fields, username, etc (based on your configuration) of all users already imported from LDAP on every **Sync Interval**", + "LDAP_BaseDN": "Base DN", + "LDAP_BaseDN_Description": "The fully qualified Distinguished Name (DN) of an LDAP subtree you want to search for users and groups. You can add as many as you like; however, each group must be defined in the same domain base as the users that belong to it. Example: `ou=Users+ou=Projects,dc=Example,dc=com`. If you specify restricted user groups, only users that belong to those groups will be in scope. We recommend that you specify the top level of your LDAP directory tree as your domain base and use search filter to control access.", + "LDAP_CA_Cert": "CA Cert", + "LDAP_Connect_Timeout": "Connection Timeout (ms)", + "LDAP_DataSync_AutoLogout": "Auto Logout Deactivated Users", + "LDAP_Default_Domain": "Default Domain", + "LDAP_Default_Domain_Description": "If provided the Default Domain will be used to create an unique email for users where email was not imported from LDAP. The email will be mounted as `username@default_domain` or `unique_id@default_domain`.
Example: `rocket.chat`", + "LDAP_Enable": "Enable", + "LDAP_Enable_Description": "Attempt to utilize LDAP for authentication.", + "LDAP_Enable_LDAP_Groups_To_RC_Teams": "Enable team mapping from LDAP to Rocket.Chat", + "LDAP_Encryption": "Encryption", + "LDAP_Encryption_Description": "The encryption method used to secure communications to the LDAP server. Examples include `plain` (no encryption), `SSL/LDAPS` (encrypted from the start), and `StartTLS` (upgrade to encrypted communication once connected).", + "LDAP_Find_User_After_Login": "Find user after login", + "LDAP_Find_User_After_Login_Description": "Will perform a search of the user's DN after bind to ensure the bind was successful preventing login with empty passwords when allowed by the AD configuration.", + "LDAP_Group_Filter_Enable": "Enable LDAP User Group Filter", + "LDAP_Group_Filter_Enable_Description": "Restrict access to users in a LDAP group
Useful for allowing OpenLDAP servers without a *memberOf* filter to restrict access by groups", + "LDAP_Group_Filter_Group_Id_Attribute": "Group ID Attribute", + "LDAP_Group_Filter_Group_Id_Attribute_Description": "E.g. *OpenLDAP:*cn", + "LDAP_Group_Filter_Group_Member_Attribute": "Group Member Attribute", + "LDAP_Group_Filter_Group_Member_Attribute_Description": "E.g. *OpenLDAP:*uniqueMember", + "LDAP_Group_Filter_Group_Member_Format": "Group Member Format", + "LDAP_Group_Filter_Group_Member_Format_Description": "E.g. *OpenLDAP:*uid=#{username},ou=users,o=Company,c=com", + "LDAP_Group_Filter_Group_Name": "Group name", + "LDAP_Group_Filter_Group_Name_Description": "Group name to which it belong the user", + "LDAP_Group_Filter_ObjectClass": "Group ObjectClass", + "LDAP_Group_Filter_ObjectClass_Description": "The *objectclass* that identify the groups.
E.g. OpenLDAP:groupOfUniqueNames", + "LDAP_Groups_To_Rocket_Chat_Teams": "Team mapping from LDAP to Rocket.Chat.", + "LDAP_Host": "Host", + "LDAP_Host_Description": "The LDAP host, e.g. `ldap.example.com` or `10.0.0.30`.", + "LDAP_Idle_Timeout": "Idle Timeout (ms)", + "LDAP_Idle_Timeout_Description": "How many milliseconds wait after the latest LDAP operation until close the connection. (Each operation will open a new connection)", + "LDAP_Import_Users_Description": "It True sync process will be import all LDAP users
*Caution!* Specify search filter to not import excess users.", + "LDAP_Internal_Log_Level": "Internal Log Level", + "LDAP_Login_Fallback": "Login Fallback", + "LDAP_Login_Fallback_Description": "If the login on LDAP is not successful try to login in default/local account system. Helps when the LDAP is down for some reason.", + "LDAP_Merge_Existing_Users": "Merge Existing Users", + "LDAP_Merge_Existing_Users_Description": "*Caution!* When importing a user from LDAP and an user with same username already exists the LDAP info and password will be set into the existing user.", + "LDAP_Port": "Port", + "LDAP_Port_Description": "Port to access LDAP. eg: `389` or `636` for LDAPS", + "LDAP_Prevent_Username_Changes": "Prevent LDAP users from changing their Rocket.Chat username", + "LDAP_Query_To_Get_User_Teams": "LDAP query to get user groups", + "LDAP_Reconnect": "Reconnect", + "LDAP_Reconnect_Description": "Try to reconnect automatically when connection is interrupted by some reason while executing operations", + "LDAP_Reject_Unauthorized": "Reject Unauthorized", + "LDAP_Reject_Unauthorized_Description": "Disable this option to allow certificates that can not be verified. Usually Self Signed Certificates will require this option disabled to work", + "LDAP_Search_Page_Size": "Search Page Size", + "LDAP_Search_Page_Size_Description": "The maximum number of entries each result page will return to be processed", + "LDAP_Search_Size_Limit": "Search Size Limit", + "LDAP_Search_Size_Limit_Description": "The maximum number of entries to return.
**Attention** This number should greater than **Search Page Size**", + "LDAP_Sync_Custom_Fields": "Sync Custom Fields", + "LDAP_CustomFieldMap": "Custom Fields Mapping", + "LDAP_Sync_AutoLogout_Enabled": "Enable Auto Logout", + "LDAP_Sync_AutoLogout_Interval": "Auto Logout Interval", + "LDAP_Sync_Now": "Sync Now", + "LDAP_Sync_Now_Description": "This will start a **Background Sync** operation now, without waiting for the next scheduled Sync.\nThis action is asynchronous, please see the logs for more information.", + "LDAP_Sync_User_Active_State": "Sync User Active State", + "LDAP_Sync_User_Active_State_Both": "Enable and Disable Users", + "LDAP_Sync_User_Active_State_Description": "Determine if users should be enabled or disabled on Rocket.Chat based on the LDAP status. The 'pwdAccountLockedTime' attribute will be used to determine if the user is disabled.", + "LDAP_Sync_User_Active_State_Disable": "Disable Users", + "LDAP_Sync_User_Active_State_Nothing": "Do Nothing", + "LDAP_Sync_User_Avatar": "Sync User Avatar", + "LDAP_Sync_User_Data_Roles": "Sync LDAP Groups", + "LDAP_Sync_User_Data_Channels": "Auto Sync LDAP Groups to Channels", + "LDAP_Sync_User_Data_Channels_Admin": "Channel Admin", + "LDAP_Sync_User_Data_Channels_Admin_Description": "When channels are auto-created that do not exist during a sync, this user will automatically become the admin for the channel.", + "LDAP_Sync_User_Data_Channels_BaseDN": "LDAP Group BaseDN", + "LDAP_Sync_User_Data_Channels_Description": "Enable this feature to automatically add users to a channel based on their LDAP group. If you would like to also remove users from a channel, see the option below about auto removing users.", + "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels": "Auto Remove Users from Channels", + "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels_Description": "**Attention**: Enabling this will remove any users in a channel that do not have the corresponding LDAP group! Only enable this if you know what you're doing.", + "LDAP_Sync_User_Data_Channels_Filter": "User Group Filter", + "LDAP_Sync_User_Data_Channels_Filter_Description": "The LDAP search filter used to check if a user is in a group.", + "LDAP_Sync_User_Data_ChannelsMap": "LDAP Group Channel Map", + "LDAP_Sync_User_Data_ChannelsMap_Default": "// Enable Auto Sync LDAP Groups to Channels above", + "LDAP_Sync_User_Data_ChannelsMap_Description": "Map LDAP groups to Rocket.Chat channels.
As an example, `{\"employee\":\"general\"}` will add any user in the LDAP group employee, to the general channel.", + "LDAP_Sync_User_Data_Roles_AutoRemove": "Auto Remove User Roles", + "LDAP_Sync_User_Data_Roles_AutoRemove_Description": "**Attention**: Enabling this will automatically remove users from a role if they are not assigned in LDAP! This will only remove roles automatically that are set under the user data group map below.", + "LDAP_Sync_User_Data_Roles_BaseDN": "LDAP Group BaseDN", + "LDAP_Sync_User_Data_Roles_BaseDN_Description": "The LDAP BaseDN used to lookup users.", + "LDAP_Sync_User_Data_Roles_Filter": "User Group Filter", + "LDAP_Sync_User_Data_Roles_Filter_Description": "The LDAP search filter used to check if a user is in a group.", + "LDAP_Sync_User_Data_RolesMap": "User Data Group Map", + "LDAP_Sync_User_Data_RolesMap_Description": "Map LDAP groups to Rocket.Chat user roles
As an example, `{\"rocket-admin\":\"admin\", \"tech-support\":\"support\", \"manager\":[\"leader\", \"moderator\"]}` will map the rocket-admin LDAP group to Rocket's \"admin\" role.", + "LDAP_Teams_BaseDN": "LDAP Teams BaseDN", + "LDAP_Teams_BaseDN_Description": "The LDAP BaseDN used to lookup user teams.", + "LDAP_Teams_Name_Field": "LDAP Team Name Attribute", + "LDAP_Teams_Name_Field_Description": "The LDAP attribute that Rocket.Chat should use to load the team's name. You can specify more than one possible attribute name if you separate them with a comma.", + "LDAP_Timeout": "Timeout (ms)", + "LDAP_Timeout_Description": "How many mileseconds wait for a search result before return an error", + "LDAP_Unique_Identifier_Field": "Unique Identifier Field", + "LDAP_Unique_Identifier_Field_Description": "Which field will be used to link the LDAP user and the Rocket.Chat user. You can inform multiple values separated by comma to try to get the value from LDAP record.
Default value is `objectGUID,ibm-entryUUID,GUID,dominoUNID,nsuniqueId,uidNumber`", + "LDAP_User_Found": "LDAP User Found", + "LDAP_User_Search_AttributesToQuery": "Attributes to Query", + "LDAP_User_Search_AttributesToQuery_Description": "Specify which attributes should be returned on LDAP queries, separating them with commas. Defaults to everything. `*` represents all regular attributes and `+` represents all operational attributes. Make sure to include every attribute that is used by every Rocket.Chat sync option.", + "LDAP_User_Search_Field": "Search Field", + "LDAP_User_Search_Field_Description": "The LDAP attribute that identifies the LDAP user who attempts authentication. This field should be `sAMAccountName` for most Active Directory installations, but it may be `uid` for other LDAP solutions, such as OpenLDAP. You can use `mail` to identify users by email or whatever attribute you want.
You can use multiple values separated by comma to allow users to login using multiple identifiers like username or email.", + "LDAP_User_Search_Filter": "Filter", + "LDAP_User_Search_Filter_Description": "If specified, only users that match this filter will be allowed to log in. If no filter is specified, all users within the scope of the specified domain base will be able to sign in.
E.g. for Active Directory `memberOf=cn=ROCKET_CHAT,ou=General Groups`.
E.g. for OpenLDAP (extensible match search) `ou:dn:=ROCKET_CHAT`.", + "LDAP_User_Search_Scope": "Scope", + "LDAP_Username_Field": "Username Field", + "LDAP_Username_Field_Description": "Which field will be used as *username* for new users. Leave empty to use the username informed on login page.
You can use template tags too, like `#{givenName}.#{sn}`.
Default value is `sAMAccountName`.", + "LDAP_Username_To_Search": "Username to search", + "LDAP_Validate_Teams_For_Each_Login": "Validate mapping for each login", + "LDAP_Validate_Teams_For_Each_Login_Description": "Determine if users' teams should be updated every time they login to Rocket.Chat. If this is turned off the team will be loaded only on their first login.", + "Lead_capture_email_regex": "Lead capture email regex", + "Lead_capture_phone_regex": "Lead capture phone regex", + "Least_recent_updated": "Least recent updated", + "Leave": "Leave", + "Leave_a_comment": "Leave a comment", + "Leave_Group_Warning": "Are you sure you want to leave the group \"%s\"?", + "Leave_Livechat_Warning": "Are you sure you want to leave the omnichannel with \"%s\"?", + "Leave_Private_Warning": "Are you sure you want to leave the discussion with \"%s\"?", + "Leave_room": "Leave", + "Leave_Room_Warning": "Are you sure you want to leave the channel \"%s\"?", + "Leave_the_current_channel": "Leave the current channel", + "Leave_the_description_field_blank_if_you_dont_want_to_show_the_role": "Leave the description field blank if you don't want to show the role", + "leave-c": "Leave Channels", + "leave-c_description": "Permission to leave channels", + "leave-p": "Leave Private Groups", + "leave-p_description": "Permission to leave private groups", + "Lets_get_you_new_one": "Let's get you a new one!", + "License": "License", + "line": "line", + "link": "link", + "Link_Preview": "Link Preview", + "List_of_Channels": "List of Channels", + "List_of_departments_for_forward": "List of departments allowed for forwarding (Optional)", + "List_of_departments_for_forward_description": "Allow to set a restricted list of departments that can receive chats from this department", + "List_of_departments_to_apply_this_business_hour": "List of departments to apply this business hour", + "List_of_Direct_Messages": "List of Direct Messages", + "Livechat": "Livechat", + "Livechat_abandoned_rooms_action": "How to handle Visitor Abandonment", + "Livechat_abandoned_rooms_closed_custom_message": "Custom message when room is automatically closed by visitor inactivity", + "Livechat_agents": "Omnichannel agents", + "Livechat_Agents": "Agents", + "Livechat_allow_manual_on_hold": "Allow agents to manually place chat On Hold", + "Livechat_allow_manual_on_hold_Description": "If enabled, the agent will get a new option to place a chat On Hold, provided the agent has sent the last message", + "Livechat_AllowedDomainsList": "Livechat Allowed Domains", + "Livechat_Appearance": "Livechat Appearance", + "Livechat_auto_close_on_hold_chats_custom_message": "Custom message for closed chats in On Hold queue", + "Livechat_auto_close_on_hold_chats_custom_message_Description": "Custom Message to be sent when a room in On-Hold queue gets automatically closed by the system", + "Livechat_auto_close_on_hold_chats_timeout": "How long to wait before closing a chat in On Hold Queue ?", + "Livechat_auto_close_on_hold_chats_timeout_Description": "Define how long the chat will remain in the On Hold queue until it's automatically closed by the system. Time in seconds", + "Livechat_auto_transfer_chat_timeout": "Timeout (in seconds) for automatic transfer of unanswered chats to another agent", + "Livechat_auto_transfer_chat_timeout_Description": "This event takes place only when the chat has just started. After the first transfering for inactivity, the room is no longer monitored.", + "Livechat_business_hour_type": "Business Hour Type (Single or Multiple)", + "Livechat_chat_transcript_sent": "Chat transcript sent: __transcript__", + "Livechat_close_chat": "Close chat", + "Livechat_custom_fields_options_placeholder": "Comma-separated list used to select a pre-configured value. Spaces between elements are not accepted.", + "Livechat_custom_fields_public_description": "Public custom fields will be displayed in external applications, such as Livechat, etc.", + "Livechat_Dashboard": "Omnichannel Dashboard", + "Livechat_DepartmentOfflineMessageToChannel": "Send this department's Livechat offline messages to a channel", + "Livechat_enable_message_character_limit": "Enable message character limit", + "Livechat_enabled": "Omnichannel enabled", + "Livechat_Facebook_API_Key": "OmniChannel API Key", + "Livechat_Facebook_API_Secret": "OmniChannel API Secret", + "Livechat_Facebook_Enabled": "Facebook integration enabled", + "Livechat_forward_open_chats": "Forward open chats", + "Livechat_forward_open_chats_timeout": "Timeout (in seconds) to forward chats", + "Livechat_guest_count": "Guest Counter", + "Livechat_Inquiry_Already_Taken": "Omnichannel inquiry already taken", + "Livechat_Installation": "Livechat Installation", + "Livechat_last_chatted_agent_routing": "Last-Chatted Agent Preferred", + "Livechat_last_chatted_agent_routing_Description": "The Last-Chatted Agent setting allocates chats to the agent who previously interacted with the same visitor if the agent is available when the chat starts.", + "Livechat_managers": "Omnichannel managers", + "Livechat_Managers": "Managers", + "Livechat_max_queue_wait_time_action": "How to handle queued chats when the maximum wait time is reached", + "Livechat_maximum_queue_wait_time": "Maximum waiting time in queue", + "Livechat_maximum_queue_wait_time_description": "Maximum time (in minutes) to keep chats on queue. -1 means unlimited", + "Livechat_message_character_limit": "Livechat message character limit", + "Livechat_monitors": "Livechat monitors", + "Livechat_Monitors": "Monitors", + "Livechat_offline": "Omnichannel offline", + "Livechat_offline_message_sent": "Livechat offline message sent", + "Livechat_OfflineMessageToChannel_enabled": "Send Livechat offline messages to a channel", + "Omnichannel_on_hold_chat_resumed": "On Hold Chat Resumed: __comment__", + "Omnichannel_on_hold_chat_automatically": "The chat was automatically resumed from On Hold upon receiving a new message from __guest__", + "Omnichannel_on_hold_chat_manually": "The chat was manually resumed from On Hold by __user__", + "Omnichannel_On_Hold_due_to_inactivity": "The chat was automatically placed On Hold because we haven't received any reply from __guest__ in __timeout__ seconds", + "Omnichannel_On_Hold_manually": "The chat was manually placed On Hold by __user__", + "Omnichannel_onHold_Chat": "Place chat On-Hold", + "Livechat_online": "Omnichannel on-line", + "Omnichannel_placed_chat_on_hold": "Chat On Hold: __comment__", + "Livechat_Queue": "Omnichannel Queue", + "Livechat_registration_form": "Registration Form", + "Livechat_registration_form_message": "Registration Form Message", + "Livechat_room_count": "Omnichannel Room Count", + "Livechat_Routing_Method": "Omnichannel Routing Method", + "Livechat_status": "Livechat Status", + "Livechat_Take_Confirm": "Do you want to take this client?", + "Livechat_title": "Livechat Title", + "Livechat_title_color": "Livechat Title Background Color", + "Livechat_transcript_already_requested_warning": "The transcript of this chat has already been requested and will be sent as soon as the conversation ends.", + "Livechat_transcript_has_been_requested": "The chat transcript has been requested.", + "Livechat_transcript_request_has_been_canceled": "The chat transcription request has been canceled.", + "Livechat_transcript_sent": "Omnichannel transcript sent", + "Livechat_transfer_return_to_the_queue": "__from__ returned the chat to the queue", + "Livechat_transfer_to_agent": "__from__ transferred the chat to __to__", + "Livechat_transfer_to_agent_with_a_comment": "__from__ transferred the chat to __to__ with a comment: __comment__", + "Livechat_transfer_to_department": "__from__ transferred the chat to the department __to__", + "Livechat_transfer_to_department_with_a_comment": "__from__ transferred the chat to the department __to__ with a comment: __comment__", + "Livechat_transfer_failed_fallback": "The original department ( __from__ ) doesn't have online agents. Chat succesfully transferred to __to__", + "Livechat_Triggers": "Livechat Triggers", + "Livechat_user_sent_chat_transcript_to_visitor": "__agent__ sent the chat transcript to __guest__", + "Livechat_Users": "Omnichannel Users", + "Livechat_Calls": "Livechat Calls", + "Livechat_visitor_email_and_transcript_email_do_not_match": "Visitor's email and transcript's email do not match", + "Livechat_visitor_transcript_request": "__guest__ requested the chat transcript", + "LiveStream & Broadcasting": "LiveStream & Broadcasting", + "LiveStream & Broadcasting_Description": "This integration between Rocket.Chat and YouTube Live allows channel owners to broadcast their camera feed live to livestream inside a channel.", + "Livestream": "Livestream", + "Livestream_close": "Close Livestream", + "Livestream_enable_audio_only": "Enable only audio mode", + "Livestream_enabled": "Livestream Enabled", + "Livestream_not_found": "Livestream not available", + "Livestream_popout": "Open Livestream", + "Livestream_source_changed_succesfully": "Livestream source changed successfully", + "Livestream_switch_to_room": "Switch to current room's livestream", + "Livestream_url": "Livestream source url", + "Livestream_url_incorrect": "Livestream url is incorrect", + "Livestream_live_now": "Live now!", + "Load_Balancing": "Load Balancing", + "Load_more": "Load more", + "Load_Rotation": "Load Rotation", + "Loading": "Loading", + "Loading_more_from_history": "Loading more from history", + "Loading_suggestion": "Loading suggestions", + "Loading...": "Loading...", + "Local_Domains": "Local Domains", + "Local_Password": "Local Password", + "Local_Time": "Local Time", + "Local_Timezone": "Local Timezone", + "Local_Time_time": "Local Time: __time__", + "Localization": "Localization", + "Location": "Location", + "Log_Exceptions_to_Channel": "Log Exceptions to Channel", + "Log_Exceptions_to_Channel_Description": "A channel that will receive all captured exceptions. Leave empty to ignore exceptions.", + "Log_File": "Show File and Line", + "Log_Level": "Log Level", + "Log_Package": "Show Package", + "Log_Trace_Methods": "Trace method calls", + "Log_Trace_Methods_Filter": "Trace method filter", + "Log_Trace_Methods_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", + "Log_Trace_Subscriptions": "Trace subscription calls", + "Log_Trace_Subscriptions_Filter": "Trace subscription filter", + "Log_Trace_Subscriptions_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", + "Log_View_Limit": "Log View Limit", + "Logged_out_of_other_clients_successfully": "Logged out of other clients successfully", + "Login": "Login", + "Login_Attempts": "Failed Login Attempts", + "Login_Logs": "Login Logs", + "Login_Logs_ClientIp": "Show Client IP on failed login attempts logs", + "Login_Logs_Enabled": "Log (on console) failed login attempts", + "Login_Logs_ForwardedForIp": "Show Forwarded IP on failed login attempts logs", + "Login_Logs_UserAgent": "Show UserAgent on failed login attempts logs", + "Login_Logs_Username": "Show Username on failed login attempts logs", + "Login_with": "Login with %s", + "Logistics": "Logistics", + "Logout": "Logout", + "Logout_Others": "Logout From Other Logged In Locations", + "Logs": "Logs", + "Logs_Description": "Configure how server logs are received.", + "Longest_chat_duration": "Longest Chat Duration", + "Longest_reaction_time": "Longest Reaction Time", + "Longest_response_time": "Longest Response Time", + "Looked_for": "Looked for", + "Mail_Message_Invalid_emails": "You have provided one or more invalid emails: %s", + "Mail_Message_Missing_subject": "You must provide an email subject.", + "Mail_Message_Missing_to": "You must select one or more users or provide one or more email addresses, separated by commas.", + "Mail_Message_No_messages_selected_select_all": "You haven't selected any messages", + "Mail_Messages": "Mail Messages", + "Mail_Messages_Instructions": "Choose which messages you want to send via email by clicking the messages", + "Mail_Messages_Subject": "Here's a selected portion of %s messages", + "mail-messages": "Mail Messages", + "mail-messages_description": "Permission to use the mail messages option", + "Mailer": "Mailer", + "Mailer_body_tags": "You must use [unsubscribe] for the unsubscription link.
You may use [name], [fname], [lname] for the user's full name, first name or last name, respectively.
You may use [email] for the user's email.", + "Mailing": "Mailing", + "Make_Admin": "Make Admin", + "Make_sure_you_have_a_copy_of_your_codes_1": "Make sure you have a copy of your codes:", + "Make_sure_you_have_a_copy_of_your_codes_2": "If you lose access to your authenticator app, you can use one of these codes to log in.", + "manage-apps": "Manage Apps", + "manage-apps_description": "Permission to manage all apps", + "manage-assets": "Manage Assets", + "manage-assets_description": "Permission to manage the server assets", + "manage-cloud": "Manage Cloud", + "manage-cloud_description": "Permission to manage cloud", + "manage-email-inbox": "Manage Email Inbox", + "manage-email-inbox_description": "Permission to manage email inboxes", + "manage-emoji": "Manage Emoji", + "manage-emoji_description": "Permission to manage the server emojis", + "manage-incoming-integrations": "Manage Incoming Integrations", + "manage-incoming-integrations_description": "Permission to manage the server incoming integrations", + "manage-integrations": "Manage Integrations", + "manage-integrations_description": "Permission to manage the server integrations", + "manage-livechat-agents": "Manage Omnichannel Agents", + "manage-livechat-agents_description": "Permission to manage omnichannel agents", + "manage-livechat-departments": "Manage Omnichannel Departments", + "manage-livechat-departments_description": "Permission to manage omnichannel departments", + "manage-livechat-managers": "Manage Omnichannel Managers", + "manage-livechat-managers_description": "Permission to manage omnichannel managers", + "manage-oauth-apps": "Manage Oauth Apps", + "manage-oauth-apps_description": "Permission to manage the server Oauth apps", + "manage-outgoing-integrations": "Manage Outgoing Integrations", + "manage-outgoing-integrations_description": "Permission to manage the server outgoing integrations", + "manage-own-incoming-integrations": "Manage Own Incoming Integrations", + "manage-own-incoming-integrations_description": "Permission to allow users to create and edit their own incoming integration or webhooks", + "manage-own-integrations": "Manage Own Integrations", + "manage-own-integrations_description": "Permition to allow users to create and edit their own integration or webhooks", + "manage-own-outgoing-integrations": "Manage Own Outgoing Integrations", + "manage-own-outgoing-integrations_description": "Permission to allow users to create and edit their own outgoing integration or webhooks", + "manage-selected-settings": "Change some settings", + "manage-selected-settings_description": "Permission to change settings which are explicitly granted to be changed", + "manage-sounds": "Manage Sounds", + "manage-sounds_description": "Permission to manage the server sounds", + "manage-the-app": "Manage the App", + "manage-user-status": "Manage User Status", + "manage-user-status_description": "Permission to manage the server custom user statuses", + "Manager_added": "Manager added", + "Manager_removed": "Manager removed", + "Managers": "Managers", + "manage-chatpal": "Manage Chatpal", + "Management_Server": "Management Server", + "Managing_assets": "Managing assets", + "Managing_integrations": "Managing integrations", + "Manual_Selection": "Manual Selection", + "Manufacturing": "Manufacturing", + "MapView_Enabled": "Enable Mapview", + "MapView_Enabled_Description": "Enabling mapview will display a location share button on the right of the chat input field.", + "MapView_GMapsAPIKey": "Google Static Maps API Key", + "MapView_GMapsAPIKey_Description": "This can be obtained from the Google Developers Console for free.", + "Mark_all_as_read": "Mark all messages (in all channels) as read", + "Mark_as_read": "Mark As Read", + "Mark_as_unread": "Mark As Unread", + "Mark_read": "Mark Read", + "Mark_unread": "Mark Unread", + "Markdown_Headers": "Allow Markdown headers in messages", + "Markdown_Marked_Breaks": "Enable Marked Breaks", + "Markdown_Marked_GFM": "Enable Marked GFM", + "Markdown_Marked_Pedantic": "Enable Marked Pedantic", + "Markdown_Marked_SmartLists": "Enable Marked Smart Lists", + "Markdown_Marked_Smartypants": "Enable Marked Smartypants", + "Markdown_Marked_Tables": "Enable Marked Tables", + "Markdown_Parser": "Markdown Parser", + "Markdown_SupportSchemesForLink": "Markdown Support Schemes for Link", + "Markdown_SupportSchemesForLink_Description": "Comma-separated list of allowed schemes", + "Marketplace": "Marketplace", + "Marketplace_app_last_updated": "Last updated __lastUpdated__ ago", + "Marketplace_view_marketplace": "View Marketplace", + "Marketplace_error": "Cannot connect to internet or your workspace may be an offline install.", + "MAU_value": "MAU __value__", + "Max_length_is": "Max length is %s", + "Max_number_incoming_livechats_displayed": "Max number of items displayed in the queue", + "Max_number_incoming_livechats_displayed_description": "(Optional) Max number of items displayed in the incoming Omnichannel queue.", + "Max_number_of_chats_per_agent": "Max. number of simultaneous chats", + "Max_number_of_chats_per_agent_description": "The max. number of simultaneous chats that the agents can attend", + "Max_number_of_uses": "Max number of uses", + "Maximum": "Maximum", + "Maximum_number_of_guests_reached": "Maximum number of guests reached", + "Me": "Me", + "Media": "Media", + "Medium": "Medium", + "Members": "Members", + "Members_List": "Members List", + "mention-all": "Mention All", + "mention-all_description": "Permission to use the @all mention", + "mention-here": "Mention Here", + "mention-here_description": "Permission to use the @here mention", + "Mentions": "Mentions", + "Mentions_default": "Mentions (default)", + "Mentions_only": "Mentions only", + "Merge_Channels": "Merge Channels", + "message": "message", + "Message": "Message", + "Message_Description": "Configure message settings.", + "Message_AllowBadWordsFilter": "Allow Message bad words filtering", + "Message_AllowConvertLongMessagesToAttachment": "Allow converting long messages to attachment", + "Message_AllowDeleting": "Allow Message Deleting", + "Message_AllowDeleting_BlockDeleteInMinutes": "Block Message Deleting After (n) Minutes", + "Message_AllowDeleting_BlockDeleteInMinutes_Description": "Enter 0 to disable blocking.", + "Message_AllowDirectMessagesToYourself": "Allow user direct messages to yourself", + "Message_AllowEditing": "Allow Message Editing", + "Message_AllowEditing_BlockEditInMinutes": "Block Message Editing After (n) Minutes", + "Message_AllowEditing_BlockEditInMinutesDescription": "Enter 0 to disable blocking.", + "Message_AllowPinning": "Allow Message Pinning", + "Message_AllowPinning_Description": "Allow messages to be pinned to any of the channels.", + "Message_AllowSnippeting": "Allow Message Snippeting", + "Message_AllowStarring": "Allow Message Starring", + "Message_AllowUnrecognizedSlashCommand": "Allow Unrecognized Slash Commands", + "Message_Already_Sent": "This message has already been sent and is being processed by the server", + "Message_AlwaysSearchRegExp": "Always Search Using RegExp", + "Message_AlwaysSearchRegExp_Description": "We recommend to set `True` if your language is not supported on MongoDB text search.", + "Message_Attachments": "Message Attachments", + "Message_Attachments_GroupAttach": "Group Attachment Buttons", + "Message_Attachments_GroupAttachDescription": "This groups the icons under an expandable menu. Takes up less screen space.", + "Message_Attachments_Thumbnails_Enabled": "Enable image thumbnails to save bandwith", + "Message_Attachments_Thumbnails_Width": "Thumbnail's max width (in pixels)", + "Message_Attachments_Thumbnails_Height": "Thumbnail's max height (in pixels)", + "Message_Attachments_Thumbnails_EnabledDesc": "Thumbnails will be served instead of the original image to reduce bandwith usage. Images at original resolution can be downloaded using the icon next to the attachment's name.", + "Message_Attachments_Strip_Exif": "Remove EXIF metadata from supported files", + "Message_Attachments_Strip_ExifDescription": "Strips out EXIF metadata from image files (jpeg, tiff, etc). This setting is not retroactive, so files uploaded while disabled will have EXIF data", + "Message_Audio": "Audio Message", + "Message_Audio_bitRate": "Audio Message Bit Rate", + "Message_AudioRecorderEnabled": "Audio Recorder Enabled", + "Message_AudioRecorderEnabled_Description": "Requires 'audio/mp3' files to be an accepted media type within 'File Upload' settings.", + "Message_auditing": "Message auditing", + "Message_auditing_log": "Message auditing log", + "Message_BadWordsFilterList": "Add Bad Words to the Blacklist", + "Message_BadWordsFilterListDescription": "Add List of Comma-separated list of bad words to filter", + "Message_BadWordsWhitelist": "Remove words from the Blacklist", + "Message_BadWordsWhitelistDescription": "Add a comma-separated list of words to be removed from filter", + "Message_Characther_Limit": "Message Character Limit", + "Message_Code_highlight": "Code highlighting languages list", + "Message_Code_highlight_Description": "Comma separated list of languages (all supported languages at https://github.com/highlightjs/highlight.js/tree/9.18.5#supported-languages) that will be used to highlight code blocks", + "message_counter": "__counter__ message", + "message_counter_plural": "__counter__ messages", + "Message_DateFormat": "Date Format", + "Message_DateFormat_Description": "See also: Moment.js", + "Message_deleting_blocked": "This message cannot be deleted anymore", + "Message_editing": "Message editing", + "Message_ErasureType": "Message Erasure Type", + "Message_ErasureType_Delete": "Delete All Messages", + "Message_ErasureType_Description": "Determine what to do with messages of users who remove their account.\n\n**Keep Messages and User Name:** The message and files history of the user will be deleted from Direct Messages and will be kept in other rooms.\n\n**Delete All Messages:** All messages and files from the user will be deleted from the database and it will not be possible to locate the user anymore.\n\n**Remove link between user and messages:** This option will assign all messages and fles of the user to Rocket.Cat bot and Direct Messages are going to be deleted.", + "Message_ErasureType_Keep": "Keep Messages and User Name", + "Message_ErasureType_Unlink": "Remove Link Between User and Messages", + "Message_GlobalSearch": "Global Search", + "Message_GroupingPeriod": "Grouping Period (in seconds)", + "Message_GroupingPeriodDescription": "Messages will be grouped with previous message if both are from the same user and the elapsed time was less than the informed time in seconds.", + "Message_has_been_edited": "Message has been edited", + "Message_has_been_edited_at": "Message has been edited at __date__", + "Message_has_been_edited_by": "Message has been edited by __username__", + "Message_has_been_edited_by_at": "Message has been edited by __username__ at __date__", + "Message_has_been_pinned": "Message has been pinned", + "Message_has_been_starred": "Message has been starred", + "Message_has_been_unpinned": "Message has been unpinned", + "Message_has_been_unstarred": "Message has been unstarred", + "Message_HideType_au": "Hide \"User Added\" messages", + "Message_HideType_added_user_to_team": "Hide \"User Added to Team\" messages", + "Message_HideType_mute_unmute": "Hide \"User Muted / Unmuted\" messages", + "Message_HideType_r": "Hide \"Room Name Changed\" messages", + "Message_HideType_rm": "Hide \"Message Removed\" messages", + "Message_HideType_room_allowed_reacting": "Hide \"Room allowed reacting\" messages", + "Message_HideType_room_archived": "Hide \"Room Archived\" messages", + "Message_HideType_room_changed_avatar": "Hide \"Room avatar changed\" messages", + "Message_HideType_room_changed_privacy": "Hide \"Room type changed\" messages", + "Message_HideType_room_changed_topic": "Hide \"Room topic changed\" messages", + "Message_HideType_room_disallowed_reacting": "Hide \"Room disallowed reacting\" messages", + "Message_HideType_room_enabled_encryption": "Hide \"Room encryption enabled\" messages", + "Message_HideType_room_disabled_encryption": "Hide \"Room encryption disabled\" messages", + "Message_HideType_room_set_read_only": "Hide \"Room set Read Only\" messages", + "Message_HideType_room_removed_read_only": "Hide \"Room added writing permission\" messages", + "Message_HideType_room_unarchived": "Hide \"Room Unarchived\" messages", + "Message_HideType_ru": "Hide \"User Removed\" messages", + "Message_HideType_removed_user_from_team": "Hide \"User Removed from Team\" messages", + "Message_HideType_subscription_role_added": "Hide \"Was Set Role\" messages", + "Message_HideType_subscription_role_removed": "Hide \"Role No Longer Defined\" messages", + "Message_HideType_uj": "Hide \"User Join\" messages", + "Message_HideType_ujt": "Hide \"User Joined Team\" messages", + "Message_HideType_ul": "Hide \"User Leave\" messages", + "Message_HideType_ult": "Hide \"User Left Team\" messages", + "Message_HideType_user_added_room_to_team": "Hide \"User Added Room to Team\" messages", + "Message_HideType_user_converted_to_channel": "Hide \"User converted team to a Channel\" messages", + "Message_HideType_user_converted_to_team": "Hide \"User converted channel to a Team\" messages", + "Message_HideType_user_deleted_room_from_team": "Hide \"User deleted room from Team\" messages", + "Message_HideType_user_removed_room_from_team": "Hide \"User removed room from Team\" messages", + "Message_HideType_ut": "Hide \"User Joined Conversation\" messages", + "Message_HideType_wm": "Hide \"Welcome\" messages", + "Message_Id": "Message Id", + "Message_Ignored": "This message was ignored", + "message-impersonate": "Impersonate Other Users", + "message-impersonate_description": "Permission to impersonate other users using message alias", + "Message_info": "Message info", + "Message_KeepHistory": "Keep Per Message Editing History", + "Message_MaxAll": "Maximum Channel Size for ALL Message", + "Message_MaxAllowedSize": "Maximum Allowed Characters Per Message", + "Message_pinning": "Message pinning", + "message_pruned": "message pruned", + "Message_QuoteChainLimit": "Maximum Number of Chained Quotes", + "Message_Read_Receipt_Enabled": "Show Read Receipts", + "Message_Read_Receipt_Store_Users": "Detailed Read Receipts", + "Message_Read_Receipt_Store_Users_Description": "Shows each user's read receipts", + "Message_removed": "Message removed", + "Message_sent_by_email": "Message sent by Email", + "Message_ShowDeletedStatus": "Show Deleted Status", + "Message_ShowEditedStatus": "Show Edited Status", + "Message_ShowFormattingTips": "Show Formatting Tips", + "Message_starring": "Message starring", + "Message_Time": "Message Time", + "Message_TimeAndDateFormat": "Time and Date Format", + "Message_TimeAndDateFormat_Description": "See also: Moment.js", + "Message_TimeFormat": "Time Format", + "Message_TimeFormat_Description": "See also: Moment.js", + "Message_too_long": "Message too long", + "Message_UserId": "User Id", + "Message_VideoRecorderEnabled": "Video Recorder Enabled", + "Message_VideoRecorderEnabledDescription": "Requires 'video/webm' files to be an accepted media type within 'File Upload' settings.", + "Message_view_mode_info": "This changes the amount of space messages take up on screen.", + "MessageBox_view_mode": "MessageBox View Mode", + "messages": "messages", + "Messages": "Messages", + "messages_pruned": "messages pruned", + "Messages_selected": "Messages selected", + "Messages_sent": "Messages sent", + "Messages_that_are_sent_to_the_Incoming_WebHook_will_be_posted_here": "Messages that are sent to the Incoming WebHook will be posted here.", + "Meta": "Meta", + "Meta_Description": "Set custom Meta properties.", + "Meta_custom": "Custom Meta Tags", + "Meta_fb_app_id": "Facebook App Id", + "Meta_google-site-verification": "Google Site Verification", + "Meta_language": "Language", + "Meta_msvalidate01": "MSValidate.01", + "Meta_robots": "Robots", + "meteor_status_connected": "Connected", + "meteor_status_connecting": "Connecting...", + "meteor_status_failed": "The server connection failed", + "meteor_status_offline": "Offline mode.", + "meteor_status_reconnect_in": "trying again in one second...", + "meteor_status_reconnect_in_plural": "trying again in __count__ seconds...", + "meteor_status_try_now_offline": "Connect again", + "meteor_status_try_now_waiting": "Try now", + "meteor_status_waiting": "Waiting for server connection,", + "Method": "Method", + "Mic_off": "Mic Off", + "Min_length_is": "Min length is %s", + "Minimum": "Minimum", + "Minimum_balance": "Minimum balance", + "minute": "minute", + "minutes": "minutes", + "Mobex_sms_gateway_address": "Mobex SMS Gateway Address", + "Mobex_sms_gateway_address_desc": "IP or Host of your Mobex service with specified port. E.g. `http://192.168.1.1:1401` or `https://www.example.com:1401`", + "Mobex_sms_gateway_from_number": "From", + "Mobex_sms_gateway_from_number_desc": "Originating address/phone number when sending a new SMS to livechat client", + "Mobex_sms_gateway_from_numbers_list": "List of numbers to send SMS from", + "Mobex_sms_gateway_from_numbers_list_desc": "Comma-separated list of numbers to use in sending brand new messages, eg. 123456789, 123456788, 123456888", + "Mobex_sms_gateway_password": "Password", + "Mobex_sms_gateway_restful_address": "Mobex SMS REST API Address", + "Mobex_sms_gateway_restful_address_desc": "IP or Host of your Mobex REST API. E.g. `http://192.168.1.1:8080` or `https://www.example.com:8080`", + "Mobex_sms_gateway_username": "Username", + "Mobile": "Mobile", + "Mobile_Description": "Define behaviors for connecting to your workspace from mobile devices.", + "mobile-upload-file": "Allow file upload on mobile devices", + "Mobile_Push_Notifications_Default_Alert": "Push Notifications Default Alert", + "Monday": "Monday", + "Mongo_storageEngine": "Mongo Storage Engine", + "Mongo_version": "Mongo Version", + "MongoDB": "MongoDB", + "MongoDB_Deprecated": "MongoDB Deprecated", + "MongoDB_version_s_is_deprecated_please_upgrade_your_installation": "MongoDB version %s is deprecated, please upgrade your installation.", + "Monitor_added": "Monitor Added", + "Monitor_history_for_changes_on": "Monitor History for Changes on", + "Monitor_removed": "Monitor removed", + "Monitors": "Monitors", + "Monthly_Active_Users": "Monthly Active Users", + "More": "More", + "More_channels": "More channels", + "More_direct_messages": "More direct messages", + "More_groups": "More private groups", + "More_unreads": "More unreads", + "More_options": "More options", + "Most_popular_channels_top_5": "Most popular channels (Top 5)", + "Most_recent_updated": "Most recent updated", + "Move_beginning_message": "`%s` - Move to the beginning of the message", + "Move_end_message": "`%s` - Move to the end of the message", + "Move_queue": "Move to the queue", + "Msgs": "Msgs", + "multi": "multi", + "multi_line": "multi line", + "Mute": "Mute", + "Mute_all_notifications": "Mute all notifications", + "Mute_Focused_Conversations": "Mute Focused Conversations", + "Mute_Group_Mentions": "Mute @all and @here mentions", + "Mute_someone_in_room": "Mute someone in the room", + "Mute_user": "Mute user", + "Mute_microphone": "Mute Microphone", + "mute-user": "Mute User", + "mute-user_description": "Permission to mute other users in the same channel", + "Muted": "Muted", + "My Data": "My Data", + "My_Account": "My Account", + "My_location": "My location", + "n_messages": "%s messages", + "N_new_messages": "%s new messages", + "Name": "Name", + "Name_cant_be_empty": "Name can't be empty", + "Name_of_agent": "Name of agent", + "Name_optional": "Name (optional)", + "Name_Placeholder": "Please enter your name...", + "Navigation_History": "Navigation History", + "Next": "Next", + "Never": "Never", + "New": "New", + "New_Application": "New Application", + "New_Business_Hour": "New Business Hour", + "New_Canned_Response": "New Canned Response", + "New_chat_in_queue": "New chat in queue", + "New_chat_priority": "Priority Changed: __user__ changed the priority to __priority__", + "New_chat_transfer": "New Chat Transfer: __transfer__", + "New_chat_transfer_fallback": "Transferred to fallback department: __fallback__", + "New_Contact": "New Contact", + "New_Custom_Field": "New Custom Field", + "New_Department": "New Department", + "New_discussion": "New discussion", + "New_discussion_first_message": "Usually, a discussion starts with a question, like \"How do I upload a picture?\"", + "New_discussion_name": "A meaningful name for the discussion room", + "New_Email_Inbox": "New Email Inbox", + "New_encryption_password": "New encryption password", + "New_integration": "New integration", + "New_line_message_compose_input": "`%s` - New line in message compose input", + "New_Livechat_offline_message_has_been_sent": "A new Livechat offline Message has been sent", + "New_logs": "New logs", + "New_Message_Notification": "New Message Notification", + "New_messages": "New messages", + "New_OTR_Chat": "New OTR Chat", + "New_password": "New Password", + "New_Password_Placeholder": "Please enter new password...", + "New_Priority": "New Priority", + "New_role": "New role", + "New_Room_Notification": "New Room Notification", + "New_Tag": "New Tag", + "New_Trigger": "New Trigger", + "New_Unit": "New Unit", + "New_users": "New users", + "New_version_available_(s)": "New version available (%s)", + "New_videocall_request": "New Video Call Request", + "New_visitor_navigation": "New Navigation: __history__", + "Newer_than": "Newer than", + "Newer_than_may_not_exceed_Older_than": "\"Newer than\" may not exceed \"Older than\"", + "Nickname": "Nickname", + "Nickname_Placeholder": "Enter your nickname...", + "No": "No", + "No_available_agents_to_transfer": "No available agents to transfer", + "No_app_matches": "No app matches", + "No_app_matches_for": "No app matches for", + "No_apps_installed": "No Apps Installed", + "No_Canned_Responses": "No Canned Responses", + "No_Canned_Responses_Yet": "No Canned Responses Yet", + "No_Canned_Responses_Yet-description": "Use canned responses to provide quick and consistent answers to frequently asked questions.", + "No_channels_in_team": "No Channels on this Team", + "No_channels_yet": "You aren't part of any channels yet", + "No_data_found": "No data found", + "No_direct_messages_yet": "No Direct Messages.", + "No_Discussions_found": "No discussions found", + "No_discussions_yet": "No discussions yet", + "No_emojis_found": "No emojis found", + "No_Encryption": "No Encryption", + "No_files_found": "No files found", + "No_files_left_to_download": "No files left to download", + "No_groups_yet": "You have no private groups yet.", + "No_installed_app_matches": "No installed app matches", + "No_integration_found": "No integration found by the provided id.", + "No_Limit": "No Limit", + "No_livechats": "You have no livechats", + "No_marketplace_matches_for": "No Marketplace matches for", + "No_members_found": "No members found", + "No_mentions_found": "No mentions found", + "No_messages_found_to_prune": "No messages found to prune", + "No_messages_yet": "No messages yet", + "No_pages_yet_Try_hitting_Reload_Pages_button": "No pages yet. Try hitting \"Reload Pages\" button.", + "No_pinned_messages": "No pinned messages", + "No_previous_chat_found": "No previous chat found", + "No_results_found": "No results found", + "No_results_found_for": "No results found for:", + "No_snippet_messages": "No snippet", + "No_starred_messages": "No starred messages", + "No_such_command": "No such command: `/__command__`", + "No_Threads": "No threads found", + "Nobody_available": "Nobody available", + "Node_version": "Node Version", + "None": "None", + "Nonprofit": "Nonprofit", + "Normal": "Normal", + "Not_authorized": "Not authorized", + "Not_Available": "Not Available", + "Not_enough_data": "Not enough data", + "Not_following": "Not following", + "Not_Following": "Not Following", + "Not_found_or_not_allowed": "Not Found or Not Allowed", + "Not_Imported_Messages_Title": "The following messages were not imported successfully", + "Not_in_channel": "Not in channel", + "Not_likely": "Not likely", + "Not_started": "Not started", + "Not_verified": "Not verified", + "Nothing": "Nothing", + "Nothing_found": "Nothing found", + "Notice_that_public_channels_will_be_public_and_visible_to_everyone": "Notice that public Channels will be public and visible to everyone.", + "Notification_Desktop_Default_For": "Show Desktop Notifications For", + "Notification_Push_Default_For": "Send Push Notifications For", + "Notification_RequireInteraction": "Require Interaction to Dismiss Desktop Notification", + "Notification_RequireInteraction_Description": "Works only with Chrome browser versions > 50. Utilizes the parameter requireInteraction to show the desktop notification to indefinite until the user interacts with it.", + "Notifications": "Notifications", + "Notifications_Max_Room_Members": "Max Room Members Before Disabling All Message Notifications", + "Notifications_Max_Room_Members_Description": "Max number of members in room when notifications for all messages gets disabled. Users can still change per room setting to receive all notifications on an individual basis. (0 to disable)", + "Notifications_Muted_Description": "If you choose to mute everything, you won't see the room highlight in the list when there are new messages, except for mentions. Muting notifications will override notifications settings.", + "Notifications_Preferences": "Notifications Preferences", + "Notifications_Sound_Volume": "Notifications sound volume", + "Notify_active_in_this_room": "Notify active users in this room", + "Notify_all_in_this_room": "Notify all in this room", + "NPS_survey_enabled": "Enable NPS Survey", + "NPS_survey_enabled_Description": "Allow NPS survey run for all users. Admins will receive an alert 2 months upfront the survey is launched", + "NPS_survey_is_scheduled_to-run-at__date__for_all_users": "NPS survey is scheduled to run at __date__ for all users. It's possible to turn off the survey on 'Admin > General > NPS'", + "Default_Timezone_For_Reporting": "Default timezone for reporting", + "Default_Timezone_For_Reporting_Description": "Sets the default timezone that will be used when showing dashboards or sending emails", + "Default_Server_Timezone": "Server timezone", + "Default_Custom_Timezone": "Custom timezone", + "Default_User_Timezone": "User's current timezone", + "Num_Agents": "# Agents", + "Number_in_seconds": "Number in seconds", + "Number_of_events": "Number of events", + "Number_of_federated_servers": "Number of federated servers", + "Number_of_federated_users": "Number of federated users", + "Number_of_messages": "Number of messages", + "Number_of_most_recent_chats_estimate_wait_time": "Number of recent chats to calculate estimate wait time", + "Number_of_most_recent_chats_estimate_wait_time_description": "This number defines the number of last served rooms that will be used to calculate queue wait times.", + "Number_of_users_autocomplete_suggestions": "Number of users' autocomplete suggestions", + "OAuth": "OAuth", + "OAuth_Description": "Configure authentication methods beyond just username and password.", + "OAuth Apps": "OAuth Apps", + "OAuth_Application": "OAuth Application", + "OAuth_Applications": "OAuth Applications", + "Objects": "Objects", + "Off": "Off", + "Off_the_record_conversation": "Off-the-Record Conversation", + "Off_the_record_conversation_is_not_available_for_your_browser_or_device": "Off-the-Record conversation is not available for your browser or device.", + "Office_Hours": "Office Hours", + "Office_hours_enabled": "Office Hours Enabled", + "Office_hours_updated": "Office hours updated", + "offline": "offline", + "Offline": "Offline", + "Offline_DM_Email": "Direct Message Email Subject", + "Offline_Email_Subject_Description": "You may use the following placeholders:
  • [Site_Name], [Site_URL], [User] & [Room] for the Application Name, URL, Username & Roomname respectively.
", + "Offline_form": "Offline form", + "Offline_form_unavailable_message": "Offline Form Unavailable Message", + "Offline_Link_Message": "GO TO MESSAGE", + "Offline_Mention_All_Email": "Mention All Email Subject", + "Offline_Mention_Email": "Mention Email Subject", + "Offline_message": "Offline message", + "Offline_Message": "Offline Message", + "Offline_Message_Use_DeepLink": "Use Deep Link URL Format", + "Offline_messages": "Offline Messages", + "Offline_success_message": "Offline Success Message", + "Offline_unavailable": "Offline unavailable", + "Ok": "Ok", + "Old Colors": "Old Colors", + "Old Colors (minor)": "Old Colors (minor)", + "Older_than": "Older than", + "Omnichannel": "Omnichannel", + "Omnichannel_Description": "Set up Omnichannel to communicate with customers from one place, regardless of how they connect with you.", + "Omnichannel_Directory": "Omnichannel Directory", + "Omnichannel_appearance": "Omnichannel Appearance", + "Omnichannel_calculate_dispatch_service_queue_statistics": "Calculate and dispatch Omnichannel waiting queue statistics", + "Omnichannel_calculate_dispatch_service_queue_statistics_Description": "Processing and dispatching waiting queue statistics such as position and estimated waiting time. If *Livechat channel* is not in use, it is recommended to disable this setting and prevent the server from doing unnecessary processes.", + "Omnichannel_Contact_Center": "Omnichannel Contact Center", + "Omnichannel_contact_manager_routing": "Assign new conversations to the contact manager", + "Omnichannel_contact_manager_routing_Description": "This setting allocates a chat to the assigned Contact Manager, as long as the Contact Manager is online when the chat starts", + "Omnichannel_External_Frame": "External Frame", + "Omnichannel_External_Frame_Enabled": "External frame enabled", + "Omnichannel_External_Frame_Encryption_JWK": "Encryption key (JWK)", + "Omnichannel_External_Frame_Encryption_JWK_Description": "If provided it will encrypt the user's token with the provided key and the external system will need to decrypt the data to access the token", + "Omnichannel_External_Frame_URL": "External frame URL", + "On": "On", + "On_Hold": "On hold", + "On_Hold_Chats": "On Hold", + "On_Hold_conversations": "On hold conversations", + "online": "online", + "Online": "Online", + "Only_authorized_users_can_write_new_messages": "Only authorized users can write new messages", + "Only_authorized_users_can_react_to_messages": "Only authorized users can react to messages", + "Only_from_users": "Only prune content from these users (leave empty to prune everyone's content)", + "Only_Members_Selected_Department_Can_View_Channel": "Only members of selected department can view chats on this channel", + "Only_On_Desktop": "Desktop mode (only sends with enter on desktop)", + "Only_works_with_chrome_version_greater_50": "Only works with Chrome browser versions > 50", + "Only_you_can_see_this_message": "Only you can see this message", + "Only_invited_users_can_acess_this_channel": "Only invited users can access this Channel", + "Oops_page_not_found": "Oops, page not found", + "Oops!": "Oops", + "Open": "Open", + "Open_channel_user_search": "`%s` - Open Channel / User search", + "Open_conversations": "Open Conversations", + "Open_Days": "Open days", + "Open_days_of_the_week": "Open Days of the Week", + "Open_Livechats": "Chats in Progress", + "Open_menu": "Open_menu", + "Open_thread": "Open Thread", + "Open_your_authentication_app_and_enter_the_code": "Open your authentication app and enter the code. You can also use one of your backup codes.", + "Opened": "Opened", + "Opened_in_a_new_window": "Opened in a new window.", + "Opens_a_channel_group_or_direct_message": "Opens a channel, group or direct message", + "Optional": "Optional", + "optional": "optional", + "Options": "Options", + "or": "or", + "Or_talk_as_anonymous": "Or talk as anonymous", + "Order": "Order", + "Organization_Email": "Organization Email", + "Organization_Info": "Organization Info", + "Organization_Name": "Organization Name", + "Organization_Type": "Organization Type", + "Original": "Original", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "Other": "Other", + "others": "others", + "Others": "Others", + "OTR": "OTR", + "OTR_Description": "Off-the-record chats are secure, private and disappear once ended.", + "OTR_Chat_Declined_Title": "OTR Chat invite Declined", + "OTR_Chat_Declined_Description": "%s declined OTR chat invite. For privacy protection local cache was deleted, including all related system messages.", + "OTR_Chat_Error_Title": "Chat ended due to failed key refresh", + "OTR_Chat_Error_Description": "For privacy protection local cache was deleted, including all related system messages.", + "OTR_Chat_Timeout_Title": "OTR chat invite expired", + "OTR_Chat_Timeout_Description": "%s failed to accept OTR chat invite in time. For privacy protection local cache was deleted, including all related system messages.", + "OTR_Enable_Description": "Enable option to use off-the-record (OTR) messages in direct messages between 2 users. OTR messages are not recorded on the server and exchanged directly and encrypted between the 2 users.", + "OTR_message": "OTR Message", + "OTR_is_only_available_when_both_users_are_online": "OTR is only available when both users are online", + "Out_of_seats": "Out of Seats", + "Outgoing": "Outgoing", + "Outgoing_WebHook": "Outgoing WebHook", + "Outgoing_WebHook_Description": "Get data out of Rocket.Chat in real-time.", + "Output_format": "Output format", + "Override_URL_to_which_files_are_uploaded_This_url_also_used_for_downloads_unless_a_CDN_is_given": "Override URL to which files are uploaded. This url also used for downloads unless a CDN is given", + "Owner": "Owner", + "Play": "Play", + "Page_title": "Page title", + "Page_URL": "Page URL", + "Pages": "Pages", + "Parent_channel_doesnt_exist": "Channel does not exist.", + "Participants": "Participants", + "Password": "Password", + "Password_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of passwords", + "Password_Changed_Description": "You may use the following placeholders:
  • [password] for the temporary password.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Password_Changed_Email_Subject": "[Site_Name] - Password Changed", + "Password_changed_section": "Password Changed", + "Password_changed_successfully": "Password changed successfully", + "Password_History": "Password History", + "Password_History_Amount": "Password History Length", + "Password_History_Amount_Description": "Amount of most recently used passwords to prevent users from reusing.", + "Password_Policy": "Password Policy", + "Password_to_access": "Password to access", + "Passwords_do_not_match": "Passwords do not match", + "Past_Chats": "Past Chats", + "Paste_here": "Paste here...", + "Paste": "Paste", + "Paste_error": "Error reading from clipboard", + "Paid_Apps": "Paid Apps", + "Payload": "Payload", + "PDF": "PDF", + "Peer_Password": "Peer Password", + "People": "People", + "Permalink": "Permalink", + "Permissions": "Permissions", + "Personal_Access_Tokens": "Personal Access Tokens", + "Phone": "Phone", + "Phone_call": "Phone Call", + "Phone_Number": "Phone Number", + "Phone_already_exists": "Phone already exists", + "Phone_number": "Phone number", + "PID": "PID", + "Pin": "Pin", + "Pin_Message": "Pin Message", + "pin-message": "Pin Message", + "pin-message_description": "Permission to pin a message in a channel", + "Pinned_a_message": "Pinned a message:", + "Pinned_Messages": "Pinned Messages", + "pinning-not-allowed": "Pinning is not allowed", + "PiwikAdditionalTrackers": "Additional Piwik Sites", + "PiwikAdditionalTrackers_Description": "Enter addtitional Piwik website URLs and SiteIDs in the following format, if you want to track the same data into different websites: [ { \"trackerURL\" : \"https://my.piwik.domain2/\", \"siteId\" : 42 }, { \"trackerURL\" : \"https://my.piwik.domain3/\", \"siteId\" : 15 } ]", + "PiwikAnalytics_cookieDomain": "All Subdomains", + "PiwikAnalytics_cookieDomain_Description": "Track visitors across all subdomains", + "PiwikAnalytics_domains": "Hide Outgoing Links", + "PiwikAnalytics_domains_Description": "In the 'Outlinks' report, hide clicks to known alias URLs. Please insert one domain per line and do not use any separators.", + "PiwikAnalytics_prependDomain": "Prepend Domain", + "PiwikAnalytics_prependDomain_Description": "Prepend the site domain to the page title when tracking", + "PiwikAnalytics_siteId_Description": "The site id to use for identifying this site. Example: 17", + "PiwikAnalytics_url_Description": "The url where the Piwik resides, be sure to include the trailing slash. Example: //piwik.rocket.chat/", + "Placeholder_for_email_or_username_login_field": "Placeholder for Email or Username Login Field", + "Placeholder_for_password_login_confirm_field": "Confirm Placeholder for Password Login Field", + "Placeholder_for_password_login_field": "Placeholder for Password Login Field", + "Please_add_a_comment": "Please add a comment", + "Please_add_a_comment_to_close_the_room": "Please, add a comment to close the room", + "Please_answer_survey": "Please take a moment to answer a quick survey about this chat", + "Please_enter_usernames": "Please enter usernames...", + "please_enter_valid_domain": "Please enter a valid domain", + "Please_enter_value_for_url": "Please enter a value for the url of your avatar.", + "Please_enter_your_new_password_below": "Please enter your new password below:", + "Please_enter_your_password": "Please enter your password", + "Please_fill_a_label": "Please fill a label", + "Please_fill_a_name": "Please fill a name", + "Please_fill_a_token_name": "Please fill a valid token name", + "Please_fill_a_username": "Please fill a username", + "Please_fill_all_the_information": "Please fill all the information", + "Please_fill_an_email": "Please fill an email", + "Please_fill_name_and_email": "Please fill name and email", + "Please_go_to_the_Administration_page_then_Livechat_Facebook": "Please go to the Administration page then Omnichannel > Facebook", + "Please_select_an_user": "Please select an user", + "Please_select_enabled_yes_or_no": "Please select an option for Enabled", + "Please_select_visibility": "Please select a visibility", + "Please_wait": "Please wait", + "Please_wait_activation": "Please wait, this can take some time.", + "Please_wait_while_OTR_is_being_established": "Please wait while OTR is being established", + "Please_wait_while_your_account_is_being_deleted": "Please wait while your account is being deleted...", + "Please_wait_while_your_profile_is_being_saved": "Please wait while your profile is being saved...", + "Policies": "Policies", + "Pool": "Pool", + "Port": "Port", + "Post_as": "Post as", + "Post_to": "Post to", + "Post_to_Channel": "Post to Channel", + "Post_to_s_as_s": "Post to %s as %s", + "post-readonly": "Post ReadOnly", + "post-readonly_description": "Permission to post a message in a read-only channel", + "Preferences": "Preferences", + "Preferences_saved": "Preferences saved", + "Preparing_data_for_import_process": "Preparing data for import process", + "Preparing_list_of_channels": "Preparing list of channels", + "Preparing_list_of_messages": "Preparing list of messages", + "Preparing_list_of_users": "Preparing list of users", + "Presence": "Presence", + "Preview": "Preview", + "preview-c-room": "Preview Public Channel", + "preview-c-room_description": "Permission to view the contents of a public channel before joining", + "Previous_month": "Previous Month", + "Previous_week": "Previous Week", + "Price": "Price", + "Priorities": "Priorities", + "Priority": "Priority", + "Priority_removed": "Priority removed", + "Privacy": "Privacy", + "Privacy_Policy": "Privacy Policy", + "Privacy_summary": "Privacy summary", + "Private": "Private", + "Private_Channel": "Private Channel", + "Private_Channels": "Private Channels", + "Private_Chats": "Private Chats", + "Private_Group": "Private Group", + "Private_Groups": "Private Groups", + "Private_Groups_list": "List of Private Groups", + "Private_Team": "Private Team", + "Productivity": "Productivity", + "Profile": "Profile", + "Profile_details": "Profile Details", + "Profile_picture": "Profile Picture", + "Profile_saved_successfully": "Profile saved successfully", + "Prometheus": "Prometheus", + "Prometheus_API_User_Agent": "API: Track User Agent", + "Prometheus_Garbage_Collector": "Collect NodeJS GC", + "Prometheus_Garbage_Collector_Alert": "Restart required to deactivate", + "Prometheus_Reset_Interval": "Reset Interval (ms)", + "Protocol": "Protocol", + "Prune": "Prune", + "Prune_finished": "Prune finished", + "Prune_Messages": "Prune Messages", + "Prune_Modal": "Are you sure you wish to prune these messages? Pruned messages cannot be recovered.", + "Prune_Warning_after": "This will delete all %s in %s after %s.", + "Prune_Warning_all": "This will delete all %s in %s!", + "Prune_Warning_before": "This will delete all %s in %s before %s.", + "Prune_Warning_between": "This will delete all %s in %s between %s and %s.", + "Pruning_files": "Pruning files...", + "Pruning_messages": "Pruning messages...", + "Public": "Public", + "Public_Channel": "Public Channel", + "Public_Channels": "Public Channels", + "Public_Community": "Public Community", + "Public_URL": "Public URL", + "Purchase_for_free": "Purchase for FREE", + "Purchase_for_price": "Purchase for $%s", + "Purchased": "Purchased", + "Push": "Push", + "Push_Description": "Enable and configure push notifications for workspace members using mobile devices.", + "Push_Notifications": "Push Notifications", + "Push_apn_cert": "APN Cert", + "Push_apn_dev_cert": "APN Dev Cert", + "Push_apn_dev_key": "APN Dev Key", + "Push_apn_dev_passphrase": "APN Dev Passphrase", + "Push_apn_key": "APN Key", + "Push_apn_passphrase": "APN Passphrase", + "Push_enable": "Enable", + "Push_enable_gateway": "Enable Gateway", + "Push_enable_gateway_Description": "Warning: You need to accept to register your server (Setup Wizard > Organization Info > Register Server) and our privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to enabled this setting and use our gateway. Even if this setting is on it won't work if the server isn't registered.", + "Push_gateway": "Gateway", + "Push_gateway_description": "Multiple lines can be used to specify multiple gateways", + "Push_gcm_api_key": "GCM API Key", + "Push_gcm_project_number": "GCM Project Number", + "Push_production": "Production", + "Push_request_content_from_server": "Fetch full message content from the server on receipt", + "Push_Setting_Requires_Restart_Alert": "Changing this value requires restarting Rocket.Chat.", + "Push_show_message": "Show Message in Notification", + "Push_show_username_room": "Show Channel/Group/Username in Notification", + "Push_test_push": "Test", + "Query": "Query", + "Query_description": "Additional conditions for determining which users to send the email to. Unsubscribed users are automatically removed from the query. It must be a valid JSON. Example: \"{\"createdAt\":{\"$gt\":{\"$date\": \"2015-01-01T00:00:00.000Z\"}}}\"", + "Query_is_not_valid_JSON": "Query is not valid JSON", + "Queue": "Queue", + "Queues": "Queues", + "Queue_delay_timeout": "Queue processing delay timeout", + "Queue_Time": "Queue Time", + "Queue_management": "Queue Management", + "quote": "quote", + "Quote": "Quote", + "Random": "Random", + "Rate Limiter": "Rate Limiter", + "Rate Limiter_Description": "Control the rate of requests sent or recieved by your server to prevent cyber attacks and scraping.", + "Rate_Limiter_Limit_RegisterUser": "Default number calls to the rate limiter for registering a user", + "Rate_Limiter_Limit_RegisterUser_Description": "Number of default calls for user registering endpoints(REST and real-time API's), allowed within the time range defined in the API Rate Limiter section.", + "Reached_seat_limit_banner_warning": "*No more seats available* \nThis workspace has reached its seat limit so no more members can join. *[Request More Seats](__url__)*", + "React_when_read_only": "Allow Reacting", + "React_when_read_only_changed_successfully": "Allow reacting when read only changed successfully", + "Reacted_with": "Reacted with", + "Reactions": "Reactions", + "Read_by": "Read by", + "Read_only": "Read Only", + "Read_only_changed_successfully": "Read only changed successfully", + "Read_only_channel": "Read Only Channel", + "Read_only_group": "Read Only Group", + "Real_Estate": "Real Estate", + "Real_Time_Monitoring": "Real-time Monitoring", + "RealName_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of names", + "Reason_To_Join": "Reason to Join", + "Receive_alerts": "Receive alerts", + "Receive_Group_Mentions": "Receive @all and @here mentions", + "Recent_Import_History": "Recent Import History", + "Record": "Record", + "recording": "recording", + "Redirect_URI": "Redirect URI", + "Refresh": "Refresh", + "Refresh_keys": "Refresh keys", + "Refresh_oauth_services": "Refresh OAuth Services", + "Refresh_your_page_after_install_to_enable_screen_sharing": "Refresh your page after install to enable screen sharing", + "Refreshing": "Refreshing", + "Regenerate_codes": "Regenerate codes", + "Regexp_validation": "Validation by regular expression", + "Register": "Register", + "Register_new_account": "Register a new account", + "Register_Server": "Register Server", + "Register_Server_Info": "Use the preconfigured gateways and proxies provided by Rocket.Chat Technologies Corp.", + "Register_Server_Opt_In": "Product and Security Updates", + "Register_Server_Registered": "Register to access", + "Register_Server_Registered_I_Agree": "I agree with the", + "Register_Server_Registered_Livechat": "Livechat omnichannel proxy", + "Register_Server_Registered_Marketplace": "Apps Marketplace", + "Register_Server_Registered_OAuth": "OAuth proxy for social network", + "Register_Server_Registered_Push_Notifications": "Mobile push notifications gateway", + "Register_Server_Standalone": "Keep standalone, you'll need to", + "Register_Server_Standalone_Own_Certificates": "Recompile the mobile apps with your own certificates", + "Register_Server_Standalone_Service_Providers": "Create accounts with service providers", + "Register_Server_Standalone_Update_Settings": "Update the preconfigured settings", + "Register_Server_Terms_Alert": "Please agree to terms to complete registration", + "register-on-cloud": "Register on cloud", + "Registration": "Registration", + "Registration_Succeeded": "Registration Succeeded", + "Registration_via_Admin": "Registration via Admin", + "Regular_Expressions": "Regular Expressions", + "Release": "Release", + "Releases": "Releases", + "Religious": "Religious", + "Reload": "Reload", + "Reload_page": "Reload Page", + "Reload_Pages": "Reload Pages", + "Remove": "Remove", + "Remove_Admin": "Remove Admin", + "Remove_Association": "Remove Association", + "Remove_as_leader": "Remove as leader", + "Remove_as_moderator": "Remove as moderator", + "Remove_as_owner": "Remove as owner", + "Remove_Channel_Links": "Remove channel links", + "Remove_custom_oauth": "Remove custom oauth", + "Remove_from_room": "Remove from room", + "Remove_from_team": "Remove from team", + "Remove_last_admin": "Removing last admin", + "Remove_someone_from_room": "Remove someone from the room", + "remove-closed-livechat-room": "Remove Closed Omnichannel Room", + "remove-closed-livechat-rooms": "Remove All Closed Omnichannel Rooms", + "remove-closed-livechat-rooms_description": "Permission to remove all closed omnichannel rooms", + "remove-livechat-department": "Remove Omnichannel Departments", + "remove-slackbridge-links": "Remove slackbridge links", + "remove-user": "Remove User", + "remove-user_description": "Permission to remove a user from a room", + "Removed": "Removed", + "Removed_User": "Removed User", + "Removed__roomName__from_this_team": "removed #__roomName__ from this Team", + "Removed__username__from_team": "removed @__user_removed__ from this Team", + "Replay": "Replay", + "Replied_on": "Replied on", + "Replies": "Replies", + "Reply": "Reply", + "reply_counter": "__counter__ reply", + "reply_counter_plural": "__counter__ replies", + "Reply_in_direct_message": "Reply in Direct Message", + "Reply_in_thread": "Reply in Thread", + "Reply_via_Email": "Reply via Email", + "ReplyTo": "Reply-To", + "Report": "Report", + "Report_Abuse": "Report Abuse", + "Report_exclamation_mark": "Report!", + "Report_Number": "Report Number", + "Report_sent": "Report sent", + "Report_this_message_question_mark": "Report this message?", + "Reporting": "Reporting", + "Request": "Request", + "Request_seats": "Request Seats", + "Request_more_seats": "Request more seats.", + "Request_more_seats_out_of_seats": "You can not add members because this Workspace is out of seats, please request more seats.", + "Request_more_seats_sales_team": "Once your request is submitted, our Sales Team will look into it and will reach out to you within the next couple of days.", + "Request_more_seats_title": "Request More Seats", + "Request_comment_when_closing_conversation": "Request comment when closing conversation", + "Request_comment_when_closing_conversation_description": "If enabled, the agent will need to set a comment before the conversation is closed.", + "Request_tag_before_closing_chat": "Request tag(s) before closing conversation", + "Requested_At": "Requested At", + "Requested_By": "Requested By", + "Require": "Require", + "Required": "Required", + "required": "required", + "Require_all_tokens": "Require all tokens", + "Require_any_token": "Require any token", + "Require_password_change": "Require password change", + "Resend_verification_email": "Resend verification email", + "Reset": "Reset", + "Reset_Connection": "Reset Connection", + "Reset_E2E_Key": "Reset E2E Key", + "Reset_password": "Reset password", + "Reset_section_settings": "Reset Section to Default", + "Reset_TOTP": "Reset TOTP", + "reset-other-user-e2e-key": "Reset Other User E2E Key", + "Responding": "Responding", + "Response_description_post": "Empty bodies or bodies with an empty text property will simply be ignored. Non-200 responses will be retried a reasonable number of times. A response will be posted using the alias and avatar specified above. You can override these informations as in the example above.", + "Response_description_pre": "If the handler wishes to post a response back into the channel, the following JSON should be returned as the body of the response:", + "Restart": "Restart", + "Restart_the_server": "Restart the server", + "restart-server": "Restart the server", + "Retail": "Retail", + "Retention_setting_changed_successfully": "Retention policy setting changed successfully", + "RetentionPolicy": "Retention Policy", + "RetentionPolicy_Advanced_Precision": "Use Advanced Retention Policy configuration", + "RetentionPolicy_Advanced_Precision_Cron": "Use Advanced Retention Policy Cron", + "RetentionPolicy_Advanced_Precision_Cron_Description": "How often the prune timer should run defined by cron job expression. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", + "RetentionPolicy_AppliesToChannels": "Applies to channels", + "RetentionPolicy_AppliesToDMs": "Applies to direct messages", + "RetentionPolicy_AppliesToGroups": "Applies to private groups", + "RetentionPolicy_Description": "Automatically prune old messages and files across your workspace.", + "RetentionPolicy_DoNotPruneDiscussion": "Do not prune discussion messages", + "RetentionPolicy_DoNotPrunePinned": "Do not prune pinned messages", + "RetentionPolicy_DoNotPruneThreads": "Do not prune Threads", + "RetentionPolicy_Enabled": "Enabled", + "RetentionPolicy_ExcludePinned": "Exclude pinned messages", + "RetentionPolicy_FilesOnly": "Only delete files", + "RetentionPolicy_FilesOnly_Description": "Only files will be deleted, the messages themselves will stay in place.", + "RetentionPolicy_MaxAge": "Maximum message age", + "RetentionPolicy_MaxAge_Channels": "Maximum message age in channels", + "RetentionPolicy_MaxAge_Description": "Prune all messages older than this value, in days", + "RetentionPolicy_MaxAge_DMs": "Maximum message age in direct messages", + "RetentionPolicy_MaxAge_Groups": "Maximum message age in private groups", + "RetentionPolicy_Precision": "Timer Precision", + "RetentionPolicy_Precision_Description": "How often the prune timer should run. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", + "RetentionPolicy_RoomWarning": "Messages older than __time__ are automatically pruned here", + "RetentionPolicy_RoomWarning_FilesOnly": "Files older than __time__ are automatically pruned here (messages stay intact)", + "RetentionPolicy_RoomWarning_Unpinned": "Unpinned messages older than __time__ are automatically pruned here", + "RetentionPolicy_RoomWarning_UnpinnedFilesOnly": "Unpinned files older than __time__ are automatically pruned here (messages stay intact)", + "RetentionPolicyRoom_Enabled": "Automatically prune old messages", + "RetentionPolicyRoom_ExcludePinned": "Exclude pinned messages", + "RetentionPolicyRoom_FilesOnly": "Prune files only, keep messages", + "RetentionPolicyRoom_MaxAge": "Maximum message age in days (default: __max__)", + "RetentionPolicyRoom_OverrideGlobal": "Override global retention policy", + "RetentionPolicyRoom_ReadTheDocs": "Watch out! Tweaking these settings without utmost care can destroy all message history. Please read the documentation before turning the feature on here.", + "Retry": "Retry", + "Retry_Count": "Retry Count", + "Return_to_home": "Return to home", + "Return_to_previous_page": "Return to previous page", + "Return_to_the_queue": "Return back to the Queue", + "Ringing": "Ringing", + "Robot_Instructions_File_Content": "Robots.txt File Contents", + "Default_Referrer_Policy": "Default Referrer Policy", + "Default_Referrer_Policy_Description": "This controls the 'referrer' header that's sent when requesting embedded media from other servers. For more information, refer to this link from MDN. Remember, a full page refresh is required for this to take effect", + "No_Referrer": "No Referrer", + "No_Referrer_When_Downgrade": "No referrer when downgrade", + "Notes": "Notes", + "Origin": "Origin", + "Origin_When_Cross_Origin": "Origin when cross origin", + "Same_Origin": "Same origin", + "Strict_Origin": "Strict origin", + "Strict_Origin_When_Cross_Origin": "Strict origin when cross origin", + "UIKit_Interaction_Timeout": "App has failed to respond. Please try again or contact your admin", + "Unsafe_Url": "Unsafe URL", + "Rocket_Chat_Alert": "Rocket.Chat Alert", + "Role": "Role", + "Roles": "Roles", + "Role_Editing": "Role Editing", + "Role_Mapping": "Role mapping", + "Role_removed": "Role removed", + "Room": "Room", + "room_allowed_reacting": "Room allowed reacting by __user_by__", + "Room_announcement_changed_successfully": "Room announcement changed successfully", + "Room_archivation_state": "State", + "Room_archivation_state_false": "Active", + "Room_archivation_state_true": "Archived", + "Room_archived": "Room archived", + "room_changed_announcement": "Room announcement changed to: __room_announcement__ by __user_by__", + "room_changed_avatar": "Room avatar changed by __user_by__", + "room_changed_description": "Room description changed to: __room_description__ by __user_by__", + "room_changed_privacy": "Room type changed to: __room_type__ by __user_by__", + "room_changed_topic": "Room topic changed to: __room_topic__ by __user_by__", + "Room_default_change_to_private_will_be_default_no_more": "This is a default channel and changing it to a private group will cause it to no longer be a default channel. Do you want to proceed?", + "Room_description_changed_successfully": "Room description changed successfully", + "room_disallowed_reacting": "Room disallowed reacting by __user_by__", + "Room_Edit": "Room Edit", + "Room_has_been_archived": "Room has been archived", + "Room_has_been_deleted": "Room has been deleted", + "Room_has_been_removed": "Room has been removed", + "Room_has_been_unarchived": "Room has been unarchived", + "Room_Info": "Room Information", + "room_is_blocked": "This room is blocked", + "room_account_deactivated": "This account is deactivated", + "room_is_read_only": "This room is read only", + "room_name": "room name", + "Room_name_changed": "Room name changed to: __room_name__ by __user_by__", + "Room_name_changed_successfully": "Room name changed successfully", + "Room_not_exist_or_not_permission": "This room does not exist or you may not have permission to access", + "Room_not_found": "Room not found", + "Room_password_changed_successfully": "Room password changed successfully", + "room_removed_read_only": "Room added writing permission by __user_by__", + "room_set_read_only": "Room set as Read Only by __user_by__", + "Room_topic_changed_successfully": "Room topic changed successfully", + "Room_type_changed_successfully": "Room type changed successfully", + "Room_type_of_default_rooms_cant_be_changed": "This is a default room and the type can not be changed, please consult with your administrator.", + "Room_unarchived": "Room unarchived", + "Room_updated_successfully": "Room updated successfully!", + "Room_uploaded_file_list": "Files List", + "Room_uploaded_file_list_empty": "No files available.", + "Rooms": "Rooms", + "Rooms_added_successfully": "Rooms added successfully", + "Routing": "Routing", + "Run_only_once_for_each_visitor": "Run only once for each visitor", + "run-import": "Run Import", + "run-import_description": "Permission to run the importers", + "run-migration": "Run Migration", + "run-migration_description": "Permission to run the migrations", + "Running_Instances": "Running Instances", + "Runtime_Environment": "Runtime Environment", + "S_new_messages_since_s": "%s new messages since %s", + "Same_As_Token_Sent_Via": "Same as \"Token Sent Via\"", + "Same_Style_For_Mentions": "Same style for mentions", + "SAML": "SAML", + "SAML_Description": "Security Assertion Markup Language used for exchanging authentication and authorization data.", + "SAML_Allowed_Clock_Drift": "Allowed clock drift from Identity Provider", + "SAML_Allowed_Clock_Drift_Description": "The clock of the Identity Provider may drift slightly ahead of your system clocks. You can allow for a small amount of clock drift. Its value must be given in a number of milliseconds (ms). The value given is added to the current time at which the response is validated.", + "SAML_AuthnContext_Template": "AuthnContext Template", + "SAML_AuthnContext_Template_Description": "You can use any variable from the AuthnRequest Template here.\n\n To add additional authn contexts, duplicate the __AuthnContextClassRef__ tag and replace the __\\_\\_authnContext\\_\\___ variable with the new context.", + "SAML_AuthnRequest_Template": "AuthnRequest Template", + "SAML_AuthnRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.\n- **\\_\\_entryPoint\\_\\_**: The value of the __Custom Entry Point__ setting.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormatTag\\_\\_**: The contents of the __NameID Policy Template__ if a valid __Identifier Format__ is configured.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_authnContextTag\\_\\_**: The contents of the __AuthnContext Template__ if a valid __Custom Authn Context__ is configured.\n- **\\_\\_authnContextComparison\\_\\_**: The value of the __Authn Context Comparison__ setting.\n- **\\_\\_authnContext\\_\\_**: The value of the __Custom Authn Context__ setting.", + "SAML_Connection": "Connection", + "SAML_Enterprise": "Enterprise", + "SAML_General": "General", + "SAML_Custom_Authn_Context": "Custom Authn Context", + "SAML_Custom_Authn_Context_Comparison": "Authn Context Comparison", + "SAML_Custom_Authn_Context_description": "Leave this empty to omit the authn context from the request.\n\n To add multiple authn contexts, add the additional ones directly to the __AuthnContext Template__ setting.", + "SAML_Custom_Cert": "Custom Certificate", + "SAML_Custom_Debug": "Enable Debug", + "SAML_Custom_EMail_Field": "E-Mail field name", + "SAML_Custom_Entry_point": "Custom Entry Point", + "SAML_Custom_Generate_Username": "Generate Username", + "SAML_Custom_IDP_SLO_Redirect_URL": "IDP SLO Redirect URL", + "SAML_Custom_Immutable_Property": "Immutable field name", + "SAML_Custom_Immutable_Property_EMail": "E-Mail", + "SAML_Custom_Immutable_Property_Username": "Username", + "SAML_Custom_Issuer": "Custom Issuer", + "SAML_Custom_Logout_Behaviour": "Logout Behaviour", + "SAML_Custom_Logout_Behaviour_End_Only_RocketChat": "Only log out from Rocket.Chat", + "SAML_Custom_Logout_Behaviour_Terminate_SAML_Session": "Terminate SAML-session", + "SAML_Custom_mail_overwrite": "Overwrite user mail (use idp attribute)", + "SAML_Custom_name_overwrite": "Overwrite user fullname (use idp attribute)", + "SAML_Custom_Private_Key": "Private Key Contents", + "SAML_Custom_Provider": "Custom Provider", + "SAML_Custom_Public_Cert": "Public Cert Contents", + "SAML_Custom_signature_validation_all": "Validate All Signatures", + "SAML_Custom_signature_validation_assertion": "Validate Assertion Signature", + "SAML_Custom_signature_validation_either": "Validate Either Signature", + "SAML_Custom_signature_validation_response": "Validate Response Signature", + "SAML_Custom_signature_validation_type": "Signature Validation Type", + "SAML_Custom_signature_validation_type_description": "This setting will be ignored if no Custom Certificate is provided.", + "SAML_Custom_user_data_fieldmap": "User Data Field Map", + "SAML_Custom_user_data_fieldmap_description": "Configure how user account fields (like email) are populated from a record in SAML (once found). \nAs an example, `{\"name\":\"cn\", \"email\":\"mail\"}` will choose a person's human readable name from the cn attribute, and their email from the mail attribute.\nAvailable fields in Rocket.Chat: `name`, `email` and `username`, everything else will be discarted.\n```{\n \"email\": \"mail\",\n \"username\": {\n \"fieldName\": \"mail\",\n \"regex\": \"(.*)@.+$\",\n \"template\": \"user-__regex__\"\n },\n \"name\": {\n \"fieldNames\": [\n \"firstName\",\n \"lastName\"\n ],\n \"template\": \"__firstName__ __lastName__\"\n },\n \"__identifier__\": \"uid\"\n}\n", + "SAML_Custom_user_data_custom_fieldmap": "User Data Custom Field Map", + "SAML_Custom_user_data_custom_fieldmap_description": "Configure how user custom fields are populated from a record in SAML (once found).", + "SAML_Custom_Username_Field": "Username field name", + "SAML_Custom_Username_Normalize": "Normalize username", + "SAML_Custom_Username_Normalize_Lowercase": "To Lowercase", + "SAML_Custom_Username_Normalize_None": "No normalization", + "SAML_Default_User_Role": "Default User Role", + "SAML_Default_User_Role_Description": "You can specify multiple roles, separating them with commas.", + "SAML_Identifier_Format": "Identifier Format", + "SAML_Identifier_Format_Description": "Leave this empty to omit the NameID Policy from the request.", + "SAML_LogoutRequest_Template": "Logout Request Template", + "SAML_LogoutRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP when the user logged in.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP when the user logged in.", + "SAML_LogoutResponse_Template": "Logout Response Template", + "SAML_LogoutResponse_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_inResponseToId\\_\\_**: The ID of the Logout Request received from the IdP\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP Logout Request.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP Logout Request.", + "SAML_Metadata_Certificate_Template_Description": "The following variables are available:\n- **\\_\\_certificate\\_\\_**: The private certificate for assertion encryption.", + "SAML_Metadata_Template": "Metadata Template", + "SAML_Metadata_Template_Description": "The following variables are available:\n- **\\_\\_sloLocation\\_\\_**: The Rocket.Chat Single LogOut URL.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_certificateTag\\_\\_**: If a private certificate is configured, this will include the __Metadata Certificate Template__, otherwise it will be ignored.\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.", + "SAML_MetadataCertificate_Template": "Metadata Certificate Template", + "SAML_NameIdPolicy_Template": "NameID Policy Template", + "SAML_NameIdPolicy_Template_Description": "You can use any variable from the Authorize Request Template here.", + "SAML_Role_Attribute_Name": "Role Attribute Name", + "SAML_Role_Attribute_Name_Description": "If this attribute is found on the SAML response, it's values will be used as role names for new users.", + "SAML_Role_Attribute_Sync": "Sync User Roles", + "SAML_Role_Attribute_Sync_Description": "Sync SAML user roles on login (overwrites local user roles).", + "SAML_Section_1_User_Interface": "User Interface", + "SAML_Section_2_Certificate": "Certificate", + "SAML_Section_3_Behavior": "Behavior", + "SAML_Section_4_Roles": "Roles", + "SAML_Section_5_Mapping": "Mapping", + "SAML_Section_6_Advanced": "Advanced", + "SAML_Custom_channels_update": "Update Room Subscriptions on Each Login", + "SAML_Custom_channels_update_description": "Ensures user is a member of all channels in SAML assertion on every login.", + "SAML_Custom_include_private_channels_update": "Include Private Rooms in Room Subscription", + "SAML_Custom_include_private_channels_update_description": "Adds user to any private rooms that exist in the SAML assertion.", + "Saturday": "Saturday", + "Save": "Save", + "Save_changes": "Save changes", + "Save_Mobile_Bandwidth": "Save Mobile Bandwidth", + "Save_to_enable_this_action": "Save to enable this action", + "Save_To_Webdav": "Save to WebDAV", + "Save_Your_Encryption_Password": "Save Your Encryption Password", + "save-others-livechat-room-info": "Save Others Omnichannel Room Info", + "save-others-livechat-room-info_description": "Permission to save information from other omnichannel rooms", + "Saved": "Saved", + "Saving": "Saving", + "Scan_QR_code": "Using an authenticator app like Google Authenticator, Authy or Duo, scan the QR code. It will display a 6 digit code which you need to enter below.", + "Scan_QR_code_alternative_s": "If you can't scan the QR code, you may enter code manually instead:", + "Scope": "Scope", + "Score": "Score", + "Screen_Lock": "Screen Lock", + "Screen_Share": "Screen Share", + "Script_Enabled": "Script Enabled", + "Search": "Search", + "Search_Apps": "Search Apps", + "Search_by_file_name": "Search by file name", + "Search_by_username": "Search by username", + "Search_by_category": "Search by category", + "Search_Channels": "Search Channels", + "Search_Chat_History": "Search Chat History", + "Search_current_provider_not_active": "Current Search Provider is not active", + "Search_Description": "Select workspace search provider and configure search related settings.", + "Search_Files": "Search Files", + "Search_for_a_more_general_term": "Search for a more general term", + "Search_for_a_more_specific_term": "Search for a more specific term", + "Search_Integrations": "Search Integrations", + "Search_message_search_failed": "Search request failed", + "Search_Messages": "Search Messages", + "Search_on_marketplace": "Search on Marketplace", + "Search_Page_Size": "Page Size", + "Search_Private_Groups": "Search Private Groups", + "Search_Provider": "Search Provider", + "Search_Rooms": "Search Rooms", + "Search_Users": "Search Users", + "Seats_Available": "__seatsLeft__ Seats Available", + "Seats_usage": "Seats Usage", + "seconds": "seconds", + "Secret_token": "Secret Token", + "Security": "Security", + "See_full_profile": "See full profile", + "Select_a_department": "Select a department", + "Select_a_room": "Select a room", + "Select_a_user": "Select a user", + "Select_an_avatar": "Select an avatar", + "Select_an_option": "Select an option", + "Select_at_least_one_user": "Select at least one user", + "Select_at_least_two_users": "Select at least two users", + "Select_department": "Select a department", + "Select_file": "Select file", + "Select_role": "Select a Role", + "Select_service_to_login": "Select a service to login to load your picture or upload one directly from your computer", + "Select_tag": "Select a tag", + "Select_the_channels_you_want_the_user_to_be_removed_from": "Select the channels you want the user to be removed from", + "Select_the_teams_channels_you_would_like_to_delete": "Select the Team’s Channels you would like to delete, the ones you do not select will be moved to the Workspace.", + "Select_user": "Select user", + "Select_users": "Select users", + "Selected_agents": "Selected agents", + "Selected_departments": "Selected Departments", + "Selected_monitors": "Selected Monitors", + "Selecting_users": "Selecting users", + "Send": "Send", + "Send_a_message": "Send a message", + "Send_a_test_mail_to_my_user": "Send a test mail to my user", + "Send_a_test_push_to_my_user": "Send a test push to my user", + "Send_confirmation_email": "Send confirmation email", + "Send_data_into_RocketChat_in_realtime": "Send data into Rocket.Chat in real-time.", + "Send_email": "Send Email", + "Send_invitation_email": "Send invitation email", + "Send_invitation_email_error": "You haven't provided any valid email address.", + "Send_invitation_email_info": "You can send multiple email invitations at once.", + "Send_invitation_email_success": "You have successfully sent an invitation email to the following addresses:", + "Send_it_as_attachment_instead_question": "Send it as attachment instead?", + "Send_me_the_code_again": "Send me the code again", + "Send_request_on": "Send Request on", + "Send_request_on_agent_message": "Send Request on Agent Messages", + "Send_request_on_chat_close": "Send Request on Chat Close", + "Send_request_on_chat_queued": "Send request on Chat Queued", + "Send_request_on_chat_start": "Send Request on Chat Start", + "Send_request_on_chat_taken": "Send Request on Chat Taken", + "Send_request_on_forwarding": "Send Request on Forwarding", + "Send_request_on_lead_capture": "Send request on lead capture", + "Send_request_on_offline_messages": "Send Request on Offline Messages", + "Send_request_on_visitor_message": "Send Request on Visitor Messages", + "Send_Test": "Send Test", + "Send_Test_Email": "Send test email", + "Send_via_email": "Send via email", + "Send_via_Email_as_attachment": "Send via Email as attachment", + "Send_Visitor_navigation_history_as_a_message": "Send Visitor Navigation History as a Message", + "Send_visitor_navigation_history_on_request": "Send Visitor Navigation History on Request", + "Send_welcome_email": "Send welcome email", + "Send_your_JSON_payloads_to_this_URL": "Send your JSON payloads to this URL.", + "send-mail": "Send emails", + "send-many-messages": "Send Many Messages", + "send-many-messages_description": "Permission to bypasses rate limit of 5 messages per second", + "send-omnichannel-chat-transcript": "Send Omnichannel Conversation Transcript", + "send-omnichannel-chat-transcript_description": "Permission to send omnichannel conversation transcript", + "Sender_Info": "Sender Info", + "Sending": "Sending...", + "Sent_an_attachment": "Sent an attachment", + "Sent_from": "Sent from", + "Separate_multiple_words_with_commas": "Separate multiple words with commas", + "Served_By": "Served By", + "Server": "Server", + "Server_Configuration": "Server Configuration", + "Server_File_Path": "Server File Path", + "Server_Folder_Path": "Server Folder Path", + "Server_Info": "Server Info", + "Server_Type": "Server Type", + "Service": "Service", + "Service_account_key": "Service account key", + "Set_as_favorite": "Set as favorite", + "Set_as_leader": "Set as leader", + "Set_as_moderator": "Set as moderator", + "Set_as_owner": "Set as owner", + "Set_random_password_and_send_by_email": "Set random password and send by email", + "set-leader": "Set Leader", + "set-leader_description": "Permission to set other users as leader of a channel", + "set-moderator": "Set Moderator", + "set-moderator_description": "Permission to set other users as moderator of a channel", + "set-owner": "Set Owner", + "set-owner_description": "Permission to set other users as owner of a channel", + "set-react-when-readonly": "Set React When ReadOnly", + "set-react-when-readonly_description": "Permission to set the ability to react to messages in a read only channel", + "set-readonly": "Set ReadOnly", + "set-readonly_description": "Permission to set a channel to read only channel", + "Settings": "Settings", + "Settings_updated": "Settings updated", + "Setup_Wizard": "Setup Wizard", + "Setup_Wizard_Description": "Basic info about your workspace such as organization name and country.", + "Setup_Wizard_Info": "We'll guide you through setting up your first admin user, configuring your organisation and registering your server to receive free push notifications and more.", + "Share_Location_Title": "Share Location?", + "Share_screen": "Share screen", + "New_CannedResponse": "New Canned Response", + "Edit_CannedResponse": "Edit Canned Response", + "Sharing": "Sharing", + "Shared_Location": "Shared Location", + "Shared_Secret": "Shared Secret", + "Shortcut": "Shortcut", + "shortcut_name": "shortcut name", + "Should_be_a_URL_of_an_image": "Should be a URL of an image.", + "Should_exists_a_user_with_this_username": "The user must already exist.", + "Show_agent_email": "Show agent email", + "Show_agent_info": "Show agent information", + "Show_all": "Show All", + "Show_Avatars": "Show Avatars", + "Show_counter": "Mark as unread", + "Show_email_field": "Show email field", + "Show_mentions": "Show badge for mentions", + "Show_Message_In_Main_Thread": "Show thread messages in the main thread", + "Show_more": "Show more", + "Show_name_field": "Show name field", + "show_offline_users": "show offline users", + "Show_on_offline_page": "Show on offline page", + "Show_on_registration_page": "Show on registration page", + "Show_only_online": "Show Online Only", + "Show_preregistration_form": "Show Pre-registration Form", + "Show_queue_list_to_all_agents": "Show Queue List to All Agents", + "Show_room_counter_on_sidebar": "Show room counter on sidebar", + "Show_Setup_Wizard": "Show Setup Wizard", + "Show_the_keyboard_shortcut_list": "Show the keyboard shortcut list", + "Show_video": "Show video", + "Showing_archived_results": "

Showing %s archived results

", + "Showing_online_users": "Showing: __total_showing__, Online: __online__, Total: __total__ users", + "Showing_results": "

Showing %s results

", + "Showing_results_of": "Showing results %s - %s of %s", + "Sidebar": "Sidebar", + "Sidebar_list_mode": "Sidebar Channel List Mode", + "Sign_in_to_start_talking": "Sign in to start talking", + "Signaling_connection_disconnected": "Signaling connection disconnected", + "since_creation": "since %s", + "Site_Name": "Site Name", + "Site_Url": "Site URL", + "Site_Url_Description": "Example: https://chat.domain.com/", + "Size": "Size", + "Skip": "Skip", + "Slack_Users": "Slack's Users CSV", + "SlackBridge_APIToken": "API Tokens", + "SlackBridge_APIToken_Description": "You can configure multiple slack servers by adding one API Token per line.", + "Slackbridge_channel_links_removed_successfully": "The slackbridge channel links have been removed successfully.", + "SlackBridge_Description": "Enable Rocket.Chat to communicate directly with Slack.", + "SlackBridge_error": "SlackBridge got an error while importing your messages at %s: %s", + "SlackBridge_finish": "SlackBridge has finished importing the messages at %s. Please reload to view all messages.", + "SlackBridge_Out_All": "SlackBridge Out All", + "SlackBridge_Out_All_Description": "Send messages from all channels that exist in Slack and the bot has joined", + "SlackBridge_Out_Channels": "SlackBridge Out Channels", + "SlackBridge_Out_Channels_Description": "Choose which channels will send messages back to Slack", + "SlackBridge_Out_Enabled": "SlackBridge Out Enabled", + "SlackBridge_Out_Enabled_Description": "Choose whether SlackBridge should also send your messages back to Slack", + "SlackBridge_Remove_Channel_Links_Description": "Remove the internal link between Rocket.Chat channels and Slack channels. The links will afterwards be recreated based on the channel names.", + "SlackBridge_start": "@%s has started a SlackBridge import at `#%s`. We'll let you know when it's finished.", + "Slash_Gimme_Description": "Displays ༼ つ ◕_◕ ༽つ before your message", + "Slash_LennyFace_Description": "Displays ( ͡° ͜ʖ ͡°) after your message", + "Slash_Shrug_Description": "Displays ¯\\_(ツ)_/¯ after your message", + "Slash_Status_Description": "Set your status message", + "Slash_Status_Params": "Status message", + "Slash_Tableflip_Description": "Displays (╯°□°)╯︵ ┻━┻", + "Slash_TableUnflip_Description": "Displays ┬─┬ ノ( ゜-゜ノ)", + "Slash_Topic_Description": "Set topic", + "Slash_Topic_Params": "Topic message", + "Smarsh": "Smarsh", + "Smarsh_Description": "Configurations to preserve email communication.", + "Smarsh_Email": "Smarsh Email", + "Smarsh_Email_Description": "Smarsh Email Address to send the .eml file to.", + "Smarsh_Enabled": "Smarsh Enabled", + "Smarsh_Enabled_Description": "Whether the Smarsh eml connector is enabled or not (needs 'From Email' filled in under Email -> SMTP).", + "Smarsh_Interval": "Smarsh Interval", + "Smarsh_Interval_Description": "The amount of time to wait before sending the chats (needs 'From Email' filled in under Email -> SMTP).", + "Smarsh_MissingEmail_Email": "Missing Email", + "Smarsh_MissingEmail_Email_Description": "The email to show for a user account when their email address is missing, generally happens with bot accounts.", + "Smarsh_Timezone": "Smarsh Timezone", + "Smileys_and_People": "Smileys & People", + "SMS": "SMS", + "SMS_Description": "Enable and configure SMS gateways on your workspace.", + "SMS_Default_Omnichannel_Department": "Omnichannel Department (Default)", + "SMS_Default_Omnichannel_Department_Description": "If set, all new incoming chats initiated by this integration will be routed to this department.\nThis setting can be overwritten by passing department query param in the request.\ne.g. https:///api/v1/livechat/sms-incoming/twilio?department=.\nNote: if you're using Department Name, then it should be URL safe.", + "SMS_Enabled": "SMS Enabled", + "SMTP": "SMTP", + "SMTP_Host": "SMTP Host", + "SMTP_Password": "SMTP Password", + "SMTP_Port": "SMTP Port", + "SMTP_Test_Button": "Test SMTP Settings", + "SMTP_Username": "SMTP Username", + "Snippet_Added": "Created on %s", + "Snippet_Messages": "Snippet Messages", + "Snippet_name": "Snippet name", + "snippet-message": "Snippet Message", + "snippet-message_description": "Permission to create snippet message", + "Snippeted_a_message": "Created a snippet __snippetLink__", + "Social_Network": "Social Network", + "Sorry_page_you_requested_does_not_exist_or_was_deleted": "Sorry, page you requested does not exist or was deleted!", + "Sort": "Sort", + "Sort_By": "Sort by", + "Sort_by_activity": "Sort by Activity", + "Sound": "Sound", + "Sound_File_mp3": "Sound File (mp3)", + "Sound File": "Sound File", + "Source": "Source", + "SSL": "SSL", + "Star": "Star", + "Star_Message": "Star Message", + "Starred_Messages": "Starred Messages", + "Start": "Start", + "Start_audio_call": "Start audio call", + "Start_Chat": "Start Chat", + "Start_of_conversation": "Start of conversation", + "Start_OTR": "Start OTR", + "Start_video_call": "Start video call", + "Start_video_conference": "Start video conference?", + "Start_with_s_for_user_or_s_for_channel_Eg_s_or_s": "Start with %s for user or %s for channel. Eg: %s or %s", + "start-discussion": "Start Discussion", + "start-discussion_description": "Permission to start a discussion", + "start-discussion-other-user": "Start Discussion (Other-User)", + "start-discussion-other-user_description": "Permission to start a discussion, which gives permission to the user to create a discussion from a message sent by another user as well", + "Started": "Started", + "Started_a_video_call": "Started a Video Call", + "Started_At": "Started At", + "Statistics": "Statistics", + "Statistics_reporting": "Send Statistics to Rocket.Chat", + "Statistics_reporting_Description": "By sending your statistics, you'll help us identify how many instances of Rocket.Chat are deployed, as well as how good the system is behaving, so we can further improve it. Don't worry, as no user information is sent and all the information we receive is kept confidential.", + "Stats_Active_Guests": "Activated Guests", + "Stats_Active_Users": "Activated Users", + "Stats_App_Users": "Rocket.Chat App Users", + "Stats_Avg_Channel_Users": "Average Channel Users", + "Stats_Avg_Private_Group_Users": "Average Private Group Users", + "Stats_Away_Users": "Away Users", + "Stats_Max_Room_Users": "Max Rooms Users", + "Stats_Non_Active_Users": "Deactivated Users", + "Stats_Offline_Users": "Offline Users", + "Stats_Online_Users": "Online Users", + "Stats_Total_Active_Apps": "Total Active Apps", + "Stats_Total_Active_Incoming_Integrations": "Total Active Incoming Integrations", + "Stats_Total_Active_Outgoing_Integrations": "Total Active Outgoing Integrations", + "Stats_Total_Channels": "Channels", + "Stats_Total_Connected_Users": "Total Connected Users", + "Stats_Total_Direct_Messages": "Direct Message Rooms", + "Stats_Total_Incoming_Integrations": "Total Incoming Integrations", + "Stats_Total_Installed_Apps": "Total Installed Apps", + "Stats_Total_Integrations": "Total Integrations", + "Stats_Total_Integrations_With_Script_Enabled": "Total Integrations With Script Enabled", + "Stats_Total_Livechat_Rooms": "Omnichannel Rooms", + "Stats_Total_Messages": "Messages", + "Stats_Total_Messages_Channel": "Messages in Channels", + "Stats_Total_Messages_Direct": "Messages in Direct Messages", + "Stats_Total_Messages_Livechat": "Messages in Omnichannel", + "Stats_Total_Messages_PrivateGroup": "Messages in Private Groups", + "Stats_Total_Outgoing_Integrations": "Total Outgoing Integrations", + "Stats_Total_Private_Groups": "Private Groups", + "Stats_Total_Rooms": "Rooms", + "Stats_Total_Uploads": "Total Uploads", + "Stats_Total_Uploads_Size": "Total Uploads Size", + "Stats_Total_Users": "Total Users", + "Status": "Status", + "StatusMessage": "Status Message", + "StatusMessage_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of status messages", + "StatusMessage_Changed_Successfully": "Status message changed successfully.", + "StatusMessage_Placeholder": "What are you doing right now?", + "StatusMessage_Too_Long": "Status message must be shorter than 120 characters.", + "Step": "Step", + "Stop_call": "Stop call", + "Stop_Recording": "Stop Recording", + "Store_Last_Message": "Store Last Message", + "Store_Last_Message_Sent_per_Room": "Store last message sent on each room.", + "Stream_Cast": "Stream Cast", + "Stream_Cast_Address": "Stream Cast Address", + "Stream_Cast_Address_Description": "IP or Host of your Rocket.Chat central Stream Cast. E.g. `192.168.1.1:3000` or `localhost:4000`", + "strike": "strike", + "Style": "Style", + "Subject": "Subject", + "Submit": "Submit", + "Success": "Success", + "Success_message": "Success message", + "Successfully_downloaded_file_from_external_URL_should_start_preparing_soon": "Successfully downloaded file from external URL, should start preparing soon", + "Suggestion_from_recent_messages": "Suggestion from recent messages", + "Sunday": "Sunday", + "Support": "Support", + "Survey": "Survey", + "Survey_instructions": "Rate each question according to your satisfaction, 1 meaning you are completely unsatisfied and 5 meaning you are completely satisfied.", + "Symbols": "Symbols", + "Sync": "Sync", + "Sync / Import": "Sync / Import", + "Sync_in_progress": "Synchronization in progress", + "Sync_Interval": "Sync interval", + "Sync_success": "Sync success", + "Sync_Users": "Sync Users", + "sync-auth-services-users": "Sync authentication services' users", + "System_messages": "System Messages", + "Tag": "Tag", + "Tags": "Tags", + "Tag_removed": "Tag Removed", + "Tag_already_exists": "Tag already exists", + "Take_it": "Take it!", + "Taken_at": "Taken at", + "Talk_Time": "Talk Time", + "Target user not allowed to receive messages": "Target user not allowed to receive messages", + "TargetRoom": "Target Room", + "TargetRoom_Description": "The room where messages will be sent which are a result of this event being fired. Only one target room is allowed and it must exist.", + "Team": "Team", + "Team_Add_existing_channels": "Add Existing Channels", + "Team_Add_existing": "Add Existing", + "Team_Auto-join": "Auto-join", + "Team_Channels": "Team Channels", + "Team_Delete_Channel_modal_content_danger": "This can’t be undone.", + "Team_Delete_Channel_modal_content": "Would you like to delete this Channel?", + "Team_has_been_deleted": "Team has been deleted.", + "Team_Info": "Team Info", + "Team_Mapping": "Team Mapping", + "Team_Remove_from_team_modal_content": "Would you like to remove this Channel from __teamName__? The Channel will be moved back to the workspace.", + "Team_Remove_from_team": "Remove from team", + "Team_what_is_this_team_about": "What is this team about", + "Teams": "Teams", + "Teams_about_the_channels": "And about the Channels?", + "Teams_channels_didnt_leave": "You did not select the following Channels so you are not leaving them:", + "Teams_channels_last_owner_delete_channel_warning": "You are the last owner of this Channel. Once you convert the Team into a channel, the Channel will be moved to the Workspace.", + "Teams_channels_last_owner_leave_channel_warning": "You are the last owner of this Channel. Once you leave the Team, the Channel will be kept inside the Team but you will managing it from outside.", + "Teams_leaving_team": "You are leaving this Team.", + "Teams_channels": "Team's Channels", + "Teams_convert_channel_to_team": "Convert to Team", + "Teams_delete_team_choose_channels": "Select the Channels you would like to delete. The ones you decide to keep, will be available on your workspace.", + "Teams_delete_team_public_notice": "Notice that public Channels will still be public and visible to everyone.", + "Teams_delete_team_Warning": "Once you delete a Team, all chat content and configuration will be deleted.", + "Teams_delete_team": "You are about to delete this Team.", + "Teams_deleted_channels": "The following Channels are going to be deleted:", + "Teams_Errors_Already_exists": "The team `__name__` already exists.", + "Teams_Errors_team_name": "You can't use \"__name__\" as a team name.", + "Teams_move_channel_to_team": "Move to Team", + "Teams_move_channel_to_team_description_first": "Moving a Channel inside a Team means that this Channel will be added in the Team’s context, however, all Channel’s members, which are not members of the respective Team, will still have access to this Channel, but will not be added as Team’s members.", + "Teams_move_channel_to_team_description_second": "All Channel’s management will still be made by the owners of this Channel.", + "Teams_move_channel_to_team_description_third": "Team’s members and even Team’s owners, if not a member of this Channel, can not have access to the Channel’s content.", + "Teams_move_channel_to_team_description_fourth": "Please notice that the Team’s owner will be able to remove members from the Channel.", + "Teams_move_channel_to_team_confirm_description": "After reading the previous instructions about this behavior, do you want to move forward with this action?", + "Teams_New_Title": "Create Team", + "Teams_New_Name_Label": "Name", + "Teams_Info": "Team's Information", + "Teams_kept_channels": "You did not select the following Channels so they will be moved to the Workspace:", + "Teams_kept__username__channels": "You did not select the following Channels so __username__ will be kept on them:", + "Teams_leave_channels": "Select the Team’s Channels you would like to leave.", + "Teams_leave": "Leave Team", + "Teams_left_team_successfully": "Left the Team successfully", + "Teams_members": "Teams Members", + "Teams_New_Add_members_Label": "Add Members", + "Teams_New_Broadcast_Description": "Only authorized users can write new messages, but the other users will be able to reply", + "Teams_New_Broadcast_Label": "Broadcast", + "Teams_New_Description_Label": "Topic", + "Teams_New_Description_Placeholder": "What is this team about", + "Teams_New_Encrypted_Description_Disabled": "Only available for private team", + "Teams_New_Encrypted_Description_Enabled": "End to end encrypted team. Search will not work with encrypted Teams and notifications may not show the messages content.", + "Teams_New_Encrypted_Label": "Encrypted", + "Teams_New_Private_Description_Disabled": "When disabled, anyone can join the team", + "Teams_New_Private_Description_Enabled": "Only invited people can join", + "Teams_New_Private_Label": "Private", + "Teams_New_Read_only_Description": "All users in this team can write messages", + "Teams_Public_Team": "Public Team", + "Teams_Private_Team": "Private Team", + "Teams_removing_member": "Removing Member", + "Teams_removing__username__from_team": "You are removing __username__ from this Team", + "Teams_removing__username__from_team_and_channels": "You are removing __username__ from this Team and all its Channels.", + "Teams_Select_a_team": "Select a team", + "Teams_Search_teams": "Search Teams", + "Teams_New_Read_only_Label": "Read Only", + "Technology_Services": "Technology Services", + "Terms": "Terms", + "Test_Connection": "Test Connection", + "Test_Desktop_Notifications": "Test Desktop Notifications", + "Test_LDAP_Search": "Test LDAP Search", + "test-admin-options": "Test options on admin panel such as LDAP login and push notifications", + "Texts": "Texts", + "Thank_you_exclamation_mark": "Thank you!", + "Thank_you_for_your_feedback": "Thank you for your feedback", + "The_application_name_is_required": "The application name is required", + "The_channel_name_is_required": "The channel name is required", + "The_emails_are_being_sent": "The emails are being sent.", + "The_empty_room__roomName__will_be_removed_automatically": "The empty room __roomName__ will be removed automatically.", + "The_field_is_required": "The field %s is required.", + "The_image_resize_will_not_work_because_we_can_not_detect_ImageMagick_or_GraphicsMagick_installed_in_your_server": "The image resize will not work because we can not detect ImageMagick or GraphicsMagick installed on your server.", + "The_message_is_a_discussion_you_will_not_be_able_to_recover": "The message is a discussion you will not be able to recover the messages!", + "The_mobile_notifications_were_disabled_to_all_users_go_to_Admin_Push_to_enable_the_Push_Gateway_again": "The mobile notifications were disabled to all users, go to \"Admin > Push\" to enable the Push Gateway again", + "The_necessary_browser_permissions_for_location_sharing_are_not_granted": "The necessary browser permissions for location sharing are not granted", + "The_peer__peer__does_not_exist": "The peer __peer__ does not exist.", + "The_redirectUri_is_required": "The redirectUri is required", + "The_selected_user_is_not_a_monitor": "The selected user is not a monitor", + "The_selected_user_is_not_an_agent": "The selected user is not an agent", + "The_server_will_restart_in_s_seconds": "The server will restart in %s seconds", + "The_setting_s_is_configured_to_s_and_you_are_accessing_from_s": "The setting %s is configured to %s and you are accessing from %s!", + "The_user_s_will_be_removed_from_role_s": "The user %s will be removed from role %s", + "The_user_will_be_removed_from_s": "The user will be removed from %s", + "The_user_wont_be_able_to_type_in_s": "The user won't be able to type in %s", + "Theme": "Theme", + "theme-color-attention-color": "Attention Color", + "theme-color-component-color": "Component Color", + "theme-color-content-background-color": "Content Background Color", + "theme-color-custom-scrollbar-color": "Custom Scrollbar Color", + "theme-color-error-color": "Error Color", + "theme-color-info-font-color": "Info Font Color", + "theme-color-link-font-color": "Link Font Color", + "theme-color-pending-color": "Pending Color", + "theme-color-primary-action-color": "Primary Action Color", + "theme-color-primary-background-color": "Primary Background Color", + "theme-color-primary-font-color": "Primary Font Color", + "theme-color-rc-color-alert": "Alert", + "theme-color-rc-color-alert-light": "Alert Light", + "theme-color-rc-color-alert-message-primary": "Alert Message Primary", + "theme-color-rc-color-alert-message-primary-background": "Alert Message Primary Background", + "theme-color-rc-color-alert-message-secondary": "Alert Message Secondary", + "theme-color-rc-color-alert-message-secondary-background": "Alert Message Secondary Background", + "theme-color-rc-color-alert-message-warning": "Alert Message Warning", + "theme-color-rc-color-alert-message-warning-background": "Alert Message Warning Background", + "theme-color-rc-color-announcement-text": "Announcement Text Color", + "theme-color-rc-color-announcement-background": "Announcement Background Color", + "theme-color-rc-color-announcement-text-hover": "Announcement Text Color Hover", + "theme-color-rc-color-announcement-background-hover": "Announcement Background Color Hover", + "theme-color-rc-color-button-primary": "Button Primary", + "theme-color-rc-color-button-primary-light": "Button Primary Light", + "theme-color-rc-color-content": "Content", + "theme-color-rc-color-error": "Error", + "theme-color-rc-color-error-light": "Error Light", + "theme-color-rc-color-link-active": "Link Active", + "theme-color-rc-color-primary": "Primary", + "theme-color-rc-color-primary-background": "Primary Background", + "theme-color-rc-color-primary-dark": "Primary Dark", + "theme-color-rc-color-primary-darkest": "Primary Darkest", + "theme-color-rc-color-primary-light": "Primary Light", + "theme-color-rc-color-primary-light-medium": "Primary Light Medium", + "theme-color-rc-color-primary-lightest": "Primary Lightest", + "theme-color-rc-color-success": "Success", + "theme-color-rc-color-success-light": "Success Light", + "theme-color-secondary-action-color": "Secondary Action Color", + "theme-color-secondary-background-color": "Secondary Background Color", + "theme-color-secondary-font-color": "Secondary Font Color", + "theme-color-selection-color": "Selection Color", + "theme-color-status-away": "Away Status Color", + "theme-color-status-busy": "Busy Status Color", + "theme-color-status-offline": "Offline Status Color", + "theme-color-status-online": "Online Status Color", + "theme-color-success-color": "Success Color", + "theme-color-tertiary-font-color": "Tertiary Font Color", + "theme-color-transparent-dark": "Transparent Dark", + "theme-color-transparent-darker": "Transparent Darker", + "theme-color-transparent-light": "Transparent Light", + "theme-color-transparent-lighter": "Transparent Lighter", + "theme-color-transparent-lightest": "Transparent Lightest", + "theme-color-unread-notification-color": "Unread Notifications Color", + "theme-custom-css": "Custom CSS", + "theme-font-body-font-family": "Body Font Family", + "There_are_no_agents_added_to_this_department_yet": "There are no agents added to this department yet.", + "There_are_no_applications": "No oAuth Applications have been added yet.", + "There_are_no_applications_installed": "There are currently no Rocket.Chat Applications installed.", + "There_are_no_available_monitors": "There are no available monitors", + "There_are_no_departments_added_to_this_tag_yet": "There are no departments added to this tag yet", + "There_are_no_departments_added_to_this_unit_yet": "There are no departments added to this unit yet", + "There_are_no_departments_available": "There are no departments available", + "There_are_no_integrations": "There are no integrations", + "There_are_no_monitors_added_to_this_unit_yet": "There are no monitors added to this unit yet", + "There_are_no_personal_access_tokens_created_yet": "There are no Personal Access Tokens created yet.", + "There_are_no_users_in_this_role": "There are no users in this role.", + "There_is_one_or_more_apps_in_an_invalid_state_Click_here_to_review": "There is one or more apps in an invalid state. Click here to review.", + "There_has_been_an_error_installing_the_app": "There has been an error installing the app", + "These_notes_will_be_available_in_the_call_summary": "These notes will be available in the call summary", + "This_agent_was_already_selected": "This agent was already selected", + "this_app_is_included_with_subscription": "This app is included with __bundleName__ subscription", + "This_cant_be_undone": "This can't be undone.", + "This_conversation_is_already_closed": "This conversation is already closed.", + "This_email_has_already_been_used_and_has_not_been_verified__Please_change_your_password": "This email has already been used and has not been verified. Please change your password.", + "This_feature_is_currently_in_alpha": "This feature is currently in alpha!", + "This_is_a_desktop_notification": "This is a desktop notification", + "This_is_a_push_test_messsage": "This is a push test message", + "This_message_was_rejected_by__peer__peer": "This message was rejected by __peer__ peer.", + "This_monitor_was_already_selected": "This monitor was already selected", + "This_month": "This Month", + "This_room_has_been_archived_by__username_": "This room has been archived by __username__", + "This_room_has_been_unarchived_by__username_": "This room has been unarchived by __username__", + "This_week": "This Week", + "thread": "thread", + "Thread_message": "Commented on *__username__'s* message: _ __msg__ _", + "Threads": "Threads", + "Threads_Description": "Threads allow organized discussions around a specific message.", + "Thursday": "Thursday", + "Time_in_minutes": "Time in minutes", + "Time_in_seconds": "Time in seconds", + "Timeout": "Timeout", + "Timeouts": "Timeouts", + "Timezone": "Timezone", + "Title": "Title", + "Title_bar_color": "Title bar color", + "Title_bar_color_offline": "Title bar color offline", + "Title_offline": "Title offline", + "To": "To", + "To_additional_emails": "To additional emails", + "To_install_RocketChat_Livechat_in_your_website_copy_paste_this_code_above_the_last_body_tag_on_your_site": "To install Rocket.Chat Livechat in your website, copy & paste this code above the last </body> tag on your site.", + "to_see_more_details_on_how_to_integrate": "to see more details on how to integrate.", + "To_users": "To Users", + "Today": "Today", + "Toggle_original_translated": "Toggle original/translated", + "toggle-room-e2e-encryption": "Toggle Room E2E Encryption", + "toggle-room-e2e-encryption_description": "Permission to toggle e2e encryption room", + "Token": "Token", + "Token_Access": "Token Access", + "Token_Controlled_Access": "Token Controlled Access", + "Token_required": "Token required", + "Tokens_Minimum_Needed_Balance": "Minimum needed token balance", + "Tokens_Minimum_Needed_Balance_Description": "Set minimum needed balance on each token. Blank or \"0\" for not limit.", + "Tokens_Minimum_Needed_Balance_Placeholder": "Balance value", + "Tokens_Required": "Tokens required", + "Tokens_Required_Input_Description": "Type one or more tokens asset names separated by comma.", + "Tokens_Required_Input_Error": "Invalid typed tokens.", + "Tokens_Required_Input_Placeholder": "Tokens asset names", + "Topic": "Topic", + "Total": "Total", + "Total_abandoned_chats": "Total Abandoned Chats", + "Total_conversations": "Total Conversations", + "Total_Discussions": "Discussions", + "Total_messages": "Total Messages", + "Total_rooms": "Total Rooms", + "Total_Threads": "Threads", + "Total_visitors": "Total Visitors", + "TOTP Invalid [totp-invalid]": "Code or password invalid", + "TOTP_reset_email": "Two Factor TOTP Reset Notification", + "TOTP_Reset_Other_Key_Warning": "Reset the current Two Factor TOTP will log out the user. The user will be able to set the Two Factor again later.", + "totp-disabled": "You do not have 2FA login enabled for your user", + "totp-invalid": "Code or password invalid", + "totp-required": "TOTP Required", + "Transcript": "Transcript", + "Transcript_Enabled": "Ask Visitor if They Would Like a Transcript After Chat Closed", + "Transcript_message": "Message to Show When Asking About Transcript", + "Transcript_of_your_livechat_conversation": "Transcript of your omnichannel conversation.", + "Transcript_Request": "Transcript Request", + "transfer-livechat-guest": "Transfer Livechat Guests", + "transfer-livechat-guest_description": "Permission to transfer livechat guests", + "Transferred": "Transferred", + "Translate": "Translate", + "Translated": "Translated", + "Translations": "Translations", + "Travel_and_Places": "Travel & Places", + "Trigger_removed": "Trigger removed", + "Trigger_Words": "Trigger Words", + "Triggers": "Triggers", + "Troubleshoot": "Troubleshoot", + "Troubleshoot_Description": "Configure how troubleshooting is handled on your workspace.", + "Troubleshoot_Disable_Data_Exporter_Processor": "Disable Data Exporter Processor", + "Troubleshoot_Disable_Data_Exporter_Processor_Alert": "This setting stops the processing of all export requests from users, so they will not receive the link to download their data!", + "Troubleshoot_Disable_Instance_Broadcast": "Disable Instance Broadcast", + "Troubleshoot_Disable_Instance_Broadcast_Alert": "This setting prevents the Rocket.Chat instances from sending events to the other instances, it may cause syncing problems and misbehavior!", + "Troubleshoot_Disable_Livechat_Activity_Monitor": "Disable Livechat Activity Monitor", + "Troubleshoot_Disable_Livechat_Activity_Monitor_Alert": "This setting stops the processing of livechat visitor sessions causing the statistics to stop working correctly!", + "Troubleshoot_Disable_Notifications": "Disable Notifications", + "Troubleshoot_Disable_Notifications_Alert": "This setting completely disables the notifications system; sounds, desktop notifications, mobile notifications, and emails will stop!", + "Troubleshoot_Disable_Presence_Broadcast": "Disable Presence Broadcast", + "Troubleshoot_Disable_Presence_Broadcast_Alert": "This setting prevents all instances form sending the status changes of the users to their clients keeping all the users with their presence status from the first load!", + "Troubleshoot_Disable_Sessions_Monitor": "Disable Sessions Monitor", + "Troubleshoot_Disable_Sessions_Monitor_Alert": "This setting stops the processing of user sessions causing the statistics to stop working correctly!", + "Troubleshoot_Disable_Statistics_Generator": "Disable Statistics Generator", + "Troubleshoot_Disable_Statistics_Generator_Alert": "This setting stops the processing all statistics making the info page outdated until someone clicks on the refresh button and may cause other missing information around the system!", + "Troubleshoot_Disable_Workspace_Sync": "Disable Workspace Sync", + "Troubleshoot_Disable_Workspace_Sync_Alert": "This setting stops the sync of this server with Rocket.Chat's cloud and may cause issues with marketplace and enteprise licenses!", + "True": "True", + "Try_searching_in_the_marketplace_instead": "Try searching in the Marketplace instead", + "Tuesday": "Tuesday", + "Turn_OFF": "Turn OFF", + "Turn_ON": "Turn ON", + "Turn_on_video": "Turn on video", + "Turn_off_video": "Turn off video", + "Two Factor Authentication": "Two Factor Authentication", + "Two-factor_authentication": "Two-factor authentication via TOTP", + "Two-factor_authentication_disabled": "Two-factor authentication disabled", + "Two-factor_authentication_email": "Two-factor authentication via Email", + "Two-factor_authentication_email_is_currently_disabled": "Two-factor authentication via Email is currently disabled", + "Two-factor_authentication_enabled": "Two-factor authentication enabled", + "Two-factor_authentication_is_currently_disabled": "Two-factor authentication via TOTP is currently disabled", + "Two-factor_authentication_native_mobile_app_warning": "WARNING: Once you enable this, you will not be able to login on the native mobile apps (Rocket.Chat+) using your password until they implement the 2FA.", + "Type": "Type", + "typing": "typing", + "Types": "Types", + "Types_and_Distribution": "Types and Distribution", + "Type_your_email": "Type your email", + "Type_your_job_title": "Type your job title", + "Type_your_message": "Type your message", + "Type_your_name": "Type your name", + "Type_your_new_password": "Type your new password", + "Type_your_password": "Type your password", + "Type_your_username": "Type your username", + "UI_Allow_room_names_with_special_chars": "Allow Special Characters in Room Names", + "UI_Click_Direct_Message": "Click to Create Direct Message", + "UI_Click_Direct_Message_Description": "Skip opening profile tab, instead go straight to conversation", + "UI_DisplayRoles": "Display Roles", + "UI_Group_Channels_By_Type": "Group channels by type", + "UI_Merge_Channels_Groups": "Merge Private Groups with Channels", + "UI_Show_top_navbar_embedded_layout": "Show top navbar in embedded layout", + "UI_Unread_Counter_Style": "Unread Counter Style", + "UI_Use_Name_Avatar": "Use Full Name Initials to Generate Default Avatar", + "UI_Use_Real_Name": "Use Real Name", + "unable-to-get-file": "Unable to get file", + "Unarchive": "Unarchive", + "unarchive-room": "Unarchive Room", + "unarchive-room_description": "Permission to unarchive channels", + "Unassigned": "Unassigned", + "Unavailable": "Unavailable", + "Unblock": "Unblock", + "Unblock_User": "Unblock User", + "Uncheck_All": "Uncheck All", + "Uncollapse": "Uncollapse", + "Undefined": "Undefined", + "Unfavorite": "Unfavorite", + "Unfollow_message": "Unfollow Message", + "Unignore": "Unignore", + "Uninstall": "Uninstall", + "Unit_removed": "Unit Removed", + "Unknown_Import_State": "Unknown Import State", + "Unlimited": "Unlimited", + "Unmute": "Unmute", + "Unmute_someone_in_room": "Unmute someone in the room", + "Unmute_user": "Unmute user", + "Unnamed": "Unnamed", + "Unpin": "Unpin", + "Unpin_Message": "Unpin Message", + "unpinning-not-allowed": "Unpinning is not allowed", + "Unread": "Unread", + "Unread_Count": "Unread Count", + "Unread_Count_DM": "Unread Count for Direct Messages", + "Unread_Messages": "Unread Messages", + "Unread_on_top": "Unread on top", + "Unread_Rooms": "Unread Rooms", + "Unread_Rooms_Mode": "Unread Rooms Mode", + "Unread_Tray_Icon_Alert": "Unread Tray Icon Alert", + "Unstar_Message": "Remove Star", + "Unmute_microphone": "Unmute Microphone", + "Update": "Update", + "Update_EnableChecker": "Enable the Update Checker", + "Update_EnableChecker_Description": "Checks automatically for new updates / important messages from the Rocket.Chat developers and receives notifications when available. The notification appears once per new version as a clickable banner and as a message from the Rocket.Cat bot, both visible only for administrators.", + "Update_every": "Update every", + "Update_LatestAvailableVersion": "Update Latest Available Version", + "Update_to_version": "Update to __version__", + "Update_your_RocketChat": "Update your Rocket.Chat", + "Updated_at": "Updated at", + "Upgrade_tab_connection_error_description": "Looks like you have no internet connection. This may be because your workspace is installed on a fully-secured air-gapped server", + "Upgrade_tab_connection_error_restore": "Restore your connection to learn about features you are missing out on.", + "Upgrade_tab_go_fully_featured": "Go fully featured", + "Upgrade_tab_trial_guide": "Trial guide", + "Upgrade_tab_upgrade_your_plan": "Upgrade your plan", + "Upload": "Upload", + "Uploads": "Uploads", + "Upload_app": "Upload App", + "Upload_file_description": "File description", + "Upload_file_name": "File name", + "Upload_file_question": "Upload file?", + "Upload_Folder_Path": "Upload Folder Path", + "Upload_From": "Upload from __name__", + "Upload_user_avatar": "Upload avatar", + "Uploading_file": "Uploading file...", + "Uptime": "Uptime", + "URL": "URL", + "URL_room_hash": "Enable room name hash", + "URL_room_hash_description": "Recommended to enable if the Jitsi instance doesn't use any authentication mechanism.", + "URL_room_prefix": "URL room prefix", + "URL_room_suffix": "URL room suffix", + "Usage": "Usage", + "Use": "Use", + "Use_account_preference": "Use account preference", + "Use_Emojis": "Use Emojis", + "Use_Global_Settings": "Use Global Settings", + "Use_initials_avatar": "Use your username initials", + "Use_minor_colors": "Use minor color palette (defaults inherit major colors)", + "Use_Room_configuration": "Overwrites the server configuration and use room config", + "Use_Server_configuration": "Use server configuration", + "Use_service_avatar": "Use %s avatar", + "Use_this_response": "Use this response", + "Use_response": "Use response", + "Use_this_username": "Use this username", + "Use_uploaded_avatar": "Use uploaded avatar", + "Use_url_for_avatar": "Use URL for avatar", + "Use_User_Preferences_or_Global_Settings": "Use User Preferences or Global Settings", + "User": "User", + "User Search": "User Search", + "User Search (Group Validation)": "User Search (Group Validation)", + "User__username__is_now_a_leader_of__room_name_": "User __username__ is now a leader of __room_name__", + "User__username__is_now_a_moderator_of__room_name_": "User __username__ is now a moderator of __room_name__", + "User__username__is_now_a_owner_of__room_name_": "User __username__ is now a owner of __room_name__", + "User__username__muted_in_room__roomName__": "User __username__ muted in room __roomName__", + "User__username__removed_from__room_name__leaders": "User __username__ removed from __room_name__ leaders", + "User__username__removed_from__room_name__moderators": "User __username__ removed from __room_name__ moderators", + "User__username__removed_from__room_name__owners": "User __username__ removed from __room_name__ owners", + "User__username__unmuted_in_room__roomName__": "User __username__ unmuted in room __roomName__", + "User_added": "User added", + "User_added_by": "User __user_added__ added by __user_by__.", + "User_added_successfully": "User added successfully", + "User_and_group_mentions_only": "User and group mentions only", + "User_cant_be_empty": "User cannot be empty", + "User_created_successfully!": "User create successfully!", + "User_default": "User default", + "User_doesnt_exist": "No user exists by the name of `@%s`.", + "User_e2e_key_was_reset": "User E2E key was reset successfully.", + "User_has_been_activated": "User has been activated", + "User_has_been_deactivated": "User has been deactivated", + "User_has_been_deleted": "User has been deleted", + "User_has_been_ignored": "User has been ignored", + "User_has_been_muted_in_s": "User has been muted in %s", + "User_has_been_removed_from_s": "User has been removed from %s", + "User_has_been_removed_from_team": "User has been removed from team", + "User_has_been_unignored": "User is no longer ignored", + "User_Info": "User Info", + "User_Interface": "User Interface", + "User_is_blocked": "User is blocked", + "User_is_no_longer_an_admin": "User is no longer an admin", + "User_is_now_an_admin": "User is now an admin", + "User_is_unblocked": "User is unblocked", + "User_joined_channel": "Has joined the channel.", + "User_joined_conversation": "Has joined the conversation", + "User_joined_team": "joined this Team", + "user_joined_otr": "Has joined OTR chat.", + "user_key_refreshed_successfully": "key refreshed successfully", + "user_requested_otr_key_refresh": "Has requested key refresh.", + "User_left": "Has left the channel.", + "User_left_team": "left this Team", + "User_logged_out": "User is logged out", + "User_management": "User Management", + "User_mentions_only": "User mentions only", + "User_muted": "User Muted", + "User_muted_by": "User __user_muted__ muted by __user_by__.", + "User_not_found": "User not found", + "User_not_found_or_incorrect_password": "User not found or incorrect password", + "User_or_channel_name": "User or channel name", + "User_Presence": "User Presence", + "User_removed": "User removed", + "User_removed_by": "User __user_removed__ removed by __user_by__.", + "User_sent_a_message_on_channel": "__username__ sent a message on __channel__", + "User_sent_a_message_to_you": "__username__ sent you a message", + "user_sent_an_attachment": "__user__ sent an attachment", + "User_Settings": "User Settings", + "User_started_a_new_conversation": "__username__ started a new conversation", + "User_unmuted_by": "User __user_unmuted__ unmuted by __user_by__.", + "User_unmuted_in_room": "User unmuted in room", + "User_updated_successfully": "User updated successfully", + "User_uploaded_a_file_on_channel": "__username__ uploaded a file on __channel__", + "User_uploaded_a_file_to_you": "__username__ sent you a file", + "User_uploaded_file": "Uploaded a file", + "User_uploaded_image": "Uploaded an image", + "user-generate-access-token": "User Generate Access Token", + "user-generate-access-token_description": "Permission for users to generate access tokens", + "UserData_EnableDownload": "Enable User Data Download", + "UserData_FileSystemPath": "System Path (Exported Files)", + "UserData_FileSystemZipPath": "System Path (Compressed File)", + "UserData_MessageLimitPerRequest": "Message Limit per Request", + "UserData_ProcessingFrequency": "Processing Frequency (Minutes)", + "UserDataDownload": "User Data Download", + "UserDataDownload_Description": "Configurations to allow or disallow workspace members from downloading of workspace data.", + "UserDataDownload_CompletedRequestExisted_Text": "Your data file was already generated. Check your email account for the download link.", + "UserDataDownload_CompletedRequestExistedWithLink_Text": "Your data file was already generated. Click here to download it.", + "UserDataDownload_EmailBody": "Your data file is now ready to download. Click here to download it.", + "UserDataDownload_EmailSubject": "Your Data File is Ready to Download", + "UserDataDownload_FeatureDisabled": "Sorry, user data exports are not enabled on this server!", + "UserDataDownload_LoginNeeded": "You need to log into your Rocket.Chat account to download this data export. Click the link below to do that, then try again.", + "UserDataDownload_Requested": "Download File Requested", + "UserDataDownload_Requested_Text": "Your data file will be generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", + "UserDataDownload_RequestExisted_Text": "Your data file is already being generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", + "Username": "Username", + "Username_already_exist": "Username already exists. Please try another username.", + "Username_and_message_must_not_be_empty": "Username and message must not be empty.", + "Username_cant_be_empty": "The username cannot be empty", + "Username_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of usernames", + "Username_denied_the_OTR_session": "__username__ denied the OTR session", + "Username_description": "The username is used to allow others to mention you in messages.", + "Username_doesnt_exist": "The username `%s` doesn't exist.", + "Username_ended_the_OTR_session": "__username__ ended the OTR session", + "Username_invalid": "%s is not a valid username,
use only letters, numbers, dots, hyphens and underscores", + "Username_is_already_in_here": "`@%s` is already in here.", + "Username_is_not_in_this_room": "The user `#%s` is not in this room.", + "Username_Placeholder": "Please enter usernames...", + "Username_title": "Register username", + "Username_wants_to_start_otr_Do_you_want_to_accept": "__username__ wants to start OTR. Do you want to accept?", + "Users": "Users", + "Users must use Two Factor Authentication": "Users must use Two Factor Authentication", + "Users_added": "The users have been added", + "Users_and_rooms": "Users and Rooms", + "Users_by_time_of_day": "Users by time of day", + "Users_in_role": "Users in role", + "Users_key_has_been_reset": "User's key has been reset", + "Users_reacted": "Users that Reacted", + "Users_TOTP_has_been_reset": "User's TOTP has been reset", + "Uses": "Uses", + "Uses_left": "Uses left", + "UTC_Timezone": "UTC Timezone", + "Utilities": "Utilities", + "UTF8_Names_Slugify": "UTF8 Names Slugify", + "UTF8_User_Names_Validation": "UTF8 Usernames Validation", + "UTF8_User_Names_Validation_Description": "RegExp that will be used to validate usernames", + "UTF8_Channel_Names_Validation": "UTF8 Channel Names Validation", + "UTF8_Channel_Names_Validation_Description": "RegExp that will be used to validate channel names", + "Videocall_enabled": "Video Call Enabled", + "Validate_email_address": "Validate Email Address", + "Validation": "Validation", + "Value_messages": "__value__ messages", + "Value_users": "__value__ users", + "Verification": "Verification", + "Verification_Description": "You may use the following placeholders:
  • [Verification_Url] for the verification URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Verification_Email": "Click here to verify your email address.", + "Verification_email_body": "Please, click on the button below to confirm your email address.", + "Verification_email_sent": "Verification email sent", + "Verification_Email_Subject": "[Site_Name] - Email address verification", + "Verified": "Verified", + "Verify": "Verify", + "Verify_your_email": "Verify your email", + "Verify_your_email_for_the_code_we_sent": "Verify your email for the code we sent", + "Version": "Version", + "Version_version": "Version __version__", + "Video Conference": "Video Conference", + "Video Conference_Description": "Configure video conferencing for your workspace.", + "Video_Chat_Window": "Video Chat", + "Video_Conference": "Video Conference", + "Video_message": "Video message", + "Videocall_declined": "Video Call Declined.", + "Video_and_Audio_Call": "Video and Audio Call", + "Videos": "Videos", + "View_All": "View All Members", + "View_channels": "View Channels", + "view-import-operations": "View import operations", + "view-omnichannel-contact-center": "View Omnichannel Contact Center", + "view-omnichannel-contact-center_description": "Permission to view and interact with the Omnichannel Contact Center", + "View_Logs": "View Logs", + "View_mode": "View Mode", + "View_original": "View Original", + "View_the_Logs_for": "View the logs for: \"__name__\"", + "view-broadcast-member-list": "View Members List in Broadcast Room", + "view-broadcast-member-list_description": "Permission to view list of users in broadcast channel", + "view-c-room": "View Public Channel", + "view-c-room_description": "Permission to view public channels", + "view-canned-responses": "View Canned Responses", + "view-d-room": "View Direct Messages", + "view-d-room_description": "Permission to view direct messages", + "view-federation-data": "View federation data", + "View_full_conversation": "View full conversation", + "view-full-other-user-info": "View Full Other User Info", + "view-full-other-user-info_description": "Permission to view full profile of other users including account creation date, last login, etc.", + "view-history": "View History", + "view-history_description": "Permission to view the channel history", + "view-join-code": "View Join Code", + "view-join-code_description": "Permission to view the channel join code", + "view-joined-room": "View Joined Room", + "view-joined-room_description": "Permission to view the currently joined channels", + "view-l-room": "View Omnichannel Rooms", + "view-l-room_description": "Permission to view Omnichannel rooms", + "view-livechat-analytics": "View Omnichannel Analytics", + "view-livechat-analytics_description": "Permission to view live chat analytics", + "view-livechat-appearance": "View Omnichannel Appearance", + "view-livechat-appearance_description": "Permission to view live chat appearance", + "view-livechat-business-hours": "View Omnichannel Business-Hours", + "view-livechat-business-hours_description": "Permission to view live chat business hours", + "view-livechat-current-chats": "View Omnichannel Current Chats", + "view-livechat-current-chats_description": "Permission to view live chat current chats", + "view-livechat-departments": "View Omnichannel Departments", + "view-livechat-manager": "View Omnichannel Manager", + "view-livechat-manager_description": "Permission to view other Omnichannel managers", + "view-livechat-monitor": "View Livechat Monitors", + "view-livechat-queue": "View Omnichannel Queue", + "view-livechat-room-closed-by-another-agent": "View Omnichannel Rooms closed by another agent", + "view-livechat-room-closed-same-department": "View Omnichannel Rooms closed by another agent in the same department", + "view-livechat-room-closed-same-department_description": "Permission to view live chat rooms closed by another agent in the same department", + "view-livechat-room-customfields": "View Omnichannel Room Custom Fields", + "view-livechat-room-customfields_description": "Permission to view live chat room custom fields", + "view-livechat-rooms": "View Omnichannel Rooms", + "view-livechat-rooms_description": "Permission to view other Omnichannel rooms", + "view-livechat-triggers": "View Omnichannel Triggers", + "view-livechat-triggers_description": "Permission to view live chat triggers", + "view-livechat-webhooks": "View Omnichannel Webhooks", + "view-livechat-webhooks_description": "Permission to view live chat webhooks", + "view-livechat-unit": "View Livechat Units", + "view-logs": "View Logs", + "view-logs_description": "Permission to view the server logs ", + "view-other-user-channels": "View Other User Channels", + "view-other-user-channels_description": "Permission to view channels owned by other users", + "view-outside-room": "View Outside Room", + "view-outside-room_description": "Permission to view users outside the current room", + "view-p-room": "View Private Room", + "view-p-room_description": "Permission to view private channels", + "view-privileged-setting": "View Privileged Setting", + "view-privileged-setting_description": "Permission to view settings", + "view-room-administration": "View Room Administration", + "view-room-administration_description": "Permission to view public, private and direct message statistics. Does not include the ability to view conversations or archives", + "view-statistics": "View Statistics", + "view-statistics_description": "Permission to view system statistics such as number of users logged in, number of rooms, operating system information", + "view-user-administration": "View User Administration", + "view-user-administration_description": "Permission to partial, read-only list view of other user accounts currently logged into the system. No user account information is accessible with this permission", + "Viewing_room_administration": "Viewing room administration", + "Visibility": "Visibility", + "Visible": "Visible", + "Visit_Site_Url_and_try_the_best_open_source_chat_solution_available_today": "Visit __Site_URL__ and try the best open source chat solution available today!", + "Visitor": "Visitor", + "Visitor_Email": "Visitor E-mail", + "Visitor_Info": "Visitor Info", + "Visitor_message": "Visitor Messages", + "Visitor_Name": "Visitor Name", + "Visitor_Name_Placeholder": "Please enter a visitor name...", + "Visitor_does_not_exist": "Visitor does not exist!", + "Visitor_Navigation": "Visitor Navigation", + "Visitor_page_URL": "Visitor page URL", + "Visitor_time_on_site": "Visitor time on site", + "Voice_Call": "Voice Call", + "VoIP_Enable_Keep_Alive_For_Unstable_Networks": "Enable Keep-Alive using SIP-OPTIONS for unstable networks", + "VoIP_Enable_Keep_Alive_For_Unstable_Networks_Description": "Enables or Disables Keep-Alive using SIP-OPTIONS based on network quality", + "VoIP_Enabled": "VoIP Enabled", + "VoIP_Extension": "VoIP Extension", + "Voip_Server_Configuration": "Server Configuration", + "VoIP_Server_Host": "Server Host", + "VoIP_Server_Websocket_Port": "Websocket Port", + "VoIP_Server_Name": "Server Name", + "VoIP_Server_Websocket_Path": "Websocket Path", + "VoIP_Retry_Count": "Retry Count", + "VoIP_Retry_Count_Description": "Defines the number of times the client will try to reconnect to the VoIP server if the connection is lost.", + "VoIP_Management_Server": "VoIP Management Server", + "VoIP_Management_Server_Host": "Server Host", + "VoIP_Management_Server_Port": "Server Port", + "VoIP_Management_Server_Name": "Server Name", + "VoIP_Management_Server_Username": "Username", + "VoIP_Management_Server_Password": "Password", + "Voip_call_started": "Call started at", + "Voip_call_duration": "Call lasted __duration__", + "Voip_call_declined": "Call hanged up by agent", + "Voip_call_on_hold": "Call placed on hold at", + "Voip_call_unhold": "Call resumed at", + "Voip_call_ended": "Call ended at", + "Voip_call_ended_unexpectedly": "Call ended unexpectedly: __reason__", + "Voip_call_wrapup": "Call wrapup notes added: __comment__", + "VoIP_JWT_Secret": "VoIP JWT Secret", + "VoIP_JWT_Secret_description": "This allows you to set a secret key for sharing extension details from server to client as JWT instead of plain text. If you don't setup this, extension registration details will be sent as plain text", + "Voip_is_disabled": "VoIP is disabled", + "Voip_is_disabled_description": "To view the list of extensions it is necessary to activate VoIP, do so in the Settings tab.", + "Chat_opened_by_visitor": "Chat opened by the visitor", + "Wait_activation_warning": "Before you can login, your account must be manually activated by an administrator.", + "Waiting_queue": "Waiting queue", + "Waiting_queue_message": "Waiting queue message", + "Waiting_queue_message_description": "Message that will be displayed to the visitors when they get in the queue", + "Waiting_Time": "Waiting Time", + "Warning": "Warning", + "Warnings": "Warnings", + "WAU_value": "WAU __value__", + "We_appreciate_your_feedback": "We appreciate your feedback", + "We_are_offline_Sorry_for_the_inconvenience": "We are offline. Sorry for the inconvenience.", + "We_have_sent_password_email": "We have sent you an email with password reset instructions. If you do not receive an email shortly, please come back and try again.", + "We_have_sent_registration_email": "We have sent you an email to confirm your registration. If you do not receive an email shortly, please come back and try again.", + "Webdav Integration": "Webdav Integration", + "Webdav Integration_Description": "A framework for users to create, change and move documents on a server. Used to link WebDAV servers such as Nextcloud.", + "WebDAV_Accounts": "WebDAV Accounts", + "Webdav_add_new_account": "Add new WebDAV account", + "Webdav_Integration_Enabled": "Webdav Integration Enabled", + "Webdav_Password": "WebDAV Password", + "Webdav_Server_URL": "WebDAV Server Access URL", + "Webdav_Username": "WebDAV Username", + "Webdav_account_removed": "WebDAV account removed", + "webdav-account-saved": "WebDAV account saved", + "webdav-account-updated": "WebDAV account updated", + "Webhook_Details": "WebHook Details", + "Webhook_URL": "Webhook URL", + "Webhooks": "Webhooks", + "WebRTC": "WebRTC", + "WebRTC_Description": "Broadcast audio and/or video material, as well as transmit arbitrary data between browsers without the need for a middleman.", + "WebRTC_Call": "WebRTC Call", + "WebRTC_direct_audio_call_from_%s": "Direct audio call from %s", + "WebRTC_direct_video_call_from_%s": "Direct video call from %s", + "WebRTC_Enable_Channel": "Enable for Public Channels", + "WebRTC_Enable_Direct": "Enable for Direct Messages", + "WebRTC_Enable_Private": "Enable for Private Channels", + "WebRTC_group_audio_call_from_%s": "Group audio call from %s", + "WebRTC_group_video_call_from_%s": "Group video call from %s", + "WebRTC_monitor_call_from_%s": "Monitor call from %s", + "WebRTC_Servers": "STUN/TURN Servers", + "WebRTC_Servers_Description": "A list of STUN and TURN servers separated by comma.
Username, password and port are allowed in the format `username:password@stun:host:port` or `username:password@turn:host:port`.", + "WebRTC_call_ended_message": " Call ended at __endTime__ - Lasted __callDuration__", + "WebRTC_call_declined_message": " Call Declined by Contact.", + "Website": "Website", + "Wednesday": "Wednesday", + "Weekly_Active_Users": "Weekly Active Users", + "Welcome": "Welcome %s.", + "Welcome_to": "Welcome to __Site_Name__", + "Welcome_to_the": "Welcome to the", + "When": "When", + "When_a_line_starts_with_one_of_there_words_post_to_the_URLs_below": "When a line starts with one of these words, post to the URL(s) below", + "When_is_the_chat_busier?": "When is the chat busier?", + "Where_are_the_messages_being_sent?": "Where are the messages being sent?", + "Why_did_you_chose__score__": "Why did you chose __score__?", + "Why_do_you_want_to_report_question_mark": "Why do you want to report?", + "Will_Appear_In_From": "Will appear in the From: header of emails you send.", + "will_be_able_to": "will be able to", + "Will_be_available_here_after_saving": "Will be available here after saving.", + "Without_priority": "Without priority", + "Worldwide": "Worldwide", + "Would_you_like_to_return_the_inquiry": "Would you like to return the inquiry?", + "Would_you_like_to_return_the_queue": "Would you like to move back this room to the queue? All conversation history will be kept on the room.", + "Would_you_like_to_place_chat_on_hold": "Would you like to place this chat On-Hold?", + "Wrap_up_the_call": "Wrap-up the call", + "Wrap_Up_Notes": "Wrap-Up Notes", + "Yes": "Yes", + "Yes_archive_it": "Yes, archive it!", + "Yes_clear_all": "Yes, clear all!", + "Yes_deactivate_it": "Yes, deactivate it!", + "Yes_delete_it": "Yes, delete it!", + "Yes_hide_it": "Yes, hide it!", + "Yes_leave_it": "Yes, leave it!", + "Yes_mute_user": "Yes, mute user!", + "Yes_prune_them": "Yes, prune them!", + "Yes_remove_user": "Yes, remove user!", + "Yes_unarchive_it": "Yes, unarchive it!", + "yesterday": "yesterday", + "Yesterday": "Yesterday", + "You": "You", + "You_have_reacted": "You have reacted", + "Users_reacted_with": "__users__ have reacted with __emoji__", + "Users_and_more_reacted_with": "__users__ and __count__ more have reacted with __emoji__", + "You_and_users_Reacted_with": "You and __users__ have reacted with __emoji__", + "You_users_and_more_Reacted_with": "You, __users__ and __count__ more have reacted with __emoji__", + "You_are_converting_team_to_channel": "You are converting this Team to a Channel.", + "you_are_in_preview_mode_of": "You are in preview mode of channel #__room_name__", + "you_are_in_preview_mode_of_incoming_livechat": "You are in preview mode of this chat", + "You_are_logged_in_as": "You are logged in as", + "You_are_not_authorized_to_view_this_page": "You are not authorized to view this page.", + "You_can_change_a_different_avatar_too": "You can override the avatar used to post from this integration.", + "You_can_close_this_window_now": "You can close this window now.", + "You_can_search_using_RegExp_eg": "You can search using Regular Expression. e.g. /^text$/i", + "You_can_try_to": "You can try to", + "You_can_use_an_emoji_as_avatar": "You can also use an emoji as an avatar.", + "You_can_use_webhooks_to_easily_integrate_livechat_with_your_CRM": "You can use webhooks to easily integrate Omnichannel with your CRM.", + "You_cant_leave_a_livechat_room_Please_use_the_close_button": "You can't leave a omnichannel room. Please, use the close button.", + "You_followed_this_message": "You followed this message.", + "You_have_a_new_message": "You have a new message", + "You_have_been_muted": "You have been muted and cannot speak in this room", + "You_have_joined_a_new_call_with": "You have joined a new call with", + "You_have_n_codes_remaining": "You have __number__ codes remaining.", + "You_have_not_verified_your_email": "You have not verified your email.", + "You_have_successfully_unsubscribed": "You have successfully unsubscribed from our Mailling List.", + "You_have_to_set_an_API_token_first_in_order_to_use_the_integration": "You have to set an API token first in order to use the integration.", + "You_must_join_to_view_messages_in_this_channel": "You must join to view messages in this channel", + "You_need_confirm_email": "You need to confirm your email to login!", + "You_need_install_an_extension_to_allow_screen_sharing": "You need install an extension to allow screen sharing", + "You_need_to_change_your_password": "You need to change your password", + "You_need_to_type_in_your_password_in_order_to_do_this": "You need to type in your password in order to do this!", + "You_need_to_type_in_your_username_in_order_to_do_this": "You need to type in your username in order to do this!", + "You_need_to_verifiy_your_email_address_to_get_notications": "You need to verify your email address to get notifications", + "You_need_to_write_something": "You need to write something!", + "You_reached_the_maximum_number_of_guest_users_allowed_by_your_license": "You reached the maximum number of guest users allowed by your license.", + "You_should_inform_one_url_at_least": "You should define at least one URL.", + "You_should_name_it_to_easily_manage_your_integrations": "You should name it to easily manage your integrations.", + "You_unfollowed_this_message": "You unfollowed this message.", + "You_will_be_asked_for_permissions": "You will be asked for permissions", + "You_will_not_be_able_to_recover": "You will not be able to recover this message!", + "You_will_not_be_able_to_recover_email_inbox": "You will not be able to recover this email inbox", + "You_will_not_be_able_to_recover_file": "You will not be able to recover this file!", + "You_wont_receive_email_notifications_because_you_have_not_verified_your_email": "You won't receive email notifications because you have not verified your email.", + "Your_e2e_key_has_been_reset": "Your e2e key has been reset.", + "Your_email_address_has_changed": "Your email address has been changed.", + "Your_email_has_been_queued_for_sending": "Your email has been queued for sending", + "Your_entry_has_been_deleted": "Your entry has been deleted.", + "Your_file_has_been_deleted": "Your file has been deleted.", + "Your_invite_link_will_expire_after__usesLeft__uses": "Your invite link will expire after __usesLeft__ uses.", + "Your_invite_link_will_expire_on__date__": "Your invite link will expire on __date__.", + "Your_invite_link_will_expire_on__date__or_after__usesLeft__uses": "Your invite link will expire on __date__ or after __usesLeft__ uses.", + "Your_invite_link_will_never_expire": "Your invite link will never expire.", + "Your_mail_was_sent_to_s": "Your mail was sent to %s", + "your_message": "your message", + "your_message_optional": "your message (optional)", + "Your_new_email_is_email": "Your new email address is [email].", + "Your_password_is_wrong": "Your password is wrong!", + "Your_password_was_changed_by_an_admin": "Your password was changed by an admin.", + "Your_push_was_sent_to_s_devices": "Your push was sent to %s devices", + "Your_question": "Your question", + "Your_server_link": "Your server link", + "Your_temporary_password_is_password": "Your temporary password is [password].", + "Your_TOTP_has_been_reset": "Your Two Factor TOTP has been reset.", + "Your_workspace_is_ready": "Your workspace is ready to use 🎉", + "Zapier": "Zapier", + "onboarding.component.form.steps": "Step {{currentStep}} of {{stepCount}}", + "onboarding.component.form.action.back": "Back", + "onboarding.component.form.action.next": "Next", + "onboarding.component.form.action.skip": "Skip this step", + "onboarding.component.form.action.register": "Register", + "onboarding.component.form.action.confirm": "Confirm", + "onboarding.component.form.requiredField": "This field is required", + "onboarding.component.form.termsAndConditions": "I agree with <1>Terms and Conditions and <3>Privacy Policy", + "onboarding.component.emailCodeFallback": "Didn’t receive email? <1>Resend or <3>Change email", + "onboarding.page.form.title": "Let's <1>Launch Your Workspace", + "onboarding.page.awaitingConfirmation.title": "Awaiting confirmation", + "onboarding.page.awaitingConfirmation.subtitle": "We have sent you an email to {{emailAddress}} with a confirmation link. Please verify that the security code below matches the one in the email.", + "onboarding.page.emailConfirmed.title": "Email Confirmed!", + "onboarding.page.emailConfirmed.subtitle": "You can return to your Rocket.Chat application – we have launched your workspace already.", + "onboarding.page.checkYourEmail.title": "Check your email", + "onboarding.page.checkYourEmail.subtitle": "Your request has been sent successfully.<1>Check your email inbox to launch your Enterprise trial.<1>The link will expire in 30 minutes.", + "onboarding.page.confirmationProcess.title": "Confirmation in Process", + "onboarding.page.cloudDescription.title": "Let's launch your workspace and <1>14-day trial", + "onboarding.page.cloudDescription.tryGold": "Try our best Gold plan for 14 days for free", + "onboarding.page.cloudDescription.numberOfIntegrations": "1,000 integrations", + "onboarding.page.cloudDescription.availability": "High availability", + "onboarding.page.cloudDescription.auditing": "Message audit panel / Audit logs", + "onboarding.page.cloudDescription.engagement": "Engagement Dashboard", + "onboarding.page.cloudDescription.ldap": "LDAP enhanced sync", + "onboarding.page.cloudDescription.omnichannel": "Omnichannel premium", + "onboarding.page.cloudDescription.sla": "SLA: Premium", + "onboarding.page.cloudDescription.push": "Secured push notifications", + "onboarding.page.cloudDescription.goldIncludes": "* Golden plan includes all features from other plans", + "onboarding.page.alreadyHaveAccount": "Already have an account? <1>Manage your workspaces.", + "onboarding.page.invalidLink.title": "Your Link is no Longer Valid", + "onboarding.page.invalidLink.content": "Seems like you have already used invite link. It’s generated for a single sign in. Request a new one to join your workspace.", + "onboarding.page.invalidLink.button.text": "Request new link", + "onboarding.page.requestTrial.title": "Request a <1>30-day Trial", + "onboarding.page.requestTrial.subtitle": "Try our best Enterprise Edition plan for 30 days for free", + "onboarding.page.magicLinkEmail.title": "We emailed you a login link", + "onboarding.page.magicLinkEmail.subtitle": "Click the link in the email we just sent you to sign in to your workspace. <1>The link will expire in 30 minutes.", + "onboarding.page.organizationInfoPage.title": "A few more details...", + "onboarding.page.organizationInfoPage.subtitle": "These will help us to personalize your workspace.", + "onboarding.form.adminInfoForm.title": "Admin Info", + "onboarding.form.adminInfoForm.subtitle": "We need this to create an admin profile inside your workspace", + "onboarding.form.adminInfoForm.fields.fullName.label": "Full name", + "onboarding.form.adminInfoForm.fields.fullName.placeholder": "First and last name", + "onboarding.form.adminInfoForm.fields.username.label": "Username", + "onboarding.form.adminInfoForm.fields.username.placeholder": "@username", + "onboarding.form.adminInfoForm.fields.email.label": "Email", + "onboarding.form.adminInfoForm.fields.email.placeholder": "Email", + "onboarding.form.adminInfoForm.fields.password.label": "Password", + "onboarding.form.adminInfoForm.fields.password.placeholder": "Create password", + "onboarding.form.adminInfoForm.fields.keepPosted.label": "Keep me posted about Rocket.Chat updates", + "onboarding.form.organizationInfoForm.title": "Organization Info", + "onboarding.form.organizationInfoForm.subtitle": "Please, bear with us. This info will help us personalize your workspace", + "onboarding.form.organizationInfoForm.fields.organizationName.label": "Organization name", + "onboarding.form.organizationInfoForm.fields.organizationName.placeholder": "Organization name", + "onboarding.form.organizationInfoForm.fields.organizationType.label": "Organization type", + "onboarding.form.organizationInfoForm.fields.organizationType.placeholder": "Select", + "onboarding.form.organizationInfoForm.fields.organizationIndustry.label": "Organization industry", + "onboarding.form.organizationInfoForm.fields.organizationIndustry.placeholder": "Select", + "onboarding.form.organizationInfoForm.fields.organizationSize.label": "Organization size", + "onboarding.form.organizationInfoForm.fields.organizationSize.placeholder": "Select", + "onboarding.form.organizationInfoForm.fields.country.label": "Country", + "onboarding.form.organizationInfoForm.fields.country.placeholder": "Select", + "onboarding.form.registeredServerForm.title": "Register Your Server", + "onboarding.form.registeredServerForm.included.push": "Mobile push notifications", + "onboarding.form.registeredServerForm.included.externalProviders": "Integration with external providers (WhatsApp, Facebook, Telegram, Twitter)", + "onboarding.form.registeredServerForm.included.apps": "Access to marketplace apps", + "onboarding.form.registeredServerForm.fields.accountEmail.inputLabel": "Cloud account email", + "onboarding.form.registeredServerForm.fields.accountEmail.tooltipLabel": "To register your server, we need to connect it to your cloud account. If you already have one - we will link it automatically. Otherwise, a new account will be created", + "onboarding.form.registeredServerForm.fields.accountEmail.inputPlaceholder": "Please enter your Email", + "onboarding.form.registeredServerForm.keepInformed": "Keep me informed about news and events", + "onboarding.form.registeredServerForm.continueStandalone": "Continue as standalone", + "onboarding.form.registeredServerForm.agreeToReceiveUpdates": "By registering I agree to receive relevant product and security updates", + "onboarding.form.standaloneServerForm.title": "Standalone Server Confirmation", + "onboarding.form.standaloneServerForm.servicesUnavailable": "Some of the services will be unavailable or will require manual setup", + "onboarding.form.standaloneServerForm.publishOwnApp": "In order to send push notitications you need to compile and publish your own app to Google Play and App Store", + "onboarding.form.standaloneServerForm.manuallyIntegrate": "Need to manually integrate with external services" } diff --git a/yarn.lock b/yarn.lock index 21667fb17e0e..e94df7389c48 100644 --- a/yarn.lock +++ b/yarn.lock @@ -7690,7 +7690,7 @@ __metadata: human-interval: ~1.0.0 moment-timezone: ~0.5.27 mongodb: ~3.5.0 - checksum: cc8c1bbba7545628d9d039c58e701ff65cf07f241f035b731716eec0d5ef906ce09d60c3b321bbfb9e6c641994d1afd23aaeb92d645b33bf7be9942f13574173 + checksum: f5f68008298f9482631f1f494e392cd6b8ba7971a3b0ece81ae2abe60f53d67973ff4476156fa5c9c41b8b58c4ccd284e95c545e0523996dfd05f9a80b843e07 languageName: node linkType: hard From f8c70b26f226ac35a45f41e4388464a3405cc526 Mon Sep 17 00:00:00 2001 From: rique223 Date: Thu, 23 Jun 2022 15:56:34 -0300 Subject: [PATCH 02/15] feat: :sparkles: Finish visual part of new releases tab Created new components AppReleases and ReleaseItem and mocked some data to make it faithful to figma. Will be integrating it with the back-end next. --- .../views/admin/apps/AppDetailsPage.tsx | 5 +++- .../meteor/client/views/admin/apps/AppLogs.js | 24 ++++++++--------- .../client/views/admin/apps/AppReleases.tsx | 27 +++++++++++++++++++ .../client/views/admin/apps/ReleaseItem.tsx | 14 ++++++++++ 4 files changed, 56 insertions(+), 14 deletions(-) create mode 100644 apps/meteor/client/views/admin/apps/AppReleases.tsx create mode 100644 apps/meteor/client/views/admin/apps/ReleaseItem.tsx diff --git a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx index 81d667145deb..02672b6308f4 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx @@ -10,6 +10,7 @@ import Page from '../../../components/Page'; import AppDetails from './AppDetails'; import AppDetailsHeader from './AppDetailsHeader'; import AppLogs from './AppLogs'; +import AppReleases from './AppReleases'; import AppSecurity from './AppSecurity'; import LoadingDetails from './LoadingDetails'; import SettingsDisplay from './SettingsDisplay'; @@ -114,7 +115,7 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { /> )} - {tab === 'logs' && } + {tab === 'releases' && } {Boolean(tab === 'settings' && settings && Object.values(settings).length) && ( = function AppDetailsPage({ id }) { settingsRef={settingsRef} /> )} + + {tab === 'logs' && } )} diff --git a/apps/meteor/client/views/admin/apps/AppLogs.js b/apps/meteor/client/views/admin/apps/AppLogs.js index d4b914f8b51b..3b365dbeb023 100644 --- a/apps/meteor/client/views/admin/apps/AppLogs.js +++ b/apps/meteor/client/views/admin/apps/AppLogs.js @@ -48,19 +48,17 @@ function AppLogs({ id }) { )} {showData && ( - <> - - {app.logs && - app.logs.map((log) => ( - - ))} - - + + {app.logs && + app.logs.map((log) => ( + + ))} + )} ); diff --git a/apps/meteor/client/views/admin/apps/AppReleases.tsx b/apps/meteor/client/views/admin/apps/AppReleases.tsx new file mode 100644 index 000000000000..78d28839c6a5 --- /dev/null +++ b/apps/meteor/client/views/admin/apps/AppReleases.tsx @@ -0,0 +1,27 @@ +import { Accordion, Box } from '@rocket.chat/fuselage'; +import React from 'react'; + +import ReleaseItem from './ReleaseItem'; + +const AppReleases = (): JSX.Element => { + const title = ( + + + 3.18.0 + + + 2 days ago + + + ); + + return ( + <> + + + + + ); +}; + +export default AppReleases; diff --git a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx new file mode 100644 index 000000000000..ebc03e85fbd3 --- /dev/null +++ b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx @@ -0,0 +1,14 @@ +import { Accordion } from '@rocket.chat/fuselage'; +import React, { ReactNode } from 'react'; + +type ReleaseItemProps = { + title: ReactNode; +}; + +const ReleaseItem = ({ title, ...props }: ReleaseItemProps): JSX.Element => ( + +

Introduce redirect URL buttons to conversation flows.

+
+); + +export default ReleaseItem; From f8bc9fa50d8c70249661f2a885be3fc64d0f0a51 Mon Sep 17 00:00:00 2001 From: rique223 Date: Fri, 24 Jun 2022 10:15:32 -0300 Subject: [PATCH 03/15] feat: :construction: Implement first part of releases component integration Implemented the first necessary steps to integrating the AppReleases component with the back-end by passing down the appId and creating a local hook to deal with fetching the versions. Unfortunately the GET request necessary to fetch that data does not exist yet. Will be implementing it after the request creation. --- .../views/admin/apps/AppDetailsPage.tsx | 2 +- .../client/views/admin/apps/AppReleases.tsx | 30 +++++++++++++++++-- 2 files changed, 29 insertions(+), 3 deletions(-) diff --git a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx index 02672b6308f4..5ee2f47fa153 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx @@ -115,7 +115,7 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { /> )} - {tab === 'releases' && } + {tab === 'releases' && } {Boolean(tab === 'settings' && settings && Object.values(settings).length) && ( { +const useReleases = (id: string): void => { + const [, setData] = useSafely(useState({})); + const getAppData = useEndpoint('GET', `/apps/${id}`); + + const fetchData = useCallback(async () => { + try { + const { app } = await getAppData({} as never); + console.log('App releases:', app); + setData(app); + } catch (error) { + setData(error); + } + }, [getAppData, setData]); + + useEffect(() => { + fetchData(); + }, [fetchData]); + + // const total = data ? data.length : 0; + // const releases = data.logs ? { ...data, logs: data.logs } : data; +}; + +const AppReleases = ({ id }: { id: string }): JSX.Element => { + useReleases(id); + const title = ( From 68e67cab2f0a7ed0de79f430480b3b4ab2768484 Mon Sep 17 00:00:00 2001 From: rique223 Date: Fri, 24 Jun 2022 11:58:02 -0300 Subject: [PATCH 04/15] Create versions endpoint on rest.js Created a apps/:appId/versions endpoint to fetch all versions of a given app so that I finish the AppReleases component. Co-authored-by: Matheus Carmo --- .../app/apps/server/communication/rest.js | 33 +++++++++++++++++++ .../client/views/admin/apps/AppReleases.tsx | 8 ++--- 2 files changed, 37 insertions(+), 4 deletions(-) diff --git a/apps/meteor/app/apps/server/communication/rest.js b/apps/meteor/app/apps/server/communication/rest.js index 0b7122e37521..3e4cc6918070 100644 --- a/apps/meteor/app/apps/server/communication/rest.js +++ b/apps/meteor/app/apps/server/communication/rest.js @@ -528,6 +528,39 @@ export class AppsRestApi { }, ); + this.api.addRoute( + ':id/versions', + { authRequired: true, permissionsRequired: ['manage-apps'] }, + { + get() { + const baseUrl = orchestrator.getMarketplaceUrl(); + + const headers = {}; // DO NOT ATTACH THE FRAMEWORK/ENGINE VERSION HERE. + const token = getWorkspaceAccessToken(); + if (token) { + headers.Authorization = `Bearer ${token}`; + } + + let result; + try { + result = HTTP.get(`${baseUrl}/v1/apps/${this.urlParams.id}`, { + headers, + }); + console.log('Rest js versions', result); + } catch (e) { + return handleError('Unable to access Marketplace. Does the server has access to the internet?', e); + } + + if (!result || result.statusCode !== 200) { + orchestrator.getRocketChatLogger().error('Error getting the App versions from the Marketplace:', result.data); + return API.v1.failure(); + } + + return API.v1.success({ apps: result.data }); + }, + }, + ); + this.api.addRoute( ':id/sync', { authRequired: true, permissionsRequired: ['manage-apps'] }, diff --git a/apps/meteor/client/views/admin/apps/AppReleases.tsx b/apps/meteor/client/views/admin/apps/AppReleases.tsx index 1de9860574fa..918d26d09cd9 100644 --- a/apps/meteor/client/views/admin/apps/AppReleases.tsx +++ b/apps/meteor/client/views/admin/apps/AppReleases.tsx @@ -7,13 +7,13 @@ import ReleaseItem from './ReleaseItem'; const useReleases = (id: string): void => { const [, setData] = useSafely(useState({})); - const getAppData = useEndpoint('GET', `/apps/${id}`); + const getAppData = useEndpoint('GET', `/apps/${id}/versions`); const fetchData = useCallback(async () => { try { - const { app } = await getAppData({} as never); - console.log('App releases:', app); - setData(app); + const { apps } = await getAppData({} as never); + console.log('App releases:', apps); + setData(apps); } catch (error) { setData(error); } From 85220a06e6a7e60404d8082b9b5bcef238bd0564 Mon Sep 17 00:00:00 2001 From: rique223 Date: Fri, 24 Jun 2022 14:41:42 -0300 Subject: [PATCH 05/15] feat: :sparkles: Integrate AppReleases with the back-end Fetched the app versions list, mapped it into a releases array, and implemented the AccordionItems list of releases. --- .../{LogsLoading.tsx => AccordionLoading.tsx} | 4 +- .../meteor/client/views/admin/apps/AppLogs.js | 4 +- .../client/views/admin/apps/AppReleases.tsx | 67 +++++++++---------- .../client/views/admin/apps/ReleaseItem.tsx | 39 ++++++++--- packages/core-typings/src/Apps.ts | 1 + packages/rest-typings/src/apps/index.ts | 7 ++ 6 files changed, 73 insertions(+), 49 deletions(-) rename apps/meteor/client/views/admin/apps/{LogsLoading.tsx => AccordionLoading.tsx} (83%) diff --git a/apps/meteor/client/views/admin/apps/LogsLoading.tsx b/apps/meteor/client/views/admin/apps/AccordionLoading.tsx similarity index 83% rename from apps/meteor/client/views/admin/apps/LogsLoading.tsx rename to apps/meteor/client/views/admin/apps/AccordionLoading.tsx index 7727df8be688..bb6405c584cd 100644 --- a/apps/meteor/client/views/admin/apps/LogsLoading.tsx +++ b/apps/meteor/client/views/admin/apps/AccordionLoading.tsx @@ -1,7 +1,7 @@ import { Box, Skeleton, Margins } from '@rocket.chat/fuselage'; import React, { FC } from 'react'; -const LogsLoading: FC = () => ( +const AccordionLoading: FC = () => ( @@ -11,4 +11,4 @@ const LogsLoading: FC = () => ( ); -export default LogsLoading; +export default AccordionLoading; diff --git a/apps/meteor/client/views/admin/apps/AppLogs.js b/apps/meteor/client/views/admin/apps/AppLogs.js index 3b365dbeb023..d6078929eb14 100644 --- a/apps/meteor/client/views/admin/apps/AppLogs.js +++ b/apps/meteor/client/views/admin/apps/AppLogs.js @@ -4,8 +4,8 @@ import { useEndpoint } from '@rocket.chat/ui-contexts'; import React, { useCallback, useState, useEffect } from 'react'; import { useFormatDateAndTime } from '../../../hooks/useFormatDateAndTime'; +import AccordionLoading from './AccordionLoading'; import LogItem from './LogItem'; -import LogsLoading from './LogsLoading'; const useAppWithLogs = ({ id }) => { const [data, setData] = useSafely(useState({})); @@ -41,7 +41,7 @@ function AppLogs({ id }) { return ( <> - {loading && } + {loading && } {app.error && ( {app.error.message} diff --git a/apps/meteor/client/views/admin/apps/AppReleases.tsx b/apps/meteor/client/views/admin/apps/AppReleases.tsx index 918d26d09cd9..94dd5c675eec 100644 --- a/apps/meteor/client/views/admin/apps/AppReleases.tsx +++ b/apps/meteor/client/views/admin/apps/AppReleases.tsx @@ -1,50 +1,43 @@ -import { Accordion, Box } from '@rocket.chat/fuselage'; -import { useSafely } from '@rocket.chat/fuselage-hooks'; -import { useEndpoint } from '@rocket.chat/ui-contexts'; -import React, { useCallback, useEffect, useState } from 'react'; +import { Accordion } from '@rocket.chat/fuselage'; +import React, { useEffect, useState } from 'react'; +import { useEndpointData } from '../../../hooks/useEndpointData'; +import AccordionLoading from './AccordionLoading'; import ReleaseItem from './ReleaseItem'; -const useReleases = (id: string): void => { - const [, setData] = useSafely(useState({})); - const getAppData = useEndpoint('GET', `/apps/${id}/versions`); - - const fetchData = useCallback(async () => { - try { - const { apps } = await getAppData({} as never); - console.log('App releases:', apps); - setData(apps); - } catch (error) { - setData(error); - } - }, [getAppData, setData]); - - useEffect(() => { - fetchData(); - }, [fetchData]); - - // const total = data ? data.length : 0; - // const releases = data.logs ? { ...data, logs: data.logs } : data; +type release = { + version: string; + createdDate: string; + detailedChangelog: { + raw: string; + rendered: string; + }; }; const AppReleases = ({ id }: { id: string }): JSX.Element => { - useReleases(id); - - const title = ( - - - 3.18.0 - - - 2 days ago - - - ); + const { value } = useEndpointData(`/apps/${id}/versions`); + + const [releases, setReleases] = useState([] as release[]); + + useEffect(() => { + if (value?.apps) { + const { apps } = value; + + setReleases( + apps.map((app) => ({ + version: app.version, + createdDate: app.createdDate, + detailedChangelog: app.detailedChangelog, + })), + ); + } + }, [value]); return ( <> - + {!releases.length && } + {value?.success && releases.map((release) => )} ); diff --git a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx index ebc03e85fbd3..986fc686a747 100644 --- a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx +++ b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx @@ -1,14 +1,37 @@ -import { Accordion } from '@rocket.chat/fuselage'; -import React, { ReactNode } from 'react'; +import { Accordion, Box } from '@rocket.chat/fuselage'; +import React from 'react'; + +type release = { + version: string; + createdDate: string; + detailedChangelog: { + raw: string; + rendered: string; + }; +}; type ReleaseItemProps = { - title: ReactNode; + release: release; + key: string; }; -const ReleaseItem = ({ title, ...props }: ReleaseItemProps): JSX.Element => ( - -

Introduce redirect URL buttons to conversation flows.

-
-); +const ReleaseItem = ({ release, key, ...props }: ReleaseItemProps): JSX.Element => { + const title = ( + + + {release.version} + + + {release.createdDate} + + + ); + + return ( + + {release.detailedChangelog.raw} + + ); +}; export default ReleaseItem; diff --git a/packages/core-typings/src/Apps.ts b/packages/core-typings/src/Apps.ts index 510b52cda6ec..9d91f9baeb9a 100644 --- a/packages/core-typings/src/Apps.ts +++ b/packages/core-typings/src/Apps.ts @@ -108,4 +108,5 @@ export type App = { modifiedAt: string; permissions: AppPermission[]; languages: string[]; + createdDate: string; }; diff --git a/packages/rest-typings/src/apps/index.ts b/packages/rest-typings/src/apps/index.ts index 1a8c801bf790..c78a3d83f72e 100644 --- a/packages/rest-typings/src/apps/index.ts +++ b/packages/rest-typings/src/apps/index.ts @@ -21,6 +21,13 @@ export type AppsEndpoints = { }; }; + '/apps/:id/versions': { + GET: () => { + apps: App[]; + success: boolean; + }; + }; + '/apps/actionButtons': { GET: () => IUIActionButton[]; }; From 87113e0415e8cdeb843b46864e31415678ef14f5 Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 11:50:42 -0300 Subject: [PATCH 06/15] refactor: :recycle: Refactored AppDetailsHeader update timestamp Refactored the timestamp of the last updated field of the AppDetailsHeader component for maintainability reasons and to make it more straightforward. --- apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx | 4 ++-- apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx b/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx index 5e7d522c5cfa..93ff4c3f17be 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx @@ -1,6 +1,6 @@ import { Box } from '@rocket.chat/fuselage'; import { useTranslation } from '@rocket.chat/ui-contexts'; -import { formatDistanceStrict } from 'date-fns'; +import moment from 'moment'; import React, { ReactElement } from 'react'; import AppAvatar from '../../../components/avatar/AppAvatar'; @@ -12,7 +12,7 @@ import { App } from './types'; const AppDetailsHeader = ({ app }: { app: App }): ReactElement => { const t = useTranslation(); const { iconFileData, name, author, version, iconFileContent, installed, isSubscribed, modifiedAt, bundledIn, description } = app; - const lastUpdated = modifiedAt && formatDistanceStrict(new Date(modifiedAt), new Date(), { addSuffix: false }); + const lastUpdated = modifiedAt && moment(modifiedAt).fromNow(); return ( diff --git a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json index 1052c390d266..043484995cf7 100644 --- a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json +++ b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json @@ -2938,7 +2938,7 @@ "Markdown_SupportSchemesForLink": "Markdown Support Schemes for Link", "Markdown_SupportSchemesForLink_Description": "Comma-separated list of allowed schemes", "Marketplace": "Marketplace", - "Marketplace_app_last_updated": "Last updated __lastUpdated__ ago", + "Marketplace_app_last_updated": "Last updated __lastUpdated__", "Marketplace_view_marketplace": "View Marketplace", "Marketplace_error": "Cannot connect to internet or your workspace may be an offline install.", "MAU_value": "MAU __value__", From 7cf52a34ed170535283afeffc771a296d20e050e Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 12:51:50 -0300 Subject: [PATCH 07/15] feat: :sparkles: Implement date formating for release entry created date Implemented the useTimeAgo hook to format the created date of the release entries. Also removed the Time normalizer sufix from the date strings to make it respect the current selected locale. --- apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx | 2 +- apps/meteor/client/views/admin/apps/ReleaseItem.tsx | 6 +++++- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx b/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx index 93ff4c3f17be..e828467feecd 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx @@ -12,7 +12,7 @@ import { App } from './types'; const AppDetailsHeader = ({ app }: { app: App }): ReactElement => { const t = useTranslation(); const { iconFileData, name, author, version, iconFileContent, installed, isSubscribed, modifiedAt, bundledIn, description } = app; - const lastUpdated = modifiedAt && moment(modifiedAt).fromNow(); + const lastUpdated = modifiedAt && moment(modifiedAt.replace('Z', '')).fromNow(); return ( diff --git a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx index 986fc686a747..8485417b2bd3 100644 --- a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx +++ b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx @@ -1,6 +1,8 @@ import { Accordion, Box } from '@rocket.chat/fuselage'; import React from 'react'; +import { useTimeAgo } from '../../../hooks/useTimeAgo'; + type release = { version: string; createdDate: string; @@ -16,13 +18,15 @@ type ReleaseItemProps = { }; const ReleaseItem = ({ release, key, ...props }: ReleaseItemProps): JSX.Element => { + const formatDate = useTimeAgo(); + const title = ( {release.version} - {release.createdDate} + {formatDate(release.createdDate.replace('Z', ''))} ); From 185652302930a4bbe92de619a0c596c6b12149a1 Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 13:00:52 -0300 Subject: [PATCH 08/15] refactor: :recycle: Refactor i18n english dictionary Refactored the i18n english dictionary to solve the thousands of unwanted modifications on remote. --- .../rocketchat-i18n/i18n/en.i18n.json | 10192 ++++++++-------- 1 file changed, 5095 insertions(+), 5097 deletions(-) diff --git a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json index 043484995cf7..d10127829b8e 100644 --- a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json +++ b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json @@ -1,5099 +1,5097 @@ { - "403": "Forbidden", - "500": "Internal Server Error", - "__count__empty_rooms_will_be_removed_automatically": "__count__ empty rooms will be removed automatically.", - "__count__empty_rooms_will_be_removed_automatically__rooms__": "__count__ empty rooms will be removed automatically:
__rooms__.", - "__username__is_no_longer__role__defined_by__user_by_": "__username__ is no longer __role__ by __user_by__", - "__username__was_set__role__by__user_by_": "__username__ was set __role__ by __user_by__", - "This_room_encryption_has_been_enabled_by__username_": "This room's encryption has been enabled by __username__", - "This_room_encryption_has_been_disabled_by__username_": "This room's encryption has been disabled by __username__", - "@username": "@username", - "@username_message": "@username ", - "#channel": "#channel", - "%_of_conversations": "% of Conversations", - "0_Errors_Only": "0 - Errors Only", - "1_Errors_and_Information": "1 - Errors and Information", - "2_Erros_Information_and_Debug": "2 - Errors, Information and Debug", - "12_Hour": "12-hour clock", - "24_Hour": "24-hour clock", - "A_new_owner_will_be_assigned_automatically_to__count__rooms": "A new owner will be assigned automatically to __count__ rooms.", - "A_new_owner_will_be_assigned_automatically_to_the__roomName__room": "A new owner will be assigned automatically to the __roomName__ room.", - "A_new_owner_will_be_assigned_automatically_to_those__count__rooms__rooms__": "A new owner will be assigned automatically to those __count__ rooms:
__rooms__.", - "Accept": "Accept", - "Accept_Call": "Accept Call", - "Accept_incoming_livechat_requests_even_if_there_are_no_online_agents": "Accept incoming omnichannel requests even if there are no online agents", - "Accept_new_livechats_when_agent_is_idle": "Accept new omnichannel requests when the agent is idle", - "Accept_with_no_online_agents": "Accept with No Online Agents", - "Access_not_authorized": "Access not authorized", - "Access_Token_URL": "Access Token URL", - "access-mailer": "Access Mailer Screen", - "access-mailer_description": "Permission to send mass email to all users.", - "access-permissions": "Access Permissions Screen", - "access-permissions_description": "Modify permissions for various roles.", - "access-setting-permissions": "Modify Setting-Based Permissions", - "access-setting-permissions_description": "Permission to modify setting-based permissions", - "Accessing_permissions": "Accessing permissions", - "Account_SID": "Account SID", - "Account": "Account", - "Accounts": "Accounts", - "Accounts_Description": "Modify workspace member account settings.", - "Accounts_Admin_Email_Approval_Needed_Default": "

The user [name] ([email]) has been registered.

Please check \"Administration -> Users\" to activate or delete it.

", - "Accounts_Admin_Email_Approval_Needed_Subject_Default": "A new user registered and needs approval", - "Accounts_Admin_Email_Approval_Needed_With_Reason_Default": "

The user [name] ([email]) has been registered.

Reason: [reason]

Please check \"Administration -> Users\" to activate or delete it.

", - "Accounts_AllowAnonymousRead": "Allow Anonymous Read", - "Accounts_AllowAnonymousWrite": "Allow Anonymous Write", - "Accounts_AllowDeleteOwnAccount": "Allow Users to Delete Own Account", - "Accounts_AllowedDomainsList": "Allowed Domains List", - "Accounts_AllowedDomainsList_Description": "Comma-separated list of allowed domains", - "Accounts_AllowInvisibleStatusOption": "Allow Invisible status option", - "Accounts_AllowEmailChange": "Allow Email Change", - "Accounts_AllowEmailNotifications": "Allow Email Notifications", - "Accounts_AllowPasswordChange": "Allow Password Change", - "Accounts_AllowPasswordChangeForOAuthUsers": "Allow Password Change for OAuth Users", - "Accounts_AllowRealNameChange": "Allow Name Change", - "Accounts_AllowUserAvatarChange": "Allow User Avatar Change", - "Accounts_AllowUsernameChange": "Allow Username Change", - "Accounts_AllowUserProfileChange": "Allow User Profile Change", - "Accounts_AllowUserStatusMessageChange": "Allow Custom Status Message", - "Accounts_AvatarBlockUnauthenticatedAccess": "Block Unauthenticated Access to Avatars", - "Accounts_AvatarCacheTime": "Avatar cache time", - "Accounts_AvatarCacheTime_description": "Number of seconds the http protocol is told to cache the avatar images.", - "Accounts_AvatarExternalProviderUrl": "Avatar External Provider URL", - "Accounts_AvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{username}`", - "Accounts_AvatarResize": "Resize Avatars", - "Accounts_AvatarSize": "Avatar Size", - "Accounts_BlockedDomainsList": "Blocked Domains List", - "Accounts_BlockedDomainsList_Description": "Comma-separated list of blocked domains", - "Accounts_BlockedUsernameList": "Blocked Username List", - "Accounts_BlockedUsernameList_Description": "Comma-separated list of blocked usernames (case-insensitive)", - "Accounts_CustomFields_Description": "Should be a valid JSON where keys are the field names containing a dictionary of field settings. Example:
{\n \"role\": {\n \"type\": \"select\",\n \"defaultValue\": \"student\",\n \"options\": [\"teacher\", \"student\"],\n \"required\": true,\n \"modifyRecordField\": {\n \"array\": true,\n \"field\": \"roles\"\n }\n },\n \"twitter\": {\n \"type\": \"text\",\n \"required\": true,\n \"minLength\": 2,\n \"maxLength\": 10\n }\n} ", - "Accounts_CustomFieldsToShowInUserInfo": "Custom Fields to Show in User Info", - "Accounts_Default_User_Preferences": "Default User Preferences", - "Accounts_Default_User_Preferences_audioNotifications": "Audio Notifications Default Alert", - "Accounts_Default_User_Preferences_desktopNotifications": "Desktop Notifications Default Alert", - "Accounts_Default_User_Preferences_pushNotifications": "Push Notifications Default Alert", - "Accounts_Default_User_Preferences_not_available": "Failed to retrieve User Preferences because they haven't been set up by the user yet", - "Accounts_DefaultUsernamePrefixSuggestion": "Default Username Prefix Suggestion", - "Accounts_denyUnverifiedEmail": "Deny unverified email", - "Accounts_Directory_DefaultView": "Default Directory Listing", - "Accounts_Email_Activated": "[name]

Your account was activated.

", - "Accounts_Email_Activated_Subject": "Account activated", - "Accounts_Email_Approved": "[name]

Your account was approved.

", - "Accounts_Email_Approved_Subject": "Account approved", - "Accounts_Email_Deactivated": "[name]

Your account was deactivated.

", - "Accounts_Email_Deactivated_Subject": "Account deactivated", - "Accounts_EmailVerification": "Only allow verified users to login", - "Accounts_EmailVerification_Description": "Make sure you have correct SMTP settings to use this feature", - "Accounts_Enrollment_Email": "Enrollment Email", - "Accounts_Enrollment_Email_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", - "Accounts_Enrollment_Email_Description": "You may use the following placeholders:
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Accounts_Enrollment_Email_Subject_Default": "Welcome to [Site_Name]", - "Accounts_ForgetUserSessionOnWindowClose": "Forget User Session on Window Close", - "Accounts_Iframe_api_method": "Api Method", - "Accounts_Iframe_api_url": "API URL", - "Accounts_iframe_enabled": "Enabled", - "Accounts_iframe_url": "Iframe URL", - "Accounts_LoginExpiration": "Login Expiration in Days", - "Accounts_ManuallyApproveNewUsers": "Manually Approve New Users", - "Accounts_OAuth_Apple": "Sign in with Apple", - "Accounts_OAuth_Custom_Access_Token_Param": "Param Name for access token", - "Accounts_OAuth_Custom_Authorize_Path": "Authorize Path", - "Accounts_OAuth_Custom_Avatar_Field": "Avatar field", - "Accounts_OAuth_Custom_Button_Color": "Button Color", - "Accounts_OAuth_Custom_Button_Label_Color": "Button Text Color", - "Accounts_OAuth_Custom_Button_Label_Text": "Button Text", - "Accounts_OAuth_Custom_Channel_Admin": "User Data Group Map", - "Accounts_OAuth_Custom_Channel_Map": "OAuth Group Channel Map", - "Accounts_OAuth_Custom_Email_Field": "Email field", - "Accounts_OAuth_Custom_Enable": "Enable", - "Accounts_OAuth_Custom_Groups_Claim": "Roles/Groups field for channel mapping", - "Accounts_OAuth_Custom_id": "Id", - "Accounts_OAuth_Custom_Identity_Path": "Identity Path", - "Accounts_OAuth_Custom_Identity_Token_Sent_Via": "Identity Token Sent Via", - "Accounts_OAuth_Custom_Key_Field": "Key Field", - "Accounts_OAuth_Custom_Login_Style": "Login Style", - "Accounts_OAuth_Custom_Map_Channels": "Map Roles/Groups to channels", - "Accounts_OAuth_Custom_Merge_Roles": "Merge Roles from SSO", - "Accounts_OAuth_Custom_Merge_Users": "Merge users", - "Accounts_OAuth_Custom_Name_Field": "Name field", - "Accounts_OAuth_Custom_Roles_Claim": "Roles/Groups field name", - "Accounts_OAuth_Custom_Roles_To_Sync": "Roles to Sync", - "Accounts_OAuth_Custom_Roles_To_Sync_Description": "OAuth Roles to sync on user login and creation (comma-separated).", - "Accounts_OAuth_Custom_Scope": "Scope", - "Accounts_OAuth_Custom_Secret": "Secret", - "Accounts_OAuth_Custom_Show_Button_On_Login_Page": "Show Button on Login Page", - "Accounts_OAuth_Custom_Token_Path": "Token Path", - "Accounts_OAuth_Custom_Token_Sent_Via": "Token Sent Via", - "Accounts_OAuth_Custom_Username_Field": "Username field", - "Accounts_OAuth_Drupal": "Drupal Login Enabled", - "Accounts_OAuth_Drupal_callback_url": "Drupal oAuth2 Redirect URI", - "Accounts_OAuth_Drupal_id": "Drupal oAuth2 Client ID", - "Accounts_OAuth_Drupal_secret": "Drupal oAuth2 Client Secret", - "Accounts_OAuth_Facebook": "Facebook Login", - "Accounts_OAuth_Facebook_callback_url": "Facebook Callback URL", - "Accounts_OAuth_Facebook_id": "Facebook App ID", - "Accounts_OAuth_Facebook_secret": "Facebook Secret", - "Accounts_OAuth_Github": "OAuth Enabled", - "Accounts_OAuth_Github_callback_url": "Github Callback URL", - "Accounts_OAuth_GitHub_Enterprise": "OAuth Enabled", - "Accounts_OAuth_GitHub_Enterprise_callback_url": "GitHub Enterprise Callback URL", - "Accounts_OAuth_GitHub_Enterprise_id": "Client Id", - "Accounts_OAuth_GitHub_Enterprise_secret": "Client Secret", - "Accounts_OAuth_Github_id": "Client Id", - "Accounts_OAuth_Github_secret": "Client Secret", - "Accounts_OAuth_Gitlab": "OAuth Enabled", - "Accounts_OAuth_Gitlab_callback_url": "GitLab Callback URL", - "Accounts_OAuth_Gitlab_id": "GitLab Id", - "Accounts_OAuth_Gitlab_identity_path": "Identity Path", - "Accounts_OAuth_Gitlab_merge_users": "Merge Users", - "Accounts_OAuth_Gitlab_secret": "Client Secret", - "Accounts_OAuth_Google": "Google Login", - "Accounts_OAuth_Google_callback_url": "Google Callback URL", - "Accounts_OAuth_Google_id": "Google Id", - "Accounts_OAuth_Google_secret": "Google Secret", - "Accounts_OAuth_Linkedin": "LinkedIn Login", - "Accounts_OAuth_Linkedin_callback_url": "Linkedin Callback URL", - "Accounts_OAuth_Linkedin_id": "LinkedIn Id", - "Accounts_OAuth_Linkedin_secret": "LinkedIn Secret", - "Accounts_OAuth_Meteor": "Meteor Login", - "Accounts_OAuth_Meteor_callback_url": "Meteor Callback URL", - "Accounts_OAuth_Meteor_id": "Meteor Id", - "Accounts_OAuth_Meteor_secret": "Meteor Secret", - "Accounts_OAuth_Nextcloud": "OAuth Enabled", - "Accounts_OAuth_Nextcloud_callback_url": "Nextcloud Callback URL", - "Accounts_OAuth_Nextcloud_id": "Nextcloud Id", - "Accounts_OAuth_Nextcloud_secret": "Client Secret", - "Accounts_OAuth_Nextcloud_URL": "Nextcloud Server URL", - "Accounts_OAuth_Proxy_host": "Proxy Host", - "Accounts_OAuth_Proxy_services": "Proxy Services", - "Accounts_OAuth_Tokenpass": "Tokenpass Login", - "Accounts_OAuth_Tokenpass_callback_url": "Tokenpass Callback URL", - "Accounts_OAuth_Tokenpass_id": "Tokenpass Id", - "Accounts_OAuth_Tokenpass_secret": "Tokenpass Secret", - "Accounts_OAuth_Twitter": "Twitter Login", - "Accounts_OAuth_Twitter_callback_url": "Twitter Callback URL", - "Accounts_OAuth_Twitter_id": "Twitter Id", - "Accounts_OAuth_Twitter_secret": "Twitter Secret", - "Accounts_OAuth_Wordpress": "WordPress Login", - "Accounts_OAuth_Wordpress_authorize_path": "Authorize Path", - "Accounts_OAuth_Wordpress_callback_url": "WordPress Callback URL", - "Accounts_OAuth_Wordpress_id": "WordPress Id", - "Accounts_OAuth_Wordpress_identity_path": "Identity Path", - "Accounts_OAuth_Wordpress_identity_token_sent_via": "Identity Token Sent Via", - "Accounts_OAuth_Wordpress_scope": "Scope", - "Accounts_OAuth_Wordpress_secret": "WordPress Secret", - "Accounts_OAuth_Wordpress_server_type_custom": "Custom", - "Accounts_OAuth_Wordpress_server_type_wordpress_com": "Wordpress.com", - "Accounts_OAuth_Wordpress_server_type_wp_oauth_server": "WP OAuth Server Plugin", - "Accounts_OAuth_Wordpress_token_path": "Token Path", - "Accounts_Password_Policy_AtLeastOneLowercase": "At Least One Lowercase", - "Accounts_Password_Policy_AtLeastOneLowercase_Description": "Enforce that a password contain at least one lowercase character.", - "Accounts_Password_Policy_AtLeastOneNumber": "At Least One Number", - "Accounts_Password_Policy_AtLeastOneNumber_Description": "Enforce that a password contain at least one numerical character.", - "Accounts_Password_Policy_AtLeastOneSpecialCharacter": "At Least One Symbol", - "Accounts_Password_Policy_AtLeastOneSpecialCharacter_Description": "Enforce that a password contain at least one special character.", - "Accounts_Password_Policy_AtLeastOneUppercase": "At Least One Uppercase", - "Accounts_Password_Policy_AtLeastOneUppercase_Description": "Enforce that a password contain at least one uppercase character.", - "Accounts_Password_Policy_Enabled": "Enable Password Policy", - "Accounts_Password_Policy_Enabled_Description": "When enabled, user passwords must adhere to the policies set forth. Note: this only applies to new passwords, not existing passwords.", - "Accounts_Password_Policy_ForbidRepeatingCharacters": "Forbid Repeating Characters", - "Accounts_Password_Policy_ForbidRepeatingCharacters_Description": "Ensures passwords do not contain the same character repeating next to each other.", - "Accounts_Password_Policy_ForbidRepeatingCharactersCount": "Max Repeating Characters", - "Accounts_Password_Policy_ForbidRepeatingCharactersCount_Description": "The amount of times a character can be repeating before it is not allowed.", - "Accounts_Password_Policy_MaxLength": "Maximum Length", - "Accounts_Password_Policy_MaxLength_Description": "Ensures that passwords do not have more than this amount of characters. Use `-1` to disable.", - "Accounts_Password_Policy_MinLength": "Minimum Length", - "Accounts_Password_Policy_MinLength_Description": "Ensures that passwords must have at least this amount of characters. Use `-1` to disable.", - "Accounts_PasswordReset": "Password Reset", - "Accounts_Registration_AuthenticationServices_Default_Roles": "Default Roles for Authentication Services", - "Accounts_Registration_AuthenticationServices_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through authentication services", - "Accounts_Registration_AuthenticationServices_Enabled": "Registration with Authentication Services", - "Accounts_Registration_Users_Default_Roles": "Default Roles for Users", - "Accounts_Registration_Users_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through manual registration (including via API)", - "Accounts_Registration_Users_Default_Roles_Enabled": "Enable Default Roles for Manual Registration", - "Accounts_Registration_InviteUrlType": "Invite URL Type", - "Accounts_Registration_InviteUrlType_Direct": "Direct", - "Accounts_Registration_InviteUrlType_Proxy": "Proxy", - "Accounts_RegistrationForm": "Registration Form", - "Accounts_RegistrationForm_Disabled": "Disabled", - "Accounts_RegistrationForm_LinkReplacementText": "Registration Form Link Replacement Text", - "Accounts_RegistrationForm_Public": "Public", - "Accounts_RegistrationForm_Secret_URL": "Secret URL", - "Accounts_RegistrationForm_SecretURL": "Registration Form Secret URL", - "Accounts_RegistrationForm_SecretURL_Description": "You must provide a random string that will be added to your registration URL. Example: https://open.rocket.chat/register/[secret_hash]", - "Accounts_RequireNameForSignUp": "Require Name For Signup", - "Accounts_RequirePasswordConfirmation": "Require Password Confirmation", - "Accounts_RoomAvatarExternalProviderUrl": "Room Avatar External Provider URL", - "Accounts_RoomAvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{roomId}`", - "Accounts_SearchFields": "Fields to Consider in Search", - "Accounts_Send_Email_When_Activating": "Send email to user when user is activated", - "Accounts_Send_Email_When_Deactivating": "Send email to user when user is deactivated", - "Accounts_Set_Email_Of_External_Accounts_as_Verified": "Set email of external accounts as verified", - "Accounts_Set_Email_Of_External_Accounts_as_Verified_Description": "Accounts created from external services, like LDAP, OAuth, etc, will have their emails verified automatically", - "Accounts_SetDefaultAvatar": "Set Default Avatar", - "Accounts_SetDefaultAvatar_Description": "Tries to determine default avatar based on OAuth Account or Gravatar", - "Accounts_ShowFormLogin": "Show Default Login Form", - "Accounts_TwoFactorAuthentication_By_TOTP_Enabled": "Enable Two Factor Authentication via TOTP", - "Accounts_TwoFactorAuthentication_By_TOTP_Enabled_Description": "Users can setup their Two Factor Authentication using any TOTP App, like Google Authenticator or Authy.", - "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In": "Auto opt in new users for Two Factor via Email", - "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In_Description": "New users will have the Two Factor Authentication via Email enabled by default. They will be able to disable it in their profile page.", - "Accounts_TwoFactorAuthentication_By_Email_Code_Expiration": "Time to expire the code sent via email in seconds", - "Accounts_TwoFactorAuthentication_By_Email_Enabled": "Enable Two Factor Authentication via Email", - "Accounts_TwoFactorAuthentication_By_Email_Enabled_Description": "Users with email verified and the option enabled in their profile page will receive an email with a temporary code to authorize certain actions like login, save the profile, etc.", - "Accounts_TwoFactorAuthentication_Enabled": "Enable Two Factor Authentication", - "Accounts_TwoFactorAuthentication_Enabled_Description": "If deactivated, this setting will deactivate all Two Factor Authentication.
To force users to use Two Factor Authentication, the admin has to configure the 'user' role to enforce it.", - "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback": "Enforce password fallback", - "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback_Description": "Users will be forced to enter their password, for important actions, if no other Two Factor Authentication method is enabled for that user and a password is set for him.", - "Accounts_TwoFactorAuthentication_MaxDelta": "Maximum Delta", - "Accounts_TwoFactorAuthentication_MaxDelta_Description": "The Maximum Delta determines how many tokens are valid at any given time. Tokens are generated every 30 seconds, and are valid for (30 * Maximum Delta) seconds.
Example: With a Maximum Delta set to 10, each token can be used up to 300 seconds before or after it's timestamp. This is useful when the client's clock is not properly synced with the server.", - "Accounts_TwoFactorAuthentication_RememberFor": "Remember Two Factor for (seconds)", - "Accounts_TwoFactorAuthentication_RememberFor_Description": "Do not request two factor authorization code if it was already provided before in the given time.", - "Accounts_UseDefaultBlockedDomainsList": "Use Default Blocked Domains List", - "Accounts_UseDNSDomainCheck": "Use DNS Domain Check", - "Accounts_UserAddedEmail_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

You may login using your email: [email] and password: [password]. You may be required to change it after your first login.", - "Accounts_UserAddedEmail_Description": "You may use the following placeholders:

  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [password] for the user's password.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Accounts_UserAddedEmailSubject_Default": "You have been added to [Site_Name]", - "Accounts_Verify_Email_For_External_Accounts": "Verify Email for External Accounts", - "Action": "Action", - "Action_required": "Action required", - "Activate": "Activate", - "Active": "Active", - "Active_users": "Active users", - "Activity": "Activity", - "Add": "Add", - "Add_agent": "Add agent", - "Add_custom_emoji": "Add custom emoji", - "Add_custom_oauth": "Add custom oauth", - "Add_Domain": "Add Domain", - "Add_files_from": "Add files from", - "Add_manager": "Add manager", - "Add_monitor": "Add monitor", - "Add_Reaction": "Add Reaction", - "Add_Role": "Add Role", - "Add_Sender_To_ReplyTo": "Add Sender to Reply-To", - "Add_URL": "Add URL", - "Add_user": "Add user", - "Add_User": "Add User", - "Add_users": "Add users", - "Add_members": "Add Members", - "add-all-to-room": "Add all users to a room", - "add-livechat-department-agents": "Add Omnichannel Agents to Departments", - "add-livechat-department-agents_description": "Permission to add omnichannel agents to departments", - "add-oauth-service": "Add Oauth Service", - "add-oauth-service_description": "Permission to add a new Oauth service", - "add-user": "Add User", - "add-user_description": "Permission to add new users to the server via users screen", - "add-user-to-any-c-room": "Add User to Any Public Channel", - "add-user-to-any-c-room_description": "Permission to add a user to any public channel", - "add-user-to-any-p-room": "Add User to Any Private Channel", - "add-user-to-any-p-room_description": "Permission to add a user to any private channel", - "add-user-to-joined-room": "Add User to Any Joined Channel", - "add-user-to-joined-room_description": "Permission to add a user to a currently joined channel", - "added__roomName__to_team": "added #__roomName__ to this Team", - "Added__username__to_team": "added @__user_added__ to this Team", - "Adding_OAuth_Services": "Adding OAuth Services", - "Adding_permission": "Adding permission", - "Adding_user": "Adding user", - "Additional_emails": "Additional Emails", - "Additional_Feedback": "Additional Feedback", - "additional_integrations_Bots": "If you are looking for how to integrate your own bot, then look no further than our Hubot adapter. https://github.com/RocketChat/hubot-rocketchat", - "additional_integrations_Zapier": "Are you looking to integrate other software and applications with Rocket.Chat but you don't have the time to manually do it? Then we suggest using Zapier which we fully support. Read more about it on our documentation. https://rocket.chat/docs/administrator-guides/integrations/zapier/using-zaps/", - "Admin_disabled_encryption": "Your administrator did not enable E2E encryption.", - "Admin_Info": "Admin Info", - "Administration": "Administration", - "Adult_images_are_not_allowed": "Adult images are not allowed", - "Aerospace_and_Defense": "Aerospace & Defense", - "After_OAuth2_authentication_users_will_be_redirected_to_this_URL": "After OAuth2 authentication, users will be redirected to an URL on this list. You can add one URL per line.", - "Agent": "Agent", - "Agent_added": "Agent added", - "Agent_Info": "Agent Info", - "Agent_messages": "Agent Messages", - "Agent_Name": "Agent Name", - "Agent_Name_Placeholder": "Please enter an agent name...", - "Agent_removed": "Agent removed", - "Agent_deactivated": "Agent was deactivated", - "Agent_Without_Extensions": "Agent Without Extensions", - "Agents": "Agents", - "Alerts": "Alerts", - "Alias": "Alias", - "Alias_Format": "Alias Format", - "Alias_Format_Description": "Import messages from Slack with an alias; %s is replaced by the username of the user. If empty, no alias will be used.", - "Alias_Set": "Alias Set", - "Aliases": "Aliases", - "All": "All", - "All_Apps": "All Apps", - "All_added_tokens_will_be_required_by_the_user": "All added tokens will be required by the user", - "All_categories": "All categories", - "All_channels": "All channels", - "All_closed_chats_have_been_removed": "All closed chats have been removed", - "All_logs": "All logs", - "All_messages": "All messages", - "All_users": "All users", - "All_users_in_the_channel_can_write_new_messages": "All users in the channel can write new messages", - "Allow_collect_and_store_HTTP_header_informations": "Allow to collect and store HTTP header informations", - "Allow_collect_and_store_HTTP_header_informations_description": "This setting determines whether Livechat is allowed to store information collected from HTTP header data, such as IP address, User-Agent, and so on.", - "Allow_Invalid_SelfSigned_Certs": "Allow Invalid Self-Signed Certs", - "Allow_Invalid_SelfSigned_Certs_Description": "Allow invalid and self-signed SSL certificate's for link validation and previews.", - "Allow_Marketing_Emails": "Allow Marketing Emails", - "Allow_Online_Agents_Outside_Business_Hours": "Allow online agents outside of business hours", - "Allow_Online_Agents_Outside_Office_Hours": "Allow online agents outside of office hours", - "Allow_Save_Media_to_Gallery": "Allow Save Media to Gallery", - "Allow_switching_departments": "Allow Visitor to Switch Departments", - "Almost_done": "Almost done", - "Alphabetical": "Alphabetical", - "Also_send_to_channel": "Also send to channel", - "Always_open_in_new_window": "Always Open in New Window", - "Analytics": "Analytics", - "Analytics_Description": "See how users interact with your workspace.", - "Analytics_features_enabled": "Features Enabled", - "Analytics_features_messages_Description": "Tracks custom events related to actions a user does on messages.", - "Analytics_features_rooms_Description": "Tracks custom events related to actions on a channel or group (create, leave, delete).", - "Analytics_features_users_Description": "Tracks custom events related to actions related to users (password reset times, profile picture change, etc).", - "Analytics_Google": "Google Analytics", - "Analytics_Google_id": "Tracking ID", - "and": "and", - "And_more": "And __length__ more", - "Animals_and_Nature": "Animals & Nature", - "Announcement": "Announcement", - "Anonymous": "Anonymous", - "Answer_call": "Answer Call", - "API": "API", - "API_Add_Personal_Access_Token": "Add new Personal Access Token", - "API_Allow_Infinite_Count": "Allow Getting Everything", - "API_Allow_Infinite_Count_Description": "Should calls to the REST API be allowed to return everything in one call?", - "API_Analytics": "Analytics", - "API_CORS_Origin": "CORS Origin", - "API_Default_Count": "Default Count", - "API_Default_Count_Description": "The default count for REST API results if the consumer did not provided any.", - "API_Drupal_URL": "Drupal Server URL", - "API_Drupal_URL_Description": "Example: https://domain.com (excluding trailing slash)", - "API_Embed": "Embed Link Previews", - "API_Embed_Description": "Whether embedded link previews are enabled or not when a user posts a link to a website.", - "API_Embed_UserAgent": "Embed Request User Agent", - "API_EmbedCacheExpirationDays": "Embed Cache Expiration Days", - "API_EmbedDisabledFor": "Disable Embed for Users", - "API_EmbedDisabledFor_Description": "Comma-separated list of usernames to disable the embedded link previews.", - "API_EmbedIgnoredHosts": "Embed Ignored Hosts", - "API_EmbedIgnoredHosts_Description": "Comma-separated list of hosts or CIDR addresses, eg. localhost, 127.0.0.1, 10.0.0.0/8, 172.16.0.0/12, 192.168.0.0/16", - "API_EmbedSafePorts": "Safe Ports", - "API_EmbedSafePorts_Description": "Comma-separated list of ports allowed for previewing.", - "API_Enable_CORS": "Enable CORS", - "API_Enable_Direct_Message_History_EndPoint": "Enable Direct Message History Endpoint", - "API_Enable_Direct_Message_History_EndPoint_Description": "This enables the `/api/v1/im.history.others` which allows the viewing of direct messages sent by other users that the caller is not part of.", - "API_Enable_Personal_Access_Tokens": "Enable Personal Access Tokens to REST API", - "API_Enable_Personal_Access_Tokens_Description": "Enable personal access tokens for use with the REST API", - "API_Enable_Rate_Limiter": "Enable Rate Limiter", - "API_Enable_Rate_Limiter_Dev": "Enable Rate Limiter in development", - "API_Enable_Rate_Limiter_Dev_Description": "Should limit the amount of calls to the endpoints in the development environment?", - "API_Enable_Rate_Limiter_Limit_Calls_Default": "Default number calls to the rate limiter", - "API_Enable_Rate_Limiter_Limit_Calls_Default_Description": "Number of default calls for each endpoint of the REST API, allowed within the time range defined below", - "API_Enable_Rate_Limiter_Limit_Time_Default": "Default time limit for the rate limiter (in ms)", - "API_Enable_Rate_Limiter_Limit_Time_Default_Description": "Default timeout to limit the number of calls at each endpoint of the REST API(in ms)", - "API_Enable_Shields": "Enable Shields", - "API_Enable_Shields_Description": "Enable shields available at `/api/v1/shield.svg`", - "API_GitHub_Enterprise_URL": "Server URL", - "API_GitHub_Enterprise_URL_Description": "Example: http://domain.com (excluding trailing slash)", - "API_Gitlab_URL": "GitLab URL", - "API_Personal_Access_Token_Generated": "Personal Access Token successfully generated", - "API_Personal_Access_Token_Generated_Text_Token_s_UserId_s": "Please save your token carefully as you will no longer be able to view it afterwards.
Token: __token__
Your user Id: __userId__", - "API_Personal_Access_Token_Name": "Personal Access Token Name", - "API_Personal_Access_Tokens_Regenerate_It": "Regenerate token", - "API_Personal_Access_Tokens_Regenerate_Modal": "If you lost or forgot your token, you can regenerate it, but remember that all applications that use this token should be updated", - "API_Personal_Access_Tokens_Remove_Modal": "Are you sure you wish to remove this personal access token?", - "API_Personal_Access_Tokens_To_REST_API": "Personal access tokens to REST API", - "API_Rate_Limiter": "API Rate Limiter", - "API_Shield_Types": "Shield Types", - "API_Shield_Types_Description": "Types of shields to enable as a comma separated list, choose from `online`, `channel` or `*` for all", - "API_Shield_user_require_auth": "Require authentication for users shields", - "API_Token": "API Token", - "API_Tokenpass_URL": "Tokenpass Server URL", - "API_Tokenpass_URL_Description": "Example: https://domain.com (excluding trailing slash)", - "API_Upper_Count_Limit": "Max Record Amount", - "API_Upper_Count_Limit_Description": "What is the maximum number of records the REST API should return (when not unlimited)?", - "API_Use_REST_For_DDP_Calls": "Use REST instead of websocket for Meteor calls", - "API_User_Limit": "User Limit for Adding All Users to Channel", - "API_Wordpress_URL": "WordPress URL", - "api-bypass-rate-limit": "Bypass rate limit for REST API", - "api-bypass-rate-limit_description": "Permission to call api without rate limitation", - "Apiai_Key": "Api.ai Key", - "Apiai_Language": "Api.ai Language", - "APIs": "APIs", - "App_author_homepage": "author homepage", - "App_Details": "App details", - "App_Info": "App Info", - "App_Information": "App Information", - "App_Installation": "App Installation", - "App_status_auto_enabled": "Enabled", - "App_status_constructed": "Constructed", - "App_status_disabled": "Disabled", - "App_status_error_disabled": "Disabled: Uncaught Error", - "App_status_initialized": "Initialized", - "App_status_invalid_license_disabled": "Disabled: Invalid License", - "App_status_invalid_settings_disabled": "Disabled: Configuration Needed", - "App_status_manually_disabled": "Disabled: Manually", - "App_status_manually_enabled": "Enabled", - "App_status_unknown": "Unknown", - "App_support_url": "support url", - "App_Url_to_Install_From": "Install from URL", - "App_Url_to_Install_From_File": "Install from file", - "App_user_not_allowed_to_login": "App users are not allowed to log in directly.", - "Appearance": "Appearance", - "Application_added": "Application added", - "Application_delete_warning": "You will not be able to recover this Application!", - "Application_Name": "Application Name", - "Application_updated": "Application updated", - "Apply": "Apply", - "Apply_and_refresh_all_clients": "Apply and refresh all clients", - "Apps": "Apps", - "Apps_Engine_Version": "Apps Engine Version", - "Apps_Essential_Alert": "This app is essential for the following events:", - "Apps_Essential_Disclaimer": "Events listed above will be disrupted if this app is disabled. If you want Rocket.Chat to work without this app's functionality, you need to uninstall it", - "Apps_Framework_Development_Mode": "Enable development mode", - "Apps_Framework_Development_Mode_Description": "Development mode allows the installation of Apps that are not from the Rocket.Chat's Marketplace.", - "Apps_Framework_enabled": "Enable the App Framework", - "Apps_Framework_Source_Package_Storage_Type": "Apps' Source Package Storage type", - "Apps_Framework_Source_Package_Storage_Type_Description": "Choose where all the apps' source code will be stored. Apps can have multiple megabytes in size each.", - "Apps_Framework_Source_Package_Storage_Type_Alert": "Changing where the apps are stored may cause instabilities in apps there are already installed", - "Apps_Framework_Source_Package_Storage_FileSystem_Path": "Directory for storing apps source package", - "Apps_Framework_Source_Package_Storage_FileSystem_Path_Description": "Absolute path in the filesystem for storing the apps' source code (in zip file format)", - "Apps_Framework_Source_Package_Storage_FileSystem_Alert": "Make sure the chosen directory exist and Rocket.Chat can access it (e.g. permission to read/write)", - "Apps_Game_Center": "Game Center", - "Apps_Game_Center_Back": "Back to Game Center", - "Apps_Game_Center_Invite_Friends": "Invite your friends to join", - "Apps_Game_Center_Play_Game_Together": "@here Let's play __name__ together!", - "Apps_Interface_IPostExternalComponentClosed": "Event happening after an external component is closed", - "Apps_Interface_IPostExternalComponentOpened": "Event happening after an external component is opened", - "Apps_Interface_IPostMessageDeleted": "Event happening after a message is deleted", - "Apps_Interface_IPostMessageSent": "Event happening after a message is sent", - "Apps_Interface_IPostMessageUpdated": "Event happening after a message is updated", - "Apps_Interface_IPostRoomCreate": "Event happening after a room is created", - "Apps_Interface_IPostRoomDeleted": "Event happening after a room is deleted", - "Apps_Interface_IPostRoomUserJoined": "Event happening after a user joins a room (private group, public channel)", - "Apps_Interface_IPreMessageDeletePrevent": "Event happening before a message is deleted", - "Apps_Interface_IPreMessageSentExtend": "Event happening before a message is sent", - "Apps_Interface_IPreMessageSentModify": "Event happening before a message is sent", - "Apps_Interface_IPreMessageSentPrevent": "Event happening before a message is sent", - "Apps_Interface_IPreMessageUpdatedExtend": "Event happening before a message is updated", - "Apps_Interface_IPreMessageUpdatedModify": "Event happening before a message is updated", - "Apps_Interface_IPreMessageUpdatedPrevent": "Event happening before a message is updated", - "Apps_Interface_IPreRoomCreateExtend": "Event happening before a room is created", - "Apps_Interface_IPreRoomCreateModify": "Event happening before a room is created", - "Apps_Interface_IPreRoomCreatePrevent": "Event happening before a room is created", - "Apps_Interface_IPreRoomDeletePrevent": "Event happening before a room is deleted", - "Apps_Interface_IPreRoomUserJoined": "Event happening before a user joins a room (private group, public channel)", - "Apps_License_Message_appId": "License hasn't been issued for this app", - "Apps_License_Message_bundle": "License issued for a bundle that does not contain the app", - "Apps_License_Message_expire": "License is no longer valid and needs to be renewed", - "Apps_License_Message_maxSeats": "License does not accomodate the current amount of active users. Please increase the number of seats", - "Apps_License_Message_publicKey": "There has been an error trying to decrypt the license. Please sync your workspace in the Connectivity Services and try again", - "Apps_License_Message_renewal": "License has expired and needs to be renewed", - "Apps_License_Message_seats": "License does not have enough seats to accommodate the current amount of active users. Please increase the number of seats", - "Apps_Logs_TTL": "Number of days to keep logs from apps stored", - "Apps_Logs_TTL_7days": "7 days", - "Apps_Logs_TTL_14days": "14 days", - "Apps_Logs_TTL_30days": "30 days", - "Apps_Logs_TTL_Alert": "Depending on the size of the Logs collection, changing this setting may cause slowness for some moments", - "Apps_Marketplace_Deactivate_App_Prompt": "Do you really want to disable this app?", - "Apps_Marketplace_Login_Required_Description": "Purchasing apps from the Rocket.Chat Marketplace requires registering your workspace and logging in.", - "Apps_Marketplace_Login_Required_Title": "Marketplace Login Required", - "Apps_Marketplace_Modify_App_Subscription": "Modify Subscription", - "Apps_Marketplace_pricingPlan_monthly": "__price__ / month", - "Apps_Marketplace_pricingPlan_monthly_perUser": "__price__ / month per user", - "Apps_Marketplace_pricingPlan_monthly_trialDays": "__price__ / month-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_monthly_perUser_trialDays": "__price__ / month per user-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_monthly": " __price__+* / month", - "Apps_Marketplace_pricingPlan_+*_monthly_trialDays": " __price__+* / month-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_monthly_perUser": " __price__+* / month per user", - "Apps_Marketplace_pricingPlan_+*_monthly_perUser_trialDays": " __price__+* / month per user-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_yearly": " __price__+* / year", - "Apps_Marketplace_pricingPlan_+*_yearly_trialDays": " __price__+* / year-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_+*_yearly_perUser": " __price__+* / year per user", - "Apps_Marketplace_pricingPlan_+*_yearly_perUser_trialDays": " __price__+* / year per user-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_yearly_trialDays": "__price__ / year-__trialDays__-day trial", - "Apps_Marketplace_pricingPlan_yearly_perUser_trialDays": "__price__ / year per user-__trialDays__-day trial", - "Apps_Marketplace_Uninstall_App_Prompt": "Do you really want to uninstall this app?", - "Apps_Marketplace_Uninstall_Subscribed_App_Anyway": "Uninstall it anyway", - "Apps_Marketplace_Uninstall_Subscribed_App_Prompt": "This app has an active subscription and uninstalling will not cancel it. If you'd like to do that, please modify your subscription before uninstalling.", - "Apps_Permissions_Review_Modal_Title": "Required Permissions", - "Apps_Permissions_Review_Modal_Subtitle": "This app would like access to the following permissions. Do you agree?", - "Apps_Permissions_No_Permissions_Required": "The App does not require additional permissions", - "Apps_Permissions_cloud_workspace-token": "Interact with Cloud Services on behalf of this server", - "Apps_Permissions_user_read": "Access user information", - "Apps_Permissions_user_write": "Modify user information", - "Apps_Permissions_upload_read": "Access files uploaded to this server", - "Apps_Permissions_upload_write": "Upload files to this server", - "Apps_Permissions_server-setting_read": "Access settings in this server", - "Apps_Permissions_server-setting_write": "Modify settings in this server", - "Apps_Permissions_room_read": "Access room information", - "Apps_Permissions_room_write": "Create and modify rooms", - "Apps_Permissions_message_read": "Access messages", - "Apps_Permissions_message_write": "Send and modify messages", - "Apps_Permissions_livechat-status_read": "Access Livechat status information", - "Apps_Permissions_livechat-custom-fields_write": "Modify Livechat custom field configuration", - "Apps_Permissions_livechat-visitor_read": "Access Livechat visitor information", - "Apps_Permissions_livechat-visitor_write": "Modify Livechat visitor information", - "Apps_Permissions_livechat-message_read": "Access Livechat message information", - "Apps_Permissions_livechat-message_write": "Modify Livechat message information", - "Apps_Permissions_livechat-room_read": "Access Livechat room information", - "Apps_Permissions_livechat-room_write": "Modify Livechat room information", - "Apps_Permissions_livechat-department_read": "Access Livechat department information", - "Apps_Permissions_livechat-department_multiple": "Access to multiple Livechat departments information", - "Apps_Permissions_livechat-department_write": "Modify Livechat department information", - "Apps_Permissions_slashcommand": "Register new slash commands", - "Apps_Permissions_api": "Register new HTTP endpoints", - "Apps_Permissions_env_read": "Access minimal information about this server environment", - "Apps_Permissions_networking": "Access to this server network", - "Apps_Permissions_persistence": "Store internal data in the database", - "Apps_Permissions_scheduler": "Register and maintain scheduled jobs", - "Apps_Permissions_ui_interact": "Interact with the UI", - "Apps_Settings": "App's Settings", - "Apps_Manual_Update_Modal_Title": "This app is already installed", - "Apps_Manual_Update_Modal_Body": "Do you want to update it?", - "Apps_User_Already_Exists": "The username \"__username__\" is already being used. Rename or remove the user using it to install this App", - "Apps_WhatIsIt": "Apps: What Are They?", - "Apps_WhatIsIt_paragraph1": "A new icon in the administration area! What does this mean and what are Apps?", - "Apps_WhatIsIt_paragraph2": "First off, Apps in this context do not refer to the mobile applications. In fact, it would be best to think of them in terms of plugins or advanced integrations.", - "Apps_WhatIsIt_paragraph3": "Secondly, they are dynamic scripts or packages which will allow you to customize your Rocket.Chat instance without having to fork the codebase. But do keep in mind, this is a new feature set and due to that it might not be 100% stable. Also, we are still developing the feature set so not everything can be customized at this point in time. For more information about getting started developing an app, go here to read:", - "Apps_WhatIsIt_paragraph4": "But with that said, if you are interested in enabling this feature and trying it out then here click this button to enable the Apps system.", - "Archive": "Archive", - "archive-room": "Archive Room", - "archive-room_description": "Permission to archive a channel", - "are_typing": "are typing", - "Are_you_sure": "Are you sure?", - "Are_you_sure_you_want_to_clear_all_unread_messages": "Are you sure you want to clear all unread messages?", - "Are_you_sure_you_want_to_close_this_chat": "Are you sure you want to close this chat?", - "Are_you_sure_you_want_to_delete_this_record": "Are you sure you want to delete this record?", - "Are_you_sure_you_want_to_delete_your_account": "Are you sure you want to delete your account?", - "Are_you_sure_you_want_to_disable_Facebook_integration": "Are you sure you want to disable Facebook integration?", - "Assets": "Assets", - "Assets_Description": "Modify your workspace's logo, icon, favicon and more.", - "Assign_admin": "Assigning admin", - "Assign_new_conversations_to_bot_agent": "Assign new conversations to bot agent", - "Assign_new_conversations_to_bot_agent_description": "The routing system will attempt to find a bot agent before addressing new conversations to a human agent.", - "assign-admin-role": "Assign Admin Role", - "assign-admin-role_description": "Permission to assign the admin role to other users", - "assign-roles": "Assign Roles", - "assign-roles_description": "Permission to assign roles to other users", - "Associate": "Associate", - "Associate_Agent": "Associate Agent", - "Associate_Agent_to_Extension": "Associate Agent to Extension", - "at": "at", - "At_least_one_added_token_is_required_by_the_user": "At least one added token is required by the user", - "AtlassianCrowd": "Atlassian Crowd", - "AtlassianCrowd_Description": "Integrate Atlassian Crowd.", - "Attachment_File_Uploaded": "File Uploaded", - "Attribute_handling": "Attribute handling", - "Audio": "Audio", - "Audio_message": "Audio message", - "Audio_Notification_Value_Description": "Can be any custom sound or the default ones: beep, chelle, ding, droplet, highbell, seasons", - "Audio_Notifications_Default_Alert": "Audio Notifications Default Alert", - "Audio_Notifications_Value": "Default Message Notification Audio", - "Audio_settings": "Audio Settings", - "Audios": "Audios", - "Auditing": "Auditing", - "Auth_Token": "Auth Token", - "Authentication": "Authentication", - "Author": "Author", - "Author_Information": "Author Information", - "Author_Site": "Author site", - "Authorization_URL": "Authorization URL", - "Authorize": "Authorize", - "Auto_Load_Images": "Auto Load Images", - "Auto_Selection": "Auto Selection", - "Auto_Translate": "Auto-Translate", - "auto-translate": "Auto Translate", - "auto-translate_description": "Permission to use the auto translate tool", - "AutoLinker": "AutoLinker", - "AutoLinker_Email": "AutoLinker Email", - "AutoLinker_Phone": "AutoLinker Phone", - "AutoLinker_Phone_Description": "Automatically linked for Phone numbers. e.g. `(123)456-7890`", - "AutoLinker_StripPrefix": "AutoLinker Strip Prefix", - "AutoLinker_StripPrefix_Description": "Short display. e.g. https://rocket.chat => rocket.chat", - "AutoLinker_Urls_Scheme": "AutoLinker Scheme:// URLs", - "AutoLinker_Urls_TLD": "AutoLinker TLD URLs", - "AutoLinker_Urls_www": "AutoLinker 'www' URLs", - "AutoLinker_UrlsRegExp": "AutoLinker URL Regular Expression", - "Automatic_Translation": "Automatic Translation", - "AutoTranslate": "Auto-Translate", - "AutoTranslate_APIKey": "API Key", - "AutoTranslate_Change_Language_Description": "Changing the auto-translate language does not translate previous messages.", - "AutoTranslate_DeepL": "DeepL", - "AutoTranslate_Enabled": "Enable Auto-Translate", - "AutoTranslate_Enabled_Description": "Enabling auto-translation will allow people with the auto-translate permission to have all messages automatically translated into their selected language. Fees may apply.", - "AutoTranslate_Google": "Google", - "AutoTranslate_Microsoft": "Microsoft", - "AutoTranslate_Microsoft_API_Key": "Ocp-Apim-Subscription-Key", - "AutoTranslate_ServiceProvider": "Service Provider", - "Available": "Available", - "Available_agents": "Available agents", - "Available_departments": "Available Departments", - "Avatar": "Avatar", - "Avatars": "Avatars", - "Avatar_changed_successfully": "Avatar changed successfully", - "Avatar_URL": "Avatar URL", - "Avatar_format_invalid": "Invalid Format. Only image type is allowed", - "Avatar_url_invalid_or_error": "The url provided is invalid or not accessible. Please try again, but with a different url.", - "Avg_chat_duration": "Average of Chat Duration", - "Avg_first_response_time": "Average of First Response Time", - "Avg_of_abandoned_chats": "Average of Abandoned Chats", - "Avg_of_available_service_time": "Average of Service Available Time", - "Avg_of_chat_duration_time": "Average of Chat Duration Time", - "Avg_of_service_time": "Average of Service Time", - "Avg_of_waiting_time": "Average of Waiting Time", - "Avg_reaction_time": "Average of Reaction Time", - "Avg_response_time": "Average of Response Time", - "away": "away", - "Away": "Away", - "Back": "Back", - "Back_to_applications": "Back to applications", - "Back_to_chat": "Back to chat", - "Back_to_imports": "Back to imports", - "Back_to_integration_detail": "Back to the integration detail", - "Back_to_integrations": "Back to integrations", - "Back_to_login": "Back to login", - "Back_to_Manage_Apps": "Back to Manage Apps", - "Back_to_permissions": "Back to permissions", - "Back_to_room": "Back to Room", - "Back_to_threads": "Back to threads", - "Backup_codes": "Backup codes", - "ban-user": "Ban User", - "ban-user_description": "Permission to ban a user from a channel", - "BBB_End_Meeting": "End Meeting", - "BBB_Enable_Teams": "Enable for Teams", - "BBB_Join_Meeting": "Join Meeting", - "BBB_Start_Meeting": "Start Meeting", - "BBB_Video_Call": "BBB Video Call", - "BBB_You_have_no_permission_to_start_a_call": "You have no permission to start a call", - "Belongs_To": "Belongs To", - "Best_first_response_time": "Best first response time", - "Beta_feature_Depends_on_Video_Conference_to_be_enabled": "Beta feature. Depends on Video Conference to be enabled.", - "Better": "Better", - "Bio": "Bio", - "Bio_Placeholder": "Bio Placeholder", - "Block": "Block", - "Block_Multiple_Failed_Logins_Attempts_Until_Block_By_Ip": "How many failed attempts until block by IP", - "Block_Multiple_Failed_Logins_Attempts_Until_Block_by_User": "How many failed attempts until block by User", - "Block_Multiple_Failed_Logins_By_Ip": "Block failed login attempts by IP", - "Block_Multiple_Failed_Logins_By_User": "Block failed login attempts by Username", - "Block_Multiple_Failed_Logins_Enable_Collect_Login_data_Description": "Stores IP and username from log in attempts to a collection on database", - "Block_Multiple_Failed_Logins_Enabled": "Enable collect log in data", - "Block_Multiple_Failed_Logins_Ip_Whitelist": "IP Whitelist", - "Block_Multiple_Failed_Logins_Ip_Whitelist_Description": "Comma-separated list of whitelisted IPs", - "Block_Multiple_Failed_Logins_Time_To_Unblock_By_Ip_In_Minutes": "Time to unblock IP (In Minutes)", - "Block_Multiple_Failed_Logins_Time_To_Unblock_By_User_In_Minutes": "Time to unblock User (In Minutes)", - "Block_Multiple_Failed_Logins_Notify_Failed": "Notify of failed login attempts", - "Block_Multiple_Failed_Logins_Notify_Failed_Channel": "Channel to send the notifications", - "Block_Multiple_Failed_Logins_Notify_Failed_Channel_Desc": "This is where notifications will be received. Make sure the channel exists. The channel name should not include # symbol", - "Block_User": "Block User", - "Blockchain": "Blockchain", - "Body": "Body", - "bold": "bold", - "bot_request": "Bot request", - "BotHelpers_userFields": "User Fields", - "BotHelpers_userFields_Description": "CSV of user fields that can be accessed by bots helper methods.", - "Bot": "Bot", - "Bots": "Bots", - "Bots_Description": "Set the fields that can be referenced and used when developing bots.", - "Branch": "Branch", - "Broadcast": "Broadcast", - "Broadcast_channel": "Broadcast Channel", - "Broadcast_channel_Description": "Only authorized users can write new messages, but the other users will be able to reply", - "Broadcast_Connected_Instances": "Broadcast Connected Instances", - "Broadcasting_api_key": "Broadcasting API Key", - "Broadcasting_client_id": "Broadcasting Client ID", - "Broadcasting_client_secret": "Broadcasting Client Secret", - "Broadcasting_enabled": "Broadcasting Enabled", - "Broadcasting_media_server_url": "Broadcasting Media Server URL", - "Browse_Files": "Browse Files", - "Browser_does_not_support_audio_element": "Your browser does not support the audio element.", - "Browser_does_not_support_video_element": "Your browser does not support the video element.", - "Bugsnag_api_key": "Bugsnag API Key", - "Build_Environment": "Build Environment", - "bulk-register-user": "Bulk Create Users", - "bulk-register-user_description": "Permission to create users in bulk", - "bundle_chip_title": "__bundleName__ Bundle", - "Bundles": "Bundles", - "Busiest_day": "Busiest Day", - "Busiest_time": "Busiest Time", - "Business_Hour": "Business Hour", - "Business_Hour_Removed": "Business Hour Removed", - "Business_Hours": "Business Hours", - "Business_hours_enabled": "Business hours enabled", - "Business_hours_updated": "Business hours updated", - "busy": "busy", - "Busy": "Busy", - "By": "By", - "by": "by", - "By_author": "By __author__", - "cache_cleared": "Cache cleared", - "Call": "Call", - "Calling": "Calling", - "Call_Center": "Call Center", - "Call_Center_Description": "Configure Rocket.Chat call center.", - "Calls_in_queue": "__calls__ call in queue", - "Calls_in_queue_plural": "__calls__ calls in queue", - "Calls_in_queue_empty": "Queue is empty", - "Call_declined": "Call Declined!", - "Call_Information": "Call Information", - "Call_provider": "Call Provider", - "Call_Already_Ended": "Call Already Ended", - "call-management": "Call Management", - "call-management_description": "Permission to start a meeting", - "Caller": "Caller", - "Caller_Id": "Caller ID", - "Cancel": "Cancel", - "Cancel_message_input": "Cancel", - "Canceled": "Canceled", - "Canned_Response_Created": "Canned Response created", - "Canned_Response_Updated": "Canned Response updated", - "Canned_Response_Delete_Warning": "Deleting a canned response cannot be undone.", - "Canned_Response_Removed": "Canned Response Removed", - "Canned_Response_Sharing_Department_Description": "Anyone in the selected department can access this canned response", - "Canned_Response_Sharing_Private_Description": "Only you and Omnichannel managers can access this canned response", - "Canned_Response_Sharing_Public_Description": "Anyone can access this canned response", - "Canned_Responses": "Canned Responses", - "Canned_Responses_Enable": "Enable Canned Responses", - "Create_your_First_Canned_Response": "Create Your First Canned Response", - "Cannot_invite_users_to_direct_rooms": "Cannot invite users to direct rooms", - "Cannot_open_conversation_with_yourself": "Cannot Direct Message with yourself", - "Cannot_share_your_location": "Cannot share your location...", - "Cannot_disable_while_on_call": "Can't change status during calls ", - "CAS": "CAS", - "CAS_Description": "Central Authentication Service allows members to use one set of credentials to sign in to multiple sites over multiple protocols.", - "CAS_autoclose": "Autoclose Login Popup", - "CAS_base_url": "SSO Base URL", - "CAS_base_url_Description": "The base URL of your external SSO service e.g: https://sso.example.undef/sso/", - "CAS_button_color": "Login Button Background Color", - "CAS_button_label_color": "Login Button Text Color", - "CAS_button_label_text": "Login Button Label", - "CAS_Creation_User_Enabled": "Allow user creation", - "CAS_Creation_User_Enabled_Description": "Allow CAS User creation from data provided by the CAS ticket.", - "CAS_enabled": "Enabled", - "CAS_Login_Layout": "CAS Login Layout", - "CAS_login_url": "SSO Login URL", - "CAS_login_url_Description": "The login URL of your external SSO service e.g: https://sso.example.undef/sso/login", - "CAS_popup_height": "Login Popup Height", - "CAS_popup_width": "Login Popup Width", - "CAS_Sync_User_Data_Enabled": "Always Sync User Data", - "CAS_Sync_User_Data_Enabled_Description": "Always synchronize external CAS User data into available attributes upon login. Note: Attributes are always synced upon account creation anyway.", - "CAS_Sync_User_Data_FieldMap": "Attribute Map", - "CAS_Sync_User_Data_FieldMap_Description": "Use this JSON input to build internal attributes (key) from external attributes (value). External attribute names enclosed with '%' will interpolated in value strings.
Example, `{\"email\":\"%email%\", \"name\":\"%firstname%, %lastname%\"}`

The attribute map is always interpolated. In CAS 1.0 only the `username` attribute is available. Available internal attributes are: username, name, email, rooms; rooms is a comma separated list of rooms to join upon user creation e.g: {\"rooms\": \"%team%,%department%\"} would join CAS users on creation to their team and department channel.", - "CAS_trust_username": "Trust CAS username", - "CAS_trust_username_description": "When enabled, Rocket.Chat will trust that any username from CAS belongs to the same user on Rocket.Chat.
This may be needed if a user is renamed on CAS, but may also allow people to take control of Rocket.Chat accounts by renaming their own CAS users.", - "CAS_version": "CAS Version", - "CAS_version_Description": "Only use a supported CAS version supported by your CAS SSO service.", - "Categories": "Categories", - "Categories*": "Categories*", - "CDN_JSCSS_PREFIX": "CDN Prefix for JS/CSS", - "CDN_PREFIX": "CDN Prefix", - "CDN_PREFIX_ALL": "Use CDN Prefix for all assets", - "Certificates_and_Keys": "Certificates and Keys", - "change-livechat-room-visitor": "Change Livechat Room Visitors", - "change-livechat-room-visitor_description": "Permission to add additional information to the livechat room visitor", - "Change_Room_Type": "Changing the Room Type", - "Changing_email": "Changing email", - "channel": "channel", - "Channel": "Channel", - "Channel_already_exist": "The channel `#%s` already exists.", - "Channel_already_exist_static": "The channel already exists.", - "Channel_already_Unarchived": "Channel with name `#%s` is already in Unarchived state", - "Channel_Archived": "Channel with name `#%s` has been archived successfully", - "Channel_created": "Channel `#%s` created.", - "Channel_doesnt_exist": "The channel `#%s` does not exist.", - "Channel_Export": "Channel Export", - "Channel_name": "Channel Name", - "Channel_Name_Placeholder": "Please enter channel name...", - "Channel_to_listen_on": "Channel to listen on", - "Channel_Unarchived": "Channel with name `#%s` has been Unarchived successfully", - "Channels": "Channels", - "Channels_added": "Channels added sucessfully", - "Channels_are_where_your_team_communicate": "Channels are where your team communicate", - "Channels_list": "List of public channels", - "Channel_what_is_this_channel_about": "What is this channel about?", - "Chart": "Chart", - "Chat_button": "Chat button", - "Chat_close": "Chat Close", - "Chat_closed": "Chat closed", - "Chat_closed_by_agent": "Chat closed by agent", - "Chat_closed_successfully": "Chat closed successfully", - "Chat_History": "Chat History", - "Chat_Now": "Chat Now", - "chat_on_hold_due_to_inactivity": "This chat is on-hold due to inactivity", - "Chat_On_Hold": "Chat On-Hold", - "Chat_On_Hold_Successfully": "This chat was successfully placed On-Hold", - "Chat_queued": "Chat Queued", - "Chat_removed": "Chat Removed", - "Chat_resumed": "Chat Resumed", - "Chat_start": "Chat Start", - "Chat_started": "Chat started", - "Chat_taken": "Chat Taken", - "Chat_window": "Chat window", - "Chatops_Enabled": "Enable Chatops", - "Chatops_Title": "Chatops Panel", - "Chatops_Username": "Chatops Username", - "Chatpal_AdminPage": "Chatpal Admin Page", - "Chatpal_All_Results": "Everything", - "Chatpal_API_Key": "API Key", - "Chatpal_API_Key_Description": "You don't yet have an API Key? Get one!", - "Chatpal_Backend": "Backend Type", - "Chatpal_Backend_Description": "Select if you want to use Chatpal as a Service or as On-Site Installation", - "Chatpal_Base_URL": "Base Url", - "Chatpal_Base_URL_Description": "Find some description how to run a local instance on github. The URL must be absolue and point to the chatpal core, e.g. http://localhost:8983/solr/chatpal.", - "Chatpal_Batch_Size": "Index Batch Size", - "Chatpal_Batch_Size_Description": "The batch size of index documents (on bootstrapping)", - "Chatpal_channel_not_joined_yet": "Channel not joined yet", - "Chatpal_create_key": "Create Key", - "Chatpal_created_key_successfully": "API-Key created successfully", - "Chatpal_Current_Room_Only": "Same room", - "Chatpal_Default_Result_Type": "Default Result Type", - "Chatpal_Default_Result_Type_Description": "Defines which result type is shown by result. All means that an overview for all types is provided.", - "Chat_Duration": "Chat Duration", - "Chatpal_Email_Address": "Email Address", - "Chatpal_ERROR_Email_must_be_set": "Email must be set", - "Chatpal_ERROR_Email_must_be_valid": "Email must be valid", - "Chatpal_ERROR_TAC_must_be_checked": "Terms and Conditions must be checked", - "Chatpal_ERROR_username_already_exists": "Username already exists", - "Chatpal_Get_more_information_about_chatpal_on_our_website": "Get more information about Chatpal on http://chatpal.io!", - "Chatpal_go_to_message": "Jump", - "Chatpal_go_to_room": "Jump", - "Chatpal_go_to_user": "Send direct message", - "Chatpal_HTTP_Headers": "Http Headers", - "Chatpal_HTTP_Headers_Description": "List of HTTP Headers, one header per line. Format: name:value", - "Chatpal_Include_All_Public_Channels": "Include All Public Channels", - "Chatpal_Include_All_Public_Channels_Description": "Search in all public channels, even if you haven't joined them yet.", - "Chatpal_Main_Language": "Main Language", - "Chatpal_Main_Language_Description": "The language that is used most in conversations", - "Chatpal_Messages": "Messages", - "Chatpal_Messages_Only": "Messages", - "Chatpal_More": "More", - "Chatpal_No_Results": "No Results", - "Chatpal_no_search_results": "No result", - "Chatpal_one_search_result": "Found 1 result", - "Chatpal_Rooms": "Rooms", - "Chatpal_run_search": "Search", - "Chatpal_search_page_of": "Page %s of %s", - "Chatpal_search_results": "Found %s results", - "Chatpal_Search_Results": "Search Results", - "Chatpal_Suggestion_Enabled": "Suggestions enabled", - "Chatpal_TAC_read": "I have read the terms and conditions", - "Chatpal_Terms_and_Conditions": "Terms and Conditions", - "Chatpal_Timeout_Size": "Index Timeout", - "Chatpal_Timeout_Size_Description": "The time between 2 index windows in ms (on bootstrapping)", - "Chatpal_Users": "Users", - "Chatpal_Welcome": "Enjoy your search!", - "Chatpal_Window_Size": "Index Window Size", - "Chatpal_Window_Size_Description": "The size of index windows in hours (on bootstrapping)", - "Chats_removed": "Chats Removed", - "Check_All": "Check All", - "Check_if_the_spelling_is_correct": "Check if the spelling is correct", - "Check_Progress": "Check Progress", - "Choose_a_room": "Choose a room", - "Choose_messages": "Choose messages", - "Choose_the_alias_that_will_appear_before_the_username_in_messages": "Choose the alias that will appear before the username in messages.", - "Choose_the_username_that_this_integration_will_post_as": "Choose the username that this integration will post as.", - "Choose_users": "Choose users", - "Clean_Usernames": "Clear usernames", - "clean-channel-history": "Clean Channel History", - "clean-channel-history_description": "Permission to Clear the history from channels", - "clear": "Clear", - "Clear_all_unreads_question": "Clear all unreads?", - "clear_cache_now": "Clear Cache Now", - "Clear_filters": "Clear filters", - "clear_history": "Clear History", - "Clear_livechat_session_when_chat_ended": "Clear guest session when chat ended", - "clear-oembed-cache": "Clear OEmbed cache", - "Click_here": "Click here", - "Click_here_for_more_details_or_contact_sales_for_a_new_license": "Click here for more details or contact __email__ for a new license.", - "Click_here_for_more_info": "Click here for more info", - "Click_here_to_clear_the_selection": "Click here to clear the selection", - "Click_here_to_enter_your_encryption_password": "Click here to enter your encryption password", - "Click_here_to_view_and_copy_your_password": "Click here to view and copy your password.", - "Click_the_messages_you_would_like_to_send_by_email": "Click the messages you would like to send by e-mail", - "Click_to_join": "Click to Join!", - "Click_to_load": "Click to load", - "Client_ID": "Client ID", - "Client_Secret": "Client Secret", - "Clients_will_refresh_in_a_few_seconds": "Clients will refresh in a few seconds", - "close": "close", - "Close": "Close", - "Close_chat": "Close chat", - "Close_room_description": "You are about to close this chat. Are you sure you want to continue?", - "Close_to_seat_limit_banner_warning": "*You have [__seats__] seats left* \nThis workspace is nearing its seat limit. Once the limit is met no new members can be added. *[Request More Seats](__url__)*", - "Close_to_seat_limit_warning": "New members cannot be created once the seat limit is met.", - "close-livechat-room": "Close Omnichannel Room", - "close-livechat-room_description": "Permission to close the current Omnichannel room", - "Close_menu": "Close menu", - "close-others-livechat-room": "Close other Omnichannel Room", - "close-others-livechat-room_description": "Permission to close other Omnichannel rooms", - "Closed": "Closed", - "Closed_At": "Closed at", - "Closed_automatically": "Closed automatically by the system", - "Closed_automatically_chat_queued_too_long": "Closed automatically by the system (queue maximum time exceeded)", - "Closed_by_visitor": "Closed by visitor", - "Closing_chat": "Closing chat", - "Closing_chat_message": "Closing chat message", - "Cloud": "Cloud", - "Cloud_Apply_Offline_License": "Apply Offline License", - "Cloud_Change_Offline_License": "Change Offline License", - "Cloud_License_applied_successfully": "License applied successfully!", - "Cloud_Invalid_license": "Invalid license!", - "Cloud_Apply_license": "Apply license", - "Cloud_connectivity": "Cloud Connectivity", - "Cloud_address_to_send_registration_to": "The address to send your Cloud registration email to.", - "Cloud_click_here": "After copy the text, go to [cloud console (click here)](__cloudConsoleUrl__).", - "Cloud_console": "Cloud Console", - "Cloud_error_code": "Code: __errorCode__", - "Cloud_error_in_authenticating": "Error received while authenticating", - "Cloud_Info": "Cloud Info", - "Cloud_login_to_cloud": "Login to Rocket.Chat Cloud", - "Cloud_logout": "Logout of Rocket.Chat Cloud", - "Cloud_manually_input_token": "Enter the token received from the Cloud Console.", - "Cloud_register_error": "There has been an error trying to process your request. Please try again later.", - "Cloud_Register_manually": "Register Offline", - "Cloud_register_offline_finish_helper": "After completing the registration process in the Cloud Console you should be presented with some text. Please paste it here to finish the registration.", - "Cloud_register_offline_helper": "Workspaces can be manually registered if airgapped or network access is restricted. Copy the text below and go to our Cloud Console to complete the process.", - "Cloud_register_success": "Your workspace has been successfully registered!", - "Cloud_registration_pending_html": "Push notifications will not work until the registration is finished. Learn more", - "Cloud_registration_pending_title": "Cloud registration is still pending", - "Cloud_registration_required": "Registration Required", - "Cloud_registration_required_description": "Looks like during setup you didn't chose to register your workspace.", - "Cloud_registration_required_link_text": "Click here to register your workspace.", - "Cloud_resend_email": "Resend Email", - "Cloud_Service_Agree_PrivacyTerms": "Cloud Service Privacy Terms Agreement", - "Cloud_Service_Agree_PrivacyTerms_Description": "I agree with the [Terms](https://rocket.chat/terms) & [Privacy Policy](https://rocket.chat/privacy)", - "Cloud_Service_Agree_PrivacyTerms_Login_Disabled_Warning": "You should accept the cloud privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to connect to your cloud workspace", - "Cloud_status_page_description": "If a particular Cloud Service is having issues you can check for known issues on our status page at", - "Cloud_token_instructions": "To Register your workspace go to Cloud Console. Login or Create an account and click register self-managed. Paste the token provided below", - "Cloud_troubleshooting": "Troubleshooting", - "Cloud_update_email": "Update Email", - "Cloud_what_is_it": "What is this?", - "Cloud_what_is_it_additional": "In addition you will be able to manage licenses, billing and support from the Rocket.Chat Cloud Console.", - "Cloud_what_is_it_description": "Rocket.Chat Cloud Connect allows you to connect your self-hosted Rocket.Chat Workspace to services we provide in our Cloud.", - "Cloud_what_is_it_services_like": "Services like:", - "Cloud_workspace_connected": "Your workspace is connected to Rocket.Chat Cloud. Logging into your Rocket.Chat Cloud account here will allow you to interact with some services like marketplace.", - "Cloud_workspace_connected_plus_account": "Your workspace is now connected to the Rocket.Chat Cloud and an account is associated.", - "Cloud_workspace_connected_without_account": "Your workspace is now connected to the Rocket.Chat Cloud. If you would like, you can login to the Rocket.Chat Cloud and associate your workspace with your Cloud account.", - "Cloud_workspace_disconnect": "If you no longer wish to utilize cloud services you can disconnect your workspace from Rocket.Chat Cloud.", - "Cloud_workspace_support": "If you have trouble with a cloud service, please try to sync first. Should the issue persist, please open a support ticket in the Cloud Console.", - "Collaborative": "Collaborative", - "Collapse": "Collapse", - "Collapse_Embedded_Media_By_Default": "Collapse Embedded Media by Default", - "color": "Color", - "Color": "Color", - "Colors": "Colors", - "Commands": "Commands", - "Comment_to_leave_on_closing_session": "Comment to Leave on Closing Session", - "Comment": "Comment", - "Common_Access": "Common Access", - "Community": "Community", - "Compact": "Compact", - "Composer_not_available_phone_calls": "Messages are not available on phone calls", - "Condensed": "Condensed", - "Condition": "Condition", - "Commit_details": "Commit Details", - "Completed": "Completed", - "Computer": "Computer", - "Configure_Incoming_Mail_IMAP": "Configure Incoming Mail (IMAP)", - "Configure_Outgoing_Mail_SMTP": "Configure Outgoing Mail (SMTP)", - "Confirm": "Confirm", - "Confirm_new_encryption_password": "Confirm new encryption password", - "Confirm_new_password": "Confirm New Password", - "Confirm_New_Password_Placeholder": "Please re-enter new password...", - "Confirm_password": "Confirm your password", - "Confirmation": "Confirmation", - "Connect": "Connect", - "Connected": "Connected", - "Connect_SSL_TLS": "Connect with SSL/TLS", - "Connection_Closed": "Connection closed", - "Connection_Reset": "Connection reset", - "Connection_error": "Connection error", - "Connection_success": "LDAP Connection Successful", - "Connection_failed": "LDAP Connection Failed", - "Connectivity_Services": "Connectivity Services", - "Consulting": "Consulting", - "Consumer_Packaged_Goods": "Consumer Packaged Goods", - "Contact": "Contact", - "Contacts": "Contacts", - "Contact_Name": "Contact Name", - "Contact_Center": "Contact Center", - "Contact_Chat_History": "Contact Chat History", - "Contains_Security_Fixes": "Contains Security Fixes", - "Contact_Manager": "Contact Manager", - "Contact_not_found": "Contact not found", - "Contact_Profile": "Contact Profile", - "Contact_Info": "Contact Information", - "Content": "Content", - "Continue": "Continue", - "Continuous_sound_notifications_for_new_livechat_room": "Continuous sound notifications for new omnichannel room", - "Conversation": "Conversation", - "Conversation_closed": "Conversation closed: __comment__.", - "Conversation_closing_tags": "Conversation closing tags", - "Conversation_closing_tags_description": "Closing tags will be automatically assigned to conversations at closing.", - "Conversation_finished": "Conversation Finished", - "Conversation_finished_message": "Conversation Finished Message", - "Conversation_finished_text": "Conversation Finished Text", - "conversation_with_s": "the conversation with %s", - "Conversations": "Conversations", - "Conversations_per_day": "Conversations per Day", - "Convert": "Convert", - "Convert_Ascii_Emojis": "Convert ASCII to Emoji", - "Convert_to_channel": "Convert to Channel", - "Converting_channel_to_a_team": "You are converting this Channel to a Team. All members will be kept.", - "Converted__roomName__to_team": "converted #__roomName__ to a Team", - "Converted__roomName__to_channel": "converted #__roomName__ to a Channel", - "Converting_team_to_channel": "Converting Team to Channel", - "Copied": "Copied", - "Copy": "Copy", - "Copy_text": "Copy Text", - "Copy_to_clipboard": "Copy to clipboard", - "COPY_TO_CLIPBOARD": "COPY TO CLIPBOARD", - "could-not-access-webdav": "Could not access WebDAV", - "Count": "Count", - "Counters": "Counters", - "Country": "Country", - "Country_Afghanistan": "Afghanistan", - "Country_Albania": "Albania", - "Country_Algeria": "Algeria", - "Country_American_Samoa": "American Samoa", - "Country_Andorra": "Andorra", - "Country_Angola": "Angola", - "Country_Anguilla": "Anguilla", - "Country_Antarctica": "Antarctica", - "Country_Antigua_and_Barbuda": "Antigua and Barbuda", - "Country_Argentina": "Argentina", - "Country_Armenia": "Armenia", - "Country_Aruba": "Aruba", - "Country_Australia": "Australia", - "Country_Austria": "Austria", - "Country_Azerbaijan": "Azerbaijan", - "Country_Bahamas": "Bahamas", - "Country_Bahrain": "Bahrain", - "Country_Bangladesh": "Bangladesh", - "Country_Barbados": "Barbados", - "Country_Belarus": "Belarus", - "Country_Belgium": "Belgium", - "Country_Belize": "Belize", - "Country_Benin": "Benin", - "Country_Bermuda": "Bermuda", - "Country_Bhutan": "Bhutan", - "Country_Bolivia": "Bolivia", - "Country_Bosnia_and_Herzegovina": "Bosnia and Herzegovina", - "Country_Botswana": "Botswana", - "Country_Bouvet_Island": "Bouvet Island", - "Country_Brazil": "Brazil", - "Country_British_Indian_Ocean_Territory": "British Indian Ocean Territory", - "Country_Brunei_Darussalam": "Brunei Darussalam", - "Country_Bulgaria": "Bulgaria", - "Country_Burkina_Faso": "Burkina Faso", - "Country_Burundi": "Burundi", - "Country_Cambodia": "Cambodia", - "Country_Cameroon": "Cameroon", - "Country_Canada": "Canada", - "Country_Cape_Verde": "Cape Verde", - "Country_Cayman_Islands": "Cayman Islands", - "Country_Central_African_Republic": "Central African Republic", - "Country_Chad": "Chad", - "Country_Chile": "Chile", - "Country_China": "China", - "Country_Christmas_Island": "Christmas Island", - "Country_Cocos_Keeling_Islands": "Cocos (Keeling) Islands", - "Country_Colombia": "Colombia", - "Country_Comoros": "Comoros", - "Country_Congo": "Congo", - "Country_Congo_The_Democratic_Republic_of_The": "Congo, The Democratic Republic of The", - "Country_Cook_Islands": "Cook Islands", - "Country_Costa_Rica": "Costa Rica", - "Country_Cote_Divoire": "Cote D'ivoire", - "Country_Croatia": "Croatia", - "Country_Cuba": "Cuba", - "Country_Cyprus": "Cyprus", - "Country_Czech_Republic": "Czech Republic", - "Country_Denmark": "Denmark", - "Country_Djibouti": "Djibouti", - "Country_Dominica": "Dominica", - "Country_Dominican_Republic": "Dominican Republic", - "Country_Ecuador": "Ecuador", - "Country_Egypt": "Egypt", - "Country_El_Salvador": "El Salvador", - "Country_Equatorial_Guinea": "Equatorial Guinea", - "Country_Eritrea": "Eritrea", - "Country_Estonia": "Estonia", - "Country_Ethiopia": "Ethiopia", - "Country_Falkland_Islands_Malvinas": "Falkland Islands (Malvinas)", - "Country_Faroe_Islands": "Faroe Islands", - "Country_Fiji": "Fiji", - "Country_Finland": "Finland", - "Country_France": "France", - "Country_French_Guiana": "French Guiana", - "Country_French_Polynesia": "French Polynesia", - "Country_French_Southern_Territories": "French Southern Territories", - "Country_Gabon": "Gabon", - "Country_Gambia": "Gambia", - "Country_Georgia": "Georgia", - "Country_Germany": "Germany", - "Country_Ghana": "Ghana", - "Country_Gibraltar": "Gibraltar", - "Country_Greece": "Greece", - "Country_Greenland": "Greenland", - "Country_Grenada": "Grenada", - "Country_Guadeloupe": "Guadeloupe", - "Country_Guam": "Guam", - "Country_Guatemala": "Guatemala", - "Country_Guinea": "Guinea", - "Country_Guinea_bissau": "Guinea-bissau", - "Country_Guyana": "Guyana", - "Country_Haiti": "Haiti", - "Country_Heard_Island_and_Mcdonald_Islands": "Heard Island and Mcdonald Islands", - "Country_Holy_See_Vatican_City_State": "Holy See (Vatican City State)", - "Country_Honduras": "Honduras", - "Country_Hong_Kong": "Hong Kong", - "Country_Hungary": "Hungary", - "Country_Iceland": "Iceland", - "Country_India": "India", - "Country_Indonesia": "Indonesia", - "Country_Iran_Islamic_Republic_of": "Iran, Islamic Republic of", - "Country_Iraq": "Iraq", - "Country_Ireland": "Ireland", - "Country_Israel": "Israel", - "Country_Italy": "Italy", - "Country_Jamaica": "Jamaica", - "Country_Japan": "Japan", - "Country_Jordan": "Jordan", - "Country_Kazakhstan": "Kazakhstan", - "Country_Kenya": "Kenya", - "Country_Kiribati": "Kiribati", - "Country_Korea_Democratic_Peoples_Republic_of": "Korea, Democratic People's Republic of", - "Country_Korea_Republic_of": "Korea, Republic of", - "Country_Kuwait": "Kuwait", - "Country_Kyrgyzstan": "Kyrgyzstan", - "Country_Lao_Peoples_Democratic_Republic": "Lao People's Democratic Republic", - "Country_Latvia": "Latvia", - "Country_Lebanon": "Lebanon", - "Country_Lesotho": "Lesotho", - "Country_Liberia": "Liberia", - "Country_Libyan_Arab_Jamahiriya": "Libyan Arab Jamahiriya", - "Country_Liechtenstein": "Liechtenstein", - "Country_Lithuania": "Lithuania", - "Country_Luxembourg": "Luxembourg", - "Country_Macao": "Macao", - "Country_Macedonia_The_Former_Yugoslav_Republic_of": "Macedonia, The Former Yugoslav Republic of", - "Country_Madagascar": "Madagascar", - "Country_Malawi": "Malawi", - "Country_Malaysia": "Malaysia", - "Country_Maldives": "Maldives", - "Country_Mali": "Mali", - "Country_Malta": "Malta", - "Country_Marshall_Islands": "Marshall Islands", - "Country_Martinique": "Martinique", - "Country_Mauritania": "Mauritania", - "Country_Mauritius": "Mauritius", - "Country_Mayotte": "Mayotte", - "Country_Mexico": "Mexico", - "Country_Micronesia_Federated_States_of": "Micronesia, Federated States of", - "Country_Moldova_Republic_of": "Moldova, Republic of", - "Country_Monaco": "Monaco", - "Country_Mongolia": "Mongolia", - "Country_Montserrat": "Montserrat", - "Country_Morocco": "Morocco", - "Country_Mozambique": "Mozambique", - "Country_Myanmar": "Myanmar", - "Country_Namibia": "Namibia", - "Country_Nauru": "Nauru", - "Country_Nepal": "Nepal", - "Country_Netherlands": "Netherlands", - "Country_Netherlands_Antilles": "Netherlands Antilles", - "Country_New_Caledonia": "New Caledonia", - "Country_New_Zealand": "New Zealand", - "Country_Nicaragua": "Nicaragua", - "Country_Niger": "Niger", - "Country_Nigeria": "Nigeria", - "Country_Niue": "Niue", - "Country_Norfolk_Island": "Norfolk Island", - "Country_Northern_Mariana_Islands": "Northern Mariana Islands", - "Country_Norway": "Norway", - "Country_Oman": "Oman", - "Country_Pakistan": "Pakistan", - "Country_Palau": "Palau", - "Country_Palestinian_Territory_Occupied": "Palestinian Territory, Occupied", - "Country_Panama": "Panama", - "Country_Papua_New_Guinea": "Papua New Guinea", - "Country_Paraguay": "Paraguay", - "Country_Peru": "Peru", - "Country_Philippines": "Philippines", - "Country_Pitcairn": "Pitcairn", - "Country_Poland": "Poland", - "Country_Portugal": "Portugal", - "Country_Puerto_Rico": "Puerto Rico", - "Country_Qatar": "Qatar", - "Country_Reunion": "Reunion", - "Country_Romania": "Romania", - "Country_Russian_Federation": "Russian Federation", - "Country_Rwanda": "Rwanda", - "Country_Saint_Helena": "Saint Helena", - "Country_Saint_Kitts_and_Nevis": "Saint Kitts and Nevis", - "Country_Saint_Lucia": "Saint Lucia", - "Country_Saint_Pierre_and_Miquelon": "Saint Pierre and Miquelon", - "Country_Saint_Vincent_and_The_Grenadines": "Saint Vincent and The Grenadines", - "Country_Samoa": "Samoa", - "Country_San_Marino": "San Marino", - "Country_Sao_Tome_and_Principe": "Sao Tome and Principe", - "Country_Saudi_Arabia": "Saudi Arabia", - "Country_Senegal": "Senegal", - "Country_Serbia_and_Montenegro": "Serbia and Montenegro", - "Country_Seychelles": "Seychelles", - "Country_Sierra_Leone": "Sierra Leone", - "Country_Singapore": "Singapore", - "Country_Slovakia": "Slovakia", - "Country_Slovenia": "Slovenia", - "Country_Solomon_Islands": "Solomon Islands", - "Country_Somalia": "Somalia", - "Country_South_Africa": "South Africa", - "Country_South_Georgia_and_The_South_Sandwich_Islands": "South Georgia and The South Sandwich Islands", - "Country_Spain": "Spain", - "Country_Sri_Lanka": "Sri Lanka", - "Country_Sudan": "Sudan", - "Country_Suriname": "Suriname", - "Country_Svalbard_and_Jan_Mayen": "Svalbard and Jan Mayen", - "Country_Swaziland": "Swaziland", - "Country_Sweden": "Sweden", - "Country_Switzerland": "Switzerland", - "Country_Syrian_Arab_Republic": "Syrian Arab Republic", - "Country_Taiwan_Province_of_China": "Taiwan, Province of China", - "Country_Tajikistan": "Tajikistan", - "Country_Tanzania_United_Republic_of": "Tanzania, United Republic of", - "Country_Thailand": "Thailand", - "Country_Timor_leste": "Timor-leste", - "Country_Togo": "Togo", - "Country_Tokelau": "Tokelau", - "Country_Tonga": "Tonga", - "Country_Trinidad_and_Tobago": "Trinidad and Tobago", - "Country_Tunisia": "Tunisia", - "Country_Turkey": "Turkey", - "Country_Turkmenistan": "Turkmenistan", - "Country_Turks_and_Caicos_Islands": "Turks and Caicos Islands", - "Country_Tuvalu": "Tuvalu", - "Country_Uganda": "Uganda", - "Country_Ukraine": "Ukraine", - "Country_United_Arab_Emirates": "United Arab Emirates", - "Country_United_Kingdom": "United Kingdom", - "Country_United_States": "United States", - "Country_United_States_Minor_Outlying_Islands": "United States Minor Outlying Islands", - "Country_Uruguay": "Uruguay", - "Country_Uzbekistan": "Uzbekistan", - "Country_Vanuatu": "Vanuatu", - "Country_Venezuela": "Venezuela", - "Country_Viet_Nam": "Viet Nam", - "Country_Virgin_Islands_British": "Virgin Islands, British", - "Country_Virgin_Islands_US": "Virgin Islands, U.S.", - "Country_Wallis_and_Futuna": "Wallis and Futuna", - "Country_Western_Sahara": "Western Sahara", - "Country_Yemen": "Yemen", - "Country_Zambia": "Zambia", - "Country_Zimbabwe": "Zimbabwe", - "Cozy": "Cozy", - "Create": "Create", - "Create_Canned_Response": "Create Canned Response", - "Create_channel": "Create Channel", - "Create_A_New_Channel": "Create a New Channel", - "Create_new": "Create new", - "Create_new_members": "Create New Members", - "Create_unique_rules_for_this_channel": "Create unique rules for this channel", - "create-c": "Create Public Channels", - "create-c_description": "Permission to create public channels", - "create-d": "Create Direct Messages", - "create-d_description": "Permission to start direct messages", - "create-invite-links": "Create Invite Links", - "create-invite-links_description": "Permission to create invite links to channels", - "create-p": "Create Private Channels", - "create-p_description": "Permission to create private channels", - "create-personal-access-tokens": "Create Personal Access Tokens", - "create-personal-access-tokens_description": "Permission to create Personal Access Tokens", - "create-user": "Create User", - "create-user_description": "Permission to create users", - "Created": "Created", - "Created_as": "Created as", - "Created_at": "Created at", - "Created_at_s_by_s": "Created at %s by %s", - "Created_at_s_by_s_triggered_by_s": "Created at %s by %s triggered by %s", - "Created_by": "Created by", - "CRM_Integration": "CRM Integration", - "CROWD_Allow_Custom_Username": "Allow custom username in Rocket.Chat", - "CROWD_Reject_Unauthorized": "Reject Unauthorized", - "Crowd_Remove_Orphaned_Users": "Remove Orphaned Users", - "Crowd_sync_interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", - "Current_Chats": "Current Chats", - "Current_File": "Current File", - "Current_Import_Operation": "Current Import Operation", - "Current_Status": "Current Status", - "Custom": "Custom", - "Custom CSS": "Custom CSS", - "Custom_agent": "Custom agent", - "Custom_dates": "Custom Dates", - "Custom_Emoji": "Custom Emoji", - "Custom_Emoji_Add": "Add New Emoji", - "Custom_Emoji_Added_Successfully": "Custom emoji added successfully", - "Custom_Emoji_Delete_Warning": "Deleting an emoji cannot be undone.", - "Custom_Emoji_Error_Invalid_Emoji": "Invalid emoji", - "Custom_Emoji_Error_Name_Or_Alias_Already_In_Use": "The custom emoji or one of its aliases is already in use.", - "Custom_Emoji_Error_Same_Name_And_Alias": "The custom emoji name and their aliases should be different.", - "Custom_Emoji_Has_Been_Deleted": "The custom emoji has been deleted.", - "Custom_Emoji_Info": "Custom Emoji Info", - "Custom_Emoji_Updated_Successfully": "Custom emoji updated successfully", - "Custom_Fields": "Custom Fields", - "Custom_Field_Removed": "Custom Field Removed", - "Custom_Field_Not_Found": "Custom Field not found", - "Custom_Integration": "Custom Integration", - "Custom_oauth_helper": "When setting up your OAuth Provider, you'll have to inform a Callback URL. Use
%s
.", - "Custom_oauth_unique_name": "Custom oauth unique name", - "Custom_Script_Logged_In": "Custom Script for Logged In Users", - "Custom_Script_Logged_In_Description": "Custom Script that will run ALWAYS and to ANY user that is logged in. e.g. (whenever you enter the chat and you are logged in)", - "Custom_Script_Logged_Out": "Custom Script for Logged Out Users", - "Custom_Script_Logged_Out_Description": "Custom Script that will run ALWAYS and to ANY user that is NOT logged in. e.g. (whenever you enter the login page)", - "Custom_Script_On_Logout": "Custom Script for Logout Flow", - "Custom_Script_On_Logout_Description": "Custom Script that will run on execute logout flow ONLY", - "Custom_Scripts": "Custom Scripts", - "Custom_Sound_Add": "Add Custom Sound", - "Custom_Sound_Delete_Warning": "Deleting a sound cannot be undone.", - "Custom_Sound_Edit": "Edit Custom Sound", - "Custom_Sound_Error_Invalid_Sound": "Invalid sound", - "Custom_Sound_Error_Name_Already_In_Use": "The custom sound name is already in use.", - "Custom_Sound_Has_Been_Deleted": "The custom sound has been deleted.", - "Custom_Sound_Info": "Custom Sound Info", - "Custom_Sound_Saved_Successfully": "Custom sound saved successfully", - "Custom_Sounds": "Custom Sounds", - "Custom_Status": "Custom Status", - "Custom_Translations": "Custom Translations", - "Custom_Translations_Description": "Should be a valid JSON where keys are languages containing a dictionary of key and translations. Example:
{\n \"en\": {\n \"Channels\": \"Rooms\"\n },\n \"pt\": {\n \"Channels\": \"Salas\"\n }\n} ", - "Custom_User_Status": "Custom User Status", - "Custom_User_Status_Add": "Add Custom User Status", - "Custom_User_Status_Added_Successfully": "Custom User Status Added Successfully", - "Custom_User_Status_Delete_Warning": "Deleting a Custom User Status cannot be undone.", - "Custom_User_Status_Edit": "Edit Custom User Status", - "Custom_User_Status_Error_Invalid_User_Status": "Invalid User Status", - "Custom_User_Status_Error_Name_Already_In_Use": "The Custom User Status Name is already in use.", - "Custom_User_Status_Has_Been_Deleted": "Custom User Status Has Been Deleted", - "Custom_User_Status_Info": "Custom User Status Info", - "Custom_User_Status_Updated_Successfully": "Custom User Status Updated Successfully", - "Customer_without_registered_email": "The customer does not have a registered email address", - "Customize": "Customize", - "CustomSoundsFilesystem": "Custom Sounds Filesystem", - "CustomSoundsFilesystem_Description": "Specify how custom sounds are stored.", - "Daily_Active_Users": "Daily Active Users", - "Dashboard": "Dashboard", - "Data_processing_consent_text": "Data processing consent text", - "Data_processing_consent_text_description": "Use this setting to explain that you can collect, store and process customer's personal informations along the conversation.", - "Date": "Date", - "Date_From": "From", - "Date_to": "to", - "DAU_value": "DAU __value__", - "days": "days", - "Days": "Days", - "DB_Migration": "Database Migration", - "DB_Migration_Date": "Database Migration Date", - "DDP_Rate_Limiter": "DDP Rate Limit", - "DDP_Rate_Limit_Connection_By_Method_Enabled": "Limit by Connection per Method: enabled", - "DDP_Rate_Limit_Connection_By_Method_Interval_Time": "Limit by Connection per Method: interval time", - "DDP_Rate_Limit_Connection_By_Method_Requests_Allowed": "Limit by Connection per Method: requests allowed", - "DDP_Rate_Limit_Connection_Enabled": "Limit by Connection: enabled", - "DDP_Rate_Limit_Connection_Interval_Time": "Limit by Connection: interval time", - "DDP_Rate_Limit_Connection_Requests_Allowed": "Limit by Connection: requests allowed", - "DDP_Rate_Limit_IP_Enabled": "Limit by IP: enabled", - "DDP_Rate_Limit_IP_Interval_Time": "Limit by IP: interval time", - "DDP_Rate_Limit_IP_Requests_Allowed": "Limit by IP: requests allowed", - "DDP_Rate_Limit_User_By_Method_Enabled": "Limit by User per Method: enabled", - "DDP_Rate_Limit_User_By_Method_Interval_Time": "Limit by User per Method: interval time", - "DDP_Rate_Limit_User_By_Method_Requests_Allowed": "Limit by User per Method: requests allowed", - "DDP_Rate_Limit_User_Enabled": "Limit by User: enabled", - "DDP_Rate_Limit_User_Interval_Time": "Limit by User: interval time", - "DDP_Rate_Limit_User_Requests_Allowed": "Limit by User: requests allowed", - "Deactivate": "Deactivate", - "Decline": "Decline", - "Decode_Key": "Decode Key", - "Default": "Default", - "Default_value": "Default value", - "Delete": "Delete", - "Deleting": "Deleting", - "Delete_all_closed_chats": "Delete all closed chats", - "Delete_File_Warning": "Deleting a file will delete it forever. This cannot be undone.", - "Delete_message": "Delete message", - "Delete_my_account": "Delete my account", - "Delete_Role_Warning": "Deleting a role will delete it forever. This cannot be undone.", - "Delete_Room_Warning": "Deleting a room will delete all messages posted within the room. This cannot be undone.", - "Delete_User_Warning": "Deleting a user will delete all messages from that user as well. This cannot be undone.", - "Delete_User_Warning_Delete": "Deleting a user will delete all messages from that user as well. This cannot be undone.", - "Delete_User_Warning_Keep": "The user will be deleted, but their messages will remain visible. This cannot be undone.", - "Delete_User_Warning_Unlink": "Deleting a user will remove the user name from all their messages. This cannot be undone.", - "delete-c": "Delete Public Channels", - "delete-c_description": "Permission to delete public channels", - "delete-d": "Delete Direct Messages", - "delete-d_description": "Permission to delete direct messages", - "delete-message": "Delete Message", - "delete-message_description": "Permission to delete a message within a room", - "delete-own-message": "Delete Own Message", - "delete-own-message_description": "Permission to delete own message", - "delete-p": "Delete Private Channels", - "delete-p_description": "Permission to delete private channels", - "delete-user": "Delete User", - "delete-user_description": "Permission to delete users", - "Deleted": "Deleted!", - "Deleted__roomName__": "deleted #__roomName__", - "Department": "Department", - "Department_name": "Department name", - "Department_not_found": "Department not found", - "Department_removed": "Department removed", - "Departments": "Departments", - "Deployment_ID": "Deployment ID", - "Deployment": "Deployment", - "Description": "Description", - "Desktop": "Desktop", - "Desktop_Notification_Test": "Desktop Notification Test", - "Desktop_Notifications": "Desktop Notifications", - "Desktop_Notifications_Default_Alert": "Desktop Notifications Default Alert", - "Desktop_Notifications_Disabled": "Desktop Notifications are Disabled. Change your browser preferences if you need Notifications enabled.", - "Desktop_Notifications_Duration": "Desktop Notifications Duration", - "Desktop_Notifications_Duration_Description": "Seconds to display desktop notification. This may affect OS X Notification Center. Enter 0 to use default browser settings and not affect OS X Notification Center.", - "Desktop_Notifications_Enabled": "Desktop Notifications are Enabled", - "Desktop_Notifications_Not_Enabled": "Desktop Notifications are Not Enabled", - "Details": "Details", - "Different_Style_For_User_Mentions": "Different style for user mentions", - "Direct": "Direct", - "Direct_Message": "Direct Message", - "Direct_message_creation_description": "You are about to create a chat with multiple users. Add the ones you would like to talk, everyone in the same place, using direct messages.", - "Direct_message_someone": "Direct message someone", - "Direct_message_you_have_joined": "You have joined a new direct message with", - "Direct_Messages": "Direct Messages", - "Direct_Reply": "Direct Reply", - "Direct_Reply_Advice": "You can directly reply to this email. Do not modify previous emails in the thread.", - "Direct_Reply_Debug": "Debug Direct Reply", - "Direct_Reply_Debug_Description": "[Beware] Enabling Debug mode would display your 'Plain Text Password' in Admin console.", - "Direct_Reply_Delete": "Delete Emails", - "Direct_Reply_Delete_Description": "[Attention!] If this option is activated, all unread messages are irrevocably deleted, even those that are not direct replies. The configured e-mail mailbox is then always empty and cannot be processed in \"parallel\" by humans.", - "Direct_Reply_Enable": "Enable Direct Reply", - "Direct_Reply_Enable_Description": "[Attention!] If \"Direct Reply\" is enabled, Rocket.Chat will control the configured email mailbox. All unread e-mails are retrieved, marked as read and processed. \"Direct Reply\" should only be activated if the mailbox used is intended exclusively for access by Rocket.Chat and is not read/processed \"in parallel\" by humans.", - "Direct_Reply_Frequency": "Email Check Frequency", - "Direct_Reply_Frequency_Description": "(in minutes, default/minimum 2)", - "Direct_Reply_Host": "Direct Reply Host", - "Direct_Reply_IgnoreTLS": "IgnoreTLS", - "Direct_Reply_Password": "Password", - "Direct_Reply_Port": "Direct_Reply_Port", - "Direct_Reply_Protocol": "Direct Reply Protocol", - "Direct_Reply_Separator": "Separator", - "Direct_Reply_Separator_Description": "[Alter only if you know exactly what you are doing, refer docs]
Separator between base & tag part of email", - "Direct_Reply_Username": "Username", - "Direct_Reply_Username_Description": "Please use absolute email, tagging is not allowed, it would be over-written", - "Directory": "Directory", - "Disable": "Disable", - "Disable_Facebook_integration": "Disable Facebook integration", - "Disable_Notifications": "Disable Notifications", - "Disable_two-factor_authentication": "Disable two-factor authentication via TOTP", - "Disable_two-factor_authentication_email": "Disable two-factor authentication via Email", - "Disabled": "Disabled", - "Disallow_reacting": "Disallow Reacting", - "Disallow_reacting_Description": "Disallows reacting", - "Discard": "Discard", - "Disconnect": "Disconnect", - "Discussion": "Discussion", - "Discussion_Description": "Discussionns are an aditional way to organize conversations that allows invite users from outside channels to participate in specific conversations.", - "Discussion_description": "Help keeping an overview about what's going on! By creating a discussion, a sub-channel of the one you selected is created and both are linked.", - "Discussion_first_message_disabled_due_to_e2e": "You can start sending End-to-End encrypted messages in this discussion after its creation.", - "Discussion_first_message_title": "Your message", - "Discussion_name": "Discussion name", - "Discussion_start": "Start a Discussion", - "Discussion_target_channel": "Parent channel or group", - "Discussion_target_channel_description": "Select a channel which is related to what you want to ask", - "Discussion_target_channel_prefix": "You are creating a discussion in", - "Discussion_title": "Create a new discussion", - "discussion-created": "__message__", - "Discussions": "Discussions", - "Display": "Display", - "Display_avatars": "Display Avatars", - "Display_Avatars_Sidebar": "Display Avatars in Sidebar", - "Display_chat_permissions": "Display chat permissions", - "Display_mentions_counter": "Display badge for direct mentions only", - "Display_offline_form": "Display Offline Form", - "Display_setting_permissions": "Display permissions to change settings", - "Display_unread_counter": "Display room as unread when there are unread messages", - "Displays_action_text": "Displays action text", - "Do_It_Later": "Do It Later", - "Do_not_display_unread_counter": "Do not display any counter of this channel", - "Do_not_provide_this_code_to_anyone": "Do not provide this code to anyone.", - "Do_Nothing": "Do Nothing", - "Do_you_have_any_notes_for_this_conversation": "Do you have any notes for this conversation?", - "Do_you_want_to_accept": "Do you want to accept?", - "Do_you_want_to_change_to_s_question": "Do you want to change to %s?", - "Document_Domain": "Document Domain", - "Domain": "Domain", - "Domain_added": "domain Added", - "Domain_removed": "Domain Removed", - "Domains": "Domains", - "Domains_allowed_to_embed_the_livechat_widget": "Comma-separated list of domains allowed to embed the livechat widget. Leave blank to allow all domains.", - "Done": "Done", - "Dont_ask_me_again": "Don't ask me again!", - "Dont_ask_me_again_list": "Don't ask me again list", - "Download": "Download", - "Download_Info": "Download Info", - "Download_My_Data": "Download My Data (HTML)", - "Download_Pending_Avatars": "Download Pending Avatars", - "Download_Pending_Files": "Download Pending Files", - "Download_Snippet": "Download", - "Downloading_file_from_external_URL": "Downloading file from external URL", - "Drop_to_upload_file": "Drop to upload file", - "Dry_run": "Dry run", - "Dry_run_description": "Will only send one email, to the same address as in From. The email must belong to a valid user.", - "Duplicate_archived_channel_name": "An archived Channel with name `#%s` exists", - "Duplicate_archived_private_group_name": "An archived Private Group with name '%s' exists", - "Duplicate_channel_name": "A Channel with name '%s' exists", - "Duplicate_file_name_found": "Duplicate file name found.", - "Duplicate_private_group_name": "A Private Group with name '%s' exists", - "Duplicated_Email_address_will_be_ignored": "Duplicated email address will be ignored.", - "duplicated-account": "Duplicated account", - "E2E Encryption": "E2E Encryption", - "E2E Encryption_Description": "Keep conversations private, ensuring only the sender and intenteded recipients are able to read them.", - "E2E_enable": "Enable E2E", - "E2E_disable": "Disable E2E", - "E2E_Enable_alert": "This feature is currently in beta! Please report bugs to github.com/RocketChat/Rocket.Chat/issues and be aware of:
- Encrypted messages of encrypted rooms will not be found by search operations.
- The mobile apps may not support the encrypted messages (they are implementing it).
- Bots may not be able to see encrypted messages until they implement support for it.
- Uploads will not be encrypted in this version.", - "E2E_Enable_description": "Enable option to create encrypted groups and be able to change groups and direct messages to be encrypted", - "E2E_Enabled": "E2E Enabled", - "E2E_Enabled_Default_DirectRooms": "Enable encryption for Direct Rooms by default", - "E2E_Enabled_Default_PrivateRooms": "Enable encryption for Private Rooms by default", - "E2E_Encryption_Password_Change": "Change Encryption Password", - "E2E_Encryption_Password_Explanation": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store your password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on.", - "E2E_key_reset_email": "E2E Key Reset Notification", - "E2E_message_encrypted_placeholder": "This message is end-to-end encrypted. To view it, you must enter your encryption key in your account settings.", - "E2E_password_request_text": "To access your encrypted private groups and direct messages, enter your encryption password.
You need to enter this password to encode/decode your messages on every client you use, since the key is not stored on the server.", - "E2E_password_reveal_text": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store this password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on. Learn more here!

Your password is: %s

This is an auto generated password, you can setup a new password for your encryption key any time from any browser you have entered the existing password.
This password is only stored on this browser until you store the password and dismiss this message.", - "E2E_Reset_Email_Content": "You've been automatically logged out. When you login again, Rocket.Chat will generate a new key and restore your access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", - "E2E_Reset_Key_Explanation": "This option will remove your current E2E key and log you out.
When you login again, Rocket.Chat will generate you a new key and restore your access to any encrypted room that has one or more members online.
Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", - "E2E_Reset_Other_Key_Warning": "Reset the current E2E key will log out the user. When the user login again, Rocket.Chat will generate a new key and restore the user access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", - "ECDH_Enabled": "Enable second layer encryption for data transport", - "Edit": "Edit", - "Edit_Business_Hour": "Edit Business Hour", - "Edit_Canned_Response": "Edit Canned Response", - "Edit_Canned_Responses": "Edit Canned Responses", - "Edit_Custom_Field": "Edit Custom Field", - "Edit_Department": "Edit Department", - "Edit_Invite": "Edit Invite", - "Edit_previous_message": "`%s` - Edit previous message", - "Edit_Priority": "Edit Priority", - "Edit_Status": "Edit Status", - "Edit_Tag": "Edit Tag", - "Edit_Trigger": "Edit Trigger", - "Edit_Unit": "Edit Unit", - "Edit_User": "Edit User", - "edit-livechat-room-customfields": "Edit Livechat Room Custom Fields", - "edit-livechat-room-customfields_description": "Permission to edit the custom fields of livechat room", - "edit-message": "Edit Message", - "edit-message_description": "Permission to edit a message within a room", - "edit-other-user-active-status": "Edit Other User Active Status", - "edit-other-user-active-status_description": "Permission to enable or disable other accounts", - "edit-other-user-avatar": "Edit Other User Avatar", - "edit-other-user-avatar_description": "Permission to change other user's avatar.", - "edit-other-user-e2ee": "Edit Other User E2E Encryption", - "edit-other-user-e2ee_description": "Permission to modify other user's E2E Encryption.", - "edit-other-user-info": "Edit Other User Information", - "edit-other-user-info_description": "Permission to change other user's name, username or email address.", - "edit-other-user-password": "Edit Other User Password", - "edit-other-user-password_description": "Permission to modify other user's passwords. Requires edit-other-user-info permission.", - "edit-other-user-totp": "Edit Other User Two Factor TOTP", - "edit-other-user-totp_description": "Permission to edit other user's Two Factor TOTP", - "edit-privileged-setting": "Edit Privileged Setting", - "edit-privileged-setting_description": "Permission to edit settings", - "edit-room": "Edit Room", - "edit-room_description": "Permission to edit a room's name, topic, type (private or public status) and status (active or archived)", - "edit-room-avatar": "Edit Room Avatar", - "edit-room-avatar_description": "Permission to edit a room's avatar.", - "edit-room-retention-policy": "Edit Room's Retention Policy", - "edit-room-retention-policy_description": "Permission to edit a room’s retention policy, to automatically delete messages in it", - "edit-omnichannel-contact": "Edit Omnichannel Contact", - "edit-omnichannel-contact_description": "Permission to edit Omnichannel Contact", - "Edit_Contact_Profile": "Edit Contact Profile", - "edited": "edited", - "Editing_room": "Editing room", - "Editing_user": "Editing user", - "Editor": "Editor", - "Education": "Education", - "Email": "Email", - "Email_Description": "Configurations for sending broadcast emails from inside Rocket.Chat.", - "Email_address_to_send_offline_messages": "Email Address to Send Offline Messages", - "Email_already_exists": "Email already exists", - "Email_body": "Email body", - "Email_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of email", - "Email_Changed_Description": "You may use the following placeholders:
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Email_Changed_Email_Subject": "[Site_Name] - Email address has been changed", - "Email_changed_section": "Email Address Changed", - "Email_Footer_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Email_from": "From", - "Email_Header_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Email_Inbox": "Email Inbox", - "Email_Inboxes": "Email Inboxes", - "Email_Notification_Mode": "Offline Email Notifications", - "Email_Notification_Mode_All": "Every Mention/DM", - "Email_Notification_Mode_Disabled": "Disabled", - "Email_notification_show_message": "Show Message in Email Notification", - "Email_Notifications_Change_Disabled": "Your Rocket.Chat administrator has disabled email notifications", - "Email_or_username": "Email or username", - "Email_Placeholder": "Please enter your email address...", - "Email_Placeholder_any": "Please enter email addresses...", - "email_plain_text_only": "Send only plain text emails", - "email_style_description": "Avoid nested selectors", - "email_style_label": "Email Style", - "Email_subject": "Email Subject", - "Email_verified": "Email verified", - "Email_sent": "Email sent", - "Emails_sent_successfully!": "Emails sent successfully!", - "Emoji": "Emoji", - "Emoji_provided_by_JoyPixels": "Emoji provided by JoyPixels", - "EmojiCustomFilesystem": "Custom Emoji Filesystem", - "EmojiCustomFilesystem_Description": "Specify how emojis are stored.", - "Empty_title": "Empty title", - "Enable_New_Message_Template": "Enable New Message Template", - "Enable_New_Message_Template_alert": "This is a beta feature. It may not work as expected. Please report any issues you encounter.", - "See_on_Engagement_Dashboard": "See on Engagement Dashboard", - "Enable": "Enable", - "Enable_Auto_Away": "Enable Auto Away", - "Enable_CSP": "Enable Content-Security-Policy", - "Enable_CSP_Description": "Do not disable this option unless you have a custom build and are having problems due to inline-scripts", - "Enable_Desktop_Notifications": "Enable Desktop Notifications", - "Enable_inquiry_fetch_by_stream": "Enable inquiry data fetch from server using a stream", - "Enable_omnichannel_auto_close_abandoned_rooms": "Enable automatic closing of rooms abandoned by the visitor", - "Enable_Password_History": "Enable Password History", - "Enable_Password_History_Description": "When enabled, users won't be able to update their passwords to some of their most recently used passwords.", - "Enable_Svg_Favicon": "Enable SVG favicon", - "Enable_two-factor_authentication": "Enable two-factor authentication via TOTP", - "Enable_two-factor_authentication_email": "Enable two-factor authentication via Email", - "Enabled": "Enabled", - "Encrypted": "Encrypted", - "Encrypted_channel_Description": "End to end encrypted channel. Search will not work with encrypted channels and notifications may not show the messages content.", - "Encrypted_key_title": "Click here to disable end-to-end encryption for this channel (requires e2ee-permission)", - "Encrypted_message": "Encrypted message", - "Encrypted_setting_changed_successfully": "Encrypted setting changed successfully", - "Encrypted_not_available": "Not available for Public Channels", - "Encryption_key_saved_successfully": "Your encryption key was saved successfully.", - "EncryptionKey_Change_Disabled": "You can't set a password for your encryption key because your private key is not present on this client. In order to set a new password you need load your private key using your existing password or use a client where the key is already loaded.", - "End": "End", - "End_call": "End call", - "Expand_view": "Expand view", - "Explore_marketplace": "Explore Marketplace", - "Explore_the_marketplace_to_find_awesome_apps": "Explore the Marketplace to find awesome apps for Rocket.Chat", - "Export": "Export", - "End_Call": "End Call", - "End_OTR": "End OTR", - "Engagement_Dashboard": "Engagement Dashboard", - "Enter": "Enter", - "Enter_a_custom_message": "Enter a custom message", - "Enter_a_department_name": "Enter a department name", - "Enter_a_name": "Enter a name", - "Enter_a_regex": "Enter a regex", - "Enter_a_room_name": "Enter a room name", - "Enter_a_tag": "Enter a tag", - "Enter_a_username": "Enter a username", - "Enter_Alternative": "Alternative mode (send with Enter + Ctrl/Alt/Shift/CMD)", - "Enter_authentication_code": "Enter authentication code", - "Enter_Behaviour": "Enter key Behaviour", - "Enter_Behaviour_Description": "This changes if the enter key will send a message or do a line break", - "Enter_E2E_password": "Enter E2E password", - "Enter_name_here": "Enter name here", - "Enter_Normal": "Normal mode (send with Enter)", - "Enter_to": "Enter to", - "Enter_your_E2E_password": "Enter your E2E password", - "Enterprise": "Enterprise", - "Enterprise_Description": "Manually update your Enterprise license.", - "Enterprise_License": "Enterprise License", - "Enterprise_License_Description": "If your workspace is registered and license is provided by Rocket.Chat Cloud you don't need to manually update the license here.", - "Entertainment": "Entertainment", - "Error": "Error", - "Error_something_went_wrong": "Oops! Something went wrong. Please reload the page or contact an administrator.", - "Error_404": "Error:404", - "Error_changing_password": "Error changing password", - "Error_loading_pages": "Error loading pages", - "Error_login_blocked_for_ip": "Login has been temporarily blocked for this IP", - "Error_login_blocked_for_user": "Login has been temporarily blocked for this User", - "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances": "Error: Rocket.Chat requires oplog tailing when running in multiple instances", - "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances_details": "Please make sure your MongoDB is on ReplicaSet mode and MONGO_OPLOG_URL environment variable is defined correctly on the application server", - "Error_sending_livechat_offline_message": "Error sending Omnichannel offline message", - "Error_sending_livechat_transcript": "Error sending Omnichannel transcript", - "Error_Site_URL": "Invalid Site_Url", - "Error_Site_URL_description": "Please, update your \"Site_Url\" setting find more information here", - "error-action-not-allowed": "__action__ is not allowed", - "error-agent-offline": "Agent is offline", - "error-agent-status-service-offline": "Agent status is offline or Omnichannel service is not active", - "error-application-not-found": "Application not found", - "error-archived-duplicate-name": "There's an archived channel with name '__room_name__'", - "error-avatar-invalid-url": "Invalid avatar URL: __url__", - "error-avatar-url-handling": "Error while handling avatar setting from a URL (__url__) for __username__", - "error-business-hours-are-closed": "Business Hours are closed", - "error-blocked-username": "__field__ is blocked and can't be used!", - "error-canned-response-not-found": "Canned Response Not Found", - "error-cannot-delete-app-user": "Deleting app user is not allowed, uninstall the corresponding app to remove it.", - "error-cant-invite-for-direct-room": "Can't invite user to direct rooms", - "error-channels-setdefault-is-same": "The channel default setting is the same as what it would be changed to.", - "error-channels-setdefault-missing-default-param": "The bodyParam 'default' is required", - "error-could-not-change-email": "Could not change email", - "error-could-not-change-name": "Could not change name", - "error-could-not-change-username": "Could not change username", - "error-custom-field-name-already-exists": "Custom field name already exists", - "error-delete-protected-role": "Cannot delete a protected role", - "error-department-not-found": "Department not found", - "error-direct-message-file-upload-not-allowed": "File sharing not allowed in direct messages", - "error-duplicate-channel-name": "A channel with name '__channel_name__' exists", - "error-edit-permissions-not-allowed": "Editing permissions is not allowed", - "error-email-domain-blacklisted": "The email domain is blacklisted", - "error-email-send-failed": "Error trying to send email: __message__", - "error-essential-app-disabled": "Error: a Rocket.Chat App that is essential for this is disabled. Please contact your administrator", - "error-field-unavailable": "__field__ is already in use :(", - "error-file-too-large": "File is too large", - "error-forwarding-chat": "Something went wrong while forwarding the chat, Please try again later.", - "error-forwarding-chat-same-department": "The selected department and the current room department are the same", - "error-forwarding-department-target-not-allowed": "The forwarding to the target department is not allowed.", - "error-guests-cant-have-other-roles": "Guest users can't have any other role.", - "error-import-file-extract-error": "Failed to extract import file.", - "error-import-file-is-empty": "Imported file seems to be empty.", - "error-import-file-missing": "The file to be imported was not found on the specified path.", - "error-importer-not-defined": "The importer was not defined correctly, it is missing the Import class.", - "error-input-is-not-a-valid-field": "__input__ is not a valid __field__", - "error-insufficient-permission": "Error! You don't have ' __permission__ ' permission which is required to perform this operation", - "error-inquiry-taken": "Inquiry already taken", - "error-invalid-account": "Invalid Account", - "error-invalid-actionlink": "Invalid action link", - "error-invalid-arguments": "Invalid arguments", - "error-invalid-asset": "Invalid asset", - "error-invalid-channel": "Invalid channel.", - "error-invalid-channel-start-with-chars": "Invalid channel. Start with @ or #", - "error-invalid-custom-field": "Invalid custom field", - "error-invalid-custom-field-name": "Invalid custom field name. Use only letters, numbers, hyphens and underscores.", - "error-invalid-custom-field-value": "Invalid value for __field__ field", - "error-invalid-date": "Invalid date provided.", - "error-invalid-description": "Invalid description", - "error-invalid-domain": "Invalid domain", - "error-invalid-email": "Invalid email __email__", - "error-invalid-email-address": "Invalid email address", - "error-invalid-email-inbox": "Invalid Email Inbox", - "error-email-inbox-not-found": "Email Inbox not found", - "error-invalid-file-height": "Invalid file height", - "error-invalid-file-type": "Invalid file type", - "error-invalid-file-width": "Invalid file width", - "error-invalid-from-address": "You informed an invalid FROM address.", - "error-invalid-inquiry": "Invalid inquiry", - "error-invalid-integration": "Invalid integration", - "error-invalid-message": "Invalid message", - "error-invalid-method": "Invalid method", - "error-invalid-name": "Invalid name", - "error-invalid-password": "Invalid password", - "error-invalid-param": "Invalid param", - "error-invalid-params": "Invalid params", - "error-invalid-permission": "Invalid permission", - "error-invalid-port-number": "Invalid port number", - "error-invalid-priority": "Invalid priority", - "error-invalid-redirectUri": "Invalid redirectUri", - "error-invalid-role": "Invalid role", - "error-invalid-room": "Invalid room", - "error-invalid-room-name": "__room_name__ is not a valid room name", - "error-invalid-room-type": "__type__ is not a valid room type.", - "error-invalid-settings": "Invalid settings provided", - "error-invalid-subscription": "Invalid subscription", - "error-invalid-token": "Invalid token", - "error-invalid-triggerWords": "Invalid triggerWords", - "error-invalid-urls": "Invalid URLs", - "error-invalid-user": "Invalid user", - "error-invalid-username": "Invalid username", - "error-invalid-value": "Invalid value", - "error-invalid-webhook-response": "The webhook URL responded with a status other than 200", - "error-license-user-limit-reached": "The maximum number of users has been reached.", - "error-logged-user-not-in-room": "You are not in the room `%s`", - "error-max-guests-number-reached": "You reached the maximum number of guest users allowed by your license. Contact sale@rocket.chat for a new license.", - "error-max-number-simultaneous-chats-reached": "The maximum number of simultaneous chats per agent has been reached.", - "error-message-deleting-blocked": "Message deleting is blocked", - "error-message-editing-blocked": "Message editing is blocked", - "error-message-size-exceeded": "Message size exceeds Message_MaxAllowedSize", - "error-missing-unsubscribe-link": "You must provide the [unsubscribe] link.", - "error-no-tokens-for-this-user": "There are no tokens for this user", - "error-no-agents-online-in-department": "No agents online in the department", - "error-no-message-for-unread": "There are no messages to mark unread", - "error-not-allowed": "Not allowed", - "error-not-authorized": "Not authorized", - "error-office-hours-are-closed": "The office hours are closed.", - "error-password-in-history": "Entered password has been previously used", - "error-password-policy-not-met": "Password does not meet the server's policy", - "error-password-policy-not-met-maxLength": "Password does not meet the server's policy of maximum length (password too long)", - "error-password-policy-not-met-minLength": "Password does not meet the server's policy of minimum length (password too short)", - "error-password-policy-not-met-oneLowercase": "Password does not meet the server's policy of at least one lowercase character", - "error-password-policy-not-met-oneNumber": "Password does not meet the server's policy of at least one numerical character", - "error-password-policy-not-met-oneSpecial": "Password does not meet the server's policy of at least one special character", - "error-password-policy-not-met-oneUppercase": "Password does not meet the server's policy of at least one uppercase character", - "error-password-policy-not-met-repeatingCharacters": "Password not not meet the server's policy of forbidden repeating characters (you have too many of the same characters next to each other)", - "error-password-same-as-current": "Entered password same as current password", - "error-personal-access-tokens-are-current-disabled": "Personal Access Tokens are currently disabled", - "error-pinning-message": "Message could not be pinned", - "error-push-disabled": "Push is disabled", - "error-remove-last-owner": "This is the last owner. Please set a new owner before removing this one.", - "error-returning-inquiry": "Error returning inquiry to the queue", - "error-role-in-use": "Cannot delete role because it's in use", - "error-role-name-required": "Role name is required", - "error-role-already-present": "A role with this name already exists", - "error-room-is-not-closed": "Room is not closed", - "error-room-onHold": "Error! Room is On Hold", - "error-selected-agent-room-agent-are-same": "The selected agent and the room agent are the same", - "error-starring-message": "Message could not be stared", - "error-tags-must-be-assigned-before-closing-chat": "Tag(s) must be assigned before closing the chat", - "error-the-field-is-required": "The field __field__ is required.", - "error-this-is-not-a-livechat-room": "This is not a Omnichannel room", - "error-token-already-exists": "A token with this name already exists", - "error-token-does-not-exists": "Token does not exists", - "error-too-many-requests": "Error, too many requests. Please slow down. You must wait __seconds__ seconds before trying again.", - "error-transcript-already-requested": "Transcript already requested", - "error-unpinning-message": "Message could not be unpinned", - "error-user-has-no-roles": "User has no roles", - "error-user-is-not-activated": "User is not activated", - "error-user-is-not-agent": "User is not an Omnichannel Agent", - "error-user-is-offline": "User if offline", - "error-user-limit-exceeded": "The number of users you are trying to invite to #channel_name exceeds the limit set by the administrator", - "error-user-not-belong-to-department": "User does not belong to this department", - "error-user-not-in-room": "User is not in this room", - "error-user-registration-disabled": "User registration is disabled", - "error-user-registration-secret": "User registration is only allowed via Secret URL", - "error-validating-department-chat-closing-tags": "At least one closing tag is required when the department requires tag(s) on closing conversations.", - "error-no-permission-team-channel": "You don't have permission to add this channel to the team", - "error-no-owner-channel": "Only owners can add this channel to the team", - "error-you-are-last-owner": "You are the last owner. Please set new owner before leaving the room.", - "Errors_and_Warnings": "Errors and Warnings", - "Esc_to": "Esc to", - "Estimated_due_time": "Estimated due time", - "Estimated_due_time_in_minutes": "Estimated due time (time in minutes)", - "Event_Trigger": "Event Trigger", - "Event_Trigger_Description": "Select which type of event will trigger this Outgoing WebHook Integration", - "every_5_minutes": "Once every 5 minutes", - "every_10_seconds": "Once every 10 seconds", - "every_30_minutes": "Once every 30 minutes", - "every_day": "Once every day", - "every_hour": "Once every hour", - "every_minute": "Once every minute", - "every_second": "Once every second", - "every_six_hours": "Once every six hours", - "Everyone_can_access_this_channel": "Everyone can access this channel", - "Exact": "Exact", - "Example_payload": "Example payload", - "Example_s": "Example: %s", - "except_pinned": "(except those that are pinned)", - "Exclude_Botnames": "Exclude Bots", - "Exclude_Botnames_Description": "Do not propagate messages from bots whose name matches the regular expression above. If left empty, all messages from bots will be propagated.", - "Exclude_pinned": "Exclude pinned messages", - "Execute_Synchronization_Now": "Execute Synchronization Now", - "Exit_Full_Screen": "Exit Full Screen", - "Expand": "Expand", - "Experimental_Feature_Alert": "This is an experimental feature! Please be aware that it may change, break, or even be removed in the future without any notice.", - "Expired": "Expired", - "Expiration": "Expiration", - "Expiration_(Days)": "Expiration (Days)", - "Export_as_file": "Export as file", - "Export_Messages": "Export Messages", - "Export_My_Data": "Export My Data (JSON)", - "expression": "Expression", - "Extended": "Extended", - "Extensions": "Extensions", - "Extension_Number": "Extension Number", - "Extension_Status": "Extension Status", - "External": "External", - "External_Domains": "External Domains", - "External_Queue_Service_URL": "External Queue Service URL", - "External_Service": "External Service", - "External_Users": "External Users", - "Extremely_likely": "Extremely likely", - "Facebook": "Facebook", - "Facebook_Page": "Facebook Page", - "Failed": "Failed", - "Failed_to_activate_invite_token": "Failed to activate invite token", - "Failed_to_add_monitor": "Failed to add monitor", - "Failed_To_Download_Files": "Failed to download files", - "Failed_to_generate_invite_link": "Failed to generate invite link", - "Failed_To_Load_Import_Data": "Failed to load import data", - "Failed_To_Load_Import_History": "Failed to load import history", - "Failed_To_Load_Import_Operation": "Failed to load import operation", - "Failed_To_Start_Import": "Failed to start import operation", - "Failed_to_validate_invite_token": "Failed to validate invite token", - "False": "False", - "Fallback_forward_department": "Fallback department for forwarding", - "Fallback_forward_department_description": "Allows you to define a fallback department which will receive the chats forwarded to this one in case there's no online agents at the moment", - "Favorite": "Favorite", - "Favorite_Rooms": "Enable Favorite Rooms", - "Favorites": "Favorites", - "Featured": "Featured", - "Feature_depends_on_selected_call_provider_to_be_enabled_from_administration_settings": "This feature depends on the above selected call provider to be enabled from the administration settings.
For **Jitsi**, please make sure you have Jitsi Enabled under Admin -> Video Conference -> Jitsi -> Enabled.
For **WebRTC**, please make sure you have WebRTC enabled under Admin -> WebRTC -> Enabled.", - "Feature_Depends_on_Livechat_Visitor_navigation_as_a_message_to_be_enabled": "This feature depends on \"Send Visitor Navigation History as a Message\" to be enabled.", - "Feature_Limiting": "Feature Limiting", - "Features": "Features", - "Features_Enabled": "Features Enabled", - "Feature_Disabled": "Feature Disabled", - "Federation": "Federation", - "Federation_Adding_Federated_Users": "Adding Federated Users", - "Federation_Adding_to_your_server": "Adding Federation to your Server", - "Federation_Adding_users_from_another_server": "Adding users from another server", - "Federation_Changes_needed": "Changes needed on your Server the Domain Name, Target and Port.", - "Federation_Channels_Will_Be_Replicated": "Those channels are going to be replicated to the remote server, without the message history.", - "Federation_Configure_DNS": "Configure DNS", - "Federation_Dashboard": "Federation Dashboard", - "Federation_Description": "Federation allows an ulimited number of workspaces to communicate with each other.", - "Federation_Discovery_method": "Discovery Method", - "Federation_Discovery_method_details": "You can use the hub or a DNS record (SRV and a TXT entry). Learn more", - "Federation_DNS_info_update": "This Info is updated every 1 minute", - "Federation_Domain": "Domain", - "Federation_Domain_details": "Add the domain name that this server should be linked to.", - "Federation_Email": "E-mail address: joseph@remotedomain.com", - "Federation_Enable": "Enable Federation", - "Federation_Fix_now": "Fix now!", - "Federation_Guide_adding_users": "We guide you on how to add your first federated user.", - "Federation_HTTP_instead_HTTPS": "If you use HTTP protocol instead HTTPS", - "Federation_HTTP_instead_HTTPS_details": "We recommend to use HTTPS for all kinds of communications, but sometimes that is not possible. If you need, in the SRV DNS entry replace: the protocol: _http the port: 80", - "Federation_Invite_User": "Invite User", - "Federation_Invite_Users_To_Private_Rooms": "From now on, you can invite federated users only to private rooms or discussions.", - "Federation_Inviting_users_from_another_server": "Inviting users from a different server", - "Federation_Is_working_correctly": "Federation integration is working correctly.", - "Federation_Legacy_support": "Legacy Support", - "Federation_Must_add_records": "You must add the following DNS records on your server:", - "Federation_Protocol": "Protocol", - "Federation_Protocol_details": "We only recommend using HTTP on internal, very specific cases.", - "Federation_Protocol_TXT_record": "Protocol TXT Record", - "Federation_Public_key": "Public Key", - "Federation_Public_key_details": "This is the key you need to share with your peers. What is it for?", - "Federation_Search_users_you_want_to_connect": "Search for the user you want to connect using a combination of a username and a domain or an e-mail address, like:", - "Federation_SRV_no_support": "If your DNS provider does not support SRV records with _http or _https", - "Federation_SRV_no_support_details": "Some DNS providers will not allow setting _https or _http on SRV records, so we have support for those cases, using our old DNS record resolution method.", - "Federation_SRV_records_200": "SRV Record (2.0.0 or newer)", - "Federation_Public_key_TXT_record": "Public Key TXT Record", - "Federation_Username": "Username: myfriendsusername@anotherdomain.com", - "Federation_You_will_invite_users_without_login_access": "You will invite them to your server without login access. Also, you and everyone else on your server will be able to chat with them.", - "FEDERATION_Discovery_Method": "Discovery Method", - "FEDERATION_Discovery_Method_Description": "You can use the hub or a SRV and a TXT entry on your DNS records.", - "FEDERATION_Domain": "Domain", - "FEDERATION_Domain_Alert": "Do not change this after enabling the feature, we can't handle domain changes yet.", - "FEDERATION_Domain_Description": "Add the domain that this server should be linked to - for example: @rocket.chat.", - "FEDERATION_Enabled": "Attempt to integrate federation support.", - "FEDERATION_Enabled_Alert": "Federation Support is a work in progress. Use on a production system is not recommended at this time.", - "FEDERATION_Error_user_is_federated_on_rooms": "You can't remove federated users who belongs to rooms", - "FEDERATION_Hub_URL": "Hub URL", - "FEDERATION_Hub_URL_Description": "Set the hub URL, for example: https://hub.rocket.chat. Ports are accepted as well.", - "FEDERATION_Public_Key": "Public Key", - "FEDERATION_Public_Key_Description": "This is the key you need to share with your peers.", - "FEDERATION_Room_Status": "Federation Status", - "FEDERATION_Status": "Status", - "FEDERATION_Test_Setup": "Test setup", - "FEDERATION_Test_Setup_Error": "Could not find your server using your setup, please review your settings.", - "FEDERATION_Test_Setup_Success": "Your federation setup is working and other servers can find you!", - "FEDERATION_Unique_Id": "Unique ID", - "FEDERATION_Unique_Id_Description": "This is your federation unique ID, used to identify your peer on the mesh.", - "Federation_Matrix": "Federation V2", - "Federation_Matrix_enabled": "Enabled", - "Federation_Matrix_Enabled_Alert": "Matrix Federation Support is in alpha. Use on a production system is not recommended at this time.
More Information about Matrix Federation support can be found here", - "Federation_Matrix_id": "AppService ID", - "Federation_Matrix_hs_token": "Homeserver Token", - "Federation_Matrix_as_token": "AppService Token", - "Federation_Matrix_homeserver_url": "Homeserver URL", - "Federation_Matrix_homeserver_url_alert": "We recommend a new, empty homeserver, to use with our federation", - "Federation_Matrix_homeserver_domain": "Homeserver Domain", - "Federation_Matrix_only_owners_can_invite_users": "Only owners can invite users", - "Federation_Matrix_homeserver_domain_alert": "No user should connect to the homeserver with third party clients, only Rocket.Chat", - "Federation_Matrix_bridge_url": "Bridge URL", - "Federation_Matrix_bridge_localpart": "AppService User Localpart", - "Federation_Matrix_registration_file": "Registration File", - "Field": "Field", - "Field_removed": "Field removed", - "Field_required": "Field required", - "File": "File", - "File_Downloads_Started": "File Downloads Started", - "File_exceeds_allowed_size_of_bytes": "File exceeds allowed size of __size__.", - "File_name_Placeholder": "Search files...", - "File_not_allowed_direct_messages": "File sharing not allowed in direct messages.", - "File_Path": "File Path", - "file_pruned": "file pruned", - "File_removed_by_automatic_prune": "File removed by automatic prune", - "File_removed_by_prune": "File removed by prune", - "File_Type": "File Type", - "File_type_is_not_accepted": "File type is not accepted.", - "File_uploaded": "File uploaded", - "File_uploaded_successfully": "File uploaded successfully", - "File_URL": "File URL", - "FileType": "File Type", - "files": "files", - "Files": "Files", - "Files_only": "Only remove the attached files, keep messages", - "files_pruned": "files pruned", - "FileSize_Bytes": "__fileSize__ Bytes", - "FileSize_KB": "__fileSize__ KB", - "FileSize_MB": "__fileSize__ MB", - "FileUpload": "File Upload", - "FileUpload_Description": "Configure file upload and storage.", - "FileUpload_Cannot_preview_file": "Cannot preview file", - "FileUpload_Disabled": "File uploads are disabled.", - "FileUpload_Enable_json_web_token_for_files": "Enable Json Web Tokens protection to file uploads", - "FileUpload_Enable_json_web_token_for_files_description": "Appends a JWT to uploaded files urls", - "FileUpload_Enabled": "File Uploads Enabled", - "FileUpload_Enabled_Direct": "File Uploads Enabled in Direct Messages ", - "FileUpload_Error": "File Upload Error", - "FileUpload_File_Empty": "File empty", - "FileUpload_FileSystemPath": "System Path", - "FileUpload_GoogleStorage_AccessId": "Google Storage Access Id", - "FileUpload_GoogleStorage_AccessId_Description": "The Access Id is generally in an email format, for example: \"example-test@example.iam.gserviceaccount.com\"", - "FileUpload_GoogleStorage_Bucket": "Google Storage Bucket Name", - "FileUpload_GoogleStorage_Bucket_Description": "The name of the bucket which the files should be uploaded to.", - "FileUpload_GoogleStorage_Proxy_Avatars": "Proxy Avatars", - "FileUpload_GoogleStorage_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_GoogleStorage_Proxy_Uploads": "Proxy Uploads", - "FileUpload_GoogleStorage_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_GoogleStorage_Secret": "Google Storage Secret", - "FileUpload_GoogleStorage_Secret_Description": "Please follow these instructions and paste the result here.", - "FileUpload_json_web_token_secret_for_files": "File Upload Json Web Token Secret", - "FileUpload_json_web_token_secret_for_files_description": "File Upload Json Web Token Secret (Used to be able to access uploaded files without authentication)", - "FileUpload_MaxFileSize": "Maximum File Upload Size (in bytes)", - "FileUpload_MaxFileSizeDescription": "Set it to -1 to remove the file size limitation.", - "FileUpload_MediaType_NotAccepted__type__": "Media Type Not Accepted: __type__", - "FileUpload_MediaType_NotAccepted": "Media Types Not Accepted", - "FileUpload_MediaTypeBlackList": "Blocked Media Types", - "FileUpload_MediaTypeBlackListDescription": "Comma-separated list of media types. This setting has priority over the Accepted Media Types.", - "FileUpload_MediaTypeWhiteList": "Accepted Media Types", - "FileUpload_MediaTypeWhiteListDescription": "Comma-separated list of media types. Leave it blank for accepting all media types.", - "FileUpload_ProtectFiles": "Protect Uploaded Files", - "FileUpload_ProtectFilesDescription": "Only authenticated users will have access", - "FileUpload_RotateImages": "Rotate images on upload", - "FileUpload_RotateImages_Description": "Enabling this setting may cause image quality loss", - "FileUpload_S3_Acl": "Acl", - "FileUpload_S3_AWSAccessKeyId": "Access Key", - "FileUpload_S3_AWSSecretAccessKey": "Secret Key", - "FileUpload_S3_Bucket": "Bucket name", - "FileUpload_S3_BucketURL": "Bucket URL", - "FileUpload_S3_CDN": "CDN Domain for Downloads", - "FileUpload_S3_ForcePathStyle": "Force Path Style", - "FileUpload_S3_Proxy_Avatars": "Proxy Avatars", - "FileUpload_S3_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_S3_Proxy_Uploads": "Proxy Uploads", - "FileUpload_S3_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_S3_Region": "Region", - "FileUpload_S3_SignatureVersion": "Signature Version", - "FileUpload_S3_URLExpiryTimeSpan": "URLs Expiration Timespan", - "FileUpload_S3_URLExpiryTimeSpan_Description": "Time after which Amazon S3 generated URLs will no longer be valid (in seconds). If set to less than 5 seconds, this field will be ignored.", - "FileUpload_Storage_Type": "Storage Type", - "FileUpload_Webdav_Password": "WebDAV Password", - "FileUpload_Webdav_Proxy_Avatars": "Proxy Avatars", - "FileUpload_Webdav_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_Webdav_Proxy_Uploads": "Proxy Uploads", - "FileUpload_Webdav_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", - "FileUpload_Webdav_Server_URL": "WebDAV Server Access URL", - "FileUpload_Webdav_Upload_Folder_Path": "Upload Folder Path", - "FileUpload_Webdav_Upload_Folder_Path_Description": "WebDAV folder path which the files should be uploaded to", - "FileUpload_Webdav_Username": "WebDAV Username", - "Filter": "Filter", - "Filter_by_category": "Filter by Category", - "Filter_By_Price": "Filter By Price", - "Filters": "Filters", - "Filters_applied": "Filters applied", - "Financial_Services": "Financial Services", - "Finish": "Finish", - "Finish_Registration": "Finish Registration", - "First_Channel_After_Login": "First Channel After Login", - "First_response_time": "First Response Time", - "Flags": "Flags", - "Follow_message": "Follow Message", - "Follow_social_profiles": "Follow our social profiles, fork us on github and share your thoughts about the rocket.chat app on our trello board.", - "Following": "Following", - "Fonts": "Fonts", - "Food_and_Drink": "Food & Drink", - "Footer": "Footer", - "Footer_Direct_Reply": "Footer When Direct Reply is Enabled", - "For_more_details_please_check_our_docs": "For more details please check our docs.", - "For_your_security_you_must_enter_your_current_password_to_continue": "For your security, you must enter your current password to continue", - "Force_Disable_OpLog_For_Cache": "Force Disable OpLog for Cache", - "Force_Disable_OpLog_For_Cache_Description": "Will not use OpLog to sync cache even when it's available", - "Force_Screen_Lock": "Force screen lock", - "Force_Screen_Lock_After": "Force screen lock after", - "Force_Screen_Lock_After_description": "The time to request password again after the finish of the latest session, in seconds.", - "Force_Screen_Lock_description": "When enabled, you'll force your users to use a PIN/BIOMETRY/FACEID to unlock the app.", - "Force_SSL": "Force SSL", - "Force_SSL_Description": "*Caution!* _Force SSL_ should never be used with reverse proxy. If you have a reverse proxy, you should do the redirect THERE. This option exists for deployments like Heroku, that does not allow the redirect configuration at the reverse proxy.", - "Force_visitor_to_accept_data_processing_consent": "Force visitor to accept data processing consent", - "Force_visitor_to_accept_data_processing_consent_description": "Visitors are not allowed to start chatting without consent.", - "Force_visitor_to_accept_data_processing_consent_enabled_alert": "Agreement with data processing must be based on a transparent understanding of the reason for processing. Because of this, you must fill out the setting below which will be displayed to users in order to provide the reasons for collecting and processing your personal information.", - "force-delete-message": "Force Delete Message", - "force-delete-message_description": "Permission to delete a message bypassing all restrictions", - "Forgot_password": "Forgot your password?", - "Forgot_Password_Description": "You may use the following placeholders:
  • [Forgot_Password_Url] for the password recovery URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Forgot_Password_Email": "Click here to reset your password.", - "Forgot_Password_Email_Subject": "[Site_Name] - Password Recovery", - "Forgot_password_section": "Forgot password", - "Format": "Format", - "Forward": "Forward", - "Forward_chat": "Forward chat", - "Forward_to_department": "Forward to department", - "Forward_to_user": "Forward to user", - "Forwarding": "Forwarding", - "Free": "Free", - "Free_Extension_Numbers": "Free Extension Numbers", - "Free_Apps": "Free Apps", - "Frequently_Used": "Frequently Used", - "Friday": "Friday", - "From": "From", - "From_Email": "From Email", - "From_email_warning": "Warning: The field From is subject to your mail server settings.", - "Full_Name": "Full Name", - "Full_Screen": "Full Screen", - "Gaming": "Gaming", - "General": "General", - "General_Description": "Configure general workspace settings.", - "Generate_new_key": "Generate a new key", - "Generate_New_Link": "Generate New Link", - "Generating_key": "Generating key", - "Get_link": "Get Link", - "get-password-policy-forbidRepeatingCharacters": "The password should not contain repeating characters", - "get-password-policy-forbidRepeatingCharactersCount": "The password should not contain more than __forbidRepeatingCharactersCount__ repeating characters", - "get-password-policy-maxLength": "The password should be maximum __maxLength__ characters long", - "get-password-policy-minLength": "The password should be minimum __minLength__ characters long", - "get-password-policy-mustContainAtLeastOneLowercase": "The password should contain at least one lowercase letter", - "get-password-policy-mustContainAtLeastOneNumber": "The password should contain at least one number", - "get-password-policy-mustContainAtLeastOneSpecialCharacter": "The password should contain at least one special character", - "get-password-policy-mustContainAtLeastOneUppercase": "The password should contain at least one uppercase letter", - "get-server-info": "Get server info", - "github_no_public_email": "You don't have any email as public email in your GitHub account", - "github_HEAD": "HEAD", - "Give_a_unique_name_for_the_custom_oauth": "Give a unique name for the custom oauth", - "Give_the_application_a_name_This_will_be_seen_by_your_users": "Give the application a name. This will be seen by your users.", - "Global": "Global", - "Global Policy": "Global Policy", - "Global_purge_override_warning": "A global retention policy is in place. If you leave \"Override global retention policy\" off, you can only apply a policy that is stricter than the global policy.", - "Global_Search": "Global search", - "Go_to_your_workspace": "Go to your workspace", - "GoogleCloudStorage": "Google Cloud Storage", - "GoogleNaturalLanguage_ServiceAccount_Description": "Service account key JSON file. More information can be found [here](https://cloud.google.com/natural-language/docs/common/auth#set_up_a_service_account)", - "GoogleTagManager_id": "Google Tag Manager Id", - "Government": "Government", - "Graphql_CORS": "GraphQL CORS", - "Graphql_Enabled": "GraphQL Enabled", - "Graphql_Subscription_Port": "GraphQL Subscription Port", - "Group": "Group", - "Group_by": "Group by", - "Group_by_Type": "Group by Type", - "Group_discussions": "Group discussions", - "Group_favorites": "Group favorites", - "Group_mentions_disabled_x_members": "Group mentions `@all` and `@here` have been disabled for rooms with more than __total__ members.", - "Group_mentions_only": "Group mentions only", - "Grouping": "Grouping", - "Guest": "Guest", - "Hash": "Hash", - "Header": "Header", - "Header_and_Footer": "Header and Footer", - "Pharmaceutical": "Pharmaceutical", - "Healthcare": "Healthcare", - "Helpers": "Helpers", - "Here_is_your_authentication_code": "Here is your authentication code:", - "Hex_Color_Preview": "Hex Color Preview", - "Hi": "Hi", - "Hi_username": "Hi __name__", - "Hidden": "Hidden", - "Hide": "Hide", - "Hide_counter": "Hide counter", - "Hide_flextab": "Hide Right Sidebar with Click", - "Hide_Group_Warning": "Are you sure you want to hide the group \"%s\"?", - "Hide_Livechat_Warning": "Are you sure you want to hide the chat with \"%s\"?", - "Hide_Private_Warning": "Are you sure you want to hide the discussion with \"%s\"?", - "Hide_roles": "Hide Roles", - "Hide_room": "Hide", - "Hide_Room_Warning": "Are you sure you want to hide the channel \"%s\"?", - "Hide_System_Messages": "Hide System Messages", - "Hide_Unread_Room_Status": "Hide Unread Room Status", - "Hide_usernames": "Hide Usernames", - "Hide_video": "Hide video", - "Highlights": "Highlights", - "Highlights_How_To": "To be notified when someone mentions a word or phrase, add it here. You can separate words or phrases with commas. Highlight Words are not case sensitive.", - "Highlights_List": "Highlight words", - "History": "History", - "Hold_Time": "Hold Time", - "Hold_Call": "Hold Call", - "Home": "Home", - "Host": "Host", - "Hospitality_Businness": "Hospitality Businness", - "hours": "hours", - "Hours": "Hours", - "How_friendly_was_the_chat_agent": "How friendly was the chat agent?", - "How_knowledgeable_was_the_chat_agent": "How knowledgeable was the chat agent?", - "How_long_to_wait_after_agent_goes_offline": "How Long to Wait After Agent Goes Offline", - "How_long_to_wait_to_consider_visitor_abandonment": "How Long to Wait to Consider Visitor Abandonment?", - "How_long_to_wait_to_consider_visitor_abandonment_in_seconds": "How Long to Wait to Consider Visitor Abandonment?", - "How_responsive_was_the_chat_agent": "How responsive was the chat agent?", - "How_satisfied_were_you_with_this_chat": "How satisfied were you with this chat?", - "How_to_handle_open_sessions_when_agent_goes_offline": "How to Handle Open Sessions When Agent Goes Offline", - "HTML": "HTML", - "I_Saved_My_Password": "I Saved My Password", - "Idle_Time_Limit": "Idle Time Limit", - "Idle_Time_Limit_Description": "Period of time until status changes to away. Value needs to be in seconds.", - "if_they_are_from": "(if they are from %s)", - "If_this_email_is_registered": "If this email is registered, we'll send instructions on how to reset your password. If you do not receive an email shortly, please come back and try again.", - "If_you_are_sure_type_in_your_password": "If you are sure type in your password:", - "If_you_are_sure_type_in_your_username": "If you are sure type in your username:", - "If_you_didnt_ask_for_reset_ignore_this_email": "If you didn't ask for your password reset, you can ignore this email.", - "If_you_didnt_try_to_login_in_your_account_please_ignore_this_email": "If you didn't try to login in your account please ignore this email.", - "If_you_dont_have_one_send_an_email_to_omni_rocketchat_to_get_yours": "If you don't have one send an email to [omni@rocket.chat](mailto:omni@rocket.chat) to get yours.", - "Iframe_Integration": "Iframe Integration", - "Iframe_Integration_receive_enable": "Enable Receive", - "Iframe_Integration_receive_enable_Description": "Allow parent window to send commands to Rocket.Chat.", - "Iframe_Integration_receive_origin": "Receive Origins", - "Iframe_Integration_receive_origin_Description": "Origins with protocol prefix, separated by commas, which are allowed to receive commands e.g. 'https://localhost, http://localhost', or * to allow receiving from anywhere.", - "Iframe_Integration_send_enable": "Enable Send", - "Iframe_Integration_send_enable_Description": "Send events to parent window", - "Iframe_Integration_send_target_origin": "Send Target Origin", - "Iframe_Integration_send_target_origin_Description": "Origin with protocol prefix, which commands are sent to e.g. 'https://localhost', or * to allow sending to anywhere.", - "Iframe_Restrict_Access": "Restrict access inside any Iframe", - "Iframe_Restrict_Access_Description": "This setting enable/disable restrictions to load the RC inside any iframe", - "Iframe_X_Frame_Options": "Options to X-Frame-Options", - "Iframe_X_Frame_Options_Description": "Options to X-Frame-Options. [You can see all the options here.](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options#Syntax)", - "Ignore": "Ignore", - "Ignored": "Ignored", - "Images": "Images", - "IMAP_intercepter_already_running": "IMAP intercepter already running", - "IMAP_intercepter_Not_running": "IMAP intercepter Not running", - "Impersonate_next_agent_from_queue": "Impersonate next agent from queue", - "Impersonate_user": "Impersonate User", - "Impersonate_user_description": "When enabled, integration posts as the user that triggered integration", - "Import": "Import", - "Import_New_File": "Import New File", - "Import_requested_successfully": "Import Requested Successfully", - "Import_Type": "Import Type", - "Importer_Archived": "Archived", - "Importer_CSV_Information": "The CSV importer requires a specific format, please read the documentation for how to structure your zip file:", - "Importer_done": "Importing complete!", - "Importer_ExternalUrl_Description": "You can also use an URL for a publicly accessible file:", - "Importer_finishing": "Finishing up the import.", - "Importer_From_Description": "Imports __from__ data into Rocket.Chat.", - "Importer_From_Description_CSV": "Imports CSV data into Rocket.Chat. The uploaded file must be a ZIP file.", - "Importer_HipChatEnterprise_BetaWarning": "Please be aware that this import is still a work in progress, please report any errors which occur in GitHub:", - "Importer_HipChatEnterprise_Information": "The file uploaded must be a decrypted tar.gz, please read the documentation for further information:", - "Importer_import_cancelled": "Import cancelled.", - "Importer_import_failed": "An error occurred while running the import.", - "Importer_importing_channels": "Importing the channels.", - "Importer_importing_files": "Importing the files.", - "Importer_importing_messages": "Importing the messages.", - "Importer_importing_started": "Starting the import.", - "Importer_importing_users": "Importing the users.", - "Importer_not_in_progress": "The importer is currently not running.", - "Importer_not_setup": "The importer is not setup correctly, as it didn't return any data.", - "Importer_Prepare_Restart_Import": "Restart Import", - "Importer_Prepare_Start_Import": "Start Importing", - "Importer_Prepare_Uncheck_Archived_Channels": "Uncheck Archived Channels", - "Importer_Prepare_Uncheck_Deleted_Users": "Uncheck Deleted Users", - "Importer_progress_error": "Failed to get the progress for the import.", - "Importer_setup_error": "An error occurred while setting up the importer.", - "Importer_Slack_Users_CSV_Information": "The file uploaded must be Slack's Users export file, which is a CSV file. See here for more information:", - "Importer_Source_File": "Source File Selection", - "importer_status_done": "Completed successfully", - "importer_status_downloading_file": "Downloading file", - "importer_status_file_loaded": "File loaded", - "importer_status_finishing": "Almost done", - "importer_status_import_cancelled": "Cancelled", - "importer_status_import_failed": "Error", - "importer_status_importing_channels": "Importing channels", - "importer_status_importing_files": "Importing files", - "importer_status_importing_messages": "Importing messages", - "importer_status_importing_started": "Importing data", - "importer_status_importing_users": "Importing users", - "importer_status_new": "Not started", - "importer_status_preparing_channels": "Reading channels file", - "importer_status_preparing_messages": "Reading message files", - "importer_status_preparing_started": "Reading files", - "importer_status_preparing_users": "Reading users file", - "importer_status_uploading": "Uploading file", - "importer_status_user_selection": "Ready to select what to import", - "Importer_Upload_FileSize_Message": "Your server settings allow the upload of files of any size up to __maxFileSize__.", - "Importer_Upload_Unlimited_FileSize": "Your server settings allow the upload of files of any size.", - "Importing_channels": "Importing channels", - "Importing_Data": "Importing Data", - "Importing_messages": "Importing messages", - "Importing_users": "Importing users", - "Inactivity_Time": "Inactivity Time", - "In_progress": "In progress", - "Inbox_Info": "Inbox Info", - "Include_Offline_Agents": "Include offline agents", - "Inclusive": "Inclusive", - "Incoming": "Incoming", - "Incoming_Livechats": "Queued Chats", - "Incoming_WebHook": "Incoming WebHook", - "Industry": "Industry", - "Info": "Info", - "initials_avatar": "Initials Avatar", - "inline_code": "inline code", - "Install": "Install", - "Install_Extension": "Install Extension", - "Install_FxOs": "Install Rocket.Chat on your Firefox", - "Install_FxOs_done": "Great! You can now use Rocket.Chat via the icon on your homescreen. Have fun with Rocket.Chat!", - "Install_FxOs_error": "Sorry, that did not work as intended! The following error appeared:", - "Install_FxOs_follow_instructions": "Please confirm the app installation on your device (press \"Install\" when prompted).", - "Install_package": "Install package", - "Installation": "Installation", - "Installed": "Installed", - "Installed_at": "Installed at", - "Instance": "Instance", - "Instances": "Instances", - "Instances_health": "Instances Health", - "Instance_Record": "Instance Record", - "Instructions": "Instructions", - "Instructions_to_your_visitor_fill_the_form_to_send_a_message": "Instructions to your visitor fill the form to send a message", - "Insert_Contact_Name": "Insert the Contact Name", - "Insert_Placeholder": "Insert Placeholder", - "Insurance": "Insurance", - "Integration_added": "Integration has been added", - "Integration_Advanced_Settings": "Advanced Settings", - "Integration_Delete_Warning": "Deleting an Integrations cannot be undone.", - "Integration_disabled": "Integration disabled", - "Integration_History_Cleared": "Integration History Successfully Cleared", - "Integration_Incoming_WebHook": "Incoming WebHook Integration", - "Integration_New": "New Integration", - "Integration_Outgoing_WebHook": "Outgoing WebHook Integration", - "Integration_Outgoing_WebHook_History": "Outgoing WebHook Integration History", - "Integration_Outgoing_WebHook_History_Data_Passed_To_Trigger": "Data Passed to Integration", - "Integration_Outgoing_WebHook_History_Data_Passed_To_URL": "Data Passed to URL", - "Integration_Outgoing_WebHook_History_Error_Stacktrace": "Error Stacktrace", - "Integration_Outgoing_WebHook_History_Http_Response": "HTTP Response", - "Integration_Outgoing_WebHook_History_Http_Response_Error": "HTTP Response Error", - "Integration_Outgoing_WebHook_History_Messages_Sent_From_Prepare_Script": "Messages Sent from Prepare Step", - "Integration_Outgoing_WebHook_History_Messages_Sent_From_Process_Script": "Messages Sent from Process Response Step", - "Integration_Outgoing_WebHook_History_Time_Ended_Or_Error": "Time it Ended or Error'd", - "Integration_Outgoing_WebHook_History_Time_Triggered": "Time Integration Triggered", - "Integration_Outgoing_WebHook_History_Trigger_Step": "Last Trigger Step", - "Integration_Outgoing_WebHook_No_History": "This outgoing webhook integration has yet to have any history recorded.", - "Integration_Retry_Count": "Retry Count", - "Integration_Retry_Count_Description": "How many times should the integration be tried if the call to the url fails?", - "Integration_Retry_Delay": "Retry Delay", - "Integration_Retry_Delay_Description": "Which delay algorithm should the retrying use? 10^x or 2^x or x*2", - "Integration_Retry_Failed_Url_Calls": "Retry Failed Url Calls", - "Integration_Retry_Failed_Url_Calls_Description": "Should the integration try a reasonable amount of time if the call out to the url fails?", - "Integration_Run_When_Message_Is_Edited": "Run On Edits", - "Integration_Run_When_Message_Is_Edited_Description": "Should the integration run when the message is edited? Setting this to false will cause the integration to only run on new messages.", - "Integration_updated": "Integration has been updated.", - "Integration_Word_Trigger_Placement": "Word Placement Anywhere", - "Integration_Word_Trigger_Placement_Description": "Should the Word be Triggered when placed anywhere in the sentence other than the beginning?", - "Integrations": "Integrations", - "Integrations_for_all_channels": "Enter all_public_channels to listen on all public channels, all_private_groups to listen on all private groups, and all_direct_messages to listen to all direct messages.", - "Integrations_Outgoing_Type_FileUploaded": "File Uploaded", - "Integrations_Outgoing_Type_RoomArchived": "Room Archived", - "Integrations_Outgoing_Type_RoomCreated": "Room Created (public and private)", - "Integrations_Outgoing_Type_RoomJoined": "User Joined Room", - "Integrations_Outgoing_Type_RoomLeft": "User Left Room", - "Integrations_Outgoing_Type_SendMessage": "Message Sent", - "Integrations_Outgoing_Type_UserCreated": "User Created", - "InternalHubot": "Internal Hubot", - "InternalHubot_EnableForChannels": "Enable for Public Channels", - "InternalHubot_EnableForDirectMessages": "Enable for Direct Messages", - "InternalHubot_EnableForPrivateGroups": "Enable for Private Channels", - "InternalHubot_PathToLoadCustomScripts": "Folder to Load the Scripts", - "InternalHubot_reload": "Reload the scripts", - "InternalHubot_ScriptsToLoad": "Scripts to Load", - "InternalHubot_ScriptsToLoad_Description": "Please enter a comma separated list of scripts to load from your custom folder", - "InternalHubot_Username_Description": "This must be a valid username of a bot registered on your server.", - "Invalid Canned Response": "Invalid Canned Response", - "Invalid_confirm_pass": "The password confirmation does not match password", - "Invalid_Department": "Invalid Department", - "Invalid_email": "The email entered is invalid", - "Invalid_Export_File": "The file uploaded isn't a valid %s export file.", - "Invalid_field": "The field must not be empty", - "Invalid_Import_File_Type": "Invalid Import file type.", - "Invalid_name": "The name must not be empty", - "Invalid_notification_setting_s": "Invalid notification setting: %s", - "Invalid_or_expired_invite_token": "Invalid or expired invite token", - "Invalid_pass": "The password must not be empty", - "Invalid_password": "Invalid password", - "Invalid_reason": "The reason to join must not be empty", - "Invalid_room_name": "%s is not a valid room name", - "Invalid_secret_URL_message": "The URL provided is invalid.", - "Invalid_setting_s": "Invalid setting: %s", - "Invalid_two_factor_code": "Invalid two factor code", - "Invalid_username": "The username entered is invalid", - "Invalid_JSON": "Invalid JSON", - "invisible": "invisible", - "Invisible": "Invisible", - "Invitation": "Invitation", - "Invitation_Email_Description": "You may use the following placeholders:
  • [email] for the recipient email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Invitation_HTML": "Invitation HTML", - "Invitation_HTML_Default": "

You have been invited to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", - "Invitation_Subject": "Invitation Subject", - "Invitation_Subject_Default": "You have been invited to [Site_Name]", - "Invite": "Invite", - "Invites": "Invites", - "Invite_Link": "Invite Link", - "Invite_removed": "Invite removed successfully", - "Invite_user_to_join_channel": "Invite one user to join this channel", - "Invite_user_to_join_channel_all_from": "Invite all users from [#channel] to join this channel", - "Invite_user_to_join_channel_all_to": "Invite all users from this channel to join [#channel]", - "Invite_Users": "Invite Members", - "IP": "IP", - "IRC_Channel_Join": "Output of the JOIN command.", - "IRC_Channel_Leave": "Output of the PART command.", - "IRC_Channel_Users": "Output of the NAMES command.", - "IRC_Channel_Users_End": "End of output of the NAMES command.", - "IRC_Description": "Internet Relay Chat (IRC) is a text-based group communication tool. Users join uniquely named channels, or rooms, for open discussion. IRC also supports private messages between individual users and file sharing capabilities. This package integrates these layers of functionality with Rocket.Chat.", - "IRC_Enabled": "Attempt to integrate IRC support. Changing this value requires restarting Rocket.Chat.", - "IRC_Enabled_Alert": "IRC Support is a work in progress. Use on a production system is not recommended at this time.", - "IRC_Federation": "IRC Federation", - "IRC_Federation_Description": "Connect to other IRC servers.", - "IRC_Federation_Disabled": "IRC Federation is disabled.", - "IRC_Hostname": "The IRC host server to connect to.", - "IRC_Login_Fail": "Output upon a failed connection to the IRC server.", - "IRC_Login_Success": "Output upon a successful connection to the IRC server.", - "IRC_Message_Cache_Size": "The cache limit for outbound message handling.", - "IRC_Port": "The port to bind to on the IRC host server.", - "IRC_Private_Message": "Output of the PRIVMSG command.", - "IRC_Quit": "Output upon quitting an IRC session.", - "is_typing": "is typing", - "Issue_Links": "Issue tracker links", - "IssueLinks_Incompatible": "Warning: do not enable this and the 'Hex Color Preview' at the same time.", - "IssueLinks_LinkTemplate": "Template for issue links", - "IssueLinks_LinkTemplate_Description": "Template for issue links; %s will be replaced by the issue number.", - "It_works": "It works", - "It_Security": "It Security", - "italic": "Italic", - "italics": "italics", - "Items_per_page:": "Items per page:", - "Jitsi_Application_ID": "Application ID (iss)", - "Jitsi_Application_Secret": "Application Secret", - "Jitsi_Chrome_Extension": "Chrome Extension Id", - "Jitsi_Enable_Channels": "Enable in Channels", - "Jitsi_Enable_Teams": "Enable for Teams", - "Jitsi_Enabled_TokenAuth": "Enable JWT auth", - "Jitsi_Limit_Token_To_Room": "Limit token to Jitsi Room", - "Job_Title": "Job Title", - "join": "Join", - "Join_call": "Join Call", - "Join_audio_call": "Join audio call", - "Join_Chat": "Join Chat", - "Join_default_channels": "Join default channels", - "Join_the_Community": "Join the Community", - "Join_the_given_channel": "Join the given channel", - "Join_video_call": "Join video call", - "Join_my_room_to_start_the_video_call": "Join my room to start the video call", - "join-without-join-code": "Join Without Join Code", - "join-without-join-code_description": "Permission to bypass the join code in channels with join code enabled", - "Joined": "Joined", - "Joined_at": "Joined at", - "JSON": "JSON", - "Jump": "Jump", - "Jump_to_first_unread": "Jump to first unread", - "Jump_to_message": "Jump to Message", - "Jump_to_recent_messages": "Jump to recent messages", - "Just_invited_people_can_access_this_channel": "Just invited people can access this channel.", - "Katex_Dollar_Syntax": "Allow Dollar Syntax", - "Katex_Dollar_Syntax_Description": "Allow using $$katex block$$ and $inline katex$ syntaxes", - "Katex_Enabled": "Katex Enabled", - "Katex_Enabled_Description": "Allow using katex for math typesetting in messages", - "Katex_Parenthesis_Syntax": "Allow Parenthesis Syntax", - "Katex_Parenthesis_Syntax_Description": "Allow using \\[katex block\\] and \\(inline katex\\) syntaxes", - "Keep_default_user_settings": "Keep the default settings", - "Keyboard_Shortcuts_Edit_Previous_Message": "Edit previous message", - "Keyboard_Shortcuts_Keys_1": "Command (or Ctrl) + p OR Command (or Ctrl) + k", - "Keyboard_Shortcuts_Keys_2": "Up Arrow", - "Keyboard_Shortcuts_Keys_3": "Command (or Alt) + Left Arrow", - "Keyboard_Shortcuts_Keys_4": "Command (or Alt) + Up Arrow", - "Keyboard_Shortcuts_Keys_5": "Command (or Alt) + Right Arrow", - "Keyboard_Shortcuts_Keys_6": "Command (or Alt) + Down Arrow", - "Keyboard_Shortcuts_Keys_7": "Shift + Enter", - "Keyboard_Shortcuts_Keys_8": "Shift (or Ctrl) + ESC", - "Keyboard_Shortcuts_Mark_all_as_read": "Mark all messages (in all channels) as read", - "Keyboard_Shortcuts_Move_To_Beginning_Of_Message": "Move to the beginning of the message", - "Keyboard_Shortcuts_Move_To_End_Of_Message": "Move to the end of the message", - "Keyboard_Shortcuts_New_Line_In_Message": "New line in message compose input", - "Keyboard_Shortcuts_Open_Channel_Slash_User_Search": "Open Channel / User search", - "Keyboard_Shortcuts_Title": "Keyboard Shortcuts", - "Knowledge_Base": "Knowledge Base", - "Label": "Label", - "Language": "Language", - "Language_Bulgarian": "Bulgarian", - "Language_Chinese": "Chinese", - "Language_Czech": "Czech", - "Language_Danish": "Danish", - "Language_Dutch": "Dutch", - "Language_English": "English", - "Language_Estonian": "Estonian", - "Language_Finnish": "Finnish", - "Language_French": "French", - "Language_German": "German", - "Language_Greek": "Greek", - "Language_Hungarian": "Hungarian", - "Language_Italian": "Italian", - "Language_Japanese": "Japanese", - "Language_Latvian": "Latvian", - "Language_Lithuanian": "Lithuanian", - "Language_Not_set": "No specific", - "Language_Polish": "Polish", - "Language_Portuguese": "Portuguese", - "Language_Romanian": "Romanian", - "Language_Russian": "Russian", - "Language_Slovak": "Slovak", - "Language_Slovenian": "Slovenian", - "Language_Spanish": "Spanish", - "Language_Swedish": "Swedish", - "Language_Version": "English Version", - "Last_7_days": "Last 7 Days", - "Last_30_days": "Last 30 Days", - "Last_90_days": "Last 90 Days", - "Last_active": "Last active", - "Last_Call": "Last Call", - "Last_Chat": "Last Chat", - "Last_login": "Last login", - "Last_Message": "Last Message", - "Last_Message_At": "Last Message At", - "Last_seen": "Last seen", - "Last_Status": "Last Status", - "Last_token_part": "Last token part", - "Last_Updated": "Last Updated", - "Launched_successfully": "Launched successfully", - "Layout": "Layout", - "Layout_Description": "Customize the look of your workspace.", - "Layout_Home_Body": "Home Body", - "Layout_Home_Title": "Home Title", - "Layout_Legal_Notice": "Legal Notice", - "Layout_Login_Terms": "Login Terms", - "Layout_Privacy_Policy": "Privacy Policy", - "Layout_Show_Home_Button": "Show \"Home Button\"", - "Layout_Sidenav_Footer": "Side Navigation Footer", - "Layout_Sidenav_Footer_description": "Footer size is 260 x 70px", - "Layout_Terms_of_Service": "Terms of Service", - "LDAP": "LDAP", - "LDAP_Description": "Lightweight Directory Access Protocol enables anyone to locate data about your server or company.", - "LDAP_Documentation": "LDAP Documentation", - "LDAP_Connection": "Connection", - "LDAP_Connection_Authentication": "Authentication", - "LDAP_Connection_Encryption": "Encryption", - "LDAP_Connection_Timeouts": "Timeouts", - "LDAP_UserSearch": "User Search", - "LDAP_UserSearch_Filter": "Search Filter", - "LDAP_UserSearch_GroupFilter": "Group Filter", - "LDAP_DataSync": "Data Sync", - "LDAP_DataSync_DataMap": "Mapping", - "LDAP_DataSync_Avatar": "Avatar", - "LDAP_DataSync_Advanced": "Advanced Sync", - "LDAP_DataSync_CustomFields": "Sync Custom Fields", - "LDAP_DataSync_Roles": "Sync Roles", - "LDAP_DataSync_Channels": "Sync Channels", - "LDAP_DataSync_Teams": "Sync Teams", - "LDAP_Enterprise": "Enterprise", - "LDAP_DataSync_BackgroundSync": "Background Sync", - "LDAP_Server_Type": "Server Type", - "LDAP_Server_Type_AD": "Active Directory", - "LDAP_Server_Type_Other": "Other", - "LDAP_Name_Field": "Name Field", - "LDAP_Email_Field": "Email Field", - "LDAP_Update_Data_On_Login": "Update User Data on Login", - "LDAP_Advanced_Sync": "Advanced Sync", - "LDAP_Authentication": "Enable", - "LDAP_Authentication_Password": "Password", - "LDAP_Authentication_UserDN": "User DN", - "LDAP_Authentication_UserDN_Description": "The LDAP user that performs user lookups to authenticate other users when they sign in.
This is typically a service account created specifically for third-party integrations. Use a fully qualified name, such as `cn=Administrator,cn=Users,dc=Example,dc=com`.", - "LDAP_Avatar_Field": "User Avatar Field", - "LDAP_Avatar_Field_Description": " Which field will be used as *avatar* for users. Leave empty to use `thumbnailPhoto` first and `jpegPhoto` as fallback.", - "LDAP_Background_Sync": "Background Sync", - "LDAP_Background_Sync_Avatars": "Avatar Background Sync", - "LDAP_Background_Sync_Avatars_Description": "Enable a separate background process to sync user avatars.", - "LDAP_Background_Sync_Avatars_Interval": "Avatar Background Sync Interval", - "LDAP_Background_Sync_Import_New_Users": "Background Sync Import New Users", - "LDAP_Background_Sync_Import_New_Users_Description": "Will import all users (based on your filter criteria) that exists in LDAP and does not exists in Rocket.Chat", - "LDAP_Background_Sync_Interval": "Background Sync Interval", - "LDAP_Background_Sync_Interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", - "LDAP_Background_Sync_Keep_Existant_Users_Updated": "Background Sync Update Existing Users", - "LDAP_Background_Sync_Keep_Existant_Users_Updated_Description": "Will sync the avatar, fields, username, etc (based on your configuration) of all users already imported from LDAP on every **Sync Interval**", - "LDAP_BaseDN": "Base DN", - "LDAP_BaseDN_Description": "The fully qualified Distinguished Name (DN) of an LDAP subtree you want to search for users and groups. You can add as many as you like; however, each group must be defined in the same domain base as the users that belong to it. Example: `ou=Users+ou=Projects,dc=Example,dc=com`. If you specify restricted user groups, only users that belong to those groups will be in scope. We recommend that you specify the top level of your LDAP directory tree as your domain base and use search filter to control access.", - "LDAP_CA_Cert": "CA Cert", - "LDAP_Connect_Timeout": "Connection Timeout (ms)", - "LDAP_DataSync_AutoLogout": "Auto Logout Deactivated Users", - "LDAP_Default_Domain": "Default Domain", - "LDAP_Default_Domain_Description": "If provided the Default Domain will be used to create an unique email for users where email was not imported from LDAP. The email will be mounted as `username@default_domain` or `unique_id@default_domain`.
Example: `rocket.chat`", - "LDAP_Enable": "Enable", - "LDAP_Enable_Description": "Attempt to utilize LDAP for authentication.", - "LDAP_Enable_LDAP_Groups_To_RC_Teams": "Enable team mapping from LDAP to Rocket.Chat", - "LDAP_Encryption": "Encryption", - "LDAP_Encryption_Description": "The encryption method used to secure communications to the LDAP server. Examples include `plain` (no encryption), `SSL/LDAPS` (encrypted from the start), and `StartTLS` (upgrade to encrypted communication once connected).", - "LDAP_Find_User_After_Login": "Find user after login", - "LDAP_Find_User_After_Login_Description": "Will perform a search of the user's DN after bind to ensure the bind was successful preventing login with empty passwords when allowed by the AD configuration.", - "LDAP_Group_Filter_Enable": "Enable LDAP User Group Filter", - "LDAP_Group_Filter_Enable_Description": "Restrict access to users in a LDAP group
Useful for allowing OpenLDAP servers without a *memberOf* filter to restrict access by groups", - "LDAP_Group_Filter_Group_Id_Attribute": "Group ID Attribute", - "LDAP_Group_Filter_Group_Id_Attribute_Description": "E.g. *OpenLDAP:*cn", - "LDAP_Group_Filter_Group_Member_Attribute": "Group Member Attribute", - "LDAP_Group_Filter_Group_Member_Attribute_Description": "E.g. *OpenLDAP:*uniqueMember", - "LDAP_Group_Filter_Group_Member_Format": "Group Member Format", - "LDAP_Group_Filter_Group_Member_Format_Description": "E.g. *OpenLDAP:*uid=#{username},ou=users,o=Company,c=com", - "LDAP_Group_Filter_Group_Name": "Group name", - "LDAP_Group_Filter_Group_Name_Description": "Group name to which it belong the user", - "LDAP_Group_Filter_ObjectClass": "Group ObjectClass", - "LDAP_Group_Filter_ObjectClass_Description": "The *objectclass* that identify the groups.
E.g. OpenLDAP:groupOfUniqueNames", - "LDAP_Groups_To_Rocket_Chat_Teams": "Team mapping from LDAP to Rocket.Chat.", - "LDAP_Host": "Host", - "LDAP_Host_Description": "The LDAP host, e.g. `ldap.example.com` or `10.0.0.30`.", - "LDAP_Idle_Timeout": "Idle Timeout (ms)", - "LDAP_Idle_Timeout_Description": "How many milliseconds wait after the latest LDAP operation until close the connection. (Each operation will open a new connection)", - "LDAP_Import_Users_Description": "It True sync process will be import all LDAP users
*Caution!* Specify search filter to not import excess users.", - "LDAP_Internal_Log_Level": "Internal Log Level", - "LDAP_Login_Fallback": "Login Fallback", - "LDAP_Login_Fallback_Description": "If the login on LDAP is not successful try to login in default/local account system. Helps when the LDAP is down for some reason.", - "LDAP_Merge_Existing_Users": "Merge Existing Users", - "LDAP_Merge_Existing_Users_Description": "*Caution!* When importing a user from LDAP and an user with same username already exists the LDAP info and password will be set into the existing user.", - "LDAP_Port": "Port", - "LDAP_Port_Description": "Port to access LDAP. eg: `389` or `636` for LDAPS", - "LDAP_Prevent_Username_Changes": "Prevent LDAP users from changing their Rocket.Chat username", - "LDAP_Query_To_Get_User_Teams": "LDAP query to get user groups", - "LDAP_Reconnect": "Reconnect", - "LDAP_Reconnect_Description": "Try to reconnect automatically when connection is interrupted by some reason while executing operations", - "LDAP_Reject_Unauthorized": "Reject Unauthorized", - "LDAP_Reject_Unauthorized_Description": "Disable this option to allow certificates that can not be verified. Usually Self Signed Certificates will require this option disabled to work", - "LDAP_Search_Page_Size": "Search Page Size", - "LDAP_Search_Page_Size_Description": "The maximum number of entries each result page will return to be processed", - "LDAP_Search_Size_Limit": "Search Size Limit", - "LDAP_Search_Size_Limit_Description": "The maximum number of entries to return.
**Attention** This number should greater than **Search Page Size**", - "LDAP_Sync_Custom_Fields": "Sync Custom Fields", - "LDAP_CustomFieldMap": "Custom Fields Mapping", - "LDAP_Sync_AutoLogout_Enabled": "Enable Auto Logout", - "LDAP_Sync_AutoLogout_Interval": "Auto Logout Interval", - "LDAP_Sync_Now": "Sync Now", - "LDAP_Sync_Now_Description": "This will start a **Background Sync** operation now, without waiting for the next scheduled Sync.\nThis action is asynchronous, please see the logs for more information.", - "LDAP_Sync_User_Active_State": "Sync User Active State", - "LDAP_Sync_User_Active_State_Both": "Enable and Disable Users", - "LDAP_Sync_User_Active_State_Description": "Determine if users should be enabled or disabled on Rocket.Chat based on the LDAP status. The 'pwdAccountLockedTime' attribute will be used to determine if the user is disabled.", - "LDAP_Sync_User_Active_State_Disable": "Disable Users", - "LDAP_Sync_User_Active_State_Nothing": "Do Nothing", - "LDAP_Sync_User_Avatar": "Sync User Avatar", - "LDAP_Sync_User_Data_Roles": "Sync LDAP Groups", - "LDAP_Sync_User_Data_Channels": "Auto Sync LDAP Groups to Channels", - "LDAP_Sync_User_Data_Channels_Admin": "Channel Admin", - "LDAP_Sync_User_Data_Channels_Admin_Description": "When channels are auto-created that do not exist during a sync, this user will automatically become the admin for the channel.", - "LDAP_Sync_User_Data_Channels_BaseDN": "LDAP Group BaseDN", - "LDAP_Sync_User_Data_Channels_Description": "Enable this feature to automatically add users to a channel based on their LDAP group. If you would like to also remove users from a channel, see the option below about auto removing users.", - "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels": "Auto Remove Users from Channels", - "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels_Description": "**Attention**: Enabling this will remove any users in a channel that do not have the corresponding LDAP group! Only enable this if you know what you're doing.", - "LDAP_Sync_User_Data_Channels_Filter": "User Group Filter", - "LDAP_Sync_User_Data_Channels_Filter_Description": "The LDAP search filter used to check if a user is in a group.", - "LDAP_Sync_User_Data_ChannelsMap": "LDAP Group Channel Map", - "LDAP_Sync_User_Data_ChannelsMap_Default": "// Enable Auto Sync LDAP Groups to Channels above", - "LDAP_Sync_User_Data_ChannelsMap_Description": "Map LDAP groups to Rocket.Chat channels.
As an example, `{\"employee\":\"general\"}` will add any user in the LDAP group employee, to the general channel.", - "LDAP_Sync_User_Data_Roles_AutoRemove": "Auto Remove User Roles", - "LDAP_Sync_User_Data_Roles_AutoRemove_Description": "**Attention**: Enabling this will automatically remove users from a role if they are not assigned in LDAP! This will only remove roles automatically that are set under the user data group map below.", - "LDAP_Sync_User_Data_Roles_BaseDN": "LDAP Group BaseDN", - "LDAP_Sync_User_Data_Roles_BaseDN_Description": "The LDAP BaseDN used to lookup users.", - "LDAP_Sync_User_Data_Roles_Filter": "User Group Filter", - "LDAP_Sync_User_Data_Roles_Filter_Description": "The LDAP search filter used to check if a user is in a group.", - "LDAP_Sync_User_Data_RolesMap": "User Data Group Map", - "LDAP_Sync_User_Data_RolesMap_Description": "Map LDAP groups to Rocket.Chat user roles
As an example, `{\"rocket-admin\":\"admin\", \"tech-support\":\"support\", \"manager\":[\"leader\", \"moderator\"]}` will map the rocket-admin LDAP group to Rocket's \"admin\" role.", - "LDAP_Teams_BaseDN": "LDAP Teams BaseDN", - "LDAP_Teams_BaseDN_Description": "The LDAP BaseDN used to lookup user teams.", - "LDAP_Teams_Name_Field": "LDAP Team Name Attribute", - "LDAP_Teams_Name_Field_Description": "The LDAP attribute that Rocket.Chat should use to load the team's name. You can specify more than one possible attribute name if you separate them with a comma.", - "LDAP_Timeout": "Timeout (ms)", - "LDAP_Timeout_Description": "How many mileseconds wait for a search result before return an error", - "LDAP_Unique_Identifier_Field": "Unique Identifier Field", - "LDAP_Unique_Identifier_Field_Description": "Which field will be used to link the LDAP user and the Rocket.Chat user. You can inform multiple values separated by comma to try to get the value from LDAP record.
Default value is `objectGUID,ibm-entryUUID,GUID,dominoUNID,nsuniqueId,uidNumber`", - "LDAP_User_Found": "LDAP User Found", - "LDAP_User_Search_AttributesToQuery": "Attributes to Query", - "LDAP_User_Search_AttributesToQuery_Description": "Specify which attributes should be returned on LDAP queries, separating them with commas. Defaults to everything. `*` represents all regular attributes and `+` represents all operational attributes. Make sure to include every attribute that is used by every Rocket.Chat sync option.", - "LDAP_User_Search_Field": "Search Field", - "LDAP_User_Search_Field_Description": "The LDAP attribute that identifies the LDAP user who attempts authentication. This field should be `sAMAccountName` for most Active Directory installations, but it may be `uid` for other LDAP solutions, such as OpenLDAP. You can use `mail` to identify users by email or whatever attribute you want.
You can use multiple values separated by comma to allow users to login using multiple identifiers like username or email.", - "LDAP_User_Search_Filter": "Filter", - "LDAP_User_Search_Filter_Description": "If specified, only users that match this filter will be allowed to log in. If no filter is specified, all users within the scope of the specified domain base will be able to sign in.
E.g. for Active Directory `memberOf=cn=ROCKET_CHAT,ou=General Groups`.
E.g. for OpenLDAP (extensible match search) `ou:dn:=ROCKET_CHAT`.", - "LDAP_User_Search_Scope": "Scope", - "LDAP_Username_Field": "Username Field", - "LDAP_Username_Field_Description": "Which field will be used as *username* for new users. Leave empty to use the username informed on login page.
You can use template tags too, like `#{givenName}.#{sn}`.
Default value is `sAMAccountName`.", - "LDAP_Username_To_Search": "Username to search", - "LDAP_Validate_Teams_For_Each_Login": "Validate mapping for each login", - "LDAP_Validate_Teams_For_Each_Login_Description": "Determine if users' teams should be updated every time they login to Rocket.Chat. If this is turned off the team will be loaded only on their first login.", - "Lead_capture_email_regex": "Lead capture email regex", - "Lead_capture_phone_regex": "Lead capture phone regex", - "Least_recent_updated": "Least recent updated", - "Leave": "Leave", - "Leave_a_comment": "Leave a comment", - "Leave_Group_Warning": "Are you sure you want to leave the group \"%s\"?", - "Leave_Livechat_Warning": "Are you sure you want to leave the omnichannel with \"%s\"?", - "Leave_Private_Warning": "Are you sure you want to leave the discussion with \"%s\"?", - "Leave_room": "Leave", - "Leave_Room_Warning": "Are you sure you want to leave the channel \"%s\"?", - "Leave_the_current_channel": "Leave the current channel", - "Leave_the_description_field_blank_if_you_dont_want_to_show_the_role": "Leave the description field blank if you don't want to show the role", - "leave-c": "Leave Channels", - "leave-c_description": "Permission to leave channels", - "leave-p": "Leave Private Groups", - "leave-p_description": "Permission to leave private groups", - "Lets_get_you_new_one": "Let's get you a new one!", - "License": "License", - "line": "line", - "link": "link", - "Link_Preview": "Link Preview", - "List_of_Channels": "List of Channels", - "List_of_departments_for_forward": "List of departments allowed for forwarding (Optional)", - "List_of_departments_for_forward_description": "Allow to set a restricted list of departments that can receive chats from this department", - "List_of_departments_to_apply_this_business_hour": "List of departments to apply this business hour", - "List_of_Direct_Messages": "List of Direct Messages", - "Livechat": "Livechat", - "Livechat_abandoned_rooms_action": "How to handle Visitor Abandonment", - "Livechat_abandoned_rooms_closed_custom_message": "Custom message when room is automatically closed by visitor inactivity", - "Livechat_agents": "Omnichannel agents", - "Livechat_Agents": "Agents", - "Livechat_allow_manual_on_hold": "Allow agents to manually place chat On Hold", - "Livechat_allow_manual_on_hold_Description": "If enabled, the agent will get a new option to place a chat On Hold, provided the agent has sent the last message", - "Livechat_AllowedDomainsList": "Livechat Allowed Domains", - "Livechat_Appearance": "Livechat Appearance", - "Livechat_auto_close_on_hold_chats_custom_message": "Custom message for closed chats in On Hold queue", - "Livechat_auto_close_on_hold_chats_custom_message_Description": "Custom Message to be sent when a room in On-Hold queue gets automatically closed by the system", - "Livechat_auto_close_on_hold_chats_timeout": "How long to wait before closing a chat in On Hold Queue ?", - "Livechat_auto_close_on_hold_chats_timeout_Description": "Define how long the chat will remain in the On Hold queue until it's automatically closed by the system. Time in seconds", - "Livechat_auto_transfer_chat_timeout": "Timeout (in seconds) for automatic transfer of unanswered chats to another agent", - "Livechat_auto_transfer_chat_timeout_Description": "This event takes place only when the chat has just started. After the first transfering for inactivity, the room is no longer monitored.", - "Livechat_business_hour_type": "Business Hour Type (Single or Multiple)", - "Livechat_chat_transcript_sent": "Chat transcript sent: __transcript__", - "Livechat_close_chat": "Close chat", - "Livechat_custom_fields_options_placeholder": "Comma-separated list used to select a pre-configured value. Spaces between elements are not accepted.", - "Livechat_custom_fields_public_description": "Public custom fields will be displayed in external applications, such as Livechat, etc.", - "Livechat_Dashboard": "Omnichannel Dashboard", - "Livechat_DepartmentOfflineMessageToChannel": "Send this department's Livechat offline messages to a channel", - "Livechat_enable_message_character_limit": "Enable message character limit", - "Livechat_enabled": "Omnichannel enabled", - "Livechat_Facebook_API_Key": "OmniChannel API Key", - "Livechat_Facebook_API_Secret": "OmniChannel API Secret", - "Livechat_Facebook_Enabled": "Facebook integration enabled", - "Livechat_forward_open_chats": "Forward open chats", - "Livechat_forward_open_chats_timeout": "Timeout (in seconds) to forward chats", - "Livechat_guest_count": "Guest Counter", - "Livechat_Inquiry_Already_Taken": "Omnichannel inquiry already taken", - "Livechat_Installation": "Livechat Installation", - "Livechat_last_chatted_agent_routing": "Last-Chatted Agent Preferred", - "Livechat_last_chatted_agent_routing_Description": "The Last-Chatted Agent setting allocates chats to the agent who previously interacted with the same visitor if the agent is available when the chat starts.", - "Livechat_managers": "Omnichannel managers", - "Livechat_Managers": "Managers", - "Livechat_max_queue_wait_time_action": "How to handle queued chats when the maximum wait time is reached", - "Livechat_maximum_queue_wait_time": "Maximum waiting time in queue", - "Livechat_maximum_queue_wait_time_description": "Maximum time (in minutes) to keep chats on queue. -1 means unlimited", - "Livechat_message_character_limit": "Livechat message character limit", - "Livechat_monitors": "Livechat monitors", - "Livechat_Monitors": "Monitors", - "Livechat_offline": "Omnichannel offline", - "Livechat_offline_message_sent": "Livechat offline message sent", - "Livechat_OfflineMessageToChannel_enabled": "Send Livechat offline messages to a channel", - "Omnichannel_on_hold_chat_resumed": "On Hold Chat Resumed: __comment__", - "Omnichannel_on_hold_chat_automatically": "The chat was automatically resumed from On Hold upon receiving a new message from __guest__", - "Omnichannel_on_hold_chat_manually": "The chat was manually resumed from On Hold by __user__", - "Omnichannel_On_Hold_due_to_inactivity": "The chat was automatically placed On Hold because we haven't received any reply from __guest__ in __timeout__ seconds", - "Omnichannel_On_Hold_manually": "The chat was manually placed On Hold by __user__", - "Omnichannel_onHold_Chat": "Place chat On-Hold", - "Livechat_online": "Omnichannel on-line", - "Omnichannel_placed_chat_on_hold": "Chat On Hold: __comment__", - "Livechat_Queue": "Omnichannel Queue", - "Livechat_registration_form": "Registration Form", - "Livechat_registration_form_message": "Registration Form Message", - "Livechat_room_count": "Omnichannel Room Count", - "Livechat_Routing_Method": "Omnichannel Routing Method", - "Livechat_status": "Livechat Status", - "Livechat_Take_Confirm": "Do you want to take this client?", - "Livechat_title": "Livechat Title", - "Livechat_title_color": "Livechat Title Background Color", - "Livechat_transcript_already_requested_warning": "The transcript of this chat has already been requested and will be sent as soon as the conversation ends.", - "Livechat_transcript_has_been_requested": "The chat transcript has been requested.", - "Livechat_transcript_request_has_been_canceled": "The chat transcription request has been canceled.", - "Livechat_transcript_sent": "Omnichannel transcript sent", - "Livechat_transfer_return_to_the_queue": "__from__ returned the chat to the queue", - "Livechat_transfer_to_agent": "__from__ transferred the chat to __to__", - "Livechat_transfer_to_agent_with_a_comment": "__from__ transferred the chat to __to__ with a comment: __comment__", - "Livechat_transfer_to_department": "__from__ transferred the chat to the department __to__", - "Livechat_transfer_to_department_with_a_comment": "__from__ transferred the chat to the department __to__ with a comment: __comment__", - "Livechat_transfer_failed_fallback": "The original department ( __from__ ) doesn't have online agents. Chat succesfully transferred to __to__", - "Livechat_Triggers": "Livechat Triggers", - "Livechat_user_sent_chat_transcript_to_visitor": "__agent__ sent the chat transcript to __guest__", - "Livechat_Users": "Omnichannel Users", - "Livechat_Calls": "Livechat Calls", - "Livechat_visitor_email_and_transcript_email_do_not_match": "Visitor's email and transcript's email do not match", - "Livechat_visitor_transcript_request": "__guest__ requested the chat transcript", - "LiveStream & Broadcasting": "LiveStream & Broadcasting", - "LiveStream & Broadcasting_Description": "This integration between Rocket.Chat and YouTube Live allows channel owners to broadcast their camera feed live to livestream inside a channel.", - "Livestream": "Livestream", - "Livestream_close": "Close Livestream", - "Livestream_enable_audio_only": "Enable only audio mode", - "Livestream_enabled": "Livestream Enabled", - "Livestream_not_found": "Livestream not available", - "Livestream_popout": "Open Livestream", - "Livestream_source_changed_succesfully": "Livestream source changed successfully", - "Livestream_switch_to_room": "Switch to current room's livestream", - "Livestream_url": "Livestream source url", - "Livestream_url_incorrect": "Livestream url is incorrect", - "Livestream_live_now": "Live now!", - "Load_Balancing": "Load Balancing", - "Load_more": "Load more", - "Load_Rotation": "Load Rotation", - "Loading": "Loading", - "Loading_more_from_history": "Loading more from history", - "Loading_suggestion": "Loading suggestions", - "Loading...": "Loading...", - "Local_Domains": "Local Domains", - "Local_Password": "Local Password", - "Local_Time": "Local Time", - "Local_Timezone": "Local Timezone", - "Local_Time_time": "Local Time: __time__", - "Localization": "Localization", - "Location": "Location", - "Log_Exceptions_to_Channel": "Log Exceptions to Channel", - "Log_Exceptions_to_Channel_Description": "A channel that will receive all captured exceptions. Leave empty to ignore exceptions.", - "Log_File": "Show File and Line", - "Log_Level": "Log Level", - "Log_Package": "Show Package", - "Log_Trace_Methods": "Trace method calls", - "Log_Trace_Methods_Filter": "Trace method filter", - "Log_Trace_Methods_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", - "Log_Trace_Subscriptions": "Trace subscription calls", - "Log_Trace_Subscriptions_Filter": "Trace subscription filter", - "Log_Trace_Subscriptions_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", - "Log_View_Limit": "Log View Limit", - "Logged_out_of_other_clients_successfully": "Logged out of other clients successfully", - "Login": "Login", - "Login_Attempts": "Failed Login Attempts", - "Login_Logs": "Login Logs", - "Login_Logs_ClientIp": "Show Client IP on failed login attempts logs", - "Login_Logs_Enabled": "Log (on console) failed login attempts", - "Login_Logs_ForwardedForIp": "Show Forwarded IP on failed login attempts logs", - "Login_Logs_UserAgent": "Show UserAgent on failed login attempts logs", - "Login_Logs_Username": "Show Username on failed login attempts logs", - "Login_with": "Login with %s", - "Logistics": "Logistics", - "Logout": "Logout", - "Logout_Others": "Logout From Other Logged In Locations", - "Logs": "Logs", - "Logs_Description": "Configure how server logs are received.", - "Longest_chat_duration": "Longest Chat Duration", - "Longest_reaction_time": "Longest Reaction Time", - "Longest_response_time": "Longest Response Time", - "Looked_for": "Looked for", - "Mail_Message_Invalid_emails": "You have provided one or more invalid emails: %s", - "Mail_Message_Missing_subject": "You must provide an email subject.", - "Mail_Message_Missing_to": "You must select one or more users or provide one or more email addresses, separated by commas.", - "Mail_Message_No_messages_selected_select_all": "You haven't selected any messages", - "Mail_Messages": "Mail Messages", - "Mail_Messages_Instructions": "Choose which messages you want to send via email by clicking the messages", - "Mail_Messages_Subject": "Here's a selected portion of %s messages", - "mail-messages": "Mail Messages", - "mail-messages_description": "Permission to use the mail messages option", - "Mailer": "Mailer", - "Mailer_body_tags": "You must use [unsubscribe] for the unsubscription link.
You may use [name], [fname], [lname] for the user's full name, first name or last name, respectively.
You may use [email] for the user's email.", - "Mailing": "Mailing", - "Make_Admin": "Make Admin", - "Make_sure_you_have_a_copy_of_your_codes_1": "Make sure you have a copy of your codes:", - "Make_sure_you_have_a_copy_of_your_codes_2": "If you lose access to your authenticator app, you can use one of these codes to log in.", - "manage-apps": "Manage Apps", - "manage-apps_description": "Permission to manage all apps", - "manage-assets": "Manage Assets", - "manage-assets_description": "Permission to manage the server assets", - "manage-cloud": "Manage Cloud", - "manage-cloud_description": "Permission to manage cloud", - "manage-email-inbox": "Manage Email Inbox", - "manage-email-inbox_description": "Permission to manage email inboxes", - "manage-emoji": "Manage Emoji", - "manage-emoji_description": "Permission to manage the server emojis", - "manage-incoming-integrations": "Manage Incoming Integrations", - "manage-incoming-integrations_description": "Permission to manage the server incoming integrations", - "manage-integrations": "Manage Integrations", - "manage-integrations_description": "Permission to manage the server integrations", - "manage-livechat-agents": "Manage Omnichannel Agents", - "manage-livechat-agents_description": "Permission to manage omnichannel agents", - "manage-livechat-departments": "Manage Omnichannel Departments", - "manage-livechat-departments_description": "Permission to manage omnichannel departments", - "manage-livechat-managers": "Manage Omnichannel Managers", - "manage-livechat-managers_description": "Permission to manage omnichannel managers", - "manage-oauth-apps": "Manage Oauth Apps", - "manage-oauth-apps_description": "Permission to manage the server Oauth apps", - "manage-outgoing-integrations": "Manage Outgoing Integrations", - "manage-outgoing-integrations_description": "Permission to manage the server outgoing integrations", - "manage-own-incoming-integrations": "Manage Own Incoming Integrations", - "manage-own-incoming-integrations_description": "Permission to allow users to create and edit their own incoming integration or webhooks", - "manage-own-integrations": "Manage Own Integrations", - "manage-own-integrations_description": "Permition to allow users to create and edit their own integration or webhooks", - "manage-own-outgoing-integrations": "Manage Own Outgoing Integrations", - "manage-own-outgoing-integrations_description": "Permission to allow users to create and edit their own outgoing integration or webhooks", - "manage-selected-settings": "Change some settings", - "manage-selected-settings_description": "Permission to change settings which are explicitly granted to be changed", - "manage-sounds": "Manage Sounds", - "manage-sounds_description": "Permission to manage the server sounds", - "manage-the-app": "Manage the App", - "manage-user-status": "Manage User Status", - "manage-user-status_description": "Permission to manage the server custom user statuses", - "Manager_added": "Manager added", - "Manager_removed": "Manager removed", - "Managers": "Managers", - "manage-chatpal": "Manage Chatpal", - "Management_Server": "Management Server", - "Managing_assets": "Managing assets", - "Managing_integrations": "Managing integrations", - "Manual_Selection": "Manual Selection", - "Manufacturing": "Manufacturing", - "MapView_Enabled": "Enable Mapview", - "MapView_Enabled_Description": "Enabling mapview will display a location share button on the right of the chat input field.", - "MapView_GMapsAPIKey": "Google Static Maps API Key", - "MapView_GMapsAPIKey_Description": "This can be obtained from the Google Developers Console for free.", - "Mark_all_as_read": "Mark all messages (in all channels) as read", - "Mark_as_read": "Mark As Read", - "Mark_as_unread": "Mark As Unread", - "Mark_read": "Mark Read", - "Mark_unread": "Mark Unread", - "Markdown_Headers": "Allow Markdown headers in messages", - "Markdown_Marked_Breaks": "Enable Marked Breaks", - "Markdown_Marked_GFM": "Enable Marked GFM", - "Markdown_Marked_Pedantic": "Enable Marked Pedantic", - "Markdown_Marked_SmartLists": "Enable Marked Smart Lists", - "Markdown_Marked_Smartypants": "Enable Marked Smartypants", - "Markdown_Marked_Tables": "Enable Marked Tables", - "Markdown_Parser": "Markdown Parser", - "Markdown_SupportSchemesForLink": "Markdown Support Schemes for Link", - "Markdown_SupportSchemesForLink_Description": "Comma-separated list of allowed schemes", - "Marketplace": "Marketplace", - "Marketplace_app_last_updated": "Last updated __lastUpdated__", - "Marketplace_view_marketplace": "View Marketplace", - "Marketplace_error": "Cannot connect to internet or your workspace may be an offline install.", - "MAU_value": "MAU __value__", - "Max_length_is": "Max length is %s", - "Max_number_incoming_livechats_displayed": "Max number of items displayed in the queue", - "Max_number_incoming_livechats_displayed_description": "(Optional) Max number of items displayed in the incoming Omnichannel queue.", - "Max_number_of_chats_per_agent": "Max. number of simultaneous chats", - "Max_number_of_chats_per_agent_description": "The max. number of simultaneous chats that the agents can attend", - "Max_number_of_uses": "Max number of uses", - "Maximum": "Maximum", - "Maximum_number_of_guests_reached": "Maximum number of guests reached", - "Me": "Me", - "Media": "Media", - "Medium": "Medium", - "Members": "Members", - "Members_List": "Members List", - "mention-all": "Mention All", - "mention-all_description": "Permission to use the @all mention", - "mention-here": "Mention Here", - "mention-here_description": "Permission to use the @here mention", - "Mentions": "Mentions", - "Mentions_default": "Mentions (default)", - "Mentions_only": "Mentions only", - "Merge_Channels": "Merge Channels", - "message": "message", - "Message": "Message", - "Message_Description": "Configure message settings.", - "Message_AllowBadWordsFilter": "Allow Message bad words filtering", - "Message_AllowConvertLongMessagesToAttachment": "Allow converting long messages to attachment", - "Message_AllowDeleting": "Allow Message Deleting", - "Message_AllowDeleting_BlockDeleteInMinutes": "Block Message Deleting After (n) Minutes", - "Message_AllowDeleting_BlockDeleteInMinutes_Description": "Enter 0 to disable blocking.", - "Message_AllowDirectMessagesToYourself": "Allow user direct messages to yourself", - "Message_AllowEditing": "Allow Message Editing", - "Message_AllowEditing_BlockEditInMinutes": "Block Message Editing After (n) Minutes", - "Message_AllowEditing_BlockEditInMinutesDescription": "Enter 0 to disable blocking.", - "Message_AllowPinning": "Allow Message Pinning", - "Message_AllowPinning_Description": "Allow messages to be pinned to any of the channels.", - "Message_AllowSnippeting": "Allow Message Snippeting", - "Message_AllowStarring": "Allow Message Starring", - "Message_AllowUnrecognizedSlashCommand": "Allow Unrecognized Slash Commands", - "Message_Already_Sent": "This message has already been sent and is being processed by the server", - "Message_AlwaysSearchRegExp": "Always Search Using RegExp", - "Message_AlwaysSearchRegExp_Description": "We recommend to set `True` if your language is not supported on MongoDB text search.", - "Message_Attachments": "Message Attachments", - "Message_Attachments_GroupAttach": "Group Attachment Buttons", - "Message_Attachments_GroupAttachDescription": "This groups the icons under an expandable menu. Takes up less screen space.", - "Message_Attachments_Thumbnails_Enabled": "Enable image thumbnails to save bandwith", - "Message_Attachments_Thumbnails_Width": "Thumbnail's max width (in pixels)", - "Message_Attachments_Thumbnails_Height": "Thumbnail's max height (in pixels)", - "Message_Attachments_Thumbnails_EnabledDesc": "Thumbnails will be served instead of the original image to reduce bandwith usage. Images at original resolution can be downloaded using the icon next to the attachment's name.", - "Message_Attachments_Strip_Exif": "Remove EXIF metadata from supported files", - "Message_Attachments_Strip_ExifDescription": "Strips out EXIF metadata from image files (jpeg, tiff, etc). This setting is not retroactive, so files uploaded while disabled will have EXIF data", - "Message_Audio": "Audio Message", - "Message_Audio_bitRate": "Audio Message Bit Rate", - "Message_AudioRecorderEnabled": "Audio Recorder Enabled", - "Message_AudioRecorderEnabled_Description": "Requires 'audio/mp3' files to be an accepted media type within 'File Upload' settings.", - "Message_auditing": "Message auditing", - "Message_auditing_log": "Message auditing log", - "Message_BadWordsFilterList": "Add Bad Words to the Blacklist", - "Message_BadWordsFilterListDescription": "Add List of Comma-separated list of bad words to filter", - "Message_BadWordsWhitelist": "Remove words from the Blacklist", - "Message_BadWordsWhitelistDescription": "Add a comma-separated list of words to be removed from filter", - "Message_Characther_Limit": "Message Character Limit", - "Message_Code_highlight": "Code highlighting languages list", - "Message_Code_highlight_Description": "Comma separated list of languages (all supported languages at https://github.com/highlightjs/highlight.js/tree/9.18.5#supported-languages) that will be used to highlight code blocks", - "message_counter": "__counter__ message", - "message_counter_plural": "__counter__ messages", - "Message_DateFormat": "Date Format", - "Message_DateFormat_Description": "See also: Moment.js", - "Message_deleting_blocked": "This message cannot be deleted anymore", - "Message_editing": "Message editing", - "Message_ErasureType": "Message Erasure Type", - "Message_ErasureType_Delete": "Delete All Messages", - "Message_ErasureType_Description": "Determine what to do with messages of users who remove their account.\n\n**Keep Messages and User Name:** The message and files history of the user will be deleted from Direct Messages and will be kept in other rooms.\n\n**Delete All Messages:** All messages and files from the user will be deleted from the database and it will not be possible to locate the user anymore.\n\n**Remove link between user and messages:** This option will assign all messages and fles of the user to Rocket.Cat bot and Direct Messages are going to be deleted.", - "Message_ErasureType_Keep": "Keep Messages and User Name", - "Message_ErasureType_Unlink": "Remove Link Between User and Messages", - "Message_GlobalSearch": "Global Search", - "Message_GroupingPeriod": "Grouping Period (in seconds)", - "Message_GroupingPeriodDescription": "Messages will be grouped with previous message if both are from the same user and the elapsed time was less than the informed time in seconds.", - "Message_has_been_edited": "Message has been edited", - "Message_has_been_edited_at": "Message has been edited at __date__", - "Message_has_been_edited_by": "Message has been edited by __username__", - "Message_has_been_edited_by_at": "Message has been edited by __username__ at __date__", - "Message_has_been_pinned": "Message has been pinned", - "Message_has_been_starred": "Message has been starred", - "Message_has_been_unpinned": "Message has been unpinned", - "Message_has_been_unstarred": "Message has been unstarred", - "Message_HideType_au": "Hide \"User Added\" messages", - "Message_HideType_added_user_to_team": "Hide \"User Added to Team\" messages", - "Message_HideType_mute_unmute": "Hide \"User Muted / Unmuted\" messages", - "Message_HideType_r": "Hide \"Room Name Changed\" messages", - "Message_HideType_rm": "Hide \"Message Removed\" messages", - "Message_HideType_room_allowed_reacting": "Hide \"Room allowed reacting\" messages", - "Message_HideType_room_archived": "Hide \"Room Archived\" messages", - "Message_HideType_room_changed_avatar": "Hide \"Room avatar changed\" messages", - "Message_HideType_room_changed_privacy": "Hide \"Room type changed\" messages", - "Message_HideType_room_changed_topic": "Hide \"Room topic changed\" messages", - "Message_HideType_room_disallowed_reacting": "Hide \"Room disallowed reacting\" messages", - "Message_HideType_room_enabled_encryption": "Hide \"Room encryption enabled\" messages", - "Message_HideType_room_disabled_encryption": "Hide \"Room encryption disabled\" messages", - "Message_HideType_room_set_read_only": "Hide \"Room set Read Only\" messages", - "Message_HideType_room_removed_read_only": "Hide \"Room added writing permission\" messages", - "Message_HideType_room_unarchived": "Hide \"Room Unarchived\" messages", - "Message_HideType_ru": "Hide \"User Removed\" messages", - "Message_HideType_removed_user_from_team": "Hide \"User Removed from Team\" messages", - "Message_HideType_subscription_role_added": "Hide \"Was Set Role\" messages", - "Message_HideType_subscription_role_removed": "Hide \"Role No Longer Defined\" messages", - "Message_HideType_uj": "Hide \"User Join\" messages", - "Message_HideType_ujt": "Hide \"User Joined Team\" messages", - "Message_HideType_ul": "Hide \"User Leave\" messages", - "Message_HideType_ult": "Hide \"User Left Team\" messages", - "Message_HideType_user_added_room_to_team": "Hide \"User Added Room to Team\" messages", - "Message_HideType_user_converted_to_channel": "Hide \"User converted team to a Channel\" messages", - "Message_HideType_user_converted_to_team": "Hide \"User converted channel to a Team\" messages", - "Message_HideType_user_deleted_room_from_team": "Hide \"User deleted room from Team\" messages", - "Message_HideType_user_removed_room_from_team": "Hide \"User removed room from Team\" messages", - "Message_HideType_ut": "Hide \"User Joined Conversation\" messages", - "Message_HideType_wm": "Hide \"Welcome\" messages", - "Message_Id": "Message Id", - "Message_Ignored": "This message was ignored", - "message-impersonate": "Impersonate Other Users", - "message-impersonate_description": "Permission to impersonate other users using message alias", - "Message_info": "Message info", - "Message_KeepHistory": "Keep Per Message Editing History", - "Message_MaxAll": "Maximum Channel Size for ALL Message", - "Message_MaxAllowedSize": "Maximum Allowed Characters Per Message", - "Message_pinning": "Message pinning", - "message_pruned": "message pruned", - "Message_QuoteChainLimit": "Maximum Number of Chained Quotes", - "Message_Read_Receipt_Enabled": "Show Read Receipts", - "Message_Read_Receipt_Store_Users": "Detailed Read Receipts", - "Message_Read_Receipt_Store_Users_Description": "Shows each user's read receipts", - "Message_removed": "Message removed", - "Message_sent_by_email": "Message sent by Email", - "Message_ShowDeletedStatus": "Show Deleted Status", - "Message_ShowEditedStatus": "Show Edited Status", - "Message_ShowFormattingTips": "Show Formatting Tips", - "Message_starring": "Message starring", - "Message_Time": "Message Time", - "Message_TimeAndDateFormat": "Time and Date Format", - "Message_TimeAndDateFormat_Description": "See also: Moment.js", - "Message_TimeFormat": "Time Format", - "Message_TimeFormat_Description": "See also: Moment.js", - "Message_too_long": "Message too long", - "Message_UserId": "User Id", - "Message_VideoRecorderEnabled": "Video Recorder Enabled", - "Message_VideoRecorderEnabledDescription": "Requires 'video/webm' files to be an accepted media type within 'File Upload' settings.", - "Message_view_mode_info": "This changes the amount of space messages take up on screen.", - "MessageBox_view_mode": "MessageBox View Mode", - "messages": "messages", - "Messages": "Messages", - "messages_pruned": "messages pruned", - "Messages_selected": "Messages selected", - "Messages_sent": "Messages sent", - "Messages_that_are_sent_to_the_Incoming_WebHook_will_be_posted_here": "Messages that are sent to the Incoming WebHook will be posted here.", - "Meta": "Meta", - "Meta_Description": "Set custom Meta properties.", - "Meta_custom": "Custom Meta Tags", - "Meta_fb_app_id": "Facebook App Id", - "Meta_google-site-verification": "Google Site Verification", - "Meta_language": "Language", - "Meta_msvalidate01": "MSValidate.01", - "Meta_robots": "Robots", - "meteor_status_connected": "Connected", - "meteor_status_connecting": "Connecting...", - "meteor_status_failed": "The server connection failed", - "meteor_status_offline": "Offline mode.", - "meteor_status_reconnect_in": "trying again in one second...", - "meteor_status_reconnect_in_plural": "trying again in __count__ seconds...", - "meteor_status_try_now_offline": "Connect again", - "meteor_status_try_now_waiting": "Try now", - "meteor_status_waiting": "Waiting for server connection,", - "Method": "Method", - "Mic_off": "Mic Off", - "Min_length_is": "Min length is %s", - "Minimum": "Minimum", - "Minimum_balance": "Minimum balance", - "minute": "minute", - "minutes": "minutes", - "Mobex_sms_gateway_address": "Mobex SMS Gateway Address", - "Mobex_sms_gateway_address_desc": "IP or Host of your Mobex service with specified port. E.g. `http://192.168.1.1:1401` or `https://www.example.com:1401`", - "Mobex_sms_gateway_from_number": "From", - "Mobex_sms_gateway_from_number_desc": "Originating address/phone number when sending a new SMS to livechat client", - "Mobex_sms_gateway_from_numbers_list": "List of numbers to send SMS from", - "Mobex_sms_gateway_from_numbers_list_desc": "Comma-separated list of numbers to use in sending brand new messages, eg. 123456789, 123456788, 123456888", - "Mobex_sms_gateway_password": "Password", - "Mobex_sms_gateway_restful_address": "Mobex SMS REST API Address", - "Mobex_sms_gateway_restful_address_desc": "IP or Host of your Mobex REST API. E.g. `http://192.168.1.1:8080` or `https://www.example.com:8080`", - "Mobex_sms_gateway_username": "Username", - "Mobile": "Mobile", - "Mobile_Description": "Define behaviors for connecting to your workspace from mobile devices.", - "mobile-upload-file": "Allow file upload on mobile devices", - "Mobile_Push_Notifications_Default_Alert": "Push Notifications Default Alert", - "Monday": "Monday", - "Mongo_storageEngine": "Mongo Storage Engine", - "Mongo_version": "Mongo Version", - "MongoDB": "MongoDB", - "MongoDB_Deprecated": "MongoDB Deprecated", - "MongoDB_version_s_is_deprecated_please_upgrade_your_installation": "MongoDB version %s is deprecated, please upgrade your installation.", - "Monitor_added": "Monitor Added", - "Monitor_history_for_changes_on": "Monitor History for Changes on", - "Monitor_removed": "Monitor removed", - "Monitors": "Monitors", - "Monthly_Active_Users": "Monthly Active Users", - "More": "More", - "More_channels": "More channels", - "More_direct_messages": "More direct messages", - "More_groups": "More private groups", - "More_unreads": "More unreads", - "More_options": "More options", - "Most_popular_channels_top_5": "Most popular channels (Top 5)", - "Most_recent_updated": "Most recent updated", - "Move_beginning_message": "`%s` - Move to the beginning of the message", - "Move_end_message": "`%s` - Move to the end of the message", - "Move_queue": "Move to the queue", - "Msgs": "Msgs", - "multi": "multi", - "multi_line": "multi line", - "Mute": "Mute", - "Mute_all_notifications": "Mute all notifications", - "Mute_Focused_Conversations": "Mute Focused Conversations", - "Mute_Group_Mentions": "Mute @all and @here mentions", - "Mute_someone_in_room": "Mute someone in the room", - "Mute_user": "Mute user", - "Mute_microphone": "Mute Microphone", - "mute-user": "Mute User", - "mute-user_description": "Permission to mute other users in the same channel", - "Muted": "Muted", - "My Data": "My Data", - "My_Account": "My Account", - "My_location": "My location", - "n_messages": "%s messages", - "N_new_messages": "%s new messages", - "Name": "Name", - "Name_cant_be_empty": "Name can't be empty", - "Name_of_agent": "Name of agent", - "Name_optional": "Name (optional)", - "Name_Placeholder": "Please enter your name...", - "Navigation_History": "Navigation History", - "Next": "Next", - "Never": "Never", - "New": "New", - "New_Application": "New Application", - "New_Business_Hour": "New Business Hour", - "New_Canned_Response": "New Canned Response", - "New_chat_in_queue": "New chat in queue", - "New_chat_priority": "Priority Changed: __user__ changed the priority to __priority__", - "New_chat_transfer": "New Chat Transfer: __transfer__", - "New_chat_transfer_fallback": "Transferred to fallback department: __fallback__", - "New_Contact": "New Contact", - "New_Custom_Field": "New Custom Field", - "New_Department": "New Department", - "New_discussion": "New discussion", - "New_discussion_first_message": "Usually, a discussion starts with a question, like \"How do I upload a picture?\"", - "New_discussion_name": "A meaningful name for the discussion room", - "New_Email_Inbox": "New Email Inbox", - "New_encryption_password": "New encryption password", - "New_integration": "New integration", - "New_line_message_compose_input": "`%s` - New line in message compose input", - "New_Livechat_offline_message_has_been_sent": "A new Livechat offline Message has been sent", - "New_logs": "New logs", - "New_Message_Notification": "New Message Notification", - "New_messages": "New messages", - "New_OTR_Chat": "New OTR Chat", - "New_password": "New Password", - "New_Password_Placeholder": "Please enter new password...", - "New_Priority": "New Priority", - "New_role": "New role", - "New_Room_Notification": "New Room Notification", - "New_Tag": "New Tag", - "New_Trigger": "New Trigger", - "New_Unit": "New Unit", - "New_users": "New users", - "New_version_available_(s)": "New version available (%s)", - "New_videocall_request": "New Video Call Request", - "New_visitor_navigation": "New Navigation: __history__", - "Newer_than": "Newer than", - "Newer_than_may_not_exceed_Older_than": "\"Newer than\" may not exceed \"Older than\"", - "Nickname": "Nickname", - "Nickname_Placeholder": "Enter your nickname...", - "No": "No", - "No_available_agents_to_transfer": "No available agents to transfer", - "No_app_matches": "No app matches", - "No_app_matches_for": "No app matches for", - "No_apps_installed": "No Apps Installed", - "No_Canned_Responses": "No Canned Responses", - "No_Canned_Responses_Yet": "No Canned Responses Yet", - "No_Canned_Responses_Yet-description": "Use canned responses to provide quick and consistent answers to frequently asked questions.", - "No_channels_in_team": "No Channels on this Team", - "No_channels_yet": "You aren't part of any channels yet", - "No_data_found": "No data found", - "No_direct_messages_yet": "No Direct Messages.", - "No_Discussions_found": "No discussions found", - "No_discussions_yet": "No discussions yet", - "No_emojis_found": "No emojis found", - "No_Encryption": "No Encryption", - "No_files_found": "No files found", - "No_files_left_to_download": "No files left to download", - "No_groups_yet": "You have no private groups yet.", - "No_installed_app_matches": "No installed app matches", - "No_integration_found": "No integration found by the provided id.", - "No_Limit": "No Limit", - "No_livechats": "You have no livechats", - "No_marketplace_matches_for": "No Marketplace matches for", - "No_members_found": "No members found", - "No_mentions_found": "No mentions found", - "No_messages_found_to_prune": "No messages found to prune", - "No_messages_yet": "No messages yet", - "No_pages_yet_Try_hitting_Reload_Pages_button": "No pages yet. Try hitting \"Reload Pages\" button.", - "No_pinned_messages": "No pinned messages", - "No_previous_chat_found": "No previous chat found", - "No_results_found": "No results found", - "No_results_found_for": "No results found for:", - "No_snippet_messages": "No snippet", - "No_starred_messages": "No starred messages", - "No_such_command": "No such command: `/__command__`", - "No_Threads": "No threads found", - "Nobody_available": "Nobody available", - "Node_version": "Node Version", - "None": "None", - "Nonprofit": "Nonprofit", - "Normal": "Normal", - "Not_authorized": "Not authorized", - "Not_Available": "Not Available", - "Not_enough_data": "Not enough data", - "Not_following": "Not following", - "Not_Following": "Not Following", - "Not_found_or_not_allowed": "Not Found or Not Allowed", - "Not_Imported_Messages_Title": "The following messages were not imported successfully", - "Not_in_channel": "Not in channel", - "Not_likely": "Not likely", - "Not_started": "Not started", - "Not_verified": "Not verified", - "Nothing": "Nothing", - "Nothing_found": "Nothing found", - "Notice_that_public_channels_will_be_public_and_visible_to_everyone": "Notice that public Channels will be public and visible to everyone.", - "Notification_Desktop_Default_For": "Show Desktop Notifications For", - "Notification_Push_Default_For": "Send Push Notifications For", - "Notification_RequireInteraction": "Require Interaction to Dismiss Desktop Notification", - "Notification_RequireInteraction_Description": "Works only with Chrome browser versions > 50. Utilizes the parameter requireInteraction to show the desktop notification to indefinite until the user interacts with it.", - "Notifications": "Notifications", - "Notifications_Max_Room_Members": "Max Room Members Before Disabling All Message Notifications", - "Notifications_Max_Room_Members_Description": "Max number of members in room when notifications for all messages gets disabled. Users can still change per room setting to receive all notifications on an individual basis. (0 to disable)", - "Notifications_Muted_Description": "If you choose to mute everything, you won't see the room highlight in the list when there are new messages, except for mentions. Muting notifications will override notifications settings.", - "Notifications_Preferences": "Notifications Preferences", - "Notifications_Sound_Volume": "Notifications sound volume", - "Notify_active_in_this_room": "Notify active users in this room", - "Notify_all_in_this_room": "Notify all in this room", - "NPS_survey_enabled": "Enable NPS Survey", - "NPS_survey_enabled_Description": "Allow NPS survey run for all users. Admins will receive an alert 2 months upfront the survey is launched", - "NPS_survey_is_scheduled_to-run-at__date__for_all_users": "NPS survey is scheduled to run at __date__ for all users. It's possible to turn off the survey on 'Admin > General > NPS'", - "Default_Timezone_For_Reporting": "Default timezone for reporting", - "Default_Timezone_For_Reporting_Description": "Sets the default timezone that will be used when showing dashboards or sending emails", - "Default_Server_Timezone": "Server timezone", - "Default_Custom_Timezone": "Custom timezone", - "Default_User_Timezone": "User's current timezone", - "Num_Agents": "# Agents", - "Number_in_seconds": "Number in seconds", - "Number_of_events": "Number of events", - "Number_of_federated_servers": "Number of federated servers", - "Number_of_federated_users": "Number of federated users", - "Number_of_messages": "Number of messages", - "Number_of_most_recent_chats_estimate_wait_time": "Number of recent chats to calculate estimate wait time", - "Number_of_most_recent_chats_estimate_wait_time_description": "This number defines the number of last served rooms that will be used to calculate queue wait times.", - "Number_of_users_autocomplete_suggestions": "Number of users' autocomplete suggestions", - "OAuth": "OAuth", - "OAuth_Description": "Configure authentication methods beyond just username and password.", - "OAuth Apps": "OAuth Apps", - "OAuth_Application": "OAuth Application", - "OAuth_Applications": "OAuth Applications", - "Objects": "Objects", - "Off": "Off", - "Off_the_record_conversation": "Off-the-Record Conversation", - "Off_the_record_conversation_is_not_available_for_your_browser_or_device": "Off-the-Record conversation is not available for your browser or device.", - "Office_Hours": "Office Hours", - "Office_hours_enabled": "Office Hours Enabled", - "Office_hours_updated": "Office hours updated", - "offline": "offline", - "Offline": "Offline", - "Offline_DM_Email": "Direct Message Email Subject", - "Offline_Email_Subject_Description": "You may use the following placeholders:
  • [Site_Name], [Site_URL], [User] & [Room] for the Application Name, URL, Username & Roomname respectively.
", - "Offline_form": "Offline form", - "Offline_form_unavailable_message": "Offline Form Unavailable Message", - "Offline_Link_Message": "GO TO MESSAGE", - "Offline_Mention_All_Email": "Mention All Email Subject", - "Offline_Mention_Email": "Mention Email Subject", - "Offline_message": "Offline message", - "Offline_Message": "Offline Message", - "Offline_Message_Use_DeepLink": "Use Deep Link URL Format", - "Offline_messages": "Offline Messages", - "Offline_success_message": "Offline Success Message", - "Offline_unavailable": "Offline unavailable", - "Ok": "Ok", - "Old Colors": "Old Colors", - "Old Colors (minor)": "Old Colors (minor)", - "Older_than": "Older than", - "Omnichannel": "Omnichannel", - "Omnichannel_Description": "Set up Omnichannel to communicate with customers from one place, regardless of how they connect with you.", - "Omnichannel_Directory": "Omnichannel Directory", - "Omnichannel_appearance": "Omnichannel Appearance", - "Omnichannel_calculate_dispatch_service_queue_statistics": "Calculate and dispatch Omnichannel waiting queue statistics", - "Omnichannel_calculate_dispatch_service_queue_statistics_Description": "Processing and dispatching waiting queue statistics such as position and estimated waiting time. If *Livechat channel* is not in use, it is recommended to disable this setting and prevent the server from doing unnecessary processes.", - "Omnichannel_Contact_Center": "Omnichannel Contact Center", - "Omnichannel_contact_manager_routing": "Assign new conversations to the contact manager", - "Omnichannel_contact_manager_routing_Description": "This setting allocates a chat to the assigned Contact Manager, as long as the Contact Manager is online when the chat starts", - "Omnichannel_External_Frame": "External Frame", - "Omnichannel_External_Frame_Enabled": "External frame enabled", - "Omnichannel_External_Frame_Encryption_JWK": "Encryption key (JWK)", - "Omnichannel_External_Frame_Encryption_JWK_Description": "If provided it will encrypt the user's token with the provided key and the external system will need to decrypt the data to access the token", - "Omnichannel_External_Frame_URL": "External frame URL", - "On": "On", - "On_Hold": "On hold", - "On_Hold_Chats": "On Hold", - "On_Hold_conversations": "On hold conversations", - "online": "online", - "Online": "Online", - "Only_authorized_users_can_write_new_messages": "Only authorized users can write new messages", - "Only_authorized_users_can_react_to_messages": "Only authorized users can react to messages", - "Only_from_users": "Only prune content from these users (leave empty to prune everyone's content)", - "Only_Members_Selected_Department_Can_View_Channel": "Only members of selected department can view chats on this channel", - "Only_On_Desktop": "Desktop mode (only sends with enter on desktop)", - "Only_works_with_chrome_version_greater_50": "Only works with Chrome browser versions > 50", - "Only_you_can_see_this_message": "Only you can see this message", - "Only_invited_users_can_acess_this_channel": "Only invited users can access this Channel", - "Oops_page_not_found": "Oops, page not found", - "Oops!": "Oops", - "Open": "Open", - "Open_channel_user_search": "`%s` - Open Channel / User search", - "Open_conversations": "Open Conversations", - "Open_Days": "Open days", - "Open_days_of_the_week": "Open Days of the Week", - "Open_Livechats": "Chats in Progress", - "Open_menu": "Open_menu", - "Open_thread": "Open Thread", - "Open_your_authentication_app_and_enter_the_code": "Open your authentication app and enter the code. You can also use one of your backup codes.", - "Opened": "Opened", - "Opened_in_a_new_window": "Opened in a new window.", - "Opens_a_channel_group_or_direct_message": "Opens a channel, group or direct message", - "Optional": "Optional", - "optional": "optional", - "Options": "Options", - "or": "or", - "Or_talk_as_anonymous": "Or talk as anonymous", - "Order": "Order", - "Organization_Email": "Organization Email", - "Organization_Info": "Organization Info", - "Organization_Name": "Organization Name", - "Organization_Type": "Organization Type", - "Original": "Original", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "Other": "Other", - "others": "others", - "Others": "Others", - "OTR": "OTR", - "OTR_Description": "Off-the-record chats are secure, private and disappear once ended.", - "OTR_Chat_Declined_Title": "OTR Chat invite Declined", - "OTR_Chat_Declined_Description": "%s declined OTR chat invite. For privacy protection local cache was deleted, including all related system messages.", - "OTR_Chat_Error_Title": "Chat ended due to failed key refresh", - "OTR_Chat_Error_Description": "For privacy protection local cache was deleted, including all related system messages.", - "OTR_Chat_Timeout_Title": "OTR chat invite expired", - "OTR_Chat_Timeout_Description": "%s failed to accept OTR chat invite in time. For privacy protection local cache was deleted, including all related system messages.", - "OTR_Enable_Description": "Enable option to use off-the-record (OTR) messages in direct messages between 2 users. OTR messages are not recorded on the server and exchanged directly and encrypted between the 2 users.", - "OTR_message": "OTR Message", - "OTR_is_only_available_when_both_users_are_online": "OTR is only available when both users are online", - "Out_of_seats": "Out of Seats", - "Outgoing": "Outgoing", - "Outgoing_WebHook": "Outgoing WebHook", - "Outgoing_WebHook_Description": "Get data out of Rocket.Chat in real-time.", - "Output_format": "Output format", - "Override_URL_to_which_files_are_uploaded_This_url_also_used_for_downloads_unless_a_CDN_is_given": "Override URL to which files are uploaded. This url also used for downloads unless a CDN is given", - "Owner": "Owner", - "Play": "Play", - "Page_title": "Page title", - "Page_URL": "Page URL", - "Pages": "Pages", - "Parent_channel_doesnt_exist": "Channel does not exist.", - "Participants": "Participants", - "Password": "Password", - "Password_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of passwords", - "Password_Changed_Description": "You may use the following placeholders:
  • [password] for the temporary password.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Password_Changed_Email_Subject": "[Site_Name] - Password Changed", - "Password_changed_section": "Password Changed", - "Password_changed_successfully": "Password changed successfully", - "Password_History": "Password History", - "Password_History_Amount": "Password History Length", - "Password_History_Amount_Description": "Amount of most recently used passwords to prevent users from reusing.", - "Password_Policy": "Password Policy", - "Password_to_access": "Password to access", - "Passwords_do_not_match": "Passwords do not match", - "Past_Chats": "Past Chats", - "Paste_here": "Paste here...", - "Paste": "Paste", - "Paste_error": "Error reading from clipboard", - "Paid_Apps": "Paid Apps", - "Payload": "Payload", - "PDF": "PDF", - "Peer_Password": "Peer Password", - "People": "People", - "Permalink": "Permalink", - "Permissions": "Permissions", - "Personal_Access_Tokens": "Personal Access Tokens", - "Phone": "Phone", - "Phone_call": "Phone Call", - "Phone_Number": "Phone Number", - "Phone_already_exists": "Phone already exists", - "Phone_number": "Phone number", - "PID": "PID", - "Pin": "Pin", - "Pin_Message": "Pin Message", - "pin-message": "Pin Message", - "pin-message_description": "Permission to pin a message in a channel", - "Pinned_a_message": "Pinned a message:", - "Pinned_Messages": "Pinned Messages", - "pinning-not-allowed": "Pinning is not allowed", - "PiwikAdditionalTrackers": "Additional Piwik Sites", - "PiwikAdditionalTrackers_Description": "Enter addtitional Piwik website URLs and SiteIDs in the following format, if you want to track the same data into different websites: [ { \"trackerURL\" : \"https://my.piwik.domain2/\", \"siteId\" : 42 }, { \"trackerURL\" : \"https://my.piwik.domain3/\", \"siteId\" : 15 } ]", - "PiwikAnalytics_cookieDomain": "All Subdomains", - "PiwikAnalytics_cookieDomain_Description": "Track visitors across all subdomains", - "PiwikAnalytics_domains": "Hide Outgoing Links", - "PiwikAnalytics_domains_Description": "In the 'Outlinks' report, hide clicks to known alias URLs. Please insert one domain per line and do not use any separators.", - "PiwikAnalytics_prependDomain": "Prepend Domain", - "PiwikAnalytics_prependDomain_Description": "Prepend the site domain to the page title when tracking", - "PiwikAnalytics_siteId_Description": "The site id to use for identifying this site. Example: 17", - "PiwikAnalytics_url_Description": "The url where the Piwik resides, be sure to include the trailing slash. Example: //piwik.rocket.chat/", - "Placeholder_for_email_or_username_login_field": "Placeholder for Email or Username Login Field", - "Placeholder_for_password_login_confirm_field": "Confirm Placeholder for Password Login Field", - "Placeholder_for_password_login_field": "Placeholder for Password Login Field", - "Please_add_a_comment": "Please add a comment", - "Please_add_a_comment_to_close_the_room": "Please, add a comment to close the room", - "Please_answer_survey": "Please take a moment to answer a quick survey about this chat", - "Please_enter_usernames": "Please enter usernames...", - "please_enter_valid_domain": "Please enter a valid domain", - "Please_enter_value_for_url": "Please enter a value for the url of your avatar.", - "Please_enter_your_new_password_below": "Please enter your new password below:", - "Please_enter_your_password": "Please enter your password", - "Please_fill_a_label": "Please fill a label", - "Please_fill_a_name": "Please fill a name", - "Please_fill_a_token_name": "Please fill a valid token name", - "Please_fill_a_username": "Please fill a username", - "Please_fill_all_the_information": "Please fill all the information", - "Please_fill_an_email": "Please fill an email", - "Please_fill_name_and_email": "Please fill name and email", - "Please_go_to_the_Administration_page_then_Livechat_Facebook": "Please go to the Administration page then Omnichannel > Facebook", - "Please_select_an_user": "Please select an user", - "Please_select_enabled_yes_or_no": "Please select an option for Enabled", - "Please_select_visibility": "Please select a visibility", - "Please_wait": "Please wait", - "Please_wait_activation": "Please wait, this can take some time.", - "Please_wait_while_OTR_is_being_established": "Please wait while OTR is being established", - "Please_wait_while_your_account_is_being_deleted": "Please wait while your account is being deleted...", - "Please_wait_while_your_profile_is_being_saved": "Please wait while your profile is being saved...", - "Policies": "Policies", - "Pool": "Pool", - "Port": "Port", - "Post_as": "Post as", - "Post_to": "Post to", - "Post_to_Channel": "Post to Channel", - "Post_to_s_as_s": "Post to %s as %s", - "post-readonly": "Post ReadOnly", - "post-readonly_description": "Permission to post a message in a read-only channel", - "Preferences": "Preferences", - "Preferences_saved": "Preferences saved", - "Preparing_data_for_import_process": "Preparing data for import process", - "Preparing_list_of_channels": "Preparing list of channels", - "Preparing_list_of_messages": "Preparing list of messages", - "Preparing_list_of_users": "Preparing list of users", - "Presence": "Presence", - "Preview": "Preview", - "preview-c-room": "Preview Public Channel", - "preview-c-room_description": "Permission to view the contents of a public channel before joining", - "Previous_month": "Previous Month", - "Previous_week": "Previous Week", - "Price": "Price", - "Priorities": "Priorities", - "Priority": "Priority", - "Priority_removed": "Priority removed", - "Privacy": "Privacy", - "Privacy_Policy": "Privacy Policy", - "Privacy_summary": "Privacy summary", - "Private": "Private", - "Private_Channel": "Private Channel", - "Private_Channels": "Private Channels", - "Private_Chats": "Private Chats", - "Private_Group": "Private Group", - "Private_Groups": "Private Groups", - "Private_Groups_list": "List of Private Groups", - "Private_Team": "Private Team", - "Productivity": "Productivity", - "Profile": "Profile", - "Profile_details": "Profile Details", - "Profile_picture": "Profile Picture", - "Profile_saved_successfully": "Profile saved successfully", - "Prometheus": "Prometheus", - "Prometheus_API_User_Agent": "API: Track User Agent", - "Prometheus_Garbage_Collector": "Collect NodeJS GC", - "Prometheus_Garbage_Collector_Alert": "Restart required to deactivate", - "Prometheus_Reset_Interval": "Reset Interval (ms)", - "Protocol": "Protocol", - "Prune": "Prune", - "Prune_finished": "Prune finished", - "Prune_Messages": "Prune Messages", - "Prune_Modal": "Are you sure you wish to prune these messages? Pruned messages cannot be recovered.", - "Prune_Warning_after": "This will delete all %s in %s after %s.", - "Prune_Warning_all": "This will delete all %s in %s!", - "Prune_Warning_before": "This will delete all %s in %s before %s.", - "Prune_Warning_between": "This will delete all %s in %s between %s and %s.", - "Pruning_files": "Pruning files...", - "Pruning_messages": "Pruning messages...", - "Public": "Public", - "Public_Channel": "Public Channel", - "Public_Channels": "Public Channels", - "Public_Community": "Public Community", - "Public_URL": "Public URL", - "Purchase_for_free": "Purchase for FREE", - "Purchase_for_price": "Purchase for $%s", - "Purchased": "Purchased", - "Push": "Push", - "Push_Description": "Enable and configure push notifications for workspace members using mobile devices.", - "Push_Notifications": "Push Notifications", - "Push_apn_cert": "APN Cert", - "Push_apn_dev_cert": "APN Dev Cert", - "Push_apn_dev_key": "APN Dev Key", - "Push_apn_dev_passphrase": "APN Dev Passphrase", - "Push_apn_key": "APN Key", - "Push_apn_passphrase": "APN Passphrase", - "Push_enable": "Enable", - "Push_enable_gateway": "Enable Gateway", - "Push_enable_gateway_Description": "Warning: You need to accept to register your server (Setup Wizard > Organization Info > Register Server) and our privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to enabled this setting and use our gateway. Even if this setting is on it won't work if the server isn't registered.", - "Push_gateway": "Gateway", - "Push_gateway_description": "Multiple lines can be used to specify multiple gateways", - "Push_gcm_api_key": "GCM API Key", - "Push_gcm_project_number": "GCM Project Number", - "Push_production": "Production", - "Push_request_content_from_server": "Fetch full message content from the server on receipt", - "Push_Setting_Requires_Restart_Alert": "Changing this value requires restarting Rocket.Chat.", - "Push_show_message": "Show Message in Notification", - "Push_show_username_room": "Show Channel/Group/Username in Notification", - "Push_test_push": "Test", - "Query": "Query", - "Query_description": "Additional conditions for determining which users to send the email to. Unsubscribed users are automatically removed from the query. It must be a valid JSON. Example: \"{\"createdAt\":{\"$gt\":{\"$date\": \"2015-01-01T00:00:00.000Z\"}}}\"", - "Query_is_not_valid_JSON": "Query is not valid JSON", - "Queue": "Queue", - "Queues": "Queues", - "Queue_delay_timeout": "Queue processing delay timeout", - "Queue_Time": "Queue Time", - "Queue_management": "Queue Management", - "quote": "quote", - "Quote": "Quote", - "Random": "Random", - "Rate Limiter": "Rate Limiter", - "Rate Limiter_Description": "Control the rate of requests sent or recieved by your server to prevent cyber attacks and scraping.", - "Rate_Limiter_Limit_RegisterUser": "Default number calls to the rate limiter for registering a user", - "Rate_Limiter_Limit_RegisterUser_Description": "Number of default calls for user registering endpoints(REST and real-time API's), allowed within the time range defined in the API Rate Limiter section.", - "Reached_seat_limit_banner_warning": "*No more seats available* \nThis workspace has reached its seat limit so no more members can join. *[Request More Seats](__url__)*", - "React_when_read_only": "Allow Reacting", - "React_when_read_only_changed_successfully": "Allow reacting when read only changed successfully", - "Reacted_with": "Reacted with", - "Reactions": "Reactions", - "Read_by": "Read by", - "Read_only": "Read Only", - "Read_only_changed_successfully": "Read only changed successfully", - "Read_only_channel": "Read Only Channel", - "Read_only_group": "Read Only Group", - "Real_Estate": "Real Estate", - "Real_Time_Monitoring": "Real-time Monitoring", - "RealName_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of names", - "Reason_To_Join": "Reason to Join", - "Receive_alerts": "Receive alerts", - "Receive_Group_Mentions": "Receive @all and @here mentions", - "Recent_Import_History": "Recent Import History", - "Record": "Record", - "recording": "recording", - "Redirect_URI": "Redirect URI", - "Refresh": "Refresh", - "Refresh_keys": "Refresh keys", - "Refresh_oauth_services": "Refresh OAuth Services", - "Refresh_your_page_after_install_to_enable_screen_sharing": "Refresh your page after install to enable screen sharing", - "Refreshing": "Refreshing", - "Regenerate_codes": "Regenerate codes", - "Regexp_validation": "Validation by regular expression", - "Register": "Register", - "Register_new_account": "Register a new account", - "Register_Server": "Register Server", - "Register_Server_Info": "Use the preconfigured gateways and proxies provided by Rocket.Chat Technologies Corp.", - "Register_Server_Opt_In": "Product and Security Updates", - "Register_Server_Registered": "Register to access", - "Register_Server_Registered_I_Agree": "I agree with the", - "Register_Server_Registered_Livechat": "Livechat omnichannel proxy", - "Register_Server_Registered_Marketplace": "Apps Marketplace", - "Register_Server_Registered_OAuth": "OAuth proxy for social network", - "Register_Server_Registered_Push_Notifications": "Mobile push notifications gateway", - "Register_Server_Standalone": "Keep standalone, you'll need to", - "Register_Server_Standalone_Own_Certificates": "Recompile the mobile apps with your own certificates", - "Register_Server_Standalone_Service_Providers": "Create accounts with service providers", - "Register_Server_Standalone_Update_Settings": "Update the preconfigured settings", - "Register_Server_Terms_Alert": "Please agree to terms to complete registration", - "register-on-cloud": "Register on cloud", - "Registration": "Registration", - "Registration_Succeeded": "Registration Succeeded", - "Registration_via_Admin": "Registration via Admin", - "Regular_Expressions": "Regular Expressions", - "Release": "Release", - "Releases": "Releases", - "Religious": "Religious", - "Reload": "Reload", - "Reload_page": "Reload Page", - "Reload_Pages": "Reload Pages", - "Remove": "Remove", - "Remove_Admin": "Remove Admin", - "Remove_Association": "Remove Association", - "Remove_as_leader": "Remove as leader", - "Remove_as_moderator": "Remove as moderator", - "Remove_as_owner": "Remove as owner", - "Remove_Channel_Links": "Remove channel links", - "Remove_custom_oauth": "Remove custom oauth", - "Remove_from_room": "Remove from room", - "Remove_from_team": "Remove from team", - "Remove_last_admin": "Removing last admin", - "Remove_someone_from_room": "Remove someone from the room", - "remove-closed-livechat-room": "Remove Closed Omnichannel Room", - "remove-closed-livechat-rooms": "Remove All Closed Omnichannel Rooms", - "remove-closed-livechat-rooms_description": "Permission to remove all closed omnichannel rooms", - "remove-livechat-department": "Remove Omnichannel Departments", - "remove-slackbridge-links": "Remove slackbridge links", - "remove-user": "Remove User", - "remove-user_description": "Permission to remove a user from a room", - "Removed": "Removed", - "Removed_User": "Removed User", - "Removed__roomName__from_this_team": "removed #__roomName__ from this Team", - "Removed__username__from_team": "removed @__user_removed__ from this Team", - "Replay": "Replay", - "Replied_on": "Replied on", - "Replies": "Replies", - "Reply": "Reply", - "reply_counter": "__counter__ reply", - "reply_counter_plural": "__counter__ replies", - "Reply_in_direct_message": "Reply in Direct Message", - "Reply_in_thread": "Reply in Thread", - "Reply_via_Email": "Reply via Email", - "ReplyTo": "Reply-To", - "Report": "Report", - "Report_Abuse": "Report Abuse", - "Report_exclamation_mark": "Report!", - "Report_Number": "Report Number", - "Report_sent": "Report sent", - "Report_this_message_question_mark": "Report this message?", - "Reporting": "Reporting", - "Request": "Request", - "Request_seats": "Request Seats", - "Request_more_seats": "Request more seats.", - "Request_more_seats_out_of_seats": "You can not add members because this Workspace is out of seats, please request more seats.", - "Request_more_seats_sales_team": "Once your request is submitted, our Sales Team will look into it and will reach out to you within the next couple of days.", - "Request_more_seats_title": "Request More Seats", - "Request_comment_when_closing_conversation": "Request comment when closing conversation", - "Request_comment_when_closing_conversation_description": "If enabled, the agent will need to set a comment before the conversation is closed.", - "Request_tag_before_closing_chat": "Request tag(s) before closing conversation", - "Requested_At": "Requested At", - "Requested_By": "Requested By", - "Require": "Require", - "Required": "Required", - "required": "required", - "Require_all_tokens": "Require all tokens", - "Require_any_token": "Require any token", - "Require_password_change": "Require password change", - "Resend_verification_email": "Resend verification email", - "Reset": "Reset", - "Reset_Connection": "Reset Connection", - "Reset_E2E_Key": "Reset E2E Key", - "Reset_password": "Reset password", - "Reset_section_settings": "Reset Section to Default", - "Reset_TOTP": "Reset TOTP", - "reset-other-user-e2e-key": "Reset Other User E2E Key", - "Responding": "Responding", - "Response_description_post": "Empty bodies or bodies with an empty text property will simply be ignored. Non-200 responses will be retried a reasonable number of times. A response will be posted using the alias and avatar specified above. You can override these informations as in the example above.", - "Response_description_pre": "If the handler wishes to post a response back into the channel, the following JSON should be returned as the body of the response:", - "Restart": "Restart", - "Restart_the_server": "Restart the server", - "restart-server": "Restart the server", - "Retail": "Retail", - "Retention_setting_changed_successfully": "Retention policy setting changed successfully", - "RetentionPolicy": "Retention Policy", - "RetentionPolicy_Advanced_Precision": "Use Advanced Retention Policy configuration", - "RetentionPolicy_Advanced_Precision_Cron": "Use Advanced Retention Policy Cron", - "RetentionPolicy_Advanced_Precision_Cron_Description": "How often the prune timer should run defined by cron job expression. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", - "RetentionPolicy_AppliesToChannels": "Applies to channels", - "RetentionPolicy_AppliesToDMs": "Applies to direct messages", - "RetentionPolicy_AppliesToGroups": "Applies to private groups", - "RetentionPolicy_Description": "Automatically prune old messages and files across your workspace.", - "RetentionPolicy_DoNotPruneDiscussion": "Do not prune discussion messages", - "RetentionPolicy_DoNotPrunePinned": "Do not prune pinned messages", - "RetentionPolicy_DoNotPruneThreads": "Do not prune Threads", - "RetentionPolicy_Enabled": "Enabled", - "RetentionPolicy_ExcludePinned": "Exclude pinned messages", - "RetentionPolicy_FilesOnly": "Only delete files", - "RetentionPolicy_FilesOnly_Description": "Only files will be deleted, the messages themselves will stay in place.", - "RetentionPolicy_MaxAge": "Maximum message age", - "RetentionPolicy_MaxAge_Channels": "Maximum message age in channels", - "RetentionPolicy_MaxAge_Description": "Prune all messages older than this value, in days", - "RetentionPolicy_MaxAge_DMs": "Maximum message age in direct messages", - "RetentionPolicy_MaxAge_Groups": "Maximum message age in private groups", - "RetentionPolicy_Precision": "Timer Precision", - "RetentionPolicy_Precision_Description": "How often the prune timer should run. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", - "RetentionPolicy_RoomWarning": "Messages older than __time__ are automatically pruned here", - "RetentionPolicy_RoomWarning_FilesOnly": "Files older than __time__ are automatically pruned here (messages stay intact)", - "RetentionPolicy_RoomWarning_Unpinned": "Unpinned messages older than __time__ are automatically pruned here", - "RetentionPolicy_RoomWarning_UnpinnedFilesOnly": "Unpinned files older than __time__ are automatically pruned here (messages stay intact)", - "RetentionPolicyRoom_Enabled": "Automatically prune old messages", - "RetentionPolicyRoom_ExcludePinned": "Exclude pinned messages", - "RetentionPolicyRoom_FilesOnly": "Prune files only, keep messages", - "RetentionPolicyRoom_MaxAge": "Maximum message age in days (default: __max__)", - "RetentionPolicyRoom_OverrideGlobal": "Override global retention policy", - "RetentionPolicyRoom_ReadTheDocs": "Watch out! Tweaking these settings without utmost care can destroy all message history. Please read the documentation before turning the feature on here.", - "Retry": "Retry", - "Retry_Count": "Retry Count", - "Return_to_home": "Return to home", - "Return_to_previous_page": "Return to previous page", - "Return_to_the_queue": "Return back to the Queue", - "Ringing": "Ringing", - "Robot_Instructions_File_Content": "Robots.txt File Contents", - "Default_Referrer_Policy": "Default Referrer Policy", - "Default_Referrer_Policy_Description": "This controls the 'referrer' header that's sent when requesting embedded media from other servers. For more information, refer to this link from MDN. Remember, a full page refresh is required for this to take effect", - "No_Referrer": "No Referrer", - "No_Referrer_When_Downgrade": "No referrer when downgrade", - "Notes": "Notes", - "Origin": "Origin", - "Origin_When_Cross_Origin": "Origin when cross origin", - "Same_Origin": "Same origin", - "Strict_Origin": "Strict origin", - "Strict_Origin_When_Cross_Origin": "Strict origin when cross origin", - "UIKit_Interaction_Timeout": "App has failed to respond. Please try again or contact your admin", - "Unsafe_Url": "Unsafe URL", - "Rocket_Chat_Alert": "Rocket.Chat Alert", - "Role": "Role", - "Roles": "Roles", - "Role_Editing": "Role Editing", - "Role_Mapping": "Role mapping", - "Role_removed": "Role removed", - "Room": "Room", - "room_allowed_reacting": "Room allowed reacting by __user_by__", - "Room_announcement_changed_successfully": "Room announcement changed successfully", - "Room_archivation_state": "State", - "Room_archivation_state_false": "Active", - "Room_archivation_state_true": "Archived", - "Room_archived": "Room archived", - "room_changed_announcement": "Room announcement changed to: __room_announcement__ by __user_by__", - "room_changed_avatar": "Room avatar changed by __user_by__", - "room_changed_description": "Room description changed to: __room_description__ by __user_by__", - "room_changed_privacy": "Room type changed to: __room_type__ by __user_by__", - "room_changed_topic": "Room topic changed to: __room_topic__ by __user_by__", - "Room_default_change_to_private_will_be_default_no_more": "This is a default channel and changing it to a private group will cause it to no longer be a default channel. Do you want to proceed?", - "Room_description_changed_successfully": "Room description changed successfully", - "room_disallowed_reacting": "Room disallowed reacting by __user_by__", - "Room_Edit": "Room Edit", - "Room_has_been_archived": "Room has been archived", - "Room_has_been_deleted": "Room has been deleted", - "Room_has_been_removed": "Room has been removed", - "Room_has_been_unarchived": "Room has been unarchived", - "Room_Info": "Room Information", - "room_is_blocked": "This room is blocked", - "room_account_deactivated": "This account is deactivated", - "room_is_read_only": "This room is read only", - "room_name": "room name", - "Room_name_changed": "Room name changed to: __room_name__ by __user_by__", - "Room_name_changed_successfully": "Room name changed successfully", - "Room_not_exist_or_not_permission": "This room does not exist or you may not have permission to access", - "Room_not_found": "Room not found", - "Room_password_changed_successfully": "Room password changed successfully", - "room_removed_read_only": "Room added writing permission by __user_by__", - "room_set_read_only": "Room set as Read Only by __user_by__", - "Room_topic_changed_successfully": "Room topic changed successfully", - "Room_type_changed_successfully": "Room type changed successfully", - "Room_type_of_default_rooms_cant_be_changed": "This is a default room and the type can not be changed, please consult with your administrator.", - "Room_unarchived": "Room unarchived", - "Room_updated_successfully": "Room updated successfully!", - "Room_uploaded_file_list": "Files List", - "Room_uploaded_file_list_empty": "No files available.", - "Rooms": "Rooms", - "Rooms_added_successfully": "Rooms added successfully", - "Routing": "Routing", - "Run_only_once_for_each_visitor": "Run only once for each visitor", - "run-import": "Run Import", - "run-import_description": "Permission to run the importers", - "run-migration": "Run Migration", - "run-migration_description": "Permission to run the migrations", - "Running_Instances": "Running Instances", - "Runtime_Environment": "Runtime Environment", - "S_new_messages_since_s": "%s new messages since %s", - "Same_As_Token_Sent_Via": "Same as \"Token Sent Via\"", - "Same_Style_For_Mentions": "Same style for mentions", - "SAML": "SAML", - "SAML_Description": "Security Assertion Markup Language used for exchanging authentication and authorization data.", - "SAML_Allowed_Clock_Drift": "Allowed clock drift from Identity Provider", - "SAML_Allowed_Clock_Drift_Description": "The clock of the Identity Provider may drift slightly ahead of your system clocks. You can allow for a small amount of clock drift. Its value must be given in a number of milliseconds (ms). The value given is added to the current time at which the response is validated.", - "SAML_AuthnContext_Template": "AuthnContext Template", - "SAML_AuthnContext_Template_Description": "You can use any variable from the AuthnRequest Template here.\n\n To add additional authn contexts, duplicate the __AuthnContextClassRef__ tag and replace the __\\_\\_authnContext\\_\\___ variable with the new context.", - "SAML_AuthnRequest_Template": "AuthnRequest Template", - "SAML_AuthnRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.\n- **\\_\\_entryPoint\\_\\_**: The value of the __Custom Entry Point__ setting.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormatTag\\_\\_**: The contents of the __NameID Policy Template__ if a valid __Identifier Format__ is configured.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_authnContextTag\\_\\_**: The contents of the __AuthnContext Template__ if a valid __Custom Authn Context__ is configured.\n- **\\_\\_authnContextComparison\\_\\_**: The value of the __Authn Context Comparison__ setting.\n- **\\_\\_authnContext\\_\\_**: The value of the __Custom Authn Context__ setting.", - "SAML_Connection": "Connection", - "SAML_Enterprise": "Enterprise", - "SAML_General": "General", - "SAML_Custom_Authn_Context": "Custom Authn Context", - "SAML_Custom_Authn_Context_Comparison": "Authn Context Comparison", - "SAML_Custom_Authn_Context_description": "Leave this empty to omit the authn context from the request.\n\n To add multiple authn contexts, add the additional ones directly to the __AuthnContext Template__ setting.", - "SAML_Custom_Cert": "Custom Certificate", - "SAML_Custom_Debug": "Enable Debug", - "SAML_Custom_EMail_Field": "E-Mail field name", - "SAML_Custom_Entry_point": "Custom Entry Point", - "SAML_Custom_Generate_Username": "Generate Username", - "SAML_Custom_IDP_SLO_Redirect_URL": "IDP SLO Redirect URL", - "SAML_Custom_Immutable_Property": "Immutable field name", - "SAML_Custom_Immutable_Property_EMail": "E-Mail", - "SAML_Custom_Immutable_Property_Username": "Username", - "SAML_Custom_Issuer": "Custom Issuer", - "SAML_Custom_Logout_Behaviour": "Logout Behaviour", - "SAML_Custom_Logout_Behaviour_End_Only_RocketChat": "Only log out from Rocket.Chat", - "SAML_Custom_Logout_Behaviour_Terminate_SAML_Session": "Terminate SAML-session", - "SAML_Custom_mail_overwrite": "Overwrite user mail (use idp attribute)", - "SAML_Custom_name_overwrite": "Overwrite user fullname (use idp attribute)", - "SAML_Custom_Private_Key": "Private Key Contents", - "SAML_Custom_Provider": "Custom Provider", - "SAML_Custom_Public_Cert": "Public Cert Contents", - "SAML_Custom_signature_validation_all": "Validate All Signatures", - "SAML_Custom_signature_validation_assertion": "Validate Assertion Signature", - "SAML_Custom_signature_validation_either": "Validate Either Signature", - "SAML_Custom_signature_validation_response": "Validate Response Signature", - "SAML_Custom_signature_validation_type": "Signature Validation Type", - "SAML_Custom_signature_validation_type_description": "This setting will be ignored if no Custom Certificate is provided.", - "SAML_Custom_user_data_fieldmap": "User Data Field Map", - "SAML_Custom_user_data_fieldmap_description": "Configure how user account fields (like email) are populated from a record in SAML (once found). \nAs an example, `{\"name\":\"cn\", \"email\":\"mail\"}` will choose a person's human readable name from the cn attribute, and their email from the mail attribute.\nAvailable fields in Rocket.Chat: `name`, `email` and `username`, everything else will be discarted.\n```{\n \"email\": \"mail\",\n \"username\": {\n \"fieldName\": \"mail\",\n \"regex\": \"(.*)@.+$\",\n \"template\": \"user-__regex__\"\n },\n \"name\": {\n \"fieldNames\": [\n \"firstName\",\n \"lastName\"\n ],\n \"template\": \"__firstName__ __lastName__\"\n },\n \"__identifier__\": \"uid\"\n}\n", - "SAML_Custom_user_data_custom_fieldmap": "User Data Custom Field Map", - "SAML_Custom_user_data_custom_fieldmap_description": "Configure how user custom fields are populated from a record in SAML (once found).", - "SAML_Custom_Username_Field": "Username field name", - "SAML_Custom_Username_Normalize": "Normalize username", - "SAML_Custom_Username_Normalize_Lowercase": "To Lowercase", - "SAML_Custom_Username_Normalize_None": "No normalization", - "SAML_Default_User_Role": "Default User Role", - "SAML_Default_User_Role_Description": "You can specify multiple roles, separating them with commas.", - "SAML_Identifier_Format": "Identifier Format", - "SAML_Identifier_Format_Description": "Leave this empty to omit the NameID Policy from the request.", - "SAML_LogoutRequest_Template": "Logout Request Template", - "SAML_LogoutRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP when the user logged in.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP when the user logged in.", - "SAML_LogoutResponse_Template": "Logout Response Template", - "SAML_LogoutResponse_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_inResponseToId\\_\\_**: The ID of the Logout Request received from the IdP\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP Logout Request.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP Logout Request.", - "SAML_Metadata_Certificate_Template_Description": "The following variables are available:\n- **\\_\\_certificate\\_\\_**: The private certificate for assertion encryption.", - "SAML_Metadata_Template": "Metadata Template", - "SAML_Metadata_Template_Description": "The following variables are available:\n- **\\_\\_sloLocation\\_\\_**: The Rocket.Chat Single LogOut URL.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_certificateTag\\_\\_**: If a private certificate is configured, this will include the __Metadata Certificate Template__, otherwise it will be ignored.\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.", - "SAML_MetadataCertificate_Template": "Metadata Certificate Template", - "SAML_NameIdPolicy_Template": "NameID Policy Template", - "SAML_NameIdPolicy_Template_Description": "You can use any variable from the Authorize Request Template here.", - "SAML_Role_Attribute_Name": "Role Attribute Name", - "SAML_Role_Attribute_Name_Description": "If this attribute is found on the SAML response, it's values will be used as role names for new users.", - "SAML_Role_Attribute_Sync": "Sync User Roles", - "SAML_Role_Attribute_Sync_Description": "Sync SAML user roles on login (overwrites local user roles).", - "SAML_Section_1_User_Interface": "User Interface", - "SAML_Section_2_Certificate": "Certificate", - "SAML_Section_3_Behavior": "Behavior", - "SAML_Section_4_Roles": "Roles", - "SAML_Section_5_Mapping": "Mapping", - "SAML_Section_6_Advanced": "Advanced", - "SAML_Custom_channels_update": "Update Room Subscriptions on Each Login", - "SAML_Custom_channels_update_description": "Ensures user is a member of all channels in SAML assertion on every login.", - "SAML_Custom_include_private_channels_update": "Include Private Rooms in Room Subscription", - "SAML_Custom_include_private_channels_update_description": "Adds user to any private rooms that exist in the SAML assertion.", - "Saturday": "Saturday", - "Save": "Save", - "Save_changes": "Save changes", - "Save_Mobile_Bandwidth": "Save Mobile Bandwidth", - "Save_to_enable_this_action": "Save to enable this action", - "Save_To_Webdav": "Save to WebDAV", - "Save_Your_Encryption_Password": "Save Your Encryption Password", - "save-others-livechat-room-info": "Save Others Omnichannel Room Info", - "save-others-livechat-room-info_description": "Permission to save information from other omnichannel rooms", - "Saved": "Saved", - "Saving": "Saving", - "Scan_QR_code": "Using an authenticator app like Google Authenticator, Authy or Duo, scan the QR code. It will display a 6 digit code which you need to enter below.", - "Scan_QR_code_alternative_s": "If you can't scan the QR code, you may enter code manually instead:", - "Scope": "Scope", - "Score": "Score", - "Screen_Lock": "Screen Lock", - "Screen_Share": "Screen Share", - "Script_Enabled": "Script Enabled", - "Search": "Search", - "Search_Apps": "Search Apps", - "Search_by_file_name": "Search by file name", - "Search_by_username": "Search by username", - "Search_by_category": "Search by category", - "Search_Channels": "Search Channels", - "Search_Chat_History": "Search Chat History", - "Search_current_provider_not_active": "Current Search Provider is not active", - "Search_Description": "Select workspace search provider and configure search related settings.", - "Search_Files": "Search Files", - "Search_for_a_more_general_term": "Search for a more general term", - "Search_for_a_more_specific_term": "Search for a more specific term", - "Search_Integrations": "Search Integrations", - "Search_message_search_failed": "Search request failed", - "Search_Messages": "Search Messages", - "Search_on_marketplace": "Search on Marketplace", - "Search_Page_Size": "Page Size", - "Search_Private_Groups": "Search Private Groups", - "Search_Provider": "Search Provider", - "Search_Rooms": "Search Rooms", - "Search_Users": "Search Users", - "Seats_Available": "__seatsLeft__ Seats Available", - "Seats_usage": "Seats Usage", - "seconds": "seconds", - "Secret_token": "Secret Token", - "Security": "Security", - "See_full_profile": "See full profile", - "Select_a_department": "Select a department", - "Select_a_room": "Select a room", - "Select_a_user": "Select a user", - "Select_an_avatar": "Select an avatar", - "Select_an_option": "Select an option", - "Select_at_least_one_user": "Select at least one user", - "Select_at_least_two_users": "Select at least two users", - "Select_department": "Select a department", - "Select_file": "Select file", - "Select_role": "Select a Role", - "Select_service_to_login": "Select a service to login to load your picture or upload one directly from your computer", - "Select_tag": "Select a tag", - "Select_the_channels_you_want_the_user_to_be_removed_from": "Select the channels you want the user to be removed from", - "Select_the_teams_channels_you_would_like_to_delete": "Select the Team’s Channels you would like to delete, the ones you do not select will be moved to the Workspace.", - "Select_user": "Select user", - "Select_users": "Select users", - "Selected_agents": "Selected agents", - "Selected_departments": "Selected Departments", - "Selected_monitors": "Selected Monitors", - "Selecting_users": "Selecting users", - "Send": "Send", - "Send_a_message": "Send a message", - "Send_a_test_mail_to_my_user": "Send a test mail to my user", - "Send_a_test_push_to_my_user": "Send a test push to my user", - "Send_confirmation_email": "Send confirmation email", - "Send_data_into_RocketChat_in_realtime": "Send data into Rocket.Chat in real-time.", - "Send_email": "Send Email", - "Send_invitation_email": "Send invitation email", - "Send_invitation_email_error": "You haven't provided any valid email address.", - "Send_invitation_email_info": "You can send multiple email invitations at once.", - "Send_invitation_email_success": "You have successfully sent an invitation email to the following addresses:", - "Send_it_as_attachment_instead_question": "Send it as attachment instead?", - "Send_me_the_code_again": "Send me the code again", - "Send_request_on": "Send Request on", - "Send_request_on_agent_message": "Send Request on Agent Messages", - "Send_request_on_chat_close": "Send Request on Chat Close", - "Send_request_on_chat_queued": "Send request on Chat Queued", - "Send_request_on_chat_start": "Send Request on Chat Start", - "Send_request_on_chat_taken": "Send Request on Chat Taken", - "Send_request_on_forwarding": "Send Request on Forwarding", - "Send_request_on_lead_capture": "Send request on lead capture", - "Send_request_on_offline_messages": "Send Request on Offline Messages", - "Send_request_on_visitor_message": "Send Request on Visitor Messages", - "Send_Test": "Send Test", - "Send_Test_Email": "Send test email", - "Send_via_email": "Send via email", - "Send_via_Email_as_attachment": "Send via Email as attachment", - "Send_Visitor_navigation_history_as_a_message": "Send Visitor Navigation History as a Message", - "Send_visitor_navigation_history_on_request": "Send Visitor Navigation History on Request", - "Send_welcome_email": "Send welcome email", - "Send_your_JSON_payloads_to_this_URL": "Send your JSON payloads to this URL.", - "send-mail": "Send emails", - "send-many-messages": "Send Many Messages", - "send-many-messages_description": "Permission to bypasses rate limit of 5 messages per second", - "send-omnichannel-chat-transcript": "Send Omnichannel Conversation Transcript", - "send-omnichannel-chat-transcript_description": "Permission to send omnichannel conversation transcript", - "Sender_Info": "Sender Info", - "Sending": "Sending...", - "Sent_an_attachment": "Sent an attachment", - "Sent_from": "Sent from", - "Separate_multiple_words_with_commas": "Separate multiple words with commas", - "Served_By": "Served By", - "Server": "Server", - "Server_Configuration": "Server Configuration", - "Server_File_Path": "Server File Path", - "Server_Folder_Path": "Server Folder Path", - "Server_Info": "Server Info", - "Server_Type": "Server Type", - "Service": "Service", - "Service_account_key": "Service account key", - "Set_as_favorite": "Set as favorite", - "Set_as_leader": "Set as leader", - "Set_as_moderator": "Set as moderator", - "Set_as_owner": "Set as owner", - "Set_random_password_and_send_by_email": "Set random password and send by email", - "set-leader": "Set Leader", - "set-leader_description": "Permission to set other users as leader of a channel", - "set-moderator": "Set Moderator", - "set-moderator_description": "Permission to set other users as moderator of a channel", - "set-owner": "Set Owner", - "set-owner_description": "Permission to set other users as owner of a channel", - "set-react-when-readonly": "Set React When ReadOnly", - "set-react-when-readonly_description": "Permission to set the ability to react to messages in a read only channel", - "set-readonly": "Set ReadOnly", - "set-readonly_description": "Permission to set a channel to read only channel", - "Settings": "Settings", - "Settings_updated": "Settings updated", - "Setup_Wizard": "Setup Wizard", - "Setup_Wizard_Description": "Basic info about your workspace such as organization name and country.", - "Setup_Wizard_Info": "We'll guide you through setting up your first admin user, configuring your organisation and registering your server to receive free push notifications and more.", - "Share_Location_Title": "Share Location?", - "Share_screen": "Share screen", - "New_CannedResponse": "New Canned Response", - "Edit_CannedResponse": "Edit Canned Response", - "Sharing": "Sharing", - "Shared_Location": "Shared Location", - "Shared_Secret": "Shared Secret", - "Shortcut": "Shortcut", - "shortcut_name": "shortcut name", - "Should_be_a_URL_of_an_image": "Should be a URL of an image.", - "Should_exists_a_user_with_this_username": "The user must already exist.", - "Show_agent_email": "Show agent email", - "Show_agent_info": "Show agent information", - "Show_all": "Show All", - "Show_Avatars": "Show Avatars", - "Show_counter": "Mark as unread", - "Show_email_field": "Show email field", - "Show_mentions": "Show badge for mentions", - "Show_Message_In_Main_Thread": "Show thread messages in the main thread", - "Show_more": "Show more", - "Show_name_field": "Show name field", - "show_offline_users": "show offline users", - "Show_on_offline_page": "Show on offline page", - "Show_on_registration_page": "Show on registration page", - "Show_only_online": "Show Online Only", - "Show_preregistration_form": "Show Pre-registration Form", - "Show_queue_list_to_all_agents": "Show Queue List to All Agents", - "Show_room_counter_on_sidebar": "Show room counter on sidebar", - "Show_Setup_Wizard": "Show Setup Wizard", - "Show_the_keyboard_shortcut_list": "Show the keyboard shortcut list", - "Show_video": "Show video", - "Showing_archived_results": "

Showing %s archived results

", - "Showing_online_users": "Showing: __total_showing__, Online: __online__, Total: __total__ users", - "Showing_results": "

Showing %s results

", - "Showing_results_of": "Showing results %s - %s of %s", - "Sidebar": "Sidebar", - "Sidebar_list_mode": "Sidebar Channel List Mode", - "Sign_in_to_start_talking": "Sign in to start talking", - "Signaling_connection_disconnected": "Signaling connection disconnected", - "since_creation": "since %s", - "Site_Name": "Site Name", - "Site_Url": "Site URL", - "Site_Url_Description": "Example: https://chat.domain.com/", - "Size": "Size", - "Skip": "Skip", - "Slack_Users": "Slack's Users CSV", - "SlackBridge_APIToken": "API Tokens", - "SlackBridge_APIToken_Description": "You can configure multiple slack servers by adding one API Token per line.", - "Slackbridge_channel_links_removed_successfully": "The slackbridge channel links have been removed successfully.", - "SlackBridge_Description": "Enable Rocket.Chat to communicate directly with Slack.", - "SlackBridge_error": "SlackBridge got an error while importing your messages at %s: %s", - "SlackBridge_finish": "SlackBridge has finished importing the messages at %s. Please reload to view all messages.", - "SlackBridge_Out_All": "SlackBridge Out All", - "SlackBridge_Out_All_Description": "Send messages from all channels that exist in Slack and the bot has joined", - "SlackBridge_Out_Channels": "SlackBridge Out Channels", - "SlackBridge_Out_Channels_Description": "Choose which channels will send messages back to Slack", - "SlackBridge_Out_Enabled": "SlackBridge Out Enabled", - "SlackBridge_Out_Enabled_Description": "Choose whether SlackBridge should also send your messages back to Slack", - "SlackBridge_Remove_Channel_Links_Description": "Remove the internal link between Rocket.Chat channels and Slack channels. The links will afterwards be recreated based on the channel names.", - "SlackBridge_start": "@%s has started a SlackBridge import at `#%s`. We'll let you know when it's finished.", - "Slash_Gimme_Description": "Displays ༼ つ ◕_◕ ༽つ before your message", - "Slash_LennyFace_Description": "Displays ( ͡° ͜ʖ ͡°) after your message", - "Slash_Shrug_Description": "Displays ¯\\_(ツ)_/¯ after your message", - "Slash_Status_Description": "Set your status message", - "Slash_Status_Params": "Status message", - "Slash_Tableflip_Description": "Displays (╯°□°)╯︵ ┻━┻", - "Slash_TableUnflip_Description": "Displays ┬─┬ ノ( ゜-゜ノ)", - "Slash_Topic_Description": "Set topic", - "Slash_Topic_Params": "Topic message", - "Smarsh": "Smarsh", - "Smarsh_Description": "Configurations to preserve email communication.", - "Smarsh_Email": "Smarsh Email", - "Smarsh_Email_Description": "Smarsh Email Address to send the .eml file to.", - "Smarsh_Enabled": "Smarsh Enabled", - "Smarsh_Enabled_Description": "Whether the Smarsh eml connector is enabled or not (needs 'From Email' filled in under Email -> SMTP).", - "Smarsh_Interval": "Smarsh Interval", - "Smarsh_Interval_Description": "The amount of time to wait before sending the chats (needs 'From Email' filled in under Email -> SMTP).", - "Smarsh_MissingEmail_Email": "Missing Email", - "Smarsh_MissingEmail_Email_Description": "The email to show for a user account when their email address is missing, generally happens with bot accounts.", - "Smarsh_Timezone": "Smarsh Timezone", - "Smileys_and_People": "Smileys & People", - "SMS": "SMS", - "SMS_Description": "Enable and configure SMS gateways on your workspace.", - "SMS_Default_Omnichannel_Department": "Omnichannel Department (Default)", - "SMS_Default_Omnichannel_Department_Description": "If set, all new incoming chats initiated by this integration will be routed to this department.\nThis setting can be overwritten by passing department query param in the request.\ne.g. https:///api/v1/livechat/sms-incoming/twilio?department=.\nNote: if you're using Department Name, then it should be URL safe.", - "SMS_Enabled": "SMS Enabled", - "SMTP": "SMTP", - "SMTP_Host": "SMTP Host", - "SMTP_Password": "SMTP Password", - "SMTP_Port": "SMTP Port", - "SMTP_Test_Button": "Test SMTP Settings", - "SMTP_Username": "SMTP Username", - "Snippet_Added": "Created on %s", - "Snippet_Messages": "Snippet Messages", - "Snippet_name": "Snippet name", - "snippet-message": "Snippet Message", - "snippet-message_description": "Permission to create snippet message", - "Snippeted_a_message": "Created a snippet __snippetLink__", - "Social_Network": "Social Network", - "Sorry_page_you_requested_does_not_exist_or_was_deleted": "Sorry, page you requested does not exist or was deleted!", - "Sort": "Sort", - "Sort_By": "Sort by", - "Sort_by_activity": "Sort by Activity", - "Sound": "Sound", - "Sound_File_mp3": "Sound File (mp3)", - "Sound File": "Sound File", - "Source": "Source", - "SSL": "SSL", - "Star": "Star", - "Star_Message": "Star Message", - "Starred_Messages": "Starred Messages", - "Start": "Start", - "Start_audio_call": "Start audio call", - "Start_Chat": "Start Chat", - "Start_of_conversation": "Start of conversation", - "Start_OTR": "Start OTR", - "Start_video_call": "Start video call", - "Start_video_conference": "Start video conference?", - "Start_with_s_for_user_or_s_for_channel_Eg_s_or_s": "Start with %s for user or %s for channel. Eg: %s or %s", - "start-discussion": "Start Discussion", - "start-discussion_description": "Permission to start a discussion", - "start-discussion-other-user": "Start Discussion (Other-User)", - "start-discussion-other-user_description": "Permission to start a discussion, which gives permission to the user to create a discussion from a message sent by another user as well", - "Started": "Started", - "Started_a_video_call": "Started a Video Call", - "Started_At": "Started At", - "Statistics": "Statistics", - "Statistics_reporting": "Send Statistics to Rocket.Chat", - "Statistics_reporting_Description": "By sending your statistics, you'll help us identify how many instances of Rocket.Chat are deployed, as well as how good the system is behaving, so we can further improve it. Don't worry, as no user information is sent and all the information we receive is kept confidential.", - "Stats_Active_Guests": "Activated Guests", - "Stats_Active_Users": "Activated Users", - "Stats_App_Users": "Rocket.Chat App Users", - "Stats_Avg_Channel_Users": "Average Channel Users", - "Stats_Avg_Private_Group_Users": "Average Private Group Users", - "Stats_Away_Users": "Away Users", - "Stats_Max_Room_Users": "Max Rooms Users", - "Stats_Non_Active_Users": "Deactivated Users", - "Stats_Offline_Users": "Offline Users", - "Stats_Online_Users": "Online Users", - "Stats_Total_Active_Apps": "Total Active Apps", - "Stats_Total_Active_Incoming_Integrations": "Total Active Incoming Integrations", - "Stats_Total_Active_Outgoing_Integrations": "Total Active Outgoing Integrations", - "Stats_Total_Channels": "Channels", - "Stats_Total_Connected_Users": "Total Connected Users", - "Stats_Total_Direct_Messages": "Direct Message Rooms", - "Stats_Total_Incoming_Integrations": "Total Incoming Integrations", - "Stats_Total_Installed_Apps": "Total Installed Apps", - "Stats_Total_Integrations": "Total Integrations", - "Stats_Total_Integrations_With_Script_Enabled": "Total Integrations With Script Enabled", - "Stats_Total_Livechat_Rooms": "Omnichannel Rooms", - "Stats_Total_Messages": "Messages", - "Stats_Total_Messages_Channel": "Messages in Channels", - "Stats_Total_Messages_Direct": "Messages in Direct Messages", - "Stats_Total_Messages_Livechat": "Messages in Omnichannel", - "Stats_Total_Messages_PrivateGroup": "Messages in Private Groups", - "Stats_Total_Outgoing_Integrations": "Total Outgoing Integrations", - "Stats_Total_Private_Groups": "Private Groups", - "Stats_Total_Rooms": "Rooms", - "Stats_Total_Uploads": "Total Uploads", - "Stats_Total_Uploads_Size": "Total Uploads Size", - "Stats_Total_Users": "Total Users", - "Status": "Status", - "StatusMessage": "Status Message", - "StatusMessage_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of status messages", - "StatusMessage_Changed_Successfully": "Status message changed successfully.", - "StatusMessage_Placeholder": "What are you doing right now?", - "StatusMessage_Too_Long": "Status message must be shorter than 120 characters.", - "Step": "Step", - "Stop_call": "Stop call", - "Stop_Recording": "Stop Recording", - "Store_Last_Message": "Store Last Message", - "Store_Last_Message_Sent_per_Room": "Store last message sent on each room.", - "Stream_Cast": "Stream Cast", - "Stream_Cast_Address": "Stream Cast Address", - "Stream_Cast_Address_Description": "IP or Host of your Rocket.Chat central Stream Cast. E.g. `192.168.1.1:3000` or `localhost:4000`", - "strike": "strike", - "Style": "Style", - "Subject": "Subject", - "Submit": "Submit", - "Success": "Success", - "Success_message": "Success message", - "Successfully_downloaded_file_from_external_URL_should_start_preparing_soon": "Successfully downloaded file from external URL, should start preparing soon", - "Suggestion_from_recent_messages": "Suggestion from recent messages", - "Sunday": "Sunday", - "Support": "Support", - "Survey": "Survey", - "Survey_instructions": "Rate each question according to your satisfaction, 1 meaning you are completely unsatisfied and 5 meaning you are completely satisfied.", - "Symbols": "Symbols", - "Sync": "Sync", - "Sync / Import": "Sync / Import", - "Sync_in_progress": "Synchronization in progress", - "Sync_Interval": "Sync interval", - "Sync_success": "Sync success", - "Sync_Users": "Sync Users", - "sync-auth-services-users": "Sync authentication services' users", - "System_messages": "System Messages", - "Tag": "Tag", - "Tags": "Tags", - "Tag_removed": "Tag Removed", - "Tag_already_exists": "Tag already exists", - "Take_it": "Take it!", - "Taken_at": "Taken at", - "Talk_Time": "Talk Time", - "Target user not allowed to receive messages": "Target user not allowed to receive messages", - "TargetRoom": "Target Room", - "TargetRoom_Description": "The room where messages will be sent which are a result of this event being fired. Only one target room is allowed and it must exist.", - "Team": "Team", - "Team_Add_existing_channels": "Add Existing Channels", - "Team_Add_existing": "Add Existing", - "Team_Auto-join": "Auto-join", - "Team_Channels": "Team Channels", - "Team_Delete_Channel_modal_content_danger": "This can’t be undone.", - "Team_Delete_Channel_modal_content": "Would you like to delete this Channel?", - "Team_has_been_deleted": "Team has been deleted.", - "Team_Info": "Team Info", - "Team_Mapping": "Team Mapping", - "Team_Remove_from_team_modal_content": "Would you like to remove this Channel from __teamName__? The Channel will be moved back to the workspace.", - "Team_Remove_from_team": "Remove from team", - "Team_what_is_this_team_about": "What is this team about", - "Teams": "Teams", - "Teams_about_the_channels": "And about the Channels?", - "Teams_channels_didnt_leave": "You did not select the following Channels so you are not leaving them:", - "Teams_channels_last_owner_delete_channel_warning": "You are the last owner of this Channel. Once you convert the Team into a channel, the Channel will be moved to the Workspace.", - "Teams_channels_last_owner_leave_channel_warning": "You are the last owner of this Channel. Once you leave the Team, the Channel will be kept inside the Team but you will managing it from outside.", - "Teams_leaving_team": "You are leaving this Team.", - "Teams_channels": "Team's Channels", - "Teams_convert_channel_to_team": "Convert to Team", - "Teams_delete_team_choose_channels": "Select the Channels you would like to delete. The ones you decide to keep, will be available on your workspace.", - "Teams_delete_team_public_notice": "Notice that public Channels will still be public and visible to everyone.", - "Teams_delete_team_Warning": "Once you delete a Team, all chat content and configuration will be deleted.", - "Teams_delete_team": "You are about to delete this Team.", - "Teams_deleted_channels": "The following Channels are going to be deleted:", - "Teams_Errors_Already_exists": "The team `__name__` already exists.", - "Teams_Errors_team_name": "You can't use \"__name__\" as a team name.", - "Teams_move_channel_to_team": "Move to Team", - "Teams_move_channel_to_team_description_first": "Moving a Channel inside a Team means that this Channel will be added in the Team’s context, however, all Channel’s members, which are not members of the respective Team, will still have access to this Channel, but will not be added as Team’s members.", - "Teams_move_channel_to_team_description_second": "All Channel’s management will still be made by the owners of this Channel.", - "Teams_move_channel_to_team_description_third": "Team’s members and even Team’s owners, if not a member of this Channel, can not have access to the Channel’s content.", - "Teams_move_channel_to_team_description_fourth": "Please notice that the Team’s owner will be able to remove members from the Channel.", - "Teams_move_channel_to_team_confirm_description": "After reading the previous instructions about this behavior, do you want to move forward with this action?", - "Teams_New_Title": "Create Team", - "Teams_New_Name_Label": "Name", - "Teams_Info": "Team's Information", - "Teams_kept_channels": "You did not select the following Channels so they will be moved to the Workspace:", - "Teams_kept__username__channels": "You did not select the following Channels so __username__ will be kept on them:", - "Teams_leave_channels": "Select the Team’s Channels you would like to leave.", - "Teams_leave": "Leave Team", - "Teams_left_team_successfully": "Left the Team successfully", - "Teams_members": "Teams Members", - "Teams_New_Add_members_Label": "Add Members", - "Teams_New_Broadcast_Description": "Only authorized users can write new messages, but the other users will be able to reply", - "Teams_New_Broadcast_Label": "Broadcast", - "Teams_New_Description_Label": "Topic", - "Teams_New_Description_Placeholder": "What is this team about", - "Teams_New_Encrypted_Description_Disabled": "Only available for private team", - "Teams_New_Encrypted_Description_Enabled": "End to end encrypted team. Search will not work with encrypted Teams and notifications may not show the messages content.", - "Teams_New_Encrypted_Label": "Encrypted", - "Teams_New_Private_Description_Disabled": "When disabled, anyone can join the team", - "Teams_New_Private_Description_Enabled": "Only invited people can join", - "Teams_New_Private_Label": "Private", - "Teams_New_Read_only_Description": "All users in this team can write messages", - "Teams_Public_Team": "Public Team", - "Teams_Private_Team": "Private Team", - "Teams_removing_member": "Removing Member", - "Teams_removing__username__from_team": "You are removing __username__ from this Team", - "Teams_removing__username__from_team_and_channels": "You are removing __username__ from this Team and all its Channels.", - "Teams_Select_a_team": "Select a team", - "Teams_Search_teams": "Search Teams", - "Teams_New_Read_only_Label": "Read Only", - "Technology_Services": "Technology Services", - "Terms": "Terms", - "Test_Connection": "Test Connection", - "Test_Desktop_Notifications": "Test Desktop Notifications", - "Test_LDAP_Search": "Test LDAP Search", - "test-admin-options": "Test options on admin panel such as LDAP login and push notifications", - "Texts": "Texts", - "Thank_you_exclamation_mark": "Thank you!", - "Thank_you_for_your_feedback": "Thank you for your feedback", - "The_application_name_is_required": "The application name is required", - "The_channel_name_is_required": "The channel name is required", - "The_emails_are_being_sent": "The emails are being sent.", - "The_empty_room__roomName__will_be_removed_automatically": "The empty room __roomName__ will be removed automatically.", - "The_field_is_required": "The field %s is required.", - "The_image_resize_will_not_work_because_we_can_not_detect_ImageMagick_or_GraphicsMagick_installed_in_your_server": "The image resize will not work because we can not detect ImageMagick or GraphicsMagick installed on your server.", - "The_message_is_a_discussion_you_will_not_be_able_to_recover": "The message is a discussion you will not be able to recover the messages!", - "The_mobile_notifications_were_disabled_to_all_users_go_to_Admin_Push_to_enable_the_Push_Gateway_again": "The mobile notifications were disabled to all users, go to \"Admin > Push\" to enable the Push Gateway again", - "The_necessary_browser_permissions_for_location_sharing_are_not_granted": "The necessary browser permissions for location sharing are not granted", - "The_peer__peer__does_not_exist": "The peer __peer__ does not exist.", - "The_redirectUri_is_required": "The redirectUri is required", - "The_selected_user_is_not_a_monitor": "The selected user is not a monitor", - "The_selected_user_is_not_an_agent": "The selected user is not an agent", - "The_server_will_restart_in_s_seconds": "The server will restart in %s seconds", - "The_setting_s_is_configured_to_s_and_you_are_accessing_from_s": "The setting %s is configured to %s and you are accessing from %s!", - "The_user_s_will_be_removed_from_role_s": "The user %s will be removed from role %s", - "The_user_will_be_removed_from_s": "The user will be removed from %s", - "The_user_wont_be_able_to_type_in_s": "The user won't be able to type in %s", - "Theme": "Theme", - "theme-color-attention-color": "Attention Color", - "theme-color-component-color": "Component Color", - "theme-color-content-background-color": "Content Background Color", - "theme-color-custom-scrollbar-color": "Custom Scrollbar Color", - "theme-color-error-color": "Error Color", - "theme-color-info-font-color": "Info Font Color", - "theme-color-link-font-color": "Link Font Color", - "theme-color-pending-color": "Pending Color", - "theme-color-primary-action-color": "Primary Action Color", - "theme-color-primary-background-color": "Primary Background Color", - "theme-color-primary-font-color": "Primary Font Color", - "theme-color-rc-color-alert": "Alert", - "theme-color-rc-color-alert-light": "Alert Light", - "theme-color-rc-color-alert-message-primary": "Alert Message Primary", - "theme-color-rc-color-alert-message-primary-background": "Alert Message Primary Background", - "theme-color-rc-color-alert-message-secondary": "Alert Message Secondary", - "theme-color-rc-color-alert-message-secondary-background": "Alert Message Secondary Background", - "theme-color-rc-color-alert-message-warning": "Alert Message Warning", - "theme-color-rc-color-alert-message-warning-background": "Alert Message Warning Background", - "theme-color-rc-color-announcement-text": "Announcement Text Color", - "theme-color-rc-color-announcement-background": "Announcement Background Color", - "theme-color-rc-color-announcement-text-hover": "Announcement Text Color Hover", - "theme-color-rc-color-announcement-background-hover": "Announcement Background Color Hover", - "theme-color-rc-color-button-primary": "Button Primary", - "theme-color-rc-color-button-primary-light": "Button Primary Light", - "theme-color-rc-color-content": "Content", - "theme-color-rc-color-error": "Error", - "theme-color-rc-color-error-light": "Error Light", - "theme-color-rc-color-link-active": "Link Active", - "theme-color-rc-color-primary": "Primary", - "theme-color-rc-color-primary-background": "Primary Background", - "theme-color-rc-color-primary-dark": "Primary Dark", - "theme-color-rc-color-primary-darkest": "Primary Darkest", - "theme-color-rc-color-primary-light": "Primary Light", - "theme-color-rc-color-primary-light-medium": "Primary Light Medium", - "theme-color-rc-color-primary-lightest": "Primary Lightest", - "theme-color-rc-color-success": "Success", - "theme-color-rc-color-success-light": "Success Light", - "theme-color-secondary-action-color": "Secondary Action Color", - "theme-color-secondary-background-color": "Secondary Background Color", - "theme-color-secondary-font-color": "Secondary Font Color", - "theme-color-selection-color": "Selection Color", - "theme-color-status-away": "Away Status Color", - "theme-color-status-busy": "Busy Status Color", - "theme-color-status-offline": "Offline Status Color", - "theme-color-status-online": "Online Status Color", - "theme-color-success-color": "Success Color", - "theme-color-tertiary-font-color": "Tertiary Font Color", - "theme-color-transparent-dark": "Transparent Dark", - "theme-color-transparent-darker": "Transparent Darker", - "theme-color-transparent-light": "Transparent Light", - "theme-color-transparent-lighter": "Transparent Lighter", - "theme-color-transparent-lightest": "Transparent Lightest", - "theme-color-unread-notification-color": "Unread Notifications Color", - "theme-custom-css": "Custom CSS", - "theme-font-body-font-family": "Body Font Family", - "There_are_no_agents_added_to_this_department_yet": "There are no agents added to this department yet.", - "There_are_no_applications": "No oAuth Applications have been added yet.", - "There_are_no_applications_installed": "There are currently no Rocket.Chat Applications installed.", - "There_are_no_available_monitors": "There are no available monitors", - "There_are_no_departments_added_to_this_tag_yet": "There are no departments added to this tag yet", - "There_are_no_departments_added_to_this_unit_yet": "There are no departments added to this unit yet", - "There_are_no_departments_available": "There are no departments available", - "There_are_no_integrations": "There are no integrations", - "There_are_no_monitors_added_to_this_unit_yet": "There are no monitors added to this unit yet", - "There_are_no_personal_access_tokens_created_yet": "There are no Personal Access Tokens created yet.", - "There_are_no_users_in_this_role": "There are no users in this role.", - "There_is_one_or_more_apps_in_an_invalid_state_Click_here_to_review": "There is one or more apps in an invalid state. Click here to review.", - "There_has_been_an_error_installing_the_app": "There has been an error installing the app", - "These_notes_will_be_available_in_the_call_summary": "These notes will be available in the call summary", - "This_agent_was_already_selected": "This agent was already selected", - "this_app_is_included_with_subscription": "This app is included with __bundleName__ subscription", - "This_cant_be_undone": "This can't be undone.", - "This_conversation_is_already_closed": "This conversation is already closed.", - "This_email_has_already_been_used_and_has_not_been_verified__Please_change_your_password": "This email has already been used and has not been verified. Please change your password.", - "This_feature_is_currently_in_alpha": "This feature is currently in alpha!", - "This_is_a_desktop_notification": "This is a desktop notification", - "This_is_a_push_test_messsage": "This is a push test message", - "This_message_was_rejected_by__peer__peer": "This message was rejected by __peer__ peer.", - "This_monitor_was_already_selected": "This monitor was already selected", - "This_month": "This Month", - "This_room_has_been_archived_by__username_": "This room has been archived by __username__", - "This_room_has_been_unarchived_by__username_": "This room has been unarchived by __username__", - "This_week": "This Week", - "thread": "thread", - "Thread_message": "Commented on *__username__'s* message: _ __msg__ _", - "Threads": "Threads", - "Threads_Description": "Threads allow organized discussions around a specific message.", - "Thursday": "Thursday", - "Time_in_minutes": "Time in minutes", - "Time_in_seconds": "Time in seconds", - "Timeout": "Timeout", - "Timeouts": "Timeouts", - "Timezone": "Timezone", - "Title": "Title", - "Title_bar_color": "Title bar color", - "Title_bar_color_offline": "Title bar color offline", - "Title_offline": "Title offline", - "To": "To", - "To_additional_emails": "To additional emails", - "To_install_RocketChat_Livechat_in_your_website_copy_paste_this_code_above_the_last_body_tag_on_your_site": "To install Rocket.Chat Livechat in your website, copy & paste this code above the last </body> tag on your site.", - "to_see_more_details_on_how_to_integrate": "to see more details on how to integrate.", - "To_users": "To Users", - "Today": "Today", - "Toggle_original_translated": "Toggle original/translated", - "toggle-room-e2e-encryption": "Toggle Room E2E Encryption", - "toggle-room-e2e-encryption_description": "Permission to toggle e2e encryption room", - "Token": "Token", - "Token_Access": "Token Access", - "Token_Controlled_Access": "Token Controlled Access", - "Token_required": "Token required", - "Tokens_Minimum_Needed_Balance": "Minimum needed token balance", - "Tokens_Minimum_Needed_Balance_Description": "Set minimum needed balance on each token. Blank or \"0\" for not limit.", - "Tokens_Minimum_Needed_Balance_Placeholder": "Balance value", - "Tokens_Required": "Tokens required", - "Tokens_Required_Input_Description": "Type one or more tokens asset names separated by comma.", - "Tokens_Required_Input_Error": "Invalid typed tokens.", - "Tokens_Required_Input_Placeholder": "Tokens asset names", - "Topic": "Topic", - "Total": "Total", - "Total_abandoned_chats": "Total Abandoned Chats", - "Total_conversations": "Total Conversations", - "Total_Discussions": "Discussions", - "Total_messages": "Total Messages", - "Total_rooms": "Total Rooms", - "Total_Threads": "Threads", - "Total_visitors": "Total Visitors", - "TOTP Invalid [totp-invalid]": "Code or password invalid", - "TOTP_reset_email": "Two Factor TOTP Reset Notification", - "TOTP_Reset_Other_Key_Warning": "Reset the current Two Factor TOTP will log out the user. The user will be able to set the Two Factor again later.", - "totp-disabled": "You do not have 2FA login enabled for your user", - "totp-invalid": "Code or password invalid", - "totp-required": "TOTP Required", - "Transcript": "Transcript", - "Transcript_Enabled": "Ask Visitor if They Would Like a Transcript After Chat Closed", - "Transcript_message": "Message to Show When Asking About Transcript", - "Transcript_of_your_livechat_conversation": "Transcript of your omnichannel conversation.", - "Transcript_Request": "Transcript Request", - "transfer-livechat-guest": "Transfer Livechat Guests", - "transfer-livechat-guest_description": "Permission to transfer livechat guests", - "Transferred": "Transferred", - "Translate": "Translate", - "Translated": "Translated", - "Translations": "Translations", - "Travel_and_Places": "Travel & Places", - "Trigger_removed": "Trigger removed", - "Trigger_Words": "Trigger Words", - "Triggers": "Triggers", - "Troubleshoot": "Troubleshoot", - "Troubleshoot_Description": "Configure how troubleshooting is handled on your workspace.", - "Troubleshoot_Disable_Data_Exporter_Processor": "Disable Data Exporter Processor", - "Troubleshoot_Disable_Data_Exporter_Processor_Alert": "This setting stops the processing of all export requests from users, so they will not receive the link to download their data!", - "Troubleshoot_Disable_Instance_Broadcast": "Disable Instance Broadcast", - "Troubleshoot_Disable_Instance_Broadcast_Alert": "This setting prevents the Rocket.Chat instances from sending events to the other instances, it may cause syncing problems and misbehavior!", - "Troubleshoot_Disable_Livechat_Activity_Monitor": "Disable Livechat Activity Monitor", - "Troubleshoot_Disable_Livechat_Activity_Monitor_Alert": "This setting stops the processing of livechat visitor sessions causing the statistics to stop working correctly!", - "Troubleshoot_Disable_Notifications": "Disable Notifications", - "Troubleshoot_Disable_Notifications_Alert": "This setting completely disables the notifications system; sounds, desktop notifications, mobile notifications, and emails will stop!", - "Troubleshoot_Disable_Presence_Broadcast": "Disable Presence Broadcast", - "Troubleshoot_Disable_Presence_Broadcast_Alert": "This setting prevents all instances form sending the status changes of the users to their clients keeping all the users with their presence status from the first load!", - "Troubleshoot_Disable_Sessions_Monitor": "Disable Sessions Monitor", - "Troubleshoot_Disable_Sessions_Monitor_Alert": "This setting stops the processing of user sessions causing the statistics to stop working correctly!", - "Troubleshoot_Disable_Statistics_Generator": "Disable Statistics Generator", - "Troubleshoot_Disable_Statistics_Generator_Alert": "This setting stops the processing all statistics making the info page outdated until someone clicks on the refresh button and may cause other missing information around the system!", - "Troubleshoot_Disable_Workspace_Sync": "Disable Workspace Sync", - "Troubleshoot_Disable_Workspace_Sync_Alert": "This setting stops the sync of this server with Rocket.Chat's cloud and may cause issues with marketplace and enteprise licenses!", - "True": "True", - "Try_searching_in_the_marketplace_instead": "Try searching in the Marketplace instead", - "Tuesday": "Tuesday", - "Turn_OFF": "Turn OFF", - "Turn_ON": "Turn ON", - "Turn_on_video": "Turn on video", - "Turn_off_video": "Turn off video", - "Two Factor Authentication": "Two Factor Authentication", - "Two-factor_authentication": "Two-factor authentication via TOTP", - "Two-factor_authentication_disabled": "Two-factor authentication disabled", - "Two-factor_authentication_email": "Two-factor authentication via Email", - "Two-factor_authentication_email_is_currently_disabled": "Two-factor authentication via Email is currently disabled", - "Two-factor_authentication_enabled": "Two-factor authentication enabled", - "Two-factor_authentication_is_currently_disabled": "Two-factor authentication via TOTP is currently disabled", - "Two-factor_authentication_native_mobile_app_warning": "WARNING: Once you enable this, you will not be able to login on the native mobile apps (Rocket.Chat+) using your password until they implement the 2FA.", - "Type": "Type", - "typing": "typing", - "Types": "Types", - "Types_and_Distribution": "Types and Distribution", - "Type_your_email": "Type your email", - "Type_your_job_title": "Type your job title", - "Type_your_message": "Type your message", - "Type_your_name": "Type your name", - "Type_your_new_password": "Type your new password", - "Type_your_password": "Type your password", - "Type_your_username": "Type your username", - "UI_Allow_room_names_with_special_chars": "Allow Special Characters in Room Names", - "UI_Click_Direct_Message": "Click to Create Direct Message", - "UI_Click_Direct_Message_Description": "Skip opening profile tab, instead go straight to conversation", - "UI_DisplayRoles": "Display Roles", - "UI_Group_Channels_By_Type": "Group channels by type", - "UI_Merge_Channels_Groups": "Merge Private Groups with Channels", - "UI_Show_top_navbar_embedded_layout": "Show top navbar in embedded layout", - "UI_Unread_Counter_Style": "Unread Counter Style", - "UI_Use_Name_Avatar": "Use Full Name Initials to Generate Default Avatar", - "UI_Use_Real_Name": "Use Real Name", - "unable-to-get-file": "Unable to get file", - "Unarchive": "Unarchive", - "unarchive-room": "Unarchive Room", - "unarchive-room_description": "Permission to unarchive channels", - "Unassigned": "Unassigned", - "Unavailable": "Unavailable", - "Unblock": "Unblock", - "Unblock_User": "Unblock User", - "Uncheck_All": "Uncheck All", - "Uncollapse": "Uncollapse", - "Undefined": "Undefined", - "Unfavorite": "Unfavorite", - "Unfollow_message": "Unfollow Message", - "Unignore": "Unignore", - "Uninstall": "Uninstall", - "Unit_removed": "Unit Removed", - "Unknown_Import_State": "Unknown Import State", - "Unlimited": "Unlimited", - "Unmute": "Unmute", - "Unmute_someone_in_room": "Unmute someone in the room", - "Unmute_user": "Unmute user", - "Unnamed": "Unnamed", - "Unpin": "Unpin", - "Unpin_Message": "Unpin Message", - "unpinning-not-allowed": "Unpinning is not allowed", - "Unread": "Unread", - "Unread_Count": "Unread Count", - "Unread_Count_DM": "Unread Count for Direct Messages", - "Unread_Messages": "Unread Messages", - "Unread_on_top": "Unread on top", - "Unread_Rooms": "Unread Rooms", - "Unread_Rooms_Mode": "Unread Rooms Mode", - "Unread_Tray_Icon_Alert": "Unread Tray Icon Alert", - "Unstar_Message": "Remove Star", - "Unmute_microphone": "Unmute Microphone", - "Update": "Update", - "Update_EnableChecker": "Enable the Update Checker", - "Update_EnableChecker_Description": "Checks automatically for new updates / important messages from the Rocket.Chat developers and receives notifications when available. The notification appears once per new version as a clickable banner and as a message from the Rocket.Cat bot, both visible only for administrators.", - "Update_every": "Update every", - "Update_LatestAvailableVersion": "Update Latest Available Version", - "Update_to_version": "Update to __version__", - "Update_your_RocketChat": "Update your Rocket.Chat", - "Updated_at": "Updated at", - "Upgrade_tab_connection_error_description": "Looks like you have no internet connection. This may be because your workspace is installed on a fully-secured air-gapped server", - "Upgrade_tab_connection_error_restore": "Restore your connection to learn about features you are missing out on.", - "Upgrade_tab_go_fully_featured": "Go fully featured", - "Upgrade_tab_trial_guide": "Trial guide", - "Upgrade_tab_upgrade_your_plan": "Upgrade your plan", - "Upload": "Upload", - "Uploads": "Uploads", - "Upload_app": "Upload App", - "Upload_file_description": "File description", - "Upload_file_name": "File name", - "Upload_file_question": "Upload file?", - "Upload_Folder_Path": "Upload Folder Path", - "Upload_From": "Upload from __name__", - "Upload_user_avatar": "Upload avatar", - "Uploading_file": "Uploading file...", - "Uptime": "Uptime", - "URL": "URL", - "URL_room_hash": "Enable room name hash", - "URL_room_hash_description": "Recommended to enable if the Jitsi instance doesn't use any authentication mechanism.", - "URL_room_prefix": "URL room prefix", - "URL_room_suffix": "URL room suffix", - "Usage": "Usage", - "Use": "Use", - "Use_account_preference": "Use account preference", - "Use_Emojis": "Use Emojis", - "Use_Global_Settings": "Use Global Settings", - "Use_initials_avatar": "Use your username initials", - "Use_minor_colors": "Use minor color palette (defaults inherit major colors)", - "Use_Room_configuration": "Overwrites the server configuration and use room config", - "Use_Server_configuration": "Use server configuration", - "Use_service_avatar": "Use %s avatar", - "Use_this_response": "Use this response", - "Use_response": "Use response", - "Use_this_username": "Use this username", - "Use_uploaded_avatar": "Use uploaded avatar", - "Use_url_for_avatar": "Use URL for avatar", - "Use_User_Preferences_or_Global_Settings": "Use User Preferences or Global Settings", - "User": "User", - "User Search": "User Search", - "User Search (Group Validation)": "User Search (Group Validation)", - "User__username__is_now_a_leader_of__room_name_": "User __username__ is now a leader of __room_name__", - "User__username__is_now_a_moderator_of__room_name_": "User __username__ is now a moderator of __room_name__", - "User__username__is_now_a_owner_of__room_name_": "User __username__ is now a owner of __room_name__", - "User__username__muted_in_room__roomName__": "User __username__ muted in room __roomName__", - "User__username__removed_from__room_name__leaders": "User __username__ removed from __room_name__ leaders", - "User__username__removed_from__room_name__moderators": "User __username__ removed from __room_name__ moderators", - "User__username__removed_from__room_name__owners": "User __username__ removed from __room_name__ owners", - "User__username__unmuted_in_room__roomName__": "User __username__ unmuted in room __roomName__", - "User_added": "User added", - "User_added_by": "User __user_added__ added by __user_by__.", - "User_added_successfully": "User added successfully", - "User_and_group_mentions_only": "User and group mentions only", - "User_cant_be_empty": "User cannot be empty", - "User_created_successfully!": "User create successfully!", - "User_default": "User default", - "User_doesnt_exist": "No user exists by the name of `@%s`.", - "User_e2e_key_was_reset": "User E2E key was reset successfully.", - "User_has_been_activated": "User has been activated", - "User_has_been_deactivated": "User has been deactivated", - "User_has_been_deleted": "User has been deleted", - "User_has_been_ignored": "User has been ignored", - "User_has_been_muted_in_s": "User has been muted in %s", - "User_has_been_removed_from_s": "User has been removed from %s", - "User_has_been_removed_from_team": "User has been removed from team", - "User_has_been_unignored": "User is no longer ignored", - "User_Info": "User Info", - "User_Interface": "User Interface", - "User_is_blocked": "User is blocked", - "User_is_no_longer_an_admin": "User is no longer an admin", - "User_is_now_an_admin": "User is now an admin", - "User_is_unblocked": "User is unblocked", - "User_joined_channel": "Has joined the channel.", - "User_joined_conversation": "Has joined the conversation", - "User_joined_team": "joined this Team", - "user_joined_otr": "Has joined OTR chat.", - "user_key_refreshed_successfully": "key refreshed successfully", - "user_requested_otr_key_refresh": "Has requested key refresh.", - "User_left": "Has left the channel.", - "User_left_team": "left this Team", - "User_logged_out": "User is logged out", - "User_management": "User Management", - "User_mentions_only": "User mentions only", - "User_muted": "User Muted", - "User_muted_by": "User __user_muted__ muted by __user_by__.", - "User_not_found": "User not found", - "User_not_found_or_incorrect_password": "User not found or incorrect password", - "User_or_channel_name": "User or channel name", - "User_Presence": "User Presence", - "User_removed": "User removed", - "User_removed_by": "User __user_removed__ removed by __user_by__.", - "User_sent_a_message_on_channel": "__username__ sent a message on __channel__", - "User_sent_a_message_to_you": "__username__ sent you a message", - "user_sent_an_attachment": "__user__ sent an attachment", - "User_Settings": "User Settings", - "User_started_a_new_conversation": "__username__ started a new conversation", - "User_unmuted_by": "User __user_unmuted__ unmuted by __user_by__.", - "User_unmuted_in_room": "User unmuted in room", - "User_updated_successfully": "User updated successfully", - "User_uploaded_a_file_on_channel": "__username__ uploaded a file on __channel__", - "User_uploaded_a_file_to_you": "__username__ sent you a file", - "User_uploaded_file": "Uploaded a file", - "User_uploaded_image": "Uploaded an image", - "user-generate-access-token": "User Generate Access Token", - "user-generate-access-token_description": "Permission for users to generate access tokens", - "UserData_EnableDownload": "Enable User Data Download", - "UserData_FileSystemPath": "System Path (Exported Files)", - "UserData_FileSystemZipPath": "System Path (Compressed File)", - "UserData_MessageLimitPerRequest": "Message Limit per Request", - "UserData_ProcessingFrequency": "Processing Frequency (Minutes)", - "UserDataDownload": "User Data Download", - "UserDataDownload_Description": "Configurations to allow or disallow workspace members from downloading of workspace data.", - "UserDataDownload_CompletedRequestExisted_Text": "Your data file was already generated. Check your email account for the download link.", - "UserDataDownload_CompletedRequestExistedWithLink_Text": "Your data file was already generated. Click here to download it.", - "UserDataDownload_EmailBody": "Your data file is now ready to download. Click here to download it.", - "UserDataDownload_EmailSubject": "Your Data File is Ready to Download", - "UserDataDownload_FeatureDisabled": "Sorry, user data exports are not enabled on this server!", - "UserDataDownload_LoginNeeded": "You need to log into your Rocket.Chat account to download this data export. Click the link below to do that, then try again.", - "UserDataDownload_Requested": "Download File Requested", - "UserDataDownload_Requested_Text": "Your data file will be generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", - "UserDataDownload_RequestExisted_Text": "Your data file is already being generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", - "Username": "Username", - "Username_already_exist": "Username already exists. Please try another username.", - "Username_and_message_must_not_be_empty": "Username and message must not be empty.", - "Username_cant_be_empty": "The username cannot be empty", - "Username_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of usernames", - "Username_denied_the_OTR_session": "__username__ denied the OTR session", - "Username_description": "The username is used to allow others to mention you in messages.", - "Username_doesnt_exist": "The username `%s` doesn't exist.", - "Username_ended_the_OTR_session": "__username__ ended the OTR session", - "Username_invalid": "%s is not a valid username,
use only letters, numbers, dots, hyphens and underscores", - "Username_is_already_in_here": "`@%s` is already in here.", - "Username_is_not_in_this_room": "The user `#%s` is not in this room.", - "Username_Placeholder": "Please enter usernames...", - "Username_title": "Register username", - "Username_wants_to_start_otr_Do_you_want_to_accept": "__username__ wants to start OTR. Do you want to accept?", - "Users": "Users", - "Users must use Two Factor Authentication": "Users must use Two Factor Authentication", - "Users_added": "The users have been added", - "Users_and_rooms": "Users and Rooms", - "Users_by_time_of_day": "Users by time of day", - "Users_in_role": "Users in role", - "Users_key_has_been_reset": "User's key has been reset", - "Users_reacted": "Users that Reacted", - "Users_TOTP_has_been_reset": "User's TOTP has been reset", - "Uses": "Uses", - "Uses_left": "Uses left", - "UTC_Timezone": "UTC Timezone", - "Utilities": "Utilities", - "UTF8_Names_Slugify": "UTF8 Names Slugify", - "UTF8_User_Names_Validation": "UTF8 Usernames Validation", - "UTF8_User_Names_Validation_Description": "RegExp that will be used to validate usernames", - "UTF8_Channel_Names_Validation": "UTF8 Channel Names Validation", - "UTF8_Channel_Names_Validation_Description": "RegExp that will be used to validate channel names", - "Videocall_enabled": "Video Call Enabled", - "Validate_email_address": "Validate Email Address", - "Validation": "Validation", - "Value_messages": "__value__ messages", - "Value_users": "__value__ users", - "Verification": "Verification", - "Verification_Description": "You may use the following placeholders:
  • [Verification_Url] for the verification URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", - "Verification_Email": "Click here to verify your email address.", - "Verification_email_body": "Please, click on the button below to confirm your email address.", - "Verification_email_sent": "Verification email sent", - "Verification_Email_Subject": "[Site_Name] - Email address verification", - "Verified": "Verified", - "Verify": "Verify", - "Verify_your_email": "Verify your email", - "Verify_your_email_for_the_code_we_sent": "Verify your email for the code we sent", - "Version": "Version", - "Version_version": "Version __version__", - "Video Conference": "Video Conference", - "Video Conference_Description": "Configure video conferencing for your workspace.", - "Video_Chat_Window": "Video Chat", - "Video_Conference": "Video Conference", - "Video_message": "Video message", - "Videocall_declined": "Video Call Declined.", - "Video_and_Audio_Call": "Video and Audio Call", - "Videos": "Videos", - "View_All": "View All Members", - "View_channels": "View Channels", - "view-import-operations": "View import operations", - "view-omnichannel-contact-center": "View Omnichannel Contact Center", - "view-omnichannel-contact-center_description": "Permission to view and interact with the Omnichannel Contact Center", - "View_Logs": "View Logs", - "View_mode": "View Mode", - "View_original": "View Original", - "View_the_Logs_for": "View the logs for: \"__name__\"", - "view-broadcast-member-list": "View Members List in Broadcast Room", - "view-broadcast-member-list_description": "Permission to view list of users in broadcast channel", - "view-c-room": "View Public Channel", - "view-c-room_description": "Permission to view public channels", - "view-canned-responses": "View Canned Responses", - "view-d-room": "View Direct Messages", - "view-d-room_description": "Permission to view direct messages", - "view-federation-data": "View federation data", - "View_full_conversation": "View full conversation", - "view-full-other-user-info": "View Full Other User Info", - "view-full-other-user-info_description": "Permission to view full profile of other users including account creation date, last login, etc.", - "view-history": "View History", - "view-history_description": "Permission to view the channel history", - "view-join-code": "View Join Code", - "view-join-code_description": "Permission to view the channel join code", - "view-joined-room": "View Joined Room", - "view-joined-room_description": "Permission to view the currently joined channels", - "view-l-room": "View Omnichannel Rooms", - "view-l-room_description": "Permission to view Omnichannel rooms", - "view-livechat-analytics": "View Omnichannel Analytics", - "view-livechat-analytics_description": "Permission to view live chat analytics", - "view-livechat-appearance": "View Omnichannel Appearance", - "view-livechat-appearance_description": "Permission to view live chat appearance", - "view-livechat-business-hours": "View Omnichannel Business-Hours", - "view-livechat-business-hours_description": "Permission to view live chat business hours", - "view-livechat-current-chats": "View Omnichannel Current Chats", - "view-livechat-current-chats_description": "Permission to view live chat current chats", - "view-livechat-departments": "View Omnichannel Departments", - "view-livechat-manager": "View Omnichannel Manager", - "view-livechat-manager_description": "Permission to view other Omnichannel managers", - "view-livechat-monitor": "View Livechat Monitors", - "view-livechat-queue": "View Omnichannel Queue", - "view-livechat-room-closed-by-another-agent": "View Omnichannel Rooms closed by another agent", - "view-livechat-room-closed-same-department": "View Omnichannel Rooms closed by another agent in the same department", - "view-livechat-room-closed-same-department_description": "Permission to view live chat rooms closed by another agent in the same department", - "view-livechat-room-customfields": "View Omnichannel Room Custom Fields", - "view-livechat-room-customfields_description": "Permission to view live chat room custom fields", - "view-livechat-rooms": "View Omnichannel Rooms", - "view-livechat-rooms_description": "Permission to view other Omnichannel rooms", - "view-livechat-triggers": "View Omnichannel Triggers", - "view-livechat-triggers_description": "Permission to view live chat triggers", - "view-livechat-webhooks": "View Omnichannel Webhooks", - "view-livechat-webhooks_description": "Permission to view live chat webhooks", - "view-livechat-unit": "View Livechat Units", - "view-logs": "View Logs", - "view-logs_description": "Permission to view the server logs ", - "view-other-user-channels": "View Other User Channels", - "view-other-user-channels_description": "Permission to view channels owned by other users", - "view-outside-room": "View Outside Room", - "view-outside-room_description": "Permission to view users outside the current room", - "view-p-room": "View Private Room", - "view-p-room_description": "Permission to view private channels", - "view-privileged-setting": "View Privileged Setting", - "view-privileged-setting_description": "Permission to view settings", - "view-room-administration": "View Room Administration", - "view-room-administration_description": "Permission to view public, private and direct message statistics. Does not include the ability to view conversations or archives", - "view-statistics": "View Statistics", - "view-statistics_description": "Permission to view system statistics such as number of users logged in, number of rooms, operating system information", - "view-user-administration": "View User Administration", - "view-user-administration_description": "Permission to partial, read-only list view of other user accounts currently logged into the system. No user account information is accessible with this permission", - "Viewing_room_administration": "Viewing room administration", - "Visibility": "Visibility", - "Visible": "Visible", - "Visit_Site_Url_and_try_the_best_open_source_chat_solution_available_today": "Visit __Site_URL__ and try the best open source chat solution available today!", - "Visitor": "Visitor", - "Visitor_Email": "Visitor E-mail", - "Visitor_Info": "Visitor Info", - "Visitor_message": "Visitor Messages", - "Visitor_Name": "Visitor Name", - "Visitor_Name_Placeholder": "Please enter a visitor name...", - "Visitor_does_not_exist": "Visitor does not exist!", - "Visitor_Navigation": "Visitor Navigation", - "Visitor_page_URL": "Visitor page URL", - "Visitor_time_on_site": "Visitor time on site", - "Voice_Call": "Voice Call", - "VoIP_Enable_Keep_Alive_For_Unstable_Networks": "Enable Keep-Alive using SIP-OPTIONS for unstable networks", - "VoIP_Enable_Keep_Alive_For_Unstable_Networks_Description": "Enables or Disables Keep-Alive using SIP-OPTIONS based on network quality", - "VoIP_Enabled": "VoIP Enabled", - "VoIP_Extension": "VoIP Extension", - "Voip_Server_Configuration": "Server Configuration", - "VoIP_Server_Host": "Server Host", - "VoIP_Server_Websocket_Port": "Websocket Port", - "VoIP_Server_Name": "Server Name", - "VoIP_Server_Websocket_Path": "Websocket Path", - "VoIP_Retry_Count": "Retry Count", - "VoIP_Retry_Count_Description": "Defines the number of times the client will try to reconnect to the VoIP server if the connection is lost.", - "VoIP_Management_Server": "VoIP Management Server", - "VoIP_Management_Server_Host": "Server Host", - "VoIP_Management_Server_Port": "Server Port", - "VoIP_Management_Server_Name": "Server Name", - "VoIP_Management_Server_Username": "Username", - "VoIP_Management_Server_Password": "Password", - "Voip_call_started": "Call started at", - "Voip_call_duration": "Call lasted __duration__", - "Voip_call_declined": "Call hanged up by agent", - "Voip_call_on_hold": "Call placed on hold at", - "Voip_call_unhold": "Call resumed at", - "Voip_call_ended": "Call ended at", - "Voip_call_ended_unexpectedly": "Call ended unexpectedly: __reason__", - "Voip_call_wrapup": "Call wrapup notes added: __comment__", - "VoIP_JWT_Secret": "VoIP JWT Secret", - "VoIP_JWT_Secret_description": "This allows you to set a secret key for sharing extension details from server to client as JWT instead of plain text. If you don't setup this, extension registration details will be sent as plain text", - "Voip_is_disabled": "VoIP is disabled", - "Voip_is_disabled_description": "To view the list of extensions it is necessary to activate VoIP, do so in the Settings tab.", - "Chat_opened_by_visitor": "Chat opened by the visitor", - "Wait_activation_warning": "Before you can login, your account must be manually activated by an administrator.", - "Waiting_queue": "Waiting queue", - "Waiting_queue_message": "Waiting queue message", - "Waiting_queue_message_description": "Message that will be displayed to the visitors when they get in the queue", - "Waiting_Time": "Waiting Time", - "Warning": "Warning", - "Warnings": "Warnings", - "WAU_value": "WAU __value__", - "We_appreciate_your_feedback": "We appreciate your feedback", - "We_are_offline_Sorry_for_the_inconvenience": "We are offline. Sorry for the inconvenience.", - "We_have_sent_password_email": "We have sent you an email with password reset instructions. If you do not receive an email shortly, please come back and try again.", - "We_have_sent_registration_email": "We have sent you an email to confirm your registration. If you do not receive an email shortly, please come back and try again.", - "Webdav Integration": "Webdav Integration", - "Webdav Integration_Description": "A framework for users to create, change and move documents on a server. Used to link WebDAV servers such as Nextcloud.", - "WebDAV_Accounts": "WebDAV Accounts", - "Webdav_add_new_account": "Add new WebDAV account", - "Webdav_Integration_Enabled": "Webdav Integration Enabled", - "Webdav_Password": "WebDAV Password", - "Webdav_Server_URL": "WebDAV Server Access URL", - "Webdav_Username": "WebDAV Username", - "Webdav_account_removed": "WebDAV account removed", - "webdav-account-saved": "WebDAV account saved", - "webdav-account-updated": "WebDAV account updated", - "Webhook_Details": "WebHook Details", - "Webhook_URL": "Webhook URL", - "Webhooks": "Webhooks", - "WebRTC": "WebRTC", - "WebRTC_Description": "Broadcast audio and/or video material, as well as transmit arbitrary data between browsers without the need for a middleman.", - "WebRTC_Call": "WebRTC Call", - "WebRTC_direct_audio_call_from_%s": "Direct audio call from %s", - "WebRTC_direct_video_call_from_%s": "Direct video call from %s", - "WebRTC_Enable_Channel": "Enable for Public Channels", - "WebRTC_Enable_Direct": "Enable for Direct Messages", - "WebRTC_Enable_Private": "Enable for Private Channels", - "WebRTC_group_audio_call_from_%s": "Group audio call from %s", - "WebRTC_group_video_call_from_%s": "Group video call from %s", - "WebRTC_monitor_call_from_%s": "Monitor call from %s", - "WebRTC_Servers": "STUN/TURN Servers", - "WebRTC_Servers_Description": "A list of STUN and TURN servers separated by comma.
Username, password and port are allowed in the format `username:password@stun:host:port` or `username:password@turn:host:port`.", - "WebRTC_call_ended_message": " Call ended at __endTime__ - Lasted __callDuration__", - "WebRTC_call_declined_message": " Call Declined by Contact.", - "Website": "Website", - "Wednesday": "Wednesday", - "Weekly_Active_Users": "Weekly Active Users", - "Welcome": "Welcome %s.", - "Welcome_to": "Welcome to __Site_Name__", - "Welcome_to_the": "Welcome to the", - "When": "When", - "When_a_line_starts_with_one_of_there_words_post_to_the_URLs_below": "When a line starts with one of these words, post to the URL(s) below", - "When_is_the_chat_busier?": "When is the chat busier?", - "Where_are_the_messages_being_sent?": "Where are the messages being sent?", - "Why_did_you_chose__score__": "Why did you chose __score__?", - "Why_do_you_want_to_report_question_mark": "Why do you want to report?", - "Will_Appear_In_From": "Will appear in the From: header of emails you send.", - "will_be_able_to": "will be able to", - "Will_be_available_here_after_saving": "Will be available here after saving.", - "Without_priority": "Without priority", - "Worldwide": "Worldwide", - "Would_you_like_to_return_the_inquiry": "Would you like to return the inquiry?", - "Would_you_like_to_return_the_queue": "Would you like to move back this room to the queue? All conversation history will be kept on the room.", - "Would_you_like_to_place_chat_on_hold": "Would you like to place this chat On-Hold?", - "Wrap_up_the_call": "Wrap-up the call", - "Wrap_Up_Notes": "Wrap-Up Notes", - "Yes": "Yes", - "Yes_archive_it": "Yes, archive it!", - "Yes_clear_all": "Yes, clear all!", - "Yes_deactivate_it": "Yes, deactivate it!", - "Yes_delete_it": "Yes, delete it!", - "Yes_hide_it": "Yes, hide it!", - "Yes_leave_it": "Yes, leave it!", - "Yes_mute_user": "Yes, mute user!", - "Yes_prune_them": "Yes, prune them!", - "Yes_remove_user": "Yes, remove user!", - "Yes_unarchive_it": "Yes, unarchive it!", - "yesterday": "yesterday", - "Yesterday": "Yesterday", - "You": "You", - "You_have_reacted": "You have reacted", - "Users_reacted_with": "__users__ have reacted with __emoji__", - "Users_and_more_reacted_with": "__users__ and __count__ more have reacted with __emoji__", - "You_and_users_Reacted_with": "You and __users__ have reacted with __emoji__", - "You_users_and_more_Reacted_with": "You, __users__ and __count__ more have reacted with __emoji__", - "You_are_converting_team_to_channel": "You are converting this Team to a Channel.", - "you_are_in_preview_mode_of": "You are in preview mode of channel #__room_name__", - "you_are_in_preview_mode_of_incoming_livechat": "You are in preview mode of this chat", - "You_are_logged_in_as": "You are logged in as", - "You_are_not_authorized_to_view_this_page": "You are not authorized to view this page.", - "You_can_change_a_different_avatar_too": "You can override the avatar used to post from this integration.", - "You_can_close_this_window_now": "You can close this window now.", - "You_can_search_using_RegExp_eg": "You can search using Regular Expression. e.g. /^text$/i", - "You_can_try_to": "You can try to", - "You_can_use_an_emoji_as_avatar": "You can also use an emoji as an avatar.", - "You_can_use_webhooks_to_easily_integrate_livechat_with_your_CRM": "You can use webhooks to easily integrate Omnichannel with your CRM.", - "You_cant_leave_a_livechat_room_Please_use_the_close_button": "You can't leave a omnichannel room. Please, use the close button.", - "You_followed_this_message": "You followed this message.", - "You_have_a_new_message": "You have a new message", - "You_have_been_muted": "You have been muted and cannot speak in this room", - "You_have_joined_a_new_call_with": "You have joined a new call with", - "You_have_n_codes_remaining": "You have __number__ codes remaining.", - "You_have_not_verified_your_email": "You have not verified your email.", - "You_have_successfully_unsubscribed": "You have successfully unsubscribed from our Mailling List.", - "You_have_to_set_an_API_token_first_in_order_to_use_the_integration": "You have to set an API token first in order to use the integration.", - "You_must_join_to_view_messages_in_this_channel": "You must join to view messages in this channel", - "You_need_confirm_email": "You need to confirm your email to login!", - "You_need_install_an_extension_to_allow_screen_sharing": "You need install an extension to allow screen sharing", - "You_need_to_change_your_password": "You need to change your password", - "You_need_to_type_in_your_password_in_order_to_do_this": "You need to type in your password in order to do this!", - "You_need_to_type_in_your_username_in_order_to_do_this": "You need to type in your username in order to do this!", - "You_need_to_verifiy_your_email_address_to_get_notications": "You need to verify your email address to get notifications", - "You_need_to_write_something": "You need to write something!", - "You_reached_the_maximum_number_of_guest_users_allowed_by_your_license": "You reached the maximum number of guest users allowed by your license.", - "You_should_inform_one_url_at_least": "You should define at least one URL.", - "You_should_name_it_to_easily_manage_your_integrations": "You should name it to easily manage your integrations.", - "You_unfollowed_this_message": "You unfollowed this message.", - "You_will_be_asked_for_permissions": "You will be asked for permissions", - "You_will_not_be_able_to_recover": "You will not be able to recover this message!", - "You_will_not_be_able_to_recover_email_inbox": "You will not be able to recover this email inbox", - "You_will_not_be_able_to_recover_file": "You will not be able to recover this file!", - "You_wont_receive_email_notifications_because_you_have_not_verified_your_email": "You won't receive email notifications because you have not verified your email.", - "Your_e2e_key_has_been_reset": "Your e2e key has been reset.", - "Your_email_address_has_changed": "Your email address has been changed.", - "Your_email_has_been_queued_for_sending": "Your email has been queued for sending", - "Your_entry_has_been_deleted": "Your entry has been deleted.", - "Your_file_has_been_deleted": "Your file has been deleted.", - "Your_invite_link_will_expire_after__usesLeft__uses": "Your invite link will expire after __usesLeft__ uses.", - "Your_invite_link_will_expire_on__date__": "Your invite link will expire on __date__.", - "Your_invite_link_will_expire_on__date__or_after__usesLeft__uses": "Your invite link will expire on __date__ or after __usesLeft__ uses.", - "Your_invite_link_will_never_expire": "Your invite link will never expire.", - "Your_mail_was_sent_to_s": "Your mail was sent to %s", - "your_message": "your message", - "your_message_optional": "your message (optional)", - "Your_new_email_is_email": "Your new email address is [email].", - "Your_password_is_wrong": "Your password is wrong!", - "Your_password_was_changed_by_an_admin": "Your password was changed by an admin.", - "Your_push_was_sent_to_s_devices": "Your push was sent to %s devices", - "Your_question": "Your question", - "Your_server_link": "Your server link", - "Your_temporary_password_is_password": "Your temporary password is [password].", - "Your_TOTP_has_been_reset": "Your Two Factor TOTP has been reset.", - "Your_workspace_is_ready": "Your workspace is ready to use 🎉", - "Zapier": "Zapier", - "onboarding.component.form.steps": "Step {{currentStep}} of {{stepCount}}", - "onboarding.component.form.action.back": "Back", - "onboarding.component.form.action.next": "Next", - "onboarding.component.form.action.skip": "Skip this step", - "onboarding.component.form.action.register": "Register", - "onboarding.component.form.action.confirm": "Confirm", - "onboarding.component.form.requiredField": "This field is required", - "onboarding.component.form.termsAndConditions": "I agree with <1>Terms and Conditions and <3>Privacy Policy", - "onboarding.component.emailCodeFallback": "Didn’t receive email? <1>Resend or <3>Change email", - "onboarding.page.form.title": "Let's <1>Launch Your Workspace", - "onboarding.page.awaitingConfirmation.title": "Awaiting confirmation", - "onboarding.page.awaitingConfirmation.subtitle": "We have sent you an email to {{emailAddress}} with a confirmation link. Please verify that the security code below matches the one in the email.", - "onboarding.page.emailConfirmed.title": "Email Confirmed!", - "onboarding.page.emailConfirmed.subtitle": "You can return to your Rocket.Chat application – we have launched your workspace already.", - "onboarding.page.checkYourEmail.title": "Check your email", - "onboarding.page.checkYourEmail.subtitle": "Your request has been sent successfully.<1>Check your email inbox to launch your Enterprise trial.<1>The link will expire in 30 minutes.", - "onboarding.page.confirmationProcess.title": "Confirmation in Process", - "onboarding.page.cloudDescription.title": "Let's launch your workspace and <1>14-day trial", - "onboarding.page.cloudDescription.tryGold": "Try our best Gold plan for 14 days for free", - "onboarding.page.cloudDescription.numberOfIntegrations": "1,000 integrations", - "onboarding.page.cloudDescription.availability": "High availability", - "onboarding.page.cloudDescription.auditing": "Message audit panel / Audit logs", - "onboarding.page.cloudDescription.engagement": "Engagement Dashboard", - "onboarding.page.cloudDescription.ldap": "LDAP enhanced sync", - "onboarding.page.cloudDescription.omnichannel": "Omnichannel premium", - "onboarding.page.cloudDescription.sla": "SLA: Premium", - "onboarding.page.cloudDescription.push": "Secured push notifications", - "onboarding.page.cloudDescription.goldIncludes": "* Golden plan includes all features from other plans", - "onboarding.page.alreadyHaveAccount": "Already have an account? <1>Manage your workspaces.", - "onboarding.page.invalidLink.title": "Your Link is no Longer Valid", - "onboarding.page.invalidLink.content": "Seems like you have already used invite link. It’s generated for a single sign in. Request a new one to join your workspace.", - "onboarding.page.invalidLink.button.text": "Request new link", - "onboarding.page.requestTrial.title": "Request a <1>30-day Trial", - "onboarding.page.requestTrial.subtitle": "Try our best Enterprise Edition plan for 30 days for free", - "onboarding.page.magicLinkEmail.title": "We emailed you a login link", - "onboarding.page.magicLinkEmail.subtitle": "Click the link in the email we just sent you to sign in to your workspace. <1>The link will expire in 30 minutes.", - "onboarding.page.organizationInfoPage.title": "A few more details...", - "onboarding.page.organizationInfoPage.subtitle": "These will help us to personalize your workspace.", - "onboarding.form.adminInfoForm.title": "Admin Info", - "onboarding.form.adminInfoForm.subtitle": "We need this to create an admin profile inside your workspace", - "onboarding.form.adminInfoForm.fields.fullName.label": "Full name", - "onboarding.form.adminInfoForm.fields.fullName.placeholder": "First and last name", - "onboarding.form.adminInfoForm.fields.username.label": "Username", - "onboarding.form.adminInfoForm.fields.username.placeholder": "@username", - "onboarding.form.adminInfoForm.fields.email.label": "Email", - "onboarding.form.adminInfoForm.fields.email.placeholder": "Email", - "onboarding.form.adminInfoForm.fields.password.label": "Password", - "onboarding.form.adminInfoForm.fields.password.placeholder": "Create password", - "onboarding.form.adminInfoForm.fields.keepPosted.label": "Keep me posted about Rocket.Chat updates", - "onboarding.form.organizationInfoForm.title": "Organization Info", - "onboarding.form.organizationInfoForm.subtitle": "Please, bear with us. This info will help us personalize your workspace", - "onboarding.form.organizationInfoForm.fields.organizationName.label": "Organization name", - "onboarding.form.organizationInfoForm.fields.organizationName.placeholder": "Organization name", - "onboarding.form.organizationInfoForm.fields.organizationType.label": "Organization type", - "onboarding.form.organizationInfoForm.fields.organizationType.placeholder": "Select", - "onboarding.form.organizationInfoForm.fields.organizationIndustry.label": "Organization industry", - "onboarding.form.organizationInfoForm.fields.organizationIndustry.placeholder": "Select", - "onboarding.form.organizationInfoForm.fields.organizationSize.label": "Organization size", - "onboarding.form.organizationInfoForm.fields.organizationSize.placeholder": "Select", - "onboarding.form.organizationInfoForm.fields.country.label": "Country", - "onboarding.form.organizationInfoForm.fields.country.placeholder": "Select", - "onboarding.form.registeredServerForm.title": "Register Your Server", - "onboarding.form.registeredServerForm.included.push": "Mobile push notifications", - "onboarding.form.registeredServerForm.included.externalProviders": "Integration with external providers (WhatsApp, Facebook, Telegram, Twitter)", - "onboarding.form.registeredServerForm.included.apps": "Access to marketplace apps", - "onboarding.form.registeredServerForm.fields.accountEmail.inputLabel": "Cloud account email", - "onboarding.form.registeredServerForm.fields.accountEmail.tooltipLabel": "To register your server, we need to connect it to your cloud account. If you already have one - we will link it automatically. Otherwise, a new account will be created", - "onboarding.form.registeredServerForm.fields.accountEmail.inputPlaceholder": "Please enter your Email", - "onboarding.form.registeredServerForm.keepInformed": "Keep me informed about news and events", - "onboarding.form.registeredServerForm.continueStandalone": "Continue as standalone", - "onboarding.form.registeredServerForm.agreeToReceiveUpdates": "By registering I agree to receive relevant product and security updates", - "onboarding.form.standaloneServerForm.title": "Standalone Server Confirmation", - "onboarding.form.standaloneServerForm.servicesUnavailable": "Some of the services will be unavailable or will require manual setup", - "onboarding.form.standaloneServerForm.publishOwnApp": "In order to send push notitications you need to compile and publish your own app to Google Play and App Store", - "onboarding.form.standaloneServerForm.manuallyIntegrate": "Need to manually integrate with external services" + "403": "Forbidden", + "500": "Internal Server Error", + "__count__empty_rooms_will_be_removed_automatically": "__count__ empty rooms will be removed automatically.", + "__count__empty_rooms_will_be_removed_automatically__rooms__": "__count__ empty rooms will be removed automatically:
__rooms__.", + "__username__is_no_longer__role__defined_by__user_by_": "__username__ is no longer __role__ by __user_by__", + "__username__was_set__role__by__user_by_": "__username__ was set __role__ by __user_by__", + "This_room_encryption_has_been_enabled_by__username_": "This room's encryption has been enabled by __username__", + "This_room_encryption_has_been_disabled_by__username_": "This room's encryption has been disabled by __username__", + "@username": "@username", + "@username_message": "@username ", + "#channel": "#channel", + "%_of_conversations": "% of Conversations", + "0_Errors_Only": "0 - Errors Only", + "1_Errors_and_Information": "1 - Errors and Information", + "2_Erros_Information_and_Debug": "2 - Errors, Information and Debug", + "12_Hour": "12-hour clock", + "24_Hour": "24-hour clock", + "A_new_owner_will_be_assigned_automatically_to__count__rooms": "A new owner will be assigned automatically to __count__ rooms.", + "A_new_owner_will_be_assigned_automatically_to_the__roomName__room": "A new owner will be assigned automatically to the __roomName__ room.", + "A_new_owner_will_be_assigned_automatically_to_those__count__rooms__rooms__": "A new owner will be assigned automatically to those __count__ rooms:
__rooms__.", + "Accept": "Accept", + "Accept_Call": "Accept Call", + "Accept_incoming_livechat_requests_even_if_there_are_no_online_agents": "Accept incoming omnichannel requests even if there are no online agents", + "Accept_new_livechats_when_agent_is_idle": "Accept new omnichannel requests when the agent is idle", + "Accept_with_no_online_agents": "Accept with No Online Agents", + "Access_not_authorized": "Access not authorized", + "Access_Token_URL": "Access Token URL", + "access-mailer": "Access Mailer Screen", + "access-mailer_description": "Permission to send mass email to all users.", + "access-permissions": "Access Permissions Screen", + "access-permissions_description": "Modify permissions for various roles.", + "access-setting-permissions": "Modify Setting-Based Permissions", + "access-setting-permissions_description": "Permission to modify setting-based permissions", + "Accessing_permissions": "Accessing permissions", + "Account_SID": "Account SID", + "Account": "Account", + "Accounts": "Accounts", + "Accounts_Description": "Modify workspace member account settings.", + "Accounts_Admin_Email_Approval_Needed_Default": "

The user [name] ([email]) has been registered.

Please check \"Administration -> Users\" to activate or delete it.

", + "Accounts_Admin_Email_Approval_Needed_Subject_Default": "A new user registered and needs approval", + "Accounts_Admin_Email_Approval_Needed_With_Reason_Default": "

The user [name] ([email]) has been registered.

Reason: [reason]

Please check \"Administration -> Users\" to activate or delete it.

", + "Accounts_AllowAnonymousRead": "Allow Anonymous Read", + "Accounts_AllowAnonymousWrite": "Allow Anonymous Write", + "Accounts_AllowDeleteOwnAccount": "Allow Users to Delete Own Account", + "Accounts_AllowedDomainsList": "Allowed Domains List", + "Accounts_AllowedDomainsList_Description": "Comma-separated list of allowed domains", + "Accounts_AllowInvisibleStatusOption": "Allow Invisible status option", + "Accounts_AllowEmailChange": "Allow Email Change", + "Accounts_AllowEmailNotifications": "Allow Email Notifications", + "Accounts_AllowPasswordChange": "Allow Password Change", + "Accounts_AllowPasswordChangeForOAuthUsers": "Allow Password Change for OAuth Users", + "Accounts_AllowRealNameChange": "Allow Name Change", + "Accounts_AllowUserAvatarChange": "Allow User Avatar Change", + "Accounts_AllowUsernameChange": "Allow Username Change", + "Accounts_AllowUserProfileChange": "Allow User Profile Change", + "Accounts_AllowUserStatusMessageChange": "Allow Custom Status Message", + "Accounts_AvatarBlockUnauthenticatedAccess": "Block Unauthenticated Access to Avatars", + "Accounts_AvatarCacheTime": "Avatar cache time", + "Accounts_AvatarCacheTime_description": "Number of seconds the http protocol is told to cache the avatar images.", + "Accounts_AvatarExternalProviderUrl": "Avatar External Provider URL", + "Accounts_AvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{username}`", + "Accounts_AvatarResize": "Resize Avatars", + "Accounts_AvatarSize": "Avatar Size", + "Accounts_BlockedDomainsList": "Blocked Domains List", + "Accounts_BlockedDomainsList_Description": "Comma-separated list of blocked domains", + "Accounts_BlockedUsernameList": "Blocked Username List", + "Accounts_BlockedUsernameList_Description": "Comma-separated list of blocked usernames (case-insensitive)", + "Accounts_CustomFields_Description": "Should be a valid JSON where keys are the field names containing a dictionary of field settings. Example:
{\n \"role\": {\n \"type\": \"select\",\n \"defaultValue\": \"student\",\n \"options\": [\"teacher\", \"student\"],\n \"required\": true,\n \"modifyRecordField\": {\n \"array\": true,\n \"field\": \"roles\"\n }\n },\n \"twitter\": {\n \"type\": \"text\",\n \"required\": true,\n \"minLength\": 2,\n \"maxLength\": 10\n }\n} ", + "Accounts_CustomFieldsToShowInUserInfo": "Custom Fields to Show in User Info", + "Accounts_Default_User_Preferences": "Default User Preferences", + "Accounts_Default_User_Preferences_audioNotifications": "Audio Notifications Default Alert", + "Accounts_Default_User_Preferences_desktopNotifications": "Desktop Notifications Default Alert", + "Accounts_Default_User_Preferences_pushNotifications": "Push Notifications Default Alert", + "Accounts_Default_User_Preferences_not_available": "Failed to retrieve User Preferences because they haven't been set up by the user yet", + "Accounts_DefaultUsernamePrefixSuggestion": "Default Username Prefix Suggestion", + "Accounts_denyUnverifiedEmail": "Deny unverified email", + "Accounts_Directory_DefaultView": "Default Directory Listing", + "Accounts_Email_Activated": "[name]

Your account was activated.

", + "Accounts_Email_Activated_Subject": "Account activated", + "Accounts_Email_Approved": "[name]

Your account was approved.

", + "Accounts_Email_Approved_Subject": "Account approved", + "Accounts_Email_Deactivated": "[name]

Your account was deactivated.

", + "Accounts_Email_Deactivated_Subject": "Account deactivated", + "Accounts_EmailVerification": "Only allow verified users to login", + "Accounts_EmailVerification_Description": "Make sure you have correct SMTP settings to use this feature", + "Accounts_Enrollment_Email": "Enrollment Email", + "Accounts_Enrollment_Email_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", + "Accounts_Enrollment_Email_Description": "You may use the following placeholders:
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Accounts_Enrollment_Email_Subject_Default": "Welcome to [Site_Name]", + "Accounts_ForgetUserSessionOnWindowClose": "Forget User Session on Window Close", + "Accounts_Iframe_api_method": "Api Method", + "Accounts_Iframe_api_url": "API URL", + "Accounts_iframe_enabled": "Enabled", + "Accounts_iframe_url": "Iframe URL", + "Accounts_LoginExpiration": "Login Expiration in Days", + "Accounts_ManuallyApproveNewUsers": "Manually Approve New Users", + "Accounts_OAuth_Apple": "Sign in with Apple", + "Accounts_OAuth_Custom_Access_Token_Param": "Param Name for access token", + "Accounts_OAuth_Custom_Authorize_Path": "Authorize Path", + "Accounts_OAuth_Custom_Avatar_Field": "Avatar field", + "Accounts_OAuth_Custom_Button_Color": "Button Color", + "Accounts_OAuth_Custom_Button_Label_Color": "Button Text Color", + "Accounts_OAuth_Custom_Button_Label_Text": "Button Text", + "Accounts_OAuth_Custom_Channel_Admin": "User Data Group Map", + "Accounts_OAuth_Custom_Channel_Map": "OAuth Group Channel Map", + "Accounts_OAuth_Custom_Email_Field": "Email field", + "Accounts_OAuth_Custom_Enable": "Enable", + "Accounts_OAuth_Custom_Groups_Claim": "Roles/Groups field for channel mapping", + "Accounts_OAuth_Custom_id": "Id", + "Accounts_OAuth_Custom_Identity_Path": "Identity Path", + "Accounts_OAuth_Custom_Identity_Token_Sent_Via": "Identity Token Sent Via", + "Accounts_OAuth_Custom_Key_Field": "Key Field", + "Accounts_OAuth_Custom_Login_Style": "Login Style", + "Accounts_OAuth_Custom_Map_Channels": "Map Roles/Groups to channels", + "Accounts_OAuth_Custom_Merge_Roles": "Merge Roles from SSO", + "Accounts_OAuth_Custom_Merge_Users": "Merge users", + "Accounts_OAuth_Custom_Name_Field": "Name field", + "Accounts_OAuth_Custom_Roles_Claim": "Roles/Groups field name", + "Accounts_OAuth_Custom_Roles_To_Sync": "Roles to Sync", + "Accounts_OAuth_Custom_Roles_To_Sync_Description": "OAuth Roles to sync on user login and creation (comma-separated).", + "Accounts_OAuth_Custom_Scope": "Scope", + "Accounts_OAuth_Custom_Secret": "Secret", + "Accounts_OAuth_Custom_Show_Button_On_Login_Page": "Show Button on Login Page", + "Accounts_OAuth_Custom_Token_Path": "Token Path", + "Accounts_OAuth_Custom_Token_Sent_Via": "Token Sent Via", + "Accounts_OAuth_Custom_Username_Field": "Username field", + "Accounts_OAuth_Drupal": "Drupal Login Enabled", + "Accounts_OAuth_Drupal_callback_url": "Drupal oAuth2 Redirect URI", + "Accounts_OAuth_Drupal_id": "Drupal oAuth2 Client ID", + "Accounts_OAuth_Drupal_secret": "Drupal oAuth2 Client Secret", + "Accounts_OAuth_Facebook": "Facebook Login", + "Accounts_OAuth_Facebook_callback_url": "Facebook Callback URL", + "Accounts_OAuth_Facebook_id": "Facebook App ID", + "Accounts_OAuth_Facebook_secret": "Facebook Secret", + "Accounts_OAuth_Github": "OAuth Enabled", + "Accounts_OAuth_Github_callback_url": "Github Callback URL", + "Accounts_OAuth_GitHub_Enterprise": "OAuth Enabled", + "Accounts_OAuth_GitHub_Enterprise_callback_url": "GitHub Enterprise Callback URL", + "Accounts_OAuth_GitHub_Enterprise_id": "Client Id", + "Accounts_OAuth_GitHub_Enterprise_secret": "Client Secret", + "Accounts_OAuth_Github_id": "Client Id", + "Accounts_OAuth_Github_secret": "Client Secret", + "Accounts_OAuth_Gitlab": "OAuth Enabled", + "Accounts_OAuth_Gitlab_callback_url": "GitLab Callback URL", + "Accounts_OAuth_Gitlab_id": "GitLab Id", + "Accounts_OAuth_Gitlab_identity_path": "Identity Path", + "Accounts_OAuth_Gitlab_merge_users": "Merge Users", + "Accounts_OAuth_Gitlab_secret": "Client Secret", + "Accounts_OAuth_Google": "Google Login", + "Accounts_OAuth_Google_callback_url": "Google Callback URL", + "Accounts_OAuth_Google_id": "Google Id", + "Accounts_OAuth_Google_secret": "Google Secret", + "Accounts_OAuth_Linkedin": "LinkedIn Login", + "Accounts_OAuth_Linkedin_callback_url": "Linkedin Callback URL", + "Accounts_OAuth_Linkedin_id": "LinkedIn Id", + "Accounts_OAuth_Linkedin_secret": "LinkedIn Secret", + "Accounts_OAuth_Meteor": "Meteor Login", + "Accounts_OAuth_Meteor_callback_url": "Meteor Callback URL", + "Accounts_OAuth_Meteor_id": "Meteor Id", + "Accounts_OAuth_Meteor_secret": "Meteor Secret", + "Accounts_OAuth_Nextcloud": "OAuth Enabled", + "Accounts_OAuth_Nextcloud_callback_url": "Nextcloud Callback URL", + "Accounts_OAuth_Nextcloud_id": "Nextcloud Id", + "Accounts_OAuth_Nextcloud_secret": "Client Secret", + "Accounts_OAuth_Nextcloud_URL": "Nextcloud Server URL", + "Accounts_OAuth_Proxy_host": "Proxy Host", + "Accounts_OAuth_Proxy_services": "Proxy Services", + "Accounts_OAuth_Tokenpass": "Tokenpass Login", + "Accounts_OAuth_Tokenpass_callback_url": "Tokenpass Callback URL", + "Accounts_OAuth_Tokenpass_id": "Tokenpass Id", + "Accounts_OAuth_Tokenpass_secret": "Tokenpass Secret", + "Accounts_OAuth_Twitter": "Twitter Login", + "Accounts_OAuth_Twitter_callback_url": "Twitter Callback URL", + "Accounts_OAuth_Twitter_id": "Twitter Id", + "Accounts_OAuth_Twitter_secret": "Twitter Secret", + "Accounts_OAuth_Wordpress": "WordPress Login", + "Accounts_OAuth_Wordpress_authorize_path": "Authorize Path", + "Accounts_OAuth_Wordpress_callback_url": "WordPress Callback URL", + "Accounts_OAuth_Wordpress_id": "WordPress Id", + "Accounts_OAuth_Wordpress_identity_path": "Identity Path", + "Accounts_OAuth_Wordpress_identity_token_sent_via": "Identity Token Sent Via", + "Accounts_OAuth_Wordpress_scope": "Scope", + "Accounts_OAuth_Wordpress_secret": "WordPress Secret", + "Accounts_OAuth_Wordpress_server_type_custom": "Custom", + "Accounts_OAuth_Wordpress_server_type_wordpress_com": "Wordpress.com", + "Accounts_OAuth_Wordpress_server_type_wp_oauth_server": "WP OAuth Server Plugin", + "Accounts_OAuth_Wordpress_token_path": "Token Path", + "Accounts_Password_Policy_AtLeastOneLowercase": "At Least One Lowercase", + "Accounts_Password_Policy_AtLeastOneLowercase_Description": "Enforce that a password contain at least one lowercase character.", + "Accounts_Password_Policy_AtLeastOneNumber": "At Least One Number", + "Accounts_Password_Policy_AtLeastOneNumber_Description": "Enforce that a password contain at least one numerical character.", + "Accounts_Password_Policy_AtLeastOneSpecialCharacter": "At Least One Symbol", + "Accounts_Password_Policy_AtLeastOneSpecialCharacter_Description": "Enforce that a password contain at least one special character.", + "Accounts_Password_Policy_AtLeastOneUppercase": "At Least One Uppercase", + "Accounts_Password_Policy_AtLeastOneUppercase_Description": "Enforce that a password contain at least one uppercase character.", + "Accounts_Password_Policy_Enabled": "Enable Password Policy", + "Accounts_Password_Policy_Enabled_Description": "When enabled, user passwords must adhere to the policies set forth. Note: this only applies to new passwords, not existing passwords.", + "Accounts_Password_Policy_ForbidRepeatingCharacters": "Forbid Repeating Characters", + "Accounts_Password_Policy_ForbidRepeatingCharacters_Description": "Ensures passwords do not contain the same character repeating next to each other.", + "Accounts_Password_Policy_ForbidRepeatingCharactersCount": "Max Repeating Characters", + "Accounts_Password_Policy_ForbidRepeatingCharactersCount_Description": "The amount of times a character can be repeating before it is not allowed.", + "Accounts_Password_Policy_MaxLength": "Maximum Length", + "Accounts_Password_Policy_MaxLength_Description": "Ensures that passwords do not have more than this amount of characters. Use `-1` to disable.", + "Accounts_Password_Policy_MinLength": "Minimum Length", + "Accounts_Password_Policy_MinLength_Description": "Ensures that passwords must have at least this amount of characters. Use `-1` to disable.", + "Accounts_PasswordReset": "Password Reset", + "Accounts_Registration_AuthenticationServices_Default_Roles": "Default Roles for Authentication Services", + "Accounts_Registration_AuthenticationServices_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through authentication services", + "Accounts_Registration_AuthenticationServices_Enabled": "Registration with Authentication Services", + "Accounts_Registration_Users_Default_Roles": "Default Roles for Users", + "Accounts_Registration_Users_Default_Roles_Description": "Default roles (comma-separated) users will be given when registering through manual registration (including via API)", + "Accounts_Registration_Users_Default_Roles_Enabled": "Enable Default Roles for Manual Registration", + "Accounts_Registration_InviteUrlType": "Invite URL Type", + "Accounts_Registration_InviteUrlType_Direct": "Direct", + "Accounts_Registration_InviteUrlType_Proxy": "Proxy", + "Accounts_RegistrationForm": "Registration Form", + "Accounts_RegistrationForm_Disabled": "Disabled", + "Accounts_RegistrationForm_LinkReplacementText": "Registration Form Link Replacement Text", + "Accounts_RegistrationForm_Public": "Public", + "Accounts_RegistrationForm_Secret_URL": "Secret URL", + "Accounts_RegistrationForm_SecretURL": "Registration Form Secret URL", + "Accounts_RegistrationForm_SecretURL_Description": "You must provide a random string that will be added to your registration URL. Example: https://open.rocket.chat/register/[secret_hash]", + "Accounts_RequireNameForSignUp": "Require Name For Signup", + "Accounts_RequirePasswordConfirmation": "Require Password Confirmation", + "Accounts_RoomAvatarExternalProviderUrl": "Room Avatar External Provider URL", + "Accounts_RoomAvatarExternalProviderUrl_Description": "Example: `https://acme.com/api/v1/{roomId}`", + "Accounts_SearchFields": "Fields to Consider in Search", + "Accounts_Send_Email_When_Activating": "Send email to user when user is activated", + "Accounts_Send_Email_When_Deactivating": "Send email to user when user is deactivated", + "Accounts_Set_Email_Of_External_Accounts_as_Verified": "Set email of external accounts as verified", + "Accounts_Set_Email_Of_External_Accounts_as_Verified_Description": "Accounts created from external services, like LDAP, OAuth, etc, will have their emails verified automatically", + "Accounts_SetDefaultAvatar": "Set Default Avatar", + "Accounts_SetDefaultAvatar_Description": "Tries to determine default avatar based on OAuth Account or Gravatar", + "Accounts_ShowFormLogin": "Show Default Login Form", + "Accounts_TwoFactorAuthentication_By_TOTP_Enabled": "Enable Two Factor Authentication via TOTP", + "Accounts_TwoFactorAuthentication_By_TOTP_Enabled_Description": "Users can setup their Two Factor Authentication using any TOTP App, like Google Authenticator or Authy.", + "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In": "Auto opt in new users for Two Factor via Email", + "Accounts_TwoFactorAuthentication_By_Email_Auto_Opt_In_Description": "New users will have the Two Factor Authentication via Email enabled by default. They will be able to disable it in their profile page.", + "Accounts_TwoFactorAuthentication_By_Email_Code_Expiration": "Time to expire the code sent via email in seconds", + "Accounts_TwoFactorAuthentication_By_Email_Enabled": "Enable Two Factor Authentication via Email", + "Accounts_TwoFactorAuthentication_By_Email_Enabled_Description": "Users with email verified and the option enabled in their profile page will receive an email with a temporary code to authorize certain actions like login, save the profile, etc.", + "Accounts_TwoFactorAuthentication_Enabled": "Enable Two Factor Authentication", + "Accounts_TwoFactorAuthentication_Enabled_Description": "If deactivated, this setting will deactivate all Two Factor Authentication.
To force users to use Two Factor Authentication, the admin has to configure the 'user' role to enforce it.", + "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback": "Enforce password fallback", + "Accounts_TwoFactorAuthentication_Enforce_Password_Fallback_Description": "Users will be forced to enter their password, for important actions, if no other Two Factor Authentication method is enabled for that user and a password is set for him.", + "Accounts_TwoFactorAuthentication_MaxDelta": "Maximum Delta", + "Accounts_TwoFactorAuthentication_MaxDelta_Description": "The Maximum Delta determines how many tokens are valid at any given time. Tokens are generated every 30 seconds, and are valid for (30 * Maximum Delta) seconds.
Example: With a Maximum Delta set to 10, each token can be used up to 300 seconds before or after it's timestamp. This is useful when the client's clock is not properly synced with the server.", + "Accounts_TwoFactorAuthentication_RememberFor": "Remember Two Factor for (seconds)", + "Accounts_TwoFactorAuthentication_RememberFor_Description": "Do not request two factor authorization code if it was already provided before in the given time.", + "Accounts_UseDefaultBlockedDomainsList": "Use Default Blocked Domains List", + "Accounts_UseDNSDomainCheck": "Use DNS Domain Check", + "Accounts_UserAddedEmail_Default": "

Welcome to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

You may login using your email: [email] and password: [password]. You may be required to change it after your first login.", + "Accounts_UserAddedEmail_Description": "You may use the following placeholders:

  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [password] for the user's password.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Accounts_UserAddedEmailSubject_Default": "You have been added to [Site_Name]", + "Accounts_Verify_Email_For_External_Accounts": "Verify Email for External Accounts", + "Action": "Action", + "Action_required": "Action required", + "Activate": "Activate", + "Active": "Active", + "Active_users": "Active users", + "Activity": "Activity", + "Add": "Add", + "Add_agent": "Add agent", + "Add_custom_emoji": "Add custom emoji", + "Add_custom_oauth": "Add custom oauth", + "Add_Domain": "Add Domain", + "Add_files_from": "Add files from", + "Add_manager": "Add manager", + "Add_monitor": "Add monitor", + "Add_Reaction": "Add Reaction", + "Add_Role": "Add Role", + "Add_Sender_To_ReplyTo": "Add Sender to Reply-To", + "Add_URL": "Add URL", + "Add_user": "Add user", + "Add_User": "Add User", + "Add_users": "Add users", + "Add_members": "Add Members", + "add-all-to-room": "Add all users to a room", + "add-livechat-department-agents": "Add Omnichannel Agents to Departments", + "add-livechat-department-agents_description": "Permission to add omnichannel agents to departments", + "add-oauth-service": "Add Oauth Service", + "add-oauth-service_description": "Permission to add a new Oauth service", + "add-user": "Add User", + "add-user_description": "Permission to add new users to the server via users screen", + "add-user-to-any-c-room": "Add User to Any Public Channel", + "add-user-to-any-c-room_description": "Permission to add a user to any public channel", + "add-user-to-any-p-room": "Add User to Any Private Channel", + "add-user-to-any-p-room_description": "Permission to add a user to any private channel", + "add-user-to-joined-room": "Add User to Any Joined Channel", + "add-user-to-joined-room_description": "Permission to add a user to a currently joined channel", + "added__roomName__to_team": "added #__roomName__ to this Team", + "Added__username__to_team": "added @__user_added__ to this Team", + "Adding_OAuth_Services": "Adding OAuth Services", + "Adding_permission": "Adding permission", + "Adding_user": "Adding user", + "Additional_emails": "Additional Emails", + "Additional_Feedback": "Additional Feedback", + "additional_integrations_Bots": "If you are looking for how to integrate your own bot, then look no further than our Hubot adapter. https://github.com/RocketChat/hubot-rocketchat", + "additional_integrations_Zapier": "Are you looking to integrate other software and applications with Rocket.Chat but you don't have the time to manually do it? Then we suggest using Zapier which we fully support. Read more about it on our documentation. https://rocket.chat/docs/administrator-guides/integrations/zapier/using-zaps/", + "Admin_disabled_encryption": "Your administrator did not enable E2E encryption.", + "Admin_Info": "Admin Info", + "Administration": "Administration", + "Adult_images_are_not_allowed": "Adult images are not allowed", + "Aerospace_and_Defense": "Aerospace & Defense", + "After_OAuth2_authentication_users_will_be_redirected_to_this_URL": "After OAuth2 authentication, users will be redirected to an URL on this list. You can add one URL per line.", + "Agent": "Agent", + "Agent_added": "Agent added", + "Agent_Info": "Agent Info", + "Agent_messages": "Agent Messages", + "Agent_Name": "Agent Name", + "Agent_Name_Placeholder": "Please enter an agent name...", + "Agent_removed": "Agent removed", + "Agent_deactivated": "Agent was deactivated", + "Agent_Without_Extensions": "Agent Without Extensions", + "Agents": "Agents", + "Alerts": "Alerts", + "Alias": "Alias", + "Alias_Format": "Alias Format", + "Alias_Format_Description": "Import messages from Slack with an alias; %s is replaced by the username of the user. If empty, no alias will be used.", + "Alias_Set": "Alias Set", + "Aliases": "Aliases", + "All": "All", + "All_Apps": "All Apps", + "All_added_tokens_will_be_required_by_the_user": "All added tokens will be required by the user", + "All_categories": "All categories", + "All_channels": "All channels", + "All_closed_chats_have_been_removed": "All closed chats have been removed", + "All_logs": "All logs", + "All_messages": "All messages", + "All_users": "All users", + "All_users_in_the_channel_can_write_new_messages": "All users in the channel can write new messages", + "Allow_collect_and_store_HTTP_header_informations": "Allow to collect and store HTTP header informations", + "Allow_collect_and_store_HTTP_header_informations_description": "This setting determines whether Livechat is allowed to store information collected from HTTP header data, such as IP address, User-Agent, and so on.", + "Allow_Invalid_SelfSigned_Certs": "Allow Invalid Self-Signed Certs", + "Allow_Invalid_SelfSigned_Certs_Description": "Allow invalid and self-signed SSL certificate's for link validation and previews.", + "Allow_Marketing_Emails": "Allow Marketing Emails", + "Allow_Online_Agents_Outside_Business_Hours": "Allow online agents outside of business hours", + "Allow_Online_Agents_Outside_Office_Hours": "Allow online agents outside of office hours", + "Allow_Save_Media_to_Gallery": "Allow Save Media to Gallery", + "Allow_switching_departments": "Allow Visitor to Switch Departments", + "Almost_done": "Almost done", + "Alphabetical": "Alphabetical", + "Also_send_to_channel": "Also send to channel", + "Always_open_in_new_window": "Always Open in New Window", + "Analytics": "Analytics", + "Analytics_Description": "See how users interact with your workspace.", + "Analytics_features_enabled": "Features Enabled", + "Analytics_features_messages_Description": "Tracks custom events related to actions a user does on messages.", + "Analytics_features_rooms_Description": "Tracks custom events related to actions on a channel or group (create, leave, delete).", + "Analytics_features_users_Description": "Tracks custom events related to actions related to users (password reset times, profile picture change, etc).", + "Analytics_Google": "Google Analytics", + "Analytics_Google_id": "Tracking ID", + "and": "and", + "And_more": "And __length__ more", + "Animals_and_Nature": "Animals & Nature", + "Announcement": "Announcement", + "Anonymous": "Anonymous", + "Answer_call": "Answer Call", + "API": "API", + "API_Add_Personal_Access_Token": "Add new Personal Access Token", + "API_Allow_Infinite_Count": "Allow Getting Everything", + "API_Allow_Infinite_Count_Description": "Should calls to the REST API be allowed to return everything in one call?", + "API_Analytics": "Analytics", + "API_CORS_Origin": "CORS Origin", + "API_Default_Count": "Default Count", + "API_Default_Count_Description": "The default count for REST API results if the consumer did not provided any.", + "API_Drupal_URL": "Drupal Server URL", + "API_Drupal_URL_Description": "Example: https://domain.com (excluding trailing slash)", + "API_Embed": "Embed Link Previews", + "API_Embed_Description": "Whether embedded link previews are enabled or not when a user posts a link to a website.", + "API_Embed_UserAgent": "Embed Request User Agent", + "API_EmbedCacheExpirationDays": "Embed Cache Expiration Days", + "API_EmbedDisabledFor": "Disable Embed for Users", + "API_EmbedDisabledFor_Description": "Comma-separated list of usernames to disable the embedded link previews.", + "API_EmbedIgnoredHosts": "Embed Ignored Hosts", + "API_EmbedIgnoredHosts_Description": "Comma-separated list of hosts or CIDR addresses, eg. localhost, 127.0.0.1, 10.0.0.0/8, 172.16.0.0/12, 192.168.0.0/16", + "API_EmbedSafePorts": "Safe Ports", + "API_EmbedSafePorts_Description": "Comma-separated list of ports allowed for previewing.", + "API_Enable_CORS": "Enable CORS", + "API_Enable_Direct_Message_History_EndPoint": "Enable Direct Message History Endpoint", + "API_Enable_Direct_Message_History_EndPoint_Description": "This enables the `/api/v1/im.history.others` which allows the viewing of direct messages sent by other users that the caller is not part of.", + "API_Enable_Personal_Access_Tokens": "Enable Personal Access Tokens to REST API", + "API_Enable_Personal_Access_Tokens_Description": "Enable personal access tokens for use with the REST API", + "API_Enable_Rate_Limiter": "Enable Rate Limiter", + "API_Enable_Rate_Limiter_Dev": "Enable Rate Limiter in development", + "API_Enable_Rate_Limiter_Dev_Description": "Should limit the amount of calls to the endpoints in the development environment?", + "API_Enable_Rate_Limiter_Limit_Calls_Default": "Default number calls to the rate limiter", + "API_Enable_Rate_Limiter_Limit_Calls_Default_Description": "Number of default calls for each endpoint of the REST API, allowed within the time range defined below", + "API_Enable_Rate_Limiter_Limit_Time_Default": "Default time limit for the rate limiter (in ms)", + "API_Enable_Rate_Limiter_Limit_Time_Default_Description": "Default timeout to limit the number of calls at each endpoint of the REST API(in ms)", + "API_Enable_Shields": "Enable Shields", + "API_Enable_Shields_Description": "Enable shields available at `/api/v1/shield.svg`", + "API_GitHub_Enterprise_URL": "Server URL", + "API_GitHub_Enterprise_URL_Description": "Example: http://domain.com (excluding trailing slash)", + "API_Gitlab_URL": "GitLab URL", + "API_Personal_Access_Token_Generated": "Personal Access Token successfully generated", + "API_Personal_Access_Token_Generated_Text_Token_s_UserId_s": "Please save your token carefully as you will no longer be able to view it afterwards.
Token: __token__
Your user Id: __userId__", + "API_Personal_Access_Token_Name": "Personal Access Token Name", + "API_Personal_Access_Tokens_Regenerate_It": "Regenerate token", + "API_Personal_Access_Tokens_Regenerate_Modal": "If you lost or forgot your token, you can regenerate it, but remember that all applications that use this token should be updated", + "API_Personal_Access_Tokens_Remove_Modal": "Are you sure you wish to remove this personal access token?", + "API_Personal_Access_Tokens_To_REST_API": "Personal access tokens to REST API", + "API_Rate_Limiter": "API Rate Limiter", + "API_Shield_Types": "Shield Types", + "API_Shield_Types_Description": "Types of shields to enable as a comma separated list, choose from `online`, `channel` or `*` for all", + "API_Shield_user_require_auth": "Require authentication for users shields", + "API_Token": "API Token", + "API_Tokenpass_URL": "Tokenpass Server URL", + "API_Tokenpass_URL_Description": "Example: https://domain.com (excluding trailing slash)", + "API_Upper_Count_Limit": "Max Record Amount", + "API_Upper_Count_Limit_Description": "What is the maximum number of records the REST API should return (when not unlimited)?", + "API_Use_REST_For_DDP_Calls": "Use REST instead of websocket for Meteor calls", + "API_User_Limit": "User Limit for Adding All Users to Channel", + "API_Wordpress_URL": "WordPress URL", + "api-bypass-rate-limit": "Bypass rate limit for REST API", + "api-bypass-rate-limit_description": "Permission to call api without rate limitation", + "Apiai_Key": "Api.ai Key", + "Apiai_Language": "Api.ai Language", + "APIs": "APIs", + "App_author_homepage": "author homepage", + "App_Details": "App details", + "App_Info": "App Info", + "App_Information": "App Information", + "App_Installation": "App Installation", + "App_status_auto_enabled": "Enabled", + "App_status_constructed": "Constructed", + "App_status_disabled": "Disabled", + "App_status_error_disabled": "Disabled: Uncaught Error", + "App_status_initialized": "Initialized", + "App_status_invalid_license_disabled": "Disabled: Invalid License", + "App_status_invalid_settings_disabled": "Disabled: Configuration Needed", + "App_status_manually_disabled": "Disabled: Manually", + "App_status_manually_enabled": "Enabled", + "App_status_unknown": "Unknown", + "App_support_url": "support url", + "App_Url_to_Install_From": "Install from URL", + "App_Url_to_Install_From_File": "Install from file", + "App_user_not_allowed_to_login": "App users are not allowed to log in directly.", + "Appearance": "Appearance", + "Application_added": "Application added", + "Application_delete_warning": "You will not be able to recover this Application!", + "Application_Name": "Application Name", + "Application_updated": "Application updated", + "Apply": "Apply", + "Apply_and_refresh_all_clients": "Apply and refresh all clients", + "Apps": "Apps", + "Apps_Engine_Version": "Apps Engine Version", + "Apps_Essential_Alert": "This app is essential for the following events:", + "Apps_Essential_Disclaimer": "Events listed above will be disrupted if this app is disabled. If you want Rocket.Chat to work without this app's functionality, you need to uninstall it", + "Apps_Framework_Development_Mode": "Enable development mode", + "Apps_Framework_Development_Mode_Description": "Development mode allows the installation of Apps that are not from the Rocket.Chat's Marketplace.", + "Apps_Framework_enabled": "Enable the App Framework", + "Apps_Framework_Source_Package_Storage_Type": "Apps' Source Package Storage type", + "Apps_Framework_Source_Package_Storage_Type_Description": "Choose where all the apps' source code will be stored. Apps can have multiple megabytes in size each.", + "Apps_Framework_Source_Package_Storage_Type_Alert": "Changing where the apps are stored may cause instabilities in apps there are already installed", + "Apps_Framework_Source_Package_Storage_FileSystem_Path": "Directory for storing apps source package", + "Apps_Framework_Source_Package_Storage_FileSystem_Path_Description": "Absolute path in the filesystem for storing the apps' source code (in zip file format)", + "Apps_Framework_Source_Package_Storage_FileSystem_Alert": "Make sure the chosen directory exist and Rocket.Chat can access it (e.g. permission to read/write)", + "Apps_Game_Center": "Game Center", + "Apps_Game_Center_Back": "Back to Game Center", + "Apps_Game_Center_Invite_Friends": "Invite your friends to join", + "Apps_Game_Center_Play_Game_Together": "@here Let's play __name__ together!", + "Apps_Interface_IPostExternalComponentClosed": "Event happening after an external component is closed", + "Apps_Interface_IPostExternalComponentOpened": "Event happening after an external component is opened", + "Apps_Interface_IPostMessageDeleted": "Event happening after a message is deleted", + "Apps_Interface_IPostMessageSent": "Event happening after a message is sent", + "Apps_Interface_IPostMessageUpdated": "Event happening after a message is updated", + "Apps_Interface_IPostRoomCreate": "Event happening after a room is created", + "Apps_Interface_IPostRoomDeleted": "Event happening after a room is deleted", + "Apps_Interface_IPostRoomUserJoined": "Event happening after a user joins a room (private group, public channel)", + "Apps_Interface_IPreMessageDeletePrevent": "Event happening before a message is deleted", + "Apps_Interface_IPreMessageSentExtend": "Event happening before a message is sent", + "Apps_Interface_IPreMessageSentModify": "Event happening before a message is sent", + "Apps_Interface_IPreMessageSentPrevent": "Event happening before a message is sent", + "Apps_Interface_IPreMessageUpdatedExtend": "Event happening before a message is updated", + "Apps_Interface_IPreMessageUpdatedModify": "Event happening before a message is updated", + "Apps_Interface_IPreMessageUpdatedPrevent": "Event happening before a message is updated", + "Apps_Interface_IPreRoomCreateExtend": "Event happening before a room is created", + "Apps_Interface_IPreRoomCreateModify": "Event happening before a room is created", + "Apps_Interface_IPreRoomCreatePrevent": "Event happening before a room is created", + "Apps_Interface_IPreRoomDeletePrevent": "Event happening before a room is deleted", + "Apps_Interface_IPreRoomUserJoined": "Event happening before a user joins a room (private group, public channel)", + "Apps_License_Message_appId": "License hasn't been issued for this app", + "Apps_License_Message_bundle": "License issued for a bundle that does not contain the app", + "Apps_License_Message_expire": "License is no longer valid and needs to be renewed", + "Apps_License_Message_maxSeats": "License does not accomodate the current amount of active users. Please increase the number of seats", + "Apps_License_Message_publicKey": "There has been an error trying to decrypt the license. Please sync your workspace in the Connectivity Services and try again", + "Apps_License_Message_renewal": "License has expired and needs to be renewed", + "Apps_License_Message_seats": "License does not have enough seats to accommodate the current amount of active users. Please increase the number of seats", + "Apps_Logs_TTL": "Number of days to keep logs from apps stored", + "Apps_Logs_TTL_7days": "7 days", + "Apps_Logs_TTL_14days": "14 days", + "Apps_Logs_TTL_30days": "30 days", + "Apps_Logs_TTL_Alert": "Depending on the size of the Logs collection, changing this setting may cause slowness for some moments", + "Apps_Marketplace_Deactivate_App_Prompt": "Do you really want to disable this app?", + "Apps_Marketplace_Login_Required_Description": "Purchasing apps from the Rocket.Chat Marketplace requires registering your workspace and logging in.", + "Apps_Marketplace_Login_Required_Title": "Marketplace Login Required", + "Apps_Marketplace_Modify_App_Subscription": "Modify Subscription", + "Apps_Marketplace_pricingPlan_monthly": "__price__ / month", + "Apps_Marketplace_pricingPlan_monthly_perUser": "__price__ / month per user", + "Apps_Marketplace_pricingPlan_monthly_trialDays": "__price__ / month-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_monthly_perUser_trialDays": "__price__ / month per user-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_monthly": " __price__+* / month", + "Apps_Marketplace_pricingPlan_+*_monthly_trialDays": " __price__+* / month-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_monthly_perUser": " __price__+* / month per user", + "Apps_Marketplace_pricingPlan_+*_monthly_perUser_trialDays": " __price__+* / month per user-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_yearly": " __price__+* / year", + "Apps_Marketplace_pricingPlan_+*_yearly_trialDays": " __price__+* / year-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_+*_yearly_perUser": " __price__+* / year per user", + "Apps_Marketplace_pricingPlan_+*_yearly_perUser_trialDays": " __price__+* / year per user-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_yearly_trialDays": "__price__ / year-__trialDays__-day trial", + "Apps_Marketplace_pricingPlan_yearly_perUser_trialDays": "__price__ / year per user-__trialDays__-day trial", + "Apps_Marketplace_Uninstall_App_Prompt": "Do you really want to uninstall this app?", + "Apps_Marketplace_Uninstall_Subscribed_App_Anyway": "Uninstall it anyway", + "Apps_Marketplace_Uninstall_Subscribed_App_Prompt": "This app has an active subscription and uninstalling will not cancel it. If you'd like to do that, please modify your subscription before uninstalling.", + "Apps_Permissions_Review_Modal_Title": "Required Permissions", + "Apps_Permissions_Review_Modal_Subtitle": "This app would like access to the following permissions. Do you agree?", + "Apps_Permissions_No_Permissions_Required": "The App does not require additional permissions", + "Apps_Permissions_cloud_workspace-token": "Interact with Cloud Services on behalf of this server", + "Apps_Permissions_user_read": "Access user information", + "Apps_Permissions_user_write": "Modify user information", + "Apps_Permissions_upload_read": "Access files uploaded to this server", + "Apps_Permissions_upload_write": "Upload files to this server", + "Apps_Permissions_server-setting_read": "Access settings in this server", + "Apps_Permissions_server-setting_write": "Modify settings in this server", + "Apps_Permissions_room_read": "Access room information", + "Apps_Permissions_room_write": "Create and modify rooms", + "Apps_Permissions_message_read": "Access messages", + "Apps_Permissions_message_write": "Send and modify messages", + "Apps_Permissions_livechat-status_read": "Access Livechat status information", + "Apps_Permissions_livechat-custom-fields_write": "Modify Livechat custom field configuration", + "Apps_Permissions_livechat-visitor_read": "Access Livechat visitor information", + "Apps_Permissions_livechat-visitor_write": "Modify Livechat visitor information", + "Apps_Permissions_livechat-message_read": "Access Livechat message information", + "Apps_Permissions_livechat-message_write": "Modify Livechat message information", + "Apps_Permissions_livechat-room_read": "Access Livechat room information", + "Apps_Permissions_livechat-room_write": "Modify Livechat room information", + "Apps_Permissions_livechat-department_read": "Access Livechat department information", + "Apps_Permissions_livechat-department_multiple": "Access to multiple Livechat departments information", + "Apps_Permissions_livechat-department_write": "Modify Livechat department information", + "Apps_Permissions_slashcommand": "Register new slash commands", + "Apps_Permissions_api": "Register new HTTP endpoints", + "Apps_Permissions_env_read": "Access minimal information about this server environment", + "Apps_Permissions_networking": "Access to this server network", + "Apps_Permissions_persistence": "Store internal data in the database", + "Apps_Permissions_scheduler": "Register and maintain scheduled jobs", + "Apps_Permissions_ui_interact": "Interact with the UI", + "Apps_Settings": "App's Settings", + "Apps_Manual_Update_Modal_Title": "This app is already installed", + "Apps_Manual_Update_Modal_Body": "Do you want to update it?", + "Apps_User_Already_Exists": "The username \"__username__\" is already being used. Rename or remove the user using it to install this App", + "Apps_WhatIsIt": "Apps: What Are They?", + "Apps_WhatIsIt_paragraph1": "A new icon in the administration area! What does this mean and what are Apps?", + "Apps_WhatIsIt_paragraph2": "First off, Apps in this context do not refer to the mobile applications. In fact, it would be best to think of them in terms of plugins or advanced integrations.", + "Apps_WhatIsIt_paragraph3": "Secondly, they are dynamic scripts or packages which will allow you to customize your Rocket.Chat instance without having to fork the codebase. But do keep in mind, this is a new feature set and due to that it might not be 100% stable. Also, we are still developing the feature set so not everything can be customized at this point in time. For more information about getting started developing an app, go here to read:", + "Apps_WhatIsIt_paragraph4": "But with that said, if you are interested in enabling this feature and trying it out then here click this button to enable the Apps system.", + "Archive": "Archive", + "archive-room": "Archive Room", + "archive-room_description": "Permission to archive a channel", + "are_typing": "are typing", + "Are_you_sure": "Are you sure?", + "Are_you_sure_you_want_to_clear_all_unread_messages": "Are you sure you want to clear all unread messages?", + "Are_you_sure_you_want_to_close_this_chat": "Are you sure you want to close this chat?", + "Are_you_sure_you_want_to_delete_this_record": "Are you sure you want to delete this record?", + "Are_you_sure_you_want_to_delete_your_account": "Are you sure you want to delete your account?", + "Are_you_sure_you_want_to_disable_Facebook_integration": "Are you sure you want to disable Facebook integration?", + "Assets": "Assets", + "Assets_Description": "Modify your workspace's logo, icon, favicon and more.", + "Assign_admin": "Assigning admin", + "Assign_new_conversations_to_bot_agent": "Assign new conversations to bot agent", + "Assign_new_conversations_to_bot_agent_description": "The routing system will attempt to find a bot agent before addressing new conversations to a human agent.", + "assign-admin-role": "Assign Admin Role", + "assign-admin-role_description": "Permission to assign the admin role to other users", + "assign-roles": "Assign Roles", + "assign-roles_description": "Permission to assign roles to other users", + "Associate": "Associate", + "Associate_Agent": "Associate Agent", + "Associate_Agent_to_Extension": "Associate Agent to Extension", + "at": "at", + "At_least_one_added_token_is_required_by_the_user": "At least one added token is required by the user", + "AtlassianCrowd": "Atlassian Crowd", + "AtlassianCrowd_Description": "Integrate Atlassian Crowd.", + "Attachment_File_Uploaded": "File Uploaded", + "Attribute_handling": "Attribute handling", + "Audio": "Audio", + "Audio_message": "Audio message", + "Audio_Notification_Value_Description": "Can be any custom sound or the default ones: beep, chelle, ding, droplet, highbell, seasons", + "Audio_Notifications_Default_Alert": "Audio Notifications Default Alert", + "Audio_Notifications_Value": "Default Message Notification Audio", + "Audio_settings": "Audio Settings", + "Audios": "Audios", + "Auditing": "Auditing", + "Auth_Token": "Auth Token", + "Authentication": "Authentication", + "Author": "Author", + "Author_Information": "Author Information", + "Author_Site": "Author site", + "Authorization_URL": "Authorization URL", + "Authorize": "Authorize", + "Auto_Load_Images": "Auto Load Images", + "Auto_Selection": "Auto Selection", + "Auto_Translate": "Auto-Translate", + "auto-translate": "Auto Translate", + "auto-translate_description": "Permission to use the auto translate tool", + "AutoLinker": "AutoLinker", + "AutoLinker_Email": "AutoLinker Email", + "AutoLinker_Phone": "AutoLinker Phone", + "AutoLinker_Phone_Description": "Automatically linked for Phone numbers. e.g. `(123)456-7890`", + "AutoLinker_StripPrefix": "AutoLinker Strip Prefix", + "AutoLinker_StripPrefix_Description": "Short display. e.g. https://rocket.chat => rocket.chat", + "AutoLinker_Urls_Scheme": "AutoLinker Scheme:// URLs", + "AutoLinker_Urls_TLD": "AutoLinker TLD URLs", + "AutoLinker_Urls_www": "AutoLinker 'www' URLs", + "AutoLinker_UrlsRegExp": "AutoLinker URL Regular Expression", + "Automatic_Translation": "Automatic Translation", + "AutoTranslate": "Auto-Translate", + "AutoTranslate_APIKey": "API Key", + "AutoTranslate_Change_Language_Description": "Changing the auto-translate language does not translate previous messages.", + "AutoTranslate_DeepL": "DeepL", + "AutoTranslate_Enabled": "Enable Auto-Translate", + "AutoTranslate_Enabled_Description": "Enabling auto-translation will allow people with the auto-translate permission to have all messages automatically translated into their selected language. Fees may apply.", + "AutoTranslate_Google": "Google", + "AutoTranslate_Microsoft": "Microsoft", + "AutoTranslate_Microsoft_API_Key": "Ocp-Apim-Subscription-Key", + "AutoTranslate_ServiceProvider": "Service Provider", + "Available": "Available", + "Available_agents": "Available agents", + "Available_departments": "Available Departments", + "Avatar": "Avatar", + "Avatars": "Avatars", + "Avatar_changed_successfully": "Avatar changed successfully", + "Avatar_URL": "Avatar URL", + "Avatar_format_invalid": "Invalid Format. Only image type is allowed", + "Avatar_url_invalid_or_error": "The url provided is invalid or not accessible. Please try again, but with a different url.", + "Avg_chat_duration": "Average of Chat Duration", + "Avg_first_response_time": "Average of First Response Time", + "Avg_of_abandoned_chats": "Average of Abandoned Chats", + "Avg_of_available_service_time": "Average of Service Available Time", + "Avg_of_chat_duration_time": "Average of Chat Duration Time", + "Avg_of_service_time": "Average of Service Time", + "Avg_of_waiting_time": "Average of Waiting Time", + "Avg_reaction_time": "Average of Reaction Time", + "Avg_response_time": "Average of Response Time", + "away": "away", + "Away": "Away", + "Back": "Back", + "Back_to_applications": "Back to applications", + "Back_to_chat": "Back to chat", + "Back_to_imports": "Back to imports", + "Back_to_integration_detail": "Back to the integration detail", + "Back_to_integrations": "Back to integrations", + "Back_to_login": "Back to login", + "Back_to_Manage_Apps": "Back to Manage Apps", + "Back_to_permissions": "Back to permissions", + "Back_to_room": "Back to Room", + "Back_to_threads": "Back to threads", + "Backup_codes": "Backup codes", + "ban-user": "Ban User", + "ban-user_description": "Permission to ban a user from a channel", + "BBB_End_Meeting": "End Meeting", + "BBB_Enable_Teams": "Enable for Teams", + "BBB_Join_Meeting": "Join Meeting", + "BBB_Start_Meeting": "Start Meeting", + "BBB_Video_Call": "BBB Video Call", + "BBB_You_have_no_permission_to_start_a_call": "You have no permission to start a call", + "Belongs_To": "Belongs To", + "Best_first_response_time": "Best first response time", + "Beta_feature_Depends_on_Video_Conference_to_be_enabled": "Beta feature. Depends on Video Conference to be enabled.", + "Better": "Better", + "Bio": "Bio", + "Bio_Placeholder": "Bio Placeholder", + "Block": "Block", + "Block_Multiple_Failed_Logins_Attempts_Until_Block_By_Ip": "How many failed attempts until block by IP", + "Block_Multiple_Failed_Logins_Attempts_Until_Block_by_User": "How many failed attempts until block by User", + "Block_Multiple_Failed_Logins_By_Ip": "Block failed login attempts by IP", + "Block_Multiple_Failed_Logins_By_User": "Block failed login attempts by Username", + "Block_Multiple_Failed_Logins_Enable_Collect_Login_data_Description": "Stores IP and username from log in attempts to a collection on database", + "Block_Multiple_Failed_Logins_Enabled": "Enable collect log in data", + "Block_Multiple_Failed_Logins_Ip_Whitelist": "IP Whitelist", + "Block_Multiple_Failed_Logins_Ip_Whitelist_Description": "Comma-separated list of whitelisted IPs", + "Block_Multiple_Failed_Logins_Time_To_Unblock_By_Ip_In_Minutes": "Time to unblock IP (In Minutes)", + "Block_Multiple_Failed_Logins_Time_To_Unblock_By_User_In_Minutes": "Time to unblock User (In Minutes)", + "Block_Multiple_Failed_Logins_Notify_Failed": "Notify of failed login attempts", + "Block_Multiple_Failed_Logins_Notify_Failed_Channel": "Channel to send the notifications", + "Block_Multiple_Failed_Logins_Notify_Failed_Channel_Desc": "This is where notifications will be received. Make sure the channel exists. The channel name should not include # symbol", + "Block_User": "Block User", + "Blockchain": "Blockchain", + "Body": "Body", + "bold": "bold", + "bot_request": "Bot request", + "BotHelpers_userFields": "User Fields", + "BotHelpers_userFields_Description": "CSV of user fields that can be accessed by bots helper methods.", + "Bot": "Bot", + "Bots": "Bots", + "Bots_Description": "Set the fields that can be referenced and used when developing bots.", + "Branch": "Branch", + "Broadcast": "Broadcast", + "Broadcast_channel": "Broadcast Channel", + "Broadcast_channel_Description": "Only authorized users can write new messages, but the other users will be able to reply", + "Broadcast_Connected_Instances": "Broadcast Connected Instances", + "Broadcasting_api_key": "Broadcasting API Key", + "Broadcasting_client_id": "Broadcasting Client ID", + "Broadcasting_client_secret": "Broadcasting Client Secret", + "Broadcasting_enabled": "Broadcasting Enabled", + "Broadcasting_media_server_url": "Broadcasting Media Server URL", + "Browse_Files": "Browse Files", + "Browser_does_not_support_audio_element": "Your browser does not support the audio element.", + "Browser_does_not_support_video_element": "Your browser does not support the video element.", + "Bugsnag_api_key": "Bugsnag API Key", + "Build_Environment": "Build Environment", + "bulk-register-user": "Bulk Create Users", + "bulk-register-user_description": "Permission to create users in bulk", + "bundle_chip_title": "__bundleName__ Bundle", + "Bundles": "Bundles", + "Busiest_day": "Busiest Day", + "Busiest_time": "Busiest Time", + "Business_Hour": "Business Hour", + "Business_Hour_Removed": "Business Hour Removed", + "Business_Hours": "Business Hours", + "Business_hours_enabled": "Business hours enabled", + "Business_hours_updated": "Business hours updated", + "busy": "busy", + "Busy": "Busy", + "By": "By", + "by": "by", + "By_author": "By __author__", + "cache_cleared": "Cache cleared", + "Call": "Call", + "Calling": "Calling", + "Call_Center": "Call Center", + "Call_Center_Description": "Configure Rocket.Chat call center.", + "Calls_in_queue": "__calls__ call in queue", + "Calls_in_queue_plural": "__calls__ calls in queue", + "Calls_in_queue_empty": "Queue is empty", + "Call_declined": "Call Declined!", + "Call_Information": "Call Information", + "Call_provider": "Call Provider", + "Call_Already_Ended": "Call Already Ended", + "call-management": "Call Management", + "call-management_description": "Permission to start a meeting", + "Caller": "Caller", + "Caller_Id": "Caller ID", + "Cancel": "Cancel", + "Cancel_message_input": "Cancel", + "Canceled": "Canceled", + "Canned_Response_Created": "Canned Response created", + "Canned_Response_Updated": "Canned Response updated", + "Canned_Response_Delete_Warning": "Deleting a canned response cannot be undone.", + "Canned_Response_Removed": "Canned Response Removed", + "Canned_Response_Sharing_Department_Description": "Anyone in the selected department can access this canned response", + "Canned_Response_Sharing_Private_Description": "Only you and Omnichannel managers can access this canned response", + "Canned_Response_Sharing_Public_Description": "Anyone can access this canned response", + "Canned_Responses": "Canned Responses", + "Canned_Responses_Enable": "Enable Canned Responses", + "Create_your_First_Canned_Response": "Create Your First Canned Response", + "Cannot_invite_users_to_direct_rooms": "Cannot invite users to direct rooms", + "Cannot_open_conversation_with_yourself": "Cannot Direct Message with yourself", + "Cannot_share_your_location": "Cannot share your location...", + "Cannot_disable_while_on_call": "Can't change status during calls ", + "CAS": "CAS", + "CAS_Description": "Central Authentication Service allows members to use one set of credentials to sign in to multiple sites over multiple protocols.", + "CAS_autoclose": "Autoclose Login Popup", + "CAS_base_url": "SSO Base URL", + "CAS_base_url_Description": "The base URL of your external SSO service e.g: https://sso.example.undef/sso/", + "CAS_button_color": "Login Button Background Color", + "CAS_button_label_color": "Login Button Text Color", + "CAS_button_label_text": "Login Button Label", + "CAS_Creation_User_Enabled": "Allow user creation", + "CAS_Creation_User_Enabled_Description": "Allow CAS User creation from data provided by the CAS ticket.", + "CAS_enabled": "Enabled", + "CAS_Login_Layout": "CAS Login Layout", + "CAS_login_url": "SSO Login URL", + "CAS_login_url_Description": "The login URL of your external SSO service e.g: https://sso.example.undef/sso/login", + "CAS_popup_height": "Login Popup Height", + "CAS_popup_width": "Login Popup Width", + "CAS_Sync_User_Data_Enabled": "Always Sync User Data", + "CAS_Sync_User_Data_Enabled_Description": "Always synchronize external CAS User data into available attributes upon login. Note: Attributes are always synced upon account creation anyway.", + "CAS_Sync_User_Data_FieldMap": "Attribute Map", + "CAS_Sync_User_Data_FieldMap_Description": "Use this JSON input to build internal attributes (key) from external attributes (value). External attribute names enclosed with '%' will interpolated in value strings.
Example, `{\"email\":\"%email%\", \"name\":\"%firstname%, %lastname%\"}`

The attribute map is always interpolated. In CAS 1.0 only the `username` attribute is available. Available internal attributes are: username, name, email, rooms; rooms is a comma separated list of rooms to join upon user creation e.g: {\"rooms\": \"%team%,%department%\"} would join CAS users on creation to their team and department channel.", + "CAS_trust_username": "Trust CAS username", + "CAS_trust_username_description": "When enabled, Rocket.Chat will trust that any username from CAS belongs to the same user on Rocket.Chat.
This may be needed if a user is renamed on CAS, but may also allow people to take control of Rocket.Chat accounts by renaming their own CAS users.", + "CAS_version": "CAS Version", + "CAS_version_Description": "Only use a supported CAS version supported by your CAS SSO service.", + "Categories": "Categories", + "Categories*": "Categories*", + "CDN_JSCSS_PREFIX": "CDN Prefix for JS/CSS", + "CDN_PREFIX": "CDN Prefix", + "CDN_PREFIX_ALL": "Use CDN Prefix for all assets", + "Certificates_and_Keys": "Certificates and Keys", + "change-livechat-room-visitor": "Change Livechat Room Visitors", + "change-livechat-room-visitor_description": "Permission to add additional information to the livechat room visitor", + "Change_Room_Type": "Changing the Room Type", + "Changing_email": "Changing email", + "channel": "channel", + "Channel": "Channel", + "Channel_already_exist": "The channel `#%s` already exists.", + "Channel_already_exist_static": "The channel already exists.", + "Channel_already_Unarchived": "Channel with name `#%s` is already in Unarchived state", + "Channel_Archived": "Channel with name `#%s` has been archived successfully", + "Channel_created": "Channel `#%s` created.", + "Channel_doesnt_exist": "The channel `#%s` does not exist.", + "Channel_Export": "Channel Export", + "Channel_name": "Channel Name", + "Channel_Name_Placeholder": "Please enter channel name...", + "Channel_to_listen_on": "Channel to listen on", + "Channel_Unarchived": "Channel with name `#%s` has been Unarchived successfully", + "Channels": "Channels", + "Channels_added": "Channels added sucessfully", + "Channels_are_where_your_team_communicate": "Channels are where your team communicate", + "Channels_list": "List of public channels", + "Channel_what_is_this_channel_about": "What is this channel about?", + "Chart": "Chart", + "Chat_button": "Chat button", + "Chat_close": "Chat Close", + "Chat_closed": "Chat closed", + "Chat_closed_by_agent": "Chat closed by agent", + "Chat_closed_successfully": "Chat closed successfully", + "Chat_History": "Chat History", + "Chat_Now": "Chat Now", + "chat_on_hold_due_to_inactivity": "This chat is on-hold due to inactivity", + "Chat_On_Hold": "Chat On-Hold", + "Chat_On_Hold_Successfully": "This chat was successfully placed On-Hold", + "Chat_queued": "Chat Queued", + "Chat_removed": "Chat Removed", + "Chat_resumed": "Chat Resumed", + "Chat_start": "Chat Start", + "Chat_started": "Chat started", + "Chat_taken": "Chat Taken", + "Chat_window": "Chat window", + "Chatops_Enabled": "Enable Chatops", + "Chatops_Title": "Chatops Panel", + "Chatops_Username": "Chatops Username", + "Chatpal_AdminPage": "Chatpal Admin Page", + "Chatpal_All_Results": "Everything", + "Chatpal_API_Key": "API Key", + "Chatpal_API_Key_Description": "You don't yet have an API Key? Get one!", + "Chatpal_Backend": "Backend Type", + "Chatpal_Backend_Description": "Select if you want to use Chatpal as a Service or as On-Site Installation", + "Chatpal_Base_URL": "Base Url", + "Chatpal_Base_URL_Description": "Find some description how to run a local instance on github. The URL must be absolue and point to the chatpal core, e.g. http://localhost:8983/solr/chatpal.", + "Chatpal_Batch_Size": "Index Batch Size", + "Chatpal_Batch_Size_Description": "The batch size of index documents (on bootstrapping)", + "Chatpal_channel_not_joined_yet": "Channel not joined yet", + "Chatpal_create_key": "Create Key", + "Chatpal_created_key_successfully": "API-Key created successfully", + "Chatpal_Current_Room_Only": "Same room", + "Chatpal_Default_Result_Type": "Default Result Type", + "Chatpal_Default_Result_Type_Description": "Defines which result type is shown by result. All means that an overview for all types is provided.", + "Chat_Duration": "Chat Duration", + "Chatpal_Email_Address": "Email Address", + "Chatpal_ERROR_Email_must_be_set": "Email must be set", + "Chatpal_ERROR_Email_must_be_valid": "Email must be valid", + "Chatpal_ERROR_TAC_must_be_checked": "Terms and Conditions must be checked", + "Chatpal_ERROR_username_already_exists": "Username already exists", + "Chatpal_Get_more_information_about_chatpal_on_our_website": "Get more information about Chatpal on http://chatpal.io!", + "Chatpal_go_to_message": "Jump", + "Chatpal_go_to_room": "Jump", + "Chatpal_go_to_user": "Send direct message", + "Chatpal_HTTP_Headers": "Http Headers", + "Chatpal_HTTP_Headers_Description": "List of HTTP Headers, one header per line. Format: name:value", + "Chatpal_Include_All_Public_Channels": "Include All Public Channels", + "Chatpal_Include_All_Public_Channels_Description": "Search in all public channels, even if you haven't joined them yet.", + "Chatpal_Main_Language": "Main Language", + "Chatpal_Main_Language_Description": "The language that is used most in conversations", + "Chatpal_Messages": "Messages", + "Chatpal_Messages_Only": "Messages", + "Chatpal_More": "More", + "Chatpal_No_Results": "No Results", + "Chatpal_no_search_results": "No result", + "Chatpal_one_search_result": "Found 1 result", + "Chatpal_Rooms": "Rooms", + "Chatpal_run_search": "Search", + "Chatpal_search_page_of": "Page %s of %s", + "Chatpal_search_results": "Found %s results", + "Chatpal_Search_Results": "Search Results", + "Chatpal_Suggestion_Enabled": "Suggestions enabled", + "Chatpal_TAC_read": "I have read the terms and conditions", + "Chatpal_Terms_and_Conditions": "Terms and Conditions", + "Chatpal_Timeout_Size": "Index Timeout", + "Chatpal_Timeout_Size_Description": "The time between 2 index windows in ms (on bootstrapping)", + "Chatpal_Users": "Users", + "Chatpal_Welcome": "Enjoy your search!", + "Chatpal_Window_Size": "Index Window Size", + "Chatpal_Window_Size_Description": "The size of index windows in hours (on bootstrapping)", + "Chats_removed": "Chats Removed", + "Check_All": "Check All", + "Check_if_the_spelling_is_correct": "Check if the spelling is correct", + "Check_Progress": "Check Progress", + "Choose_a_room": "Choose a room", + "Choose_messages": "Choose messages", + "Choose_the_alias_that_will_appear_before_the_username_in_messages": "Choose the alias that will appear before the username in messages.", + "Choose_the_username_that_this_integration_will_post_as": "Choose the username that this integration will post as.", + "Choose_users": "Choose users", + "Clean_Usernames": "Clear usernames", + "clean-channel-history": "Clean Channel History", + "clean-channel-history_description": "Permission to Clear the history from channels", + "clear": "Clear", + "Clear_all_unreads_question": "Clear all unreads?", + "clear_cache_now": "Clear Cache Now", + "Clear_filters": "Clear filters", + "clear_history": "Clear History", + "Clear_livechat_session_when_chat_ended": "Clear guest session when chat ended", + "clear-oembed-cache": "Clear OEmbed cache", + "Click_here": "Click here", + "Click_here_for_more_details_or_contact_sales_for_a_new_license": "Click here for more details or contact __email__ for a new license.", + "Click_here_for_more_info": "Click here for more info", + "Click_here_to_clear_the_selection": "Click here to clear the selection", + "Click_here_to_enter_your_encryption_password": "Click here to enter your encryption password", + "Click_here_to_view_and_copy_your_password": "Click here to view and copy your password.", + "Click_the_messages_you_would_like_to_send_by_email": "Click the messages you would like to send by e-mail", + "Click_to_join": "Click to Join!", + "Click_to_load": "Click to load", + "Client_ID": "Client ID", + "Client_Secret": "Client Secret", + "Clients_will_refresh_in_a_few_seconds": "Clients will refresh in a few seconds", + "close": "close", + "Close": "Close", + "Close_chat": "Close chat", + "Close_room_description": "You are about to close this chat. Are you sure you want to continue?", + "Close_to_seat_limit_banner_warning": "*You have [__seats__] seats left* \nThis workspace is nearing its seat limit. Once the limit is met no new members can be added. *[Request More Seats](__url__)*", + "Close_to_seat_limit_warning": "New members cannot be created once the seat limit is met.", + "close-livechat-room": "Close Omnichannel Room", + "close-livechat-room_description": "Permission to close the current Omnichannel room", + "Close_menu": "Close menu", + "close-others-livechat-room": "Close other Omnichannel Room", + "close-others-livechat-room_description": "Permission to close other Omnichannel rooms", + "Closed": "Closed", + "Closed_At": "Closed at", + "Closed_automatically": "Closed automatically by the system", + "Closed_automatically_chat_queued_too_long": "Closed automatically by the system (queue maximum time exceeded)", + "Closed_by_visitor": "Closed by visitor", + "Closing_chat": "Closing chat", + "Closing_chat_message": "Closing chat message", + "Cloud": "Cloud", + "Cloud_Apply_Offline_License": "Apply Offline License", + "Cloud_Change_Offline_License": "Change Offline License", + "Cloud_License_applied_successfully": "License applied successfully!", + "Cloud_Invalid_license": "Invalid license!", + "Cloud_Apply_license": "Apply license", + "Cloud_connectivity": "Cloud Connectivity", + "Cloud_address_to_send_registration_to": "The address to send your Cloud registration email to.", + "Cloud_click_here": "After copy the text, go to [cloud console (click here)](__cloudConsoleUrl__).", + "Cloud_console": "Cloud Console", + "Cloud_error_code": "Code: __errorCode__", + "Cloud_error_in_authenticating": "Error received while authenticating", + "Cloud_Info": "Cloud Info", + "Cloud_login_to_cloud": "Login to Rocket.Chat Cloud", + "Cloud_logout": "Logout of Rocket.Chat Cloud", + "Cloud_manually_input_token": "Enter the token received from the Cloud Console.", + "Cloud_register_error": "There has been an error trying to process your request. Please try again later.", + "Cloud_Register_manually": "Register Offline", + "Cloud_register_offline_finish_helper": "After completing the registration process in the Cloud Console you should be presented with some text. Please paste it here to finish the registration.", + "Cloud_register_offline_helper": "Workspaces can be manually registered if airgapped or network access is restricted. Copy the text below and go to our Cloud Console to complete the process.", + "Cloud_register_success": "Your workspace has been successfully registered!", + "Cloud_registration_pending_html": "Push notifications will not work until the registration is finished. Learn more", + "Cloud_registration_pending_title": "Cloud registration is still pending", + "Cloud_registration_required": "Registration Required", + "Cloud_registration_required_description": "Looks like during setup you didn't chose to register your workspace.", + "Cloud_registration_required_link_text": "Click here to register your workspace.", + "Cloud_resend_email": "Resend Email", + "Cloud_Service_Agree_PrivacyTerms": "Cloud Service Privacy Terms Agreement", + "Cloud_Service_Agree_PrivacyTerms_Description": "I agree with the [Terms](https://rocket.chat/terms) & [Privacy Policy](https://rocket.chat/privacy)", + "Cloud_Service_Agree_PrivacyTerms_Login_Disabled_Warning": "You should accept the cloud privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to connect to your cloud workspace", + "Cloud_status_page_description": "If a particular Cloud Service is having issues you can check for known issues on our status page at", + "Cloud_token_instructions": "To Register your workspace go to Cloud Console. Login or Create an account and click register self-managed. Paste the token provided below", + "Cloud_troubleshooting": "Troubleshooting", + "Cloud_update_email": "Update Email", + "Cloud_what_is_it": "What is this?", + "Cloud_what_is_it_additional": "In addition you will be able to manage licenses, billing and support from the Rocket.Chat Cloud Console.", + "Cloud_what_is_it_description": "Rocket.Chat Cloud Connect allows you to connect your self-hosted Rocket.Chat Workspace to services we provide in our Cloud.", + "Cloud_what_is_it_services_like": "Services like:", + "Cloud_workspace_connected": "Your workspace is connected to Rocket.Chat Cloud. Logging into your Rocket.Chat Cloud account here will allow you to interact with some services like marketplace.", + "Cloud_workspace_connected_plus_account": "Your workspace is now connected to the Rocket.Chat Cloud and an account is associated.", + "Cloud_workspace_connected_without_account": "Your workspace is now connected to the Rocket.Chat Cloud. If you would like, you can login to the Rocket.Chat Cloud and associate your workspace with your Cloud account.", + "Cloud_workspace_disconnect": "If you no longer wish to utilize cloud services you can disconnect your workspace from Rocket.Chat Cloud.", + "Cloud_workspace_support": "If you have trouble with a cloud service, please try to sync first. Should the issue persist, please open a support ticket in the Cloud Console.", + "Collaborative": "Collaborative", + "Collapse": "Collapse", + "Collapse_Embedded_Media_By_Default": "Collapse Embedded Media by Default", + "color": "Color", + "Color": "Color", + "Colors": "Colors", + "Commands": "Commands", + "Comment_to_leave_on_closing_session": "Comment to Leave on Closing Session", + "Comment": "Comment", + "Common_Access": "Common Access", + "Community": "Community", + "Compact": "Compact", + "Composer_not_available_phone_calls": "Messages are not available on phone calls", + "Condensed": "Condensed", + "Condition": "Condition", + "Commit_details": "Commit Details", + "Completed": "Completed", + "Computer": "Computer", + "Configure_Incoming_Mail_IMAP": "Configure Incoming Mail (IMAP)", + "Configure_Outgoing_Mail_SMTP": "Configure Outgoing Mail (SMTP)", + "Confirm": "Confirm", + "Confirm_new_encryption_password": "Confirm new encryption password", + "Confirm_new_password": "Confirm New Password", + "Confirm_New_Password_Placeholder": "Please re-enter new password...", + "Confirm_password": "Confirm your password", + "Confirmation": "Confirmation", + "Connect": "Connect", + "Connected": "Connected", + "Connect_SSL_TLS": "Connect with SSL/TLS", + "Connection_Closed": "Connection closed", + "Connection_Reset": "Connection reset", + "Connection_error": "Connection error", + "Connection_success": "LDAP Connection Successful", + "Connection_failed": "LDAP Connection Failed", + "Connectivity_Services": "Connectivity Services", + "Consulting": "Consulting", + "Consumer_Packaged_Goods": "Consumer Packaged Goods", + "Contact": "Contact", + "Contacts": "Contacts", + "Contact_Name": "Contact Name", + "Contact_Center": "Contact Center", + "Contact_Chat_History": "Contact Chat History", + "Contains_Security_Fixes": "Contains Security Fixes", + "Contact_Manager": "Contact Manager", + "Contact_not_found": "Contact not found", + "Contact_Profile": "Contact Profile", + "Contact_Info": "Contact Information", + "Content": "Content", + "Continue": "Continue", + "Continuous_sound_notifications_for_new_livechat_room": "Continuous sound notifications for new omnichannel room", + "Conversation": "Conversation", + "Conversation_closed": "Conversation closed: __comment__.", + "Conversation_closing_tags": "Conversation closing tags", + "Conversation_closing_tags_description": "Closing tags will be automatically assigned to conversations at closing.", + "Conversation_finished": "Conversation Finished", + "Conversation_finished_message": "Conversation Finished Message", + "Conversation_finished_text": "Conversation Finished Text", + "conversation_with_s": "the conversation with %s", + "Conversations": "Conversations", + "Conversations_per_day": "Conversations per Day", + "Convert": "Convert", + "Convert_Ascii_Emojis": "Convert ASCII to Emoji", + "Convert_to_channel": "Convert to Channel", + "Converting_channel_to_a_team": "You are converting this Channel to a Team. All members will be kept.", + "Converted__roomName__to_team": "converted #__roomName__ to a Team", + "Converted__roomName__to_channel": "converted #__roomName__ to a Channel", + "Converting_team_to_channel": "Converting Team to Channel", + "Copied": "Copied", + "Copy": "Copy", + "Copy_text": "Copy Text", + "Copy_to_clipboard": "Copy to clipboard", + "COPY_TO_CLIPBOARD": "COPY TO CLIPBOARD", + "could-not-access-webdav": "Could not access WebDAV", + "Count": "Count", + "Counters": "Counters", + "Country": "Country", + "Country_Afghanistan": "Afghanistan", + "Country_Albania": "Albania", + "Country_Algeria": "Algeria", + "Country_American_Samoa": "American Samoa", + "Country_Andorra": "Andorra", + "Country_Angola": "Angola", + "Country_Anguilla": "Anguilla", + "Country_Antarctica": "Antarctica", + "Country_Antigua_and_Barbuda": "Antigua and Barbuda", + "Country_Argentina": "Argentina", + "Country_Armenia": "Armenia", + "Country_Aruba": "Aruba", + "Country_Australia": "Australia", + "Country_Austria": "Austria", + "Country_Azerbaijan": "Azerbaijan", + "Country_Bahamas": "Bahamas", + "Country_Bahrain": "Bahrain", + "Country_Bangladesh": "Bangladesh", + "Country_Barbados": "Barbados", + "Country_Belarus": "Belarus", + "Country_Belgium": "Belgium", + "Country_Belize": "Belize", + "Country_Benin": "Benin", + "Country_Bermuda": "Bermuda", + "Country_Bhutan": "Bhutan", + "Country_Bolivia": "Bolivia", + "Country_Bosnia_and_Herzegovina": "Bosnia and Herzegovina", + "Country_Botswana": "Botswana", + "Country_Bouvet_Island": "Bouvet Island", + "Country_Brazil": "Brazil", + "Country_British_Indian_Ocean_Territory": "British Indian Ocean Territory", + "Country_Brunei_Darussalam": "Brunei Darussalam", + "Country_Bulgaria": "Bulgaria", + "Country_Burkina_Faso": "Burkina Faso", + "Country_Burundi": "Burundi", + "Country_Cambodia": "Cambodia", + "Country_Cameroon": "Cameroon", + "Country_Canada": "Canada", + "Country_Cape_Verde": "Cape Verde", + "Country_Cayman_Islands": "Cayman Islands", + "Country_Central_African_Republic": "Central African Republic", + "Country_Chad": "Chad", + "Country_Chile": "Chile", + "Country_China": "China", + "Country_Christmas_Island": "Christmas Island", + "Country_Cocos_Keeling_Islands": "Cocos (Keeling) Islands", + "Country_Colombia": "Colombia", + "Country_Comoros": "Comoros", + "Country_Congo": "Congo", + "Country_Congo_The_Democratic_Republic_of_The": "Congo, The Democratic Republic of The", + "Country_Cook_Islands": "Cook Islands", + "Country_Costa_Rica": "Costa Rica", + "Country_Cote_Divoire": "Cote D'ivoire", + "Country_Croatia": "Croatia", + "Country_Cuba": "Cuba", + "Country_Cyprus": "Cyprus", + "Country_Czech_Republic": "Czech Republic", + "Country_Denmark": "Denmark", + "Country_Djibouti": "Djibouti", + "Country_Dominica": "Dominica", + "Country_Dominican_Republic": "Dominican Republic", + "Country_Ecuador": "Ecuador", + "Country_Egypt": "Egypt", + "Country_El_Salvador": "El Salvador", + "Country_Equatorial_Guinea": "Equatorial Guinea", + "Country_Eritrea": "Eritrea", + "Country_Estonia": "Estonia", + "Country_Ethiopia": "Ethiopia", + "Country_Falkland_Islands_Malvinas": "Falkland Islands (Malvinas)", + "Country_Faroe_Islands": "Faroe Islands", + "Country_Fiji": "Fiji", + "Country_Finland": "Finland", + "Country_France": "France", + "Country_French_Guiana": "French Guiana", + "Country_French_Polynesia": "French Polynesia", + "Country_French_Southern_Territories": "French Southern Territories", + "Country_Gabon": "Gabon", + "Country_Gambia": "Gambia", + "Country_Georgia": "Georgia", + "Country_Germany": "Germany", + "Country_Ghana": "Ghana", + "Country_Gibraltar": "Gibraltar", + "Country_Greece": "Greece", + "Country_Greenland": "Greenland", + "Country_Grenada": "Grenada", + "Country_Guadeloupe": "Guadeloupe", + "Country_Guam": "Guam", + "Country_Guatemala": "Guatemala", + "Country_Guinea": "Guinea", + "Country_Guinea_bissau": "Guinea-bissau", + "Country_Guyana": "Guyana", + "Country_Haiti": "Haiti", + "Country_Heard_Island_and_Mcdonald_Islands": "Heard Island and Mcdonald Islands", + "Country_Holy_See_Vatican_City_State": "Holy See (Vatican City State)", + "Country_Honduras": "Honduras", + "Country_Hong_Kong": "Hong Kong", + "Country_Hungary": "Hungary", + "Country_Iceland": "Iceland", + "Country_India": "India", + "Country_Indonesia": "Indonesia", + "Country_Iran_Islamic_Republic_of": "Iran, Islamic Republic of", + "Country_Iraq": "Iraq", + "Country_Ireland": "Ireland", + "Country_Israel": "Israel", + "Country_Italy": "Italy", + "Country_Jamaica": "Jamaica", + "Country_Japan": "Japan", + "Country_Jordan": "Jordan", + "Country_Kazakhstan": "Kazakhstan", + "Country_Kenya": "Kenya", + "Country_Kiribati": "Kiribati", + "Country_Korea_Democratic_Peoples_Republic_of": "Korea, Democratic People's Republic of", + "Country_Korea_Republic_of": "Korea, Republic of", + "Country_Kuwait": "Kuwait", + "Country_Kyrgyzstan": "Kyrgyzstan", + "Country_Lao_Peoples_Democratic_Republic": "Lao People's Democratic Republic", + "Country_Latvia": "Latvia", + "Country_Lebanon": "Lebanon", + "Country_Lesotho": "Lesotho", + "Country_Liberia": "Liberia", + "Country_Libyan_Arab_Jamahiriya": "Libyan Arab Jamahiriya", + "Country_Liechtenstein": "Liechtenstein", + "Country_Lithuania": "Lithuania", + "Country_Luxembourg": "Luxembourg", + "Country_Macao": "Macao", + "Country_Macedonia_The_Former_Yugoslav_Republic_of": "Macedonia, The Former Yugoslav Republic of", + "Country_Madagascar": "Madagascar", + "Country_Malawi": "Malawi", + "Country_Malaysia": "Malaysia", + "Country_Maldives": "Maldives", + "Country_Mali": "Mali", + "Country_Malta": "Malta", + "Country_Marshall_Islands": "Marshall Islands", + "Country_Martinique": "Martinique", + "Country_Mauritania": "Mauritania", + "Country_Mauritius": "Mauritius", + "Country_Mayotte": "Mayotte", + "Country_Mexico": "Mexico", + "Country_Micronesia_Federated_States_of": "Micronesia, Federated States of", + "Country_Moldova_Republic_of": "Moldova, Republic of", + "Country_Monaco": "Monaco", + "Country_Mongolia": "Mongolia", + "Country_Montserrat": "Montserrat", + "Country_Morocco": "Morocco", + "Country_Mozambique": "Mozambique", + "Country_Myanmar": "Myanmar", + "Country_Namibia": "Namibia", + "Country_Nauru": "Nauru", + "Country_Nepal": "Nepal", + "Country_Netherlands": "Netherlands", + "Country_Netherlands_Antilles": "Netherlands Antilles", + "Country_New_Caledonia": "New Caledonia", + "Country_New_Zealand": "New Zealand", + "Country_Nicaragua": "Nicaragua", + "Country_Niger": "Niger", + "Country_Nigeria": "Nigeria", + "Country_Niue": "Niue", + "Country_Norfolk_Island": "Norfolk Island", + "Country_Northern_Mariana_Islands": "Northern Mariana Islands", + "Country_Norway": "Norway", + "Country_Oman": "Oman", + "Country_Pakistan": "Pakistan", + "Country_Palau": "Palau", + "Country_Palestinian_Territory_Occupied": "Palestinian Territory, Occupied", + "Country_Panama": "Panama", + "Country_Papua_New_Guinea": "Papua New Guinea", + "Country_Paraguay": "Paraguay", + "Country_Peru": "Peru", + "Country_Philippines": "Philippines", + "Country_Pitcairn": "Pitcairn", + "Country_Poland": "Poland", + "Country_Portugal": "Portugal", + "Country_Puerto_Rico": "Puerto Rico", + "Country_Qatar": "Qatar", + "Country_Reunion": "Reunion", + "Country_Romania": "Romania", + "Country_Russian_Federation": "Russian Federation", + "Country_Rwanda": "Rwanda", + "Country_Saint_Helena": "Saint Helena", + "Country_Saint_Kitts_and_Nevis": "Saint Kitts and Nevis", + "Country_Saint_Lucia": "Saint Lucia", + "Country_Saint_Pierre_and_Miquelon": "Saint Pierre and Miquelon", + "Country_Saint_Vincent_and_The_Grenadines": "Saint Vincent and The Grenadines", + "Country_Samoa": "Samoa", + "Country_San_Marino": "San Marino", + "Country_Sao_Tome_and_Principe": "Sao Tome and Principe", + "Country_Saudi_Arabia": "Saudi Arabia", + "Country_Senegal": "Senegal", + "Country_Serbia_and_Montenegro": "Serbia and Montenegro", + "Country_Seychelles": "Seychelles", + "Country_Sierra_Leone": "Sierra Leone", + "Country_Singapore": "Singapore", + "Country_Slovakia": "Slovakia", + "Country_Slovenia": "Slovenia", + "Country_Solomon_Islands": "Solomon Islands", + "Country_Somalia": "Somalia", + "Country_South_Africa": "South Africa", + "Country_South_Georgia_and_The_South_Sandwich_Islands": "South Georgia and The South Sandwich Islands", + "Country_Spain": "Spain", + "Country_Sri_Lanka": "Sri Lanka", + "Country_Sudan": "Sudan", + "Country_Suriname": "Suriname", + "Country_Svalbard_and_Jan_Mayen": "Svalbard and Jan Mayen", + "Country_Swaziland": "Swaziland", + "Country_Sweden": "Sweden", + "Country_Switzerland": "Switzerland", + "Country_Syrian_Arab_Republic": "Syrian Arab Republic", + "Country_Taiwan_Province_of_China": "Taiwan, Province of China", + "Country_Tajikistan": "Tajikistan", + "Country_Tanzania_United_Republic_of": "Tanzania, United Republic of", + "Country_Thailand": "Thailand", + "Country_Timor_leste": "Timor-leste", + "Country_Togo": "Togo", + "Country_Tokelau": "Tokelau", + "Country_Tonga": "Tonga", + "Country_Trinidad_and_Tobago": "Trinidad and Tobago", + "Country_Tunisia": "Tunisia", + "Country_Turkey": "Turkey", + "Country_Turkmenistan": "Turkmenistan", + "Country_Turks_and_Caicos_Islands": "Turks and Caicos Islands", + "Country_Tuvalu": "Tuvalu", + "Country_Uganda": "Uganda", + "Country_Ukraine": "Ukraine", + "Country_United_Arab_Emirates": "United Arab Emirates", + "Country_United_Kingdom": "United Kingdom", + "Country_United_States": "United States", + "Country_United_States_Minor_Outlying_Islands": "United States Minor Outlying Islands", + "Country_Uruguay": "Uruguay", + "Country_Uzbekistan": "Uzbekistan", + "Country_Vanuatu": "Vanuatu", + "Country_Venezuela": "Venezuela", + "Country_Viet_Nam": "Viet Nam", + "Country_Virgin_Islands_British": "Virgin Islands, British", + "Country_Virgin_Islands_US": "Virgin Islands, U.S.", + "Country_Wallis_and_Futuna": "Wallis and Futuna", + "Country_Western_Sahara": "Western Sahara", + "Country_Yemen": "Yemen", + "Country_Zambia": "Zambia", + "Country_Zimbabwe": "Zimbabwe", + "Cozy": "Cozy", + "Create": "Create", + "Create_Canned_Response": "Create Canned Response", + "Create_channel": "Create Channel", + "Create_A_New_Channel": "Create a New Channel", + "Create_new": "Create new", + "Create_new_members": "Create New Members", + "Create_unique_rules_for_this_channel": "Create unique rules for this channel", + "create-c": "Create Public Channels", + "create-c_description": "Permission to create public channels", + "create-d": "Create Direct Messages", + "create-d_description": "Permission to start direct messages", + "create-invite-links": "Create Invite Links", + "create-invite-links_description": "Permission to create invite links to channels", + "create-p": "Create Private Channels", + "create-p_description": "Permission to create private channels", + "create-personal-access-tokens": "Create Personal Access Tokens", + "create-personal-access-tokens_description": "Permission to create Personal Access Tokens", + "create-user": "Create User", + "create-user_description": "Permission to create users", + "Created": "Created", + "Created_as": "Created as", + "Created_at": "Created at", + "Created_at_s_by_s": "Created at %s by %s", + "Created_at_s_by_s_triggered_by_s": "Created at %s by %s triggered by %s", + "Created_by": "Created by", + "CRM_Integration": "CRM Integration", + "CROWD_Allow_Custom_Username": "Allow custom username in Rocket.Chat", + "CROWD_Reject_Unauthorized": "Reject Unauthorized", + "Crowd_Remove_Orphaned_Users": "Remove Orphaned Users", + "Crowd_sync_interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", + "Current_Chats": "Current Chats", + "Current_File": "Current File", + "Current_Import_Operation": "Current Import Operation", + "Current_Status": "Current Status", + "Custom": "Custom", + "Custom CSS": "Custom CSS", + "Custom_agent": "Custom agent", + "Custom_dates": "Custom Dates", + "Custom_Emoji": "Custom Emoji", + "Custom_Emoji_Add": "Add New Emoji", + "Custom_Emoji_Added_Successfully": "Custom emoji added successfully", + "Custom_Emoji_Delete_Warning": "Deleting an emoji cannot be undone.", + "Custom_Emoji_Error_Invalid_Emoji": "Invalid emoji", + "Custom_Emoji_Error_Name_Or_Alias_Already_In_Use": "The custom emoji or one of its aliases is already in use.", + "Custom_Emoji_Error_Same_Name_And_Alias": "The custom emoji name and their aliases should be different.", + "Custom_Emoji_Has_Been_Deleted": "The custom emoji has been deleted.", + "Custom_Emoji_Info": "Custom Emoji Info", + "Custom_Emoji_Updated_Successfully": "Custom emoji updated successfully", + "Custom_Fields": "Custom Fields", + "Custom_Field_Removed": "Custom Field Removed", + "Custom_Field_Not_Found": "Custom Field not found", + "Custom_Integration": "Custom Integration", + "Custom_oauth_helper": "When setting up your OAuth Provider, you'll have to inform a Callback URL. Use
%s
.", + "Custom_oauth_unique_name": "Custom oauth unique name", + "Custom_Script_Logged_In": "Custom Script for Logged In Users", + "Custom_Script_Logged_In_Description": "Custom Script that will run ALWAYS and to ANY user that is logged in. e.g. (whenever you enter the chat and you are logged in)", + "Custom_Script_Logged_Out": "Custom Script for Logged Out Users", + "Custom_Script_Logged_Out_Description": "Custom Script that will run ALWAYS and to ANY user that is NOT logged in. e.g. (whenever you enter the login page)", + "Custom_Script_On_Logout": "Custom Script for Logout Flow", + "Custom_Script_On_Logout_Description": "Custom Script that will run on execute logout flow ONLY", + "Custom_Scripts": "Custom Scripts", + "Custom_Sound_Add": "Add Custom Sound", + "Custom_Sound_Delete_Warning": "Deleting a sound cannot be undone.", + "Custom_Sound_Edit": "Edit Custom Sound", + "Custom_Sound_Error_Invalid_Sound": "Invalid sound", + "Custom_Sound_Error_Name_Already_In_Use": "The custom sound name is already in use.", + "Custom_Sound_Has_Been_Deleted": "The custom sound has been deleted.", + "Custom_Sound_Info": "Custom Sound Info", + "Custom_Sound_Saved_Successfully": "Custom sound saved successfully", + "Custom_Sounds": "Custom Sounds", + "Custom_Status": "Custom Status", + "Custom_Translations": "Custom Translations", + "Custom_Translations_Description": "Should be a valid JSON where keys are languages containing a dictionary of key and translations. Example:
{\n \"en\": {\n \"Channels\": \"Rooms\"\n },\n \"pt\": {\n \"Channels\": \"Salas\"\n }\n} ", + "Custom_User_Status": "Custom User Status", + "Custom_User_Status_Add": "Add Custom User Status", + "Custom_User_Status_Added_Successfully": "Custom User Status Added Successfully", + "Custom_User_Status_Delete_Warning": "Deleting a Custom User Status cannot be undone.", + "Custom_User_Status_Edit": "Edit Custom User Status", + "Custom_User_Status_Error_Invalid_User_Status": "Invalid User Status", + "Custom_User_Status_Error_Name_Already_In_Use": "The Custom User Status Name is already in use.", + "Custom_User_Status_Has_Been_Deleted": "Custom User Status Has Been Deleted", + "Custom_User_Status_Info": "Custom User Status Info", + "Custom_User_Status_Updated_Successfully": "Custom User Status Updated Successfully", + "Customer_without_registered_email": "The customer does not have a registered email address", + "Customize": "Customize", + "CustomSoundsFilesystem": "Custom Sounds Filesystem", + "CustomSoundsFilesystem_Description": "Specify how custom sounds are stored.", + "Daily_Active_Users": "Daily Active Users", + "Dashboard": "Dashboard", + "Data_processing_consent_text": "Data processing consent text", + "Data_processing_consent_text_description": "Use this setting to explain that you can collect, store and process customer's personal informations along the conversation.", + "Date": "Date", + "Date_From": "From", + "Date_to": "to", + "DAU_value": "DAU __value__", + "days": "days", + "Days": "Days", + "DB_Migration": "Database Migration", + "DB_Migration_Date": "Database Migration Date", + "DDP_Rate_Limiter": "DDP Rate Limit", + "DDP_Rate_Limit_Connection_By_Method_Enabled": "Limit by Connection per Method: enabled", + "DDP_Rate_Limit_Connection_By_Method_Interval_Time": "Limit by Connection per Method: interval time", + "DDP_Rate_Limit_Connection_By_Method_Requests_Allowed": "Limit by Connection per Method: requests allowed", + "DDP_Rate_Limit_Connection_Enabled": "Limit by Connection: enabled", + "DDP_Rate_Limit_Connection_Interval_Time": "Limit by Connection: interval time", + "DDP_Rate_Limit_Connection_Requests_Allowed": "Limit by Connection: requests allowed", + "DDP_Rate_Limit_IP_Enabled": "Limit by IP: enabled", + "DDP_Rate_Limit_IP_Interval_Time": "Limit by IP: interval time", + "DDP_Rate_Limit_IP_Requests_Allowed": "Limit by IP: requests allowed", + "DDP_Rate_Limit_User_By_Method_Enabled": "Limit by User per Method: enabled", + "DDP_Rate_Limit_User_By_Method_Interval_Time": "Limit by User per Method: interval time", + "DDP_Rate_Limit_User_By_Method_Requests_Allowed": "Limit by User per Method: requests allowed", + "DDP_Rate_Limit_User_Enabled": "Limit by User: enabled", + "DDP_Rate_Limit_User_Interval_Time": "Limit by User: interval time", + "DDP_Rate_Limit_User_Requests_Allowed": "Limit by User: requests allowed", + "Deactivate": "Deactivate", + "Decline": "Decline", + "Decode_Key": "Decode Key", + "Default": "Default", + "Default_value": "Default value", + "Delete": "Delete", + "Deleting": "Deleting", + "Delete_all_closed_chats": "Delete all closed chats", + "Delete_File_Warning": "Deleting a file will delete it forever. This cannot be undone.", + "Delete_message": "Delete message", + "Delete_my_account": "Delete my account", + "Delete_Role_Warning": "Deleting a role will delete it forever. This cannot be undone.", + "Delete_Room_Warning": "Deleting a room will delete all messages posted within the room. This cannot be undone.", + "Delete_User_Warning": "Deleting a user will delete all messages from that user as well. This cannot be undone.", + "Delete_User_Warning_Delete": "Deleting a user will delete all messages from that user as well. This cannot be undone.", + "Delete_User_Warning_Keep": "The user will be deleted, but their messages will remain visible. This cannot be undone.", + "Delete_User_Warning_Unlink": "Deleting a user will remove the user name from all their messages. This cannot be undone.", + "delete-c": "Delete Public Channels", + "delete-c_description": "Permission to delete public channels", + "delete-d": "Delete Direct Messages", + "delete-d_description": "Permission to delete direct messages", + "delete-message": "Delete Message", + "delete-message_description": "Permission to delete a message within a room", + "delete-own-message": "Delete Own Message", + "delete-own-message_description": "Permission to delete own message", + "delete-p": "Delete Private Channels", + "delete-p_description": "Permission to delete private channels", + "delete-user": "Delete User", + "delete-user_description": "Permission to delete users", + "Deleted": "Deleted!", + "Deleted__roomName__": "deleted #__roomName__", + "Department": "Department", + "Department_name": "Department name", + "Department_not_found": "Department not found", + "Department_removed": "Department removed", + "Departments": "Departments", + "Deployment_ID": "Deployment ID", + "Deployment": "Deployment", + "Description": "Description", + "Desktop": "Desktop", + "Desktop_Notification_Test": "Desktop Notification Test", + "Desktop_Notifications": "Desktop Notifications", + "Desktop_Notifications_Default_Alert": "Desktop Notifications Default Alert", + "Desktop_Notifications_Disabled": "Desktop Notifications are Disabled. Change your browser preferences if you need Notifications enabled.", + "Desktop_Notifications_Duration": "Desktop Notifications Duration", + "Desktop_Notifications_Duration_Description": "Seconds to display desktop notification. This may affect OS X Notification Center. Enter 0 to use default browser settings and not affect OS X Notification Center.", + "Desktop_Notifications_Enabled": "Desktop Notifications are Enabled", + "Desktop_Notifications_Not_Enabled": "Desktop Notifications are Not Enabled", + "Details": "Details", + "Different_Style_For_User_Mentions": "Different style for user mentions", + "Direct": "Direct", + "Direct_Message": "Direct Message", + "Direct_message_creation_description": "You are about to create a chat with multiple users. Add the ones you would like to talk, everyone in the same place, using direct messages.", + "Direct_message_someone": "Direct message someone", + "Direct_message_you_have_joined": "You have joined a new direct message with", + "Direct_Messages": "Direct Messages", + "Direct_Reply": "Direct Reply", + "Direct_Reply_Advice": "You can directly reply to this email. Do not modify previous emails in the thread.", + "Direct_Reply_Debug": "Debug Direct Reply", + "Direct_Reply_Debug_Description": "[Beware] Enabling Debug mode would display your 'Plain Text Password' in Admin console.", + "Direct_Reply_Delete": "Delete Emails", + "Direct_Reply_Delete_Description": "[Attention!] If this option is activated, all unread messages are irrevocably deleted, even those that are not direct replies. The configured e-mail mailbox is then always empty and cannot be processed in \"parallel\" by humans.", + "Direct_Reply_Enable": "Enable Direct Reply", + "Direct_Reply_Enable_Description": "[Attention!] If \"Direct Reply\" is enabled, Rocket.Chat will control the configured email mailbox. All unread e-mails are retrieved, marked as read and processed. \"Direct Reply\" should only be activated if the mailbox used is intended exclusively for access by Rocket.Chat and is not read/processed \"in parallel\" by humans.", + "Direct_Reply_Frequency": "Email Check Frequency", + "Direct_Reply_Frequency_Description": "(in minutes, default/minimum 2)", + "Direct_Reply_Host": "Direct Reply Host", + "Direct_Reply_IgnoreTLS": "IgnoreTLS", + "Direct_Reply_Password": "Password", + "Direct_Reply_Port": "Direct_Reply_Port", + "Direct_Reply_Protocol": "Direct Reply Protocol", + "Direct_Reply_Separator": "Separator", + "Direct_Reply_Separator_Description": "[Alter only if you know exactly what you are doing, refer docs]
Separator between base & tag part of email", + "Direct_Reply_Username": "Username", + "Direct_Reply_Username_Description": "Please use absolute email, tagging is not allowed, it would be over-written", + "Directory": "Directory", + "Disable": "Disable", + "Disable_Facebook_integration": "Disable Facebook integration", + "Disable_Notifications": "Disable Notifications", + "Disable_two-factor_authentication": "Disable two-factor authentication via TOTP", + "Disable_two-factor_authentication_email": "Disable two-factor authentication via Email", + "Disabled": "Disabled", + "Disallow_reacting": "Disallow Reacting", + "Disallow_reacting_Description": "Disallows reacting", + "Discard": "Discard", + "Disconnect": "Disconnect", + "Discussion": "Discussion", + "Discussion_Description": "Discussionns are an aditional way to organize conversations that allows invite users from outside channels to participate in specific conversations.", + "Discussion_description": "Help keeping an overview about what's going on! By creating a discussion, a sub-channel of the one you selected is created and both are linked.", + "Discussion_first_message_disabled_due_to_e2e": "You can start sending End-to-End encrypted messages in this discussion after its creation.", + "Discussion_first_message_title": "Your message", + "Discussion_name": "Discussion name", + "Discussion_start": "Start a Discussion", + "Discussion_target_channel": "Parent channel or group", + "Discussion_target_channel_description": "Select a channel which is related to what you want to ask", + "Discussion_target_channel_prefix": "You are creating a discussion in", + "Discussion_title": "Create a new discussion", + "discussion-created": "__message__", + "Discussions": "Discussions", + "Display": "Display", + "Display_avatars": "Display Avatars", + "Display_Avatars_Sidebar": "Display Avatars in Sidebar", + "Display_chat_permissions": "Display chat permissions", + "Display_mentions_counter": "Display badge for direct mentions only", + "Display_offline_form": "Display Offline Form", + "Display_setting_permissions": "Display permissions to change settings", + "Display_unread_counter": "Display room as unread when there are unread messages", + "Displays_action_text": "Displays action text", + "Do_It_Later": "Do It Later", + "Do_not_display_unread_counter": "Do not display any counter of this channel", + "Do_not_provide_this_code_to_anyone": "Do not provide this code to anyone.", + "Do_Nothing": "Do Nothing", + "Do_you_have_any_notes_for_this_conversation": "Do you have any notes for this conversation?", + "Do_you_want_to_accept": "Do you want to accept?", + "Do_you_want_to_change_to_s_question": "Do you want to change to %s?", + "Document_Domain": "Document Domain", + "Domain": "Domain", + "Domain_added": "domain Added", + "Domain_removed": "Domain Removed", + "Domains": "Domains", + "Domains_allowed_to_embed_the_livechat_widget": "Comma-separated list of domains allowed to embed the livechat widget. Leave blank to allow all domains.", + "Done": "Done", + "Dont_ask_me_again": "Don't ask me again!", + "Dont_ask_me_again_list": "Don't ask me again list", + "Download": "Download", + "Download_Info": "Download Info", + "Download_My_Data": "Download My Data (HTML)", + "Download_Pending_Avatars": "Download Pending Avatars", + "Download_Pending_Files": "Download Pending Files", + "Download_Snippet": "Download", + "Downloading_file_from_external_URL": "Downloading file from external URL", + "Drop_to_upload_file": "Drop to upload file", + "Dry_run": "Dry run", + "Dry_run_description": "Will only send one email, to the same address as in From. The email must belong to a valid user.", + "Duplicate_archived_channel_name": "An archived Channel with name `#%s` exists", + "Duplicate_archived_private_group_name": "An archived Private Group with name '%s' exists", + "Duplicate_channel_name": "A Channel with name '%s' exists", + "Duplicate_file_name_found": "Duplicate file name found.", + "Duplicate_private_group_name": "A Private Group with name '%s' exists", + "Duplicated_Email_address_will_be_ignored": "Duplicated email address will be ignored.", + "duplicated-account": "Duplicated account", + "E2E Encryption": "E2E Encryption", + "E2E Encryption_Description": "Keep conversations private, ensuring only the sender and intenteded recipients are able to read them.", + "E2E_enable": "Enable E2E", + "E2E_disable": "Disable E2E", + "E2E_Enable_alert": "This feature is currently in beta! Please report bugs to github.com/RocketChat/Rocket.Chat/issues and be aware of:
- Encrypted messages of encrypted rooms will not be found by search operations.
- The mobile apps may not support the encrypted messages (they are implementing it).
- Bots may not be able to see encrypted messages until they implement support for it.
- Uploads will not be encrypted in this version.", + "E2E_Enable_description": "Enable option to create encrypted groups and be able to change groups and direct messages to be encrypted", + "E2E_Enabled": "E2E Enabled", + "E2E_Enabled_Default_DirectRooms": "Enable encryption for Direct Rooms by default", + "E2E_Enabled_Default_PrivateRooms": "Enable encryption for Private Rooms by default", + "E2E_Encryption_Password_Change": "Change Encryption Password", + "E2E_Encryption_Password_Explanation": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store your password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on.", + "E2E_key_reset_email": "E2E Key Reset Notification", + "E2E_message_encrypted_placeholder": "This message is end-to-end encrypted. To view it, you must enter your encryption key in your account settings.", + "E2E_password_request_text": "To access your encrypted private groups and direct messages, enter your encryption password.
You need to enter this password to encode/decode your messages on every client you use, since the key is not stored on the server.", + "E2E_password_reveal_text": "You can now create encrypted private groups and direct messages. You may also change existing private groups or DMs to encrypted.

This is end to end encryption so the key to encode/decode your messages will not be saved on the server. For that reason you need to store this password somewhere safe. You will be required to enter it on other devices you wish to use e2e encryption on. Learn more here!

Your password is: %s

This is an auto generated password, you can setup a new password for your encryption key any time from any browser you have entered the existing password.
This password is only stored on this browser until you store the password and dismiss this message.", + "E2E_Reset_Email_Content": "You've been automatically logged out. When you login again, Rocket.Chat will generate a new key and restore your access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", + "E2E_Reset_Key_Explanation": "This option will remove your current E2E key and log you out.
When you login again, Rocket.Chat will generate you a new key and restore your access to any encrypted room that has one or more members online.
Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", + "E2E_Reset_Other_Key_Warning": "Reset the current E2E key will log out the user. When the user login again, Rocket.Chat will generate a new key and restore the user access to any encrypted room that has one or more members online. Due to the nature of the E2E encryption, Rocket.Chat will not be able to restore access to any encrypted room that has no member online.", + "ECDH_Enabled": "Enable second layer encryption for data transport", + "Edit": "Edit", + "Edit_Business_Hour": "Edit Business Hour", + "Edit_Canned_Response": "Edit Canned Response", + "Edit_Canned_Responses": "Edit Canned Responses", + "Edit_Custom_Field": "Edit Custom Field", + "Edit_Department": "Edit Department", + "Edit_Invite": "Edit Invite", + "Edit_previous_message": "`%s` - Edit previous message", + "Edit_Priority": "Edit Priority", + "Edit_Status": "Edit Status", + "Edit_Tag": "Edit Tag", + "Edit_Trigger": "Edit Trigger", + "Edit_Unit": "Edit Unit", + "Edit_User": "Edit User", + "edit-livechat-room-customfields": "Edit Livechat Room Custom Fields", + "edit-livechat-room-customfields_description": "Permission to edit the custom fields of livechat room", + "edit-message": "Edit Message", + "edit-message_description": "Permission to edit a message within a room", + "edit-other-user-active-status": "Edit Other User Active Status", + "edit-other-user-active-status_description": "Permission to enable or disable other accounts", + "edit-other-user-avatar": "Edit Other User Avatar", + "edit-other-user-avatar_description": "Permission to change other user's avatar.", + "edit-other-user-e2ee": "Edit Other User E2E Encryption", + "edit-other-user-e2ee_description": "Permission to modify other user's E2E Encryption.", + "edit-other-user-info": "Edit Other User Information", + "edit-other-user-info_description": "Permission to change other user's name, username or email address.", + "edit-other-user-password": "Edit Other User Password", + "edit-other-user-password_description": "Permission to modify other user's passwords. Requires edit-other-user-info permission.", + "edit-other-user-totp": "Edit Other User Two Factor TOTP", + "edit-other-user-totp_description": "Permission to edit other user's Two Factor TOTP", + "edit-privileged-setting": "Edit Privileged Setting", + "edit-privileged-setting_description": "Permission to edit settings", + "edit-room": "Edit Room", + "edit-room_description": "Permission to edit a room's name, topic, type (private or public status) and status (active or archived)", + "edit-room-avatar": "Edit Room Avatar", + "edit-room-avatar_description": "Permission to edit a room's avatar.", + "edit-room-retention-policy": "Edit Room's Retention Policy", + "edit-room-retention-policy_description": "Permission to edit a room’s retention policy, to automatically delete messages in it", + "edit-omnichannel-contact": "Edit Omnichannel Contact", + "edit-omnichannel-contact_description": "Permission to edit Omnichannel Contact", + "Edit_Contact_Profile": "Edit Contact Profile", + "edited": "edited", + "Editing_room": "Editing room", + "Editing_user": "Editing user", + "Editor": "Editor", + "Education": "Education", + "Email": "Email", + "Email_Description": "Configurations for sending broadcast emails from inside Rocket.Chat.", + "Email_address_to_send_offline_messages": "Email Address to Send Offline Messages", + "Email_already_exists": "Email already exists", + "Email_body": "Email body", + "Email_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of email", + "Email_Changed_Description": "You may use the following placeholders:
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Email_Changed_Email_Subject": "[Site_Name] - Email address has been changed", + "Email_changed_section": "Email Address Changed", + "Email_Footer_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Email_from": "From", + "Email_Header_Description": "You may use the following placeholders:
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Email_Inbox": "Email Inbox", + "Email_Inboxes": "Email Inboxes", + "Email_Notification_Mode": "Offline Email Notifications", + "Email_Notification_Mode_All": "Every Mention/DM", + "Email_Notification_Mode_Disabled": "Disabled", + "Email_notification_show_message": "Show Message in Email Notification", + "Email_Notifications_Change_Disabled": "Your Rocket.Chat administrator has disabled email notifications", + "Email_or_username": "Email or username", + "Email_Placeholder": "Please enter your email address...", + "Email_Placeholder_any": "Please enter email addresses...", + "email_plain_text_only": "Send only plain text emails", + "email_style_description": "Avoid nested selectors", + "email_style_label": "Email Style", + "Email_subject": "Email Subject", + "Email_verified": "Email verified", + "Email_sent": "Email sent", + "Emails_sent_successfully!": "Emails sent successfully!", + "Emoji": "Emoji", + "Emoji_provided_by_JoyPixels": "Emoji provided by JoyPixels", + "EmojiCustomFilesystem": "Custom Emoji Filesystem", + "EmojiCustomFilesystem_Description": "Specify how emojis are stored.", + "Empty_title": "Empty title", + "Enable_New_Message_Template": "Enable New Message Template", + "Enable_New_Message_Template_alert": "This is a beta feature. It may not work as expected. Please report any issues you encounter.", + "See_on_Engagement_Dashboard": "See on Engagement Dashboard", + "Enable": "Enable", + "Enable_Auto_Away": "Enable Auto Away", + "Enable_CSP": "Enable Content-Security-Policy", + "Enable_CSP_Description": "Do not disable this option unless you have a custom build and are having problems due to inline-scripts", + "Enable_Desktop_Notifications": "Enable Desktop Notifications", + "Enable_inquiry_fetch_by_stream": "Enable inquiry data fetch from server using a stream", + "Enable_omnichannel_auto_close_abandoned_rooms": "Enable automatic closing of rooms abandoned by the visitor", + "Enable_Password_History": "Enable Password History", + "Enable_Password_History_Description": "When enabled, users won't be able to update their passwords to some of their most recently used passwords.", + "Enable_Svg_Favicon": "Enable SVG favicon", + "Enable_two-factor_authentication": "Enable two-factor authentication via TOTP", + "Enable_two-factor_authentication_email": "Enable two-factor authentication via Email", + "Enabled": "Enabled", + "Encrypted": "Encrypted", + "Encrypted_channel_Description": "End to end encrypted channel. Search will not work with encrypted channels and notifications may not show the messages content.", + "Encrypted_key_title": "Click here to disable end-to-end encryption for this channel (requires e2ee-permission)", + "Encrypted_message": "Encrypted message", + "Encrypted_setting_changed_successfully": "Encrypted setting changed successfully", + "Encrypted_not_available": "Not available for Public Channels", + "Encryption_key_saved_successfully": "Your encryption key was saved successfully.", + "EncryptionKey_Change_Disabled": "You can't set a password for your encryption key because your private key is not present on this client. In order to set a new password you need load your private key using your existing password or use a client where the key is already loaded.", + "End": "End", + "End_call": "End call", + "Expand_view": "Expand view", + "Explore_marketplace": "Explore Marketplace", + "Explore_the_marketplace_to_find_awesome_apps": "Explore the Marketplace to find awesome apps for Rocket.Chat", + "Export": "Export", + "End_Call": "End Call", + "End_OTR": "End OTR", + "Engagement_Dashboard": "Engagement Dashboard", + "Enter": "Enter", + "Enter_a_custom_message": "Enter a custom message", + "Enter_a_department_name": "Enter a department name", + "Enter_a_name": "Enter a name", + "Enter_a_regex": "Enter a regex", + "Enter_a_room_name": "Enter a room name", + "Enter_a_tag": "Enter a tag", + "Enter_a_username": "Enter a username", + "Enter_Alternative": "Alternative mode (send with Enter + Ctrl/Alt/Shift/CMD)", + "Enter_authentication_code": "Enter authentication code", + "Enter_Behaviour": "Enter key Behaviour", + "Enter_Behaviour_Description": "This changes if the enter key will send a message or do a line break", + "Enter_E2E_password": "Enter E2E password", + "Enter_name_here": "Enter name here", + "Enter_Normal": "Normal mode (send with Enter)", + "Enter_to": "Enter to", + "Enter_your_E2E_password": "Enter your E2E password", + "Enterprise": "Enterprise", + "Enterprise_Description": "Manually update your Enterprise license.", + "Enterprise_License": "Enterprise License", + "Enterprise_License_Description": "If your workspace is registered and license is provided by Rocket.Chat Cloud you don't need to manually update the license here.", + "Entertainment": "Entertainment", + "Error": "Error", + "Error_something_went_wrong": "Oops! Something went wrong. Please reload the page or contact an administrator.", + "Error_404": "Error:404", + "Error_changing_password": "Error changing password", + "Error_loading_pages": "Error loading pages", + "Error_login_blocked_for_ip": "Login has been temporarily blocked for this IP", + "Error_login_blocked_for_user": "Login has been temporarily blocked for this User", + "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances": "Error: Rocket.Chat requires oplog tailing when running in multiple instances", + "Error_RocketChat_requires_oplog_tailing_when_running_in_multiple_instances_details": "Please make sure your MongoDB is on ReplicaSet mode and MONGO_OPLOG_URL environment variable is defined correctly on the application server", + "Error_sending_livechat_offline_message": "Error sending Omnichannel offline message", + "Error_sending_livechat_transcript": "Error sending Omnichannel transcript", + "Error_Site_URL": "Invalid Site_Url", + "Error_Site_URL_description": "Please, update your \"Site_Url\" setting find more information here", + "error-action-not-allowed": "__action__ is not allowed", + "error-agent-offline": "Agent is offline", + "error-agent-status-service-offline": "Agent status is offline or Omnichannel service is not active", + "error-application-not-found": "Application not found", + "error-archived-duplicate-name": "There's an archived channel with name '__room_name__'", + "error-avatar-invalid-url": "Invalid avatar URL: __url__", + "error-avatar-url-handling": "Error while handling avatar setting from a URL (__url__) for __username__", + "error-business-hours-are-closed": "Business Hours are closed", + "error-blocked-username": "__field__ is blocked and can't be used!", + "error-canned-response-not-found": "Canned Response Not Found", + "error-cannot-delete-app-user": "Deleting app user is not allowed, uninstall the corresponding app to remove it.", + "error-cant-invite-for-direct-room": "Can't invite user to direct rooms", + "error-channels-setdefault-is-same": "The channel default setting is the same as what it would be changed to.", + "error-channels-setdefault-missing-default-param": "The bodyParam 'default' is required", + "error-could-not-change-email": "Could not change email", + "error-could-not-change-name": "Could not change name", + "error-could-not-change-username": "Could not change username", + "error-custom-field-name-already-exists": "Custom field name already exists", + "error-delete-protected-role": "Cannot delete a protected role", + "error-department-not-found": "Department not found", + "error-direct-message-file-upload-not-allowed": "File sharing not allowed in direct messages", + "error-duplicate-channel-name": "A channel with name '__channel_name__' exists", + "error-edit-permissions-not-allowed": "Editing permissions is not allowed", + "error-email-domain-blacklisted": "The email domain is blacklisted", + "error-email-send-failed": "Error trying to send email: __message__", + "error-essential-app-disabled": "Error: a Rocket.Chat App that is essential for this is disabled. Please contact your administrator", + "error-field-unavailable": "__field__ is already in use :(", + "error-file-too-large": "File is too large", + "error-forwarding-chat": "Something went wrong while forwarding the chat, Please try again later.", + "error-forwarding-chat-same-department": "The selected department and the current room department are the same", + "error-forwarding-department-target-not-allowed": "The forwarding to the target department is not allowed.", + "error-guests-cant-have-other-roles": "Guest users can't have any other role.", + "error-import-file-extract-error": "Failed to extract import file.", + "error-import-file-is-empty": "Imported file seems to be empty.", + "error-import-file-missing": "The file to be imported was not found on the specified path.", + "error-importer-not-defined": "The importer was not defined correctly, it is missing the Import class.", + "error-input-is-not-a-valid-field": "__input__ is not a valid __field__", + "error-insufficient-permission": "Error! You don't have ' __permission__ ' permission which is required to perform this operation", + "error-inquiry-taken": "Inquiry already taken", + "error-invalid-account": "Invalid Account", + "error-invalid-actionlink": "Invalid action link", + "error-invalid-arguments": "Invalid arguments", + "error-invalid-asset": "Invalid asset", + "error-invalid-channel": "Invalid channel.", + "error-invalid-channel-start-with-chars": "Invalid channel. Start with @ or #", + "error-invalid-custom-field": "Invalid custom field", + "error-invalid-custom-field-name": "Invalid custom field name. Use only letters, numbers, hyphens and underscores.", + "error-invalid-custom-field-value": "Invalid value for __field__ field", + "error-invalid-date": "Invalid date provided.", + "error-invalid-description": "Invalid description", + "error-invalid-domain": "Invalid domain", + "error-invalid-email": "Invalid email __email__", + "error-invalid-email-address": "Invalid email address", + "error-invalid-email-inbox": "Invalid Email Inbox", + "error-email-inbox-not-found": "Email Inbox not found", + "error-invalid-file-height": "Invalid file height", + "error-invalid-file-type": "Invalid file type", + "error-invalid-file-width": "Invalid file width", + "error-invalid-from-address": "You informed an invalid FROM address.", + "error-invalid-inquiry": "Invalid inquiry", + "error-invalid-integration": "Invalid integration", + "error-invalid-message": "Invalid message", + "error-invalid-method": "Invalid method", + "error-invalid-name": "Invalid name", + "error-invalid-password": "Invalid password", + "error-invalid-param": "Invalid param", + "error-invalid-params": "Invalid params", + "error-invalid-permission": "Invalid permission", + "error-invalid-port-number": "Invalid port number", + "error-invalid-priority": "Invalid priority", + "error-invalid-redirectUri": "Invalid redirectUri", + "error-invalid-role": "Invalid role", + "error-invalid-room": "Invalid room", + "error-invalid-room-name": "__room_name__ is not a valid room name", + "error-invalid-room-type": "__type__ is not a valid room type.", + "error-invalid-settings": "Invalid settings provided", + "error-invalid-subscription": "Invalid subscription", + "error-invalid-token": "Invalid token", + "error-invalid-triggerWords": "Invalid triggerWords", + "error-invalid-urls": "Invalid URLs", + "error-invalid-user": "Invalid user", + "error-invalid-username": "Invalid username", + "error-invalid-value": "Invalid value", + "error-invalid-webhook-response": "The webhook URL responded with a status other than 200", + "error-license-user-limit-reached": "The maximum number of users has been reached.", + "error-logged-user-not-in-room": "You are not in the room `%s`", + "error-max-guests-number-reached": "You reached the maximum number of guest users allowed by your license. Contact sale@rocket.chat for a new license.", + "error-max-number-simultaneous-chats-reached": "The maximum number of simultaneous chats per agent has been reached.", + "error-message-deleting-blocked": "Message deleting is blocked", + "error-message-editing-blocked": "Message editing is blocked", + "error-message-size-exceeded": "Message size exceeds Message_MaxAllowedSize", + "error-missing-unsubscribe-link": "You must provide the [unsubscribe] link.", + "error-no-tokens-for-this-user": "There are no tokens for this user", + "error-no-agents-online-in-department": "No agents online in the department", + "error-no-message-for-unread": "There are no messages to mark unread", + "error-not-allowed": "Not allowed", + "error-not-authorized": "Not authorized", + "error-office-hours-are-closed": "The office hours are closed.", + "error-password-in-history": "Entered password has been previously used", + "error-password-policy-not-met": "Password does not meet the server's policy", + "error-password-policy-not-met-maxLength": "Password does not meet the server's policy of maximum length (password too long)", + "error-password-policy-not-met-minLength": "Password does not meet the server's policy of minimum length (password too short)", + "error-password-policy-not-met-oneLowercase": "Password does not meet the server's policy of at least one lowercase character", + "error-password-policy-not-met-oneNumber": "Password does not meet the server's policy of at least one numerical character", + "error-password-policy-not-met-oneSpecial": "Password does not meet the server's policy of at least one special character", + "error-password-policy-not-met-oneUppercase": "Password does not meet the server's policy of at least one uppercase character", + "error-password-policy-not-met-repeatingCharacters": "Password not not meet the server's policy of forbidden repeating characters (you have too many of the same characters next to each other)", + "error-password-same-as-current": "Entered password same as current password", + "error-personal-access-tokens-are-current-disabled": "Personal Access Tokens are currently disabled", + "error-pinning-message": "Message could not be pinned", + "error-push-disabled": "Push is disabled", + "error-remove-last-owner": "This is the last owner. Please set a new owner before removing this one.", + "error-returning-inquiry": "Error returning inquiry to the queue", + "error-role-in-use": "Cannot delete role because it's in use", + "error-role-name-required": "Role name is required", + "error-role-already-present": "A role with this name already exists", + "error-room-is-not-closed": "Room is not closed", + "error-room-onHold": "Error! Room is On Hold", + "error-selected-agent-room-agent-are-same": "The selected agent and the room agent are the same", + "error-starring-message": "Message could not be stared", + "error-tags-must-be-assigned-before-closing-chat": "Tag(s) must be assigned before closing the chat", + "error-the-field-is-required": "The field __field__ is required.", + "error-this-is-not-a-livechat-room": "This is not a Omnichannel room", + "error-token-already-exists": "A token with this name already exists", + "error-token-does-not-exists": "Token does not exists", + "error-too-many-requests": "Error, too many requests. Please slow down. You must wait __seconds__ seconds before trying again.", + "error-transcript-already-requested": "Transcript already requested", + "error-unpinning-message": "Message could not be unpinned", + "error-user-has-no-roles": "User has no roles", + "error-user-is-not-activated": "User is not activated", + "error-user-is-not-agent": "User is not an Omnichannel Agent", + "error-user-is-offline": "User if offline", + "error-user-limit-exceeded": "The number of users you are trying to invite to #channel_name exceeds the limit set by the administrator", + "error-user-not-belong-to-department": "User does not belong to this department", + "error-user-not-in-room": "User is not in this room", + "error-user-registration-disabled": "User registration is disabled", + "error-user-registration-secret": "User registration is only allowed via Secret URL", + "error-validating-department-chat-closing-tags": "At least one closing tag is required when the department requires tag(s) on closing conversations.", + "error-no-permission-team-channel": "You don't have permission to add this channel to the team", + "error-no-owner-channel": "Only owners can add this channel to the team", + "error-you-are-last-owner": "You are the last owner. Please set new owner before leaving the room.", + "Errors_and_Warnings": "Errors and Warnings", + "Esc_to": "Esc to", + "Estimated_due_time": "Estimated due time", + "Estimated_due_time_in_minutes": "Estimated due time (time in minutes)", + "Event_Trigger": "Event Trigger", + "Event_Trigger_Description": "Select which type of event will trigger this Outgoing WebHook Integration", + "every_5_minutes": "Once every 5 minutes", + "every_10_seconds": "Once every 10 seconds", + "every_30_minutes": "Once every 30 minutes", + "every_day": "Once every day", + "every_hour": "Once every hour", + "every_minute": "Once every minute", + "every_second": "Once every second", + "every_six_hours": "Once every six hours", + "Everyone_can_access_this_channel": "Everyone can access this channel", + "Exact": "Exact", + "Example_payload": "Example payload", + "Example_s": "Example: %s", + "except_pinned": "(except those that are pinned)", + "Exclude_Botnames": "Exclude Bots", + "Exclude_Botnames_Description": "Do not propagate messages from bots whose name matches the regular expression above. If left empty, all messages from bots will be propagated.", + "Exclude_pinned": "Exclude pinned messages", + "Execute_Synchronization_Now": "Execute Synchronization Now", + "Exit_Full_Screen": "Exit Full Screen", + "Expand": "Expand", + "Experimental_Feature_Alert": "This is an experimental feature! Please be aware that it may change, break, or even be removed in the future without any notice.", + "Expired": "Expired", + "Expiration": "Expiration", + "Expiration_(Days)": "Expiration (Days)", + "Export_as_file": "Export as file", + "Export_Messages": "Export Messages", + "Export_My_Data": "Export My Data (JSON)", + "expression": "Expression", + "Extended": "Extended", + "Extensions": "Extensions", + "Extension_Number": "Extension Number", + "Extension_Status": "Extension Status", + "External": "External", + "External_Domains": "External Domains", + "External_Queue_Service_URL": "External Queue Service URL", + "External_Service": "External Service", + "External_Users": "External Users", + "Extremely_likely": "Extremely likely", + "Facebook": "Facebook", + "Facebook_Page": "Facebook Page", + "Failed": "Failed", + "Failed_to_activate_invite_token": "Failed to activate invite token", + "Failed_to_add_monitor": "Failed to add monitor", + "Failed_To_Download_Files": "Failed to download files", + "Failed_to_generate_invite_link": "Failed to generate invite link", + "Failed_To_Load_Import_Data": "Failed to load import data", + "Failed_To_Load_Import_History": "Failed to load import history", + "Failed_To_Load_Import_Operation": "Failed to load import operation", + "Failed_To_Start_Import": "Failed to start import operation", + "Failed_to_validate_invite_token": "Failed to validate invite token", + "False": "False", + "Fallback_forward_department": "Fallback department for forwarding", + "Fallback_forward_department_description": "Allows you to define a fallback department which will receive the chats forwarded to this one in case there's no online agents at the moment", + "Favorite": "Favorite", + "Favorite_Rooms": "Enable Favorite Rooms", + "Favorites": "Favorites", + "Featured": "Featured", + "Feature_depends_on_selected_call_provider_to_be_enabled_from_administration_settings": "This feature depends on the above selected call provider to be enabled from the administration settings.
For **Jitsi**, please make sure you have Jitsi Enabled under Admin -> Video Conference -> Jitsi -> Enabled.
For **WebRTC**, please make sure you have WebRTC enabled under Admin -> WebRTC -> Enabled.", + "Feature_Depends_on_Livechat_Visitor_navigation_as_a_message_to_be_enabled": "This feature depends on \"Send Visitor Navigation History as a Message\" to be enabled.", + "Feature_Limiting": "Feature Limiting", + "Features": "Features", + "Features_Enabled": "Features Enabled", + "Feature_Disabled": "Feature Disabled", + "Federation": "Federation", + "Federation_Adding_Federated_Users": "Adding Federated Users", + "Federation_Adding_to_your_server": "Adding Federation to your Server", + "Federation_Adding_users_from_another_server": "Adding users from another server", + "Federation_Changes_needed": "Changes needed on your Server the Domain Name, Target and Port.", + "Federation_Channels_Will_Be_Replicated": "Those channels are going to be replicated to the remote server, without the message history.", + "Federation_Configure_DNS": "Configure DNS", + "Federation_Dashboard": "Federation Dashboard", + "Federation_Description": "Federation allows an ulimited number of workspaces to communicate with each other.", + "Federation_Discovery_method": "Discovery Method", + "Federation_Discovery_method_details": "You can use the hub or a DNS record (SRV and a TXT entry). Learn more", + "Federation_DNS_info_update": "This Info is updated every 1 minute", + "Federation_Domain": "Domain", + "Federation_Domain_details": "Add the domain name that this server should be linked to.", + "Federation_Email": "E-mail address: joseph@remotedomain.com", + "Federation_Enable": "Enable Federation", + "Federation_Fix_now": "Fix now!", + "Federation_Guide_adding_users": "We guide you on how to add your first federated user.", + "Federation_HTTP_instead_HTTPS": "If you use HTTP protocol instead HTTPS", + "Federation_HTTP_instead_HTTPS_details": "We recommend to use HTTPS for all kinds of communications, but sometimes that is not possible. If you need, in the SRV DNS entry replace: the protocol: _http the port: 80", + "Federation_Invite_User": "Invite User", + "Federation_Invite_Users_To_Private_Rooms": "From now on, you can invite federated users only to private rooms or discussions.", + "Federation_Inviting_users_from_another_server": "Inviting users from a different server", + "Federation_Is_working_correctly": "Federation integration is working correctly.", + "Federation_Legacy_support": "Legacy Support", + "Federation_Must_add_records": "You must add the following DNS records on your server:", + "Federation_Protocol": "Protocol", + "Federation_Protocol_details": "We only recommend using HTTP on internal, very specific cases.", + "Federation_Protocol_TXT_record": "Protocol TXT Record", + "Federation_Public_key": "Public Key", + "Federation_Public_key_details": "This is the key you need to share with your peers. What is it for?", + "Federation_Search_users_you_want_to_connect": "Search for the user you want to connect using a combination of a username and a domain or an e-mail address, like:", + "Federation_SRV_no_support": "If your DNS provider does not support SRV records with _http or _https", + "Federation_SRV_no_support_details": "Some DNS providers will not allow setting _https or _http on SRV records, so we have support for those cases, using our old DNS record resolution method.", + "Federation_SRV_records_200": "SRV Record (2.0.0 or newer)", + "Federation_Public_key_TXT_record": "Public Key TXT Record", + "Federation_Username": "Username: myfriendsusername@anotherdomain.com", + "Federation_You_will_invite_users_without_login_access": "You will invite them to your server without login access. Also, you and everyone else on your server will be able to chat with them.", + "FEDERATION_Discovery_Method": "Discovery Method", + "FEDERATION_Discovery_Method_Description": "You can use the hub or a SRV and a TXT entry on your DNS records.", + "FEDERATION_Domain": "Domain", + "FEDERATION_Domain_Alert": "Do not change this after enabling the feature, we can't handle domain changes yet.", + "FEDERATION_Domain_Description": "Add the domain that this server should be linked to - for example: @rocket.chat.", + "FEDERATION_Enabled": "Attempt to integrate federation support.", + "FEDERATION_Enabled_Alert": "Federation Support is a work in progress. Use on a production system is not recommended at this time.", + "FEDERATION_Error_user_is_federated_on_rooms": "You can't remove federated users who belongs to rooms", + "FEDERATION_Hub_URL": "Hub URL", + "FEDERATION_Hub_URL_Description": "Set the hub URL, for example: https://hub.rocket.chat. Ports are accepted as well.", + "FEDERATION_Public_Key": "Public Key", + "FEDERATION_Public_Key_Description": "This is the key you need to share with your peers.", + "FEDERATION_Room_Status": "Federation Status", + "FEDERATION_Status": "Status", + "FEDERATION_Test_Setup": "Test setup", + "FEDERATION_Test_Setup_Error": "Could not find your server using your setup, please review your settings.", + "FEDERATION_Test_Setup_Success": "Your federation setup is working and other servers can find you!", + "FEDERATION_Unique_Id": "Unique ID", + "FEDERATION_Unique_Id_Description": "This is your federation unique ID, used to identify your peer on the mesh.", + "Federation_Matrix": "Federation V2", + "Federation_Matrix_enabled": "Enabled", + "Federation_Matrix_Enabled_Alert": "Matrix Federation Support is in alpha. Use on a production system is not recommended at this time.
More Information about Matrix Federation support can be found here", + "Federation_Matrix_id": "AppService ID", + "Federation_Matrix_hs_token": "Homeserver Token", + "Federation_Matrix_as_token": "AppService Token", + "Federation_Matrix_homeserver_url": "Homeserver URL", + "Federation_Matrix_homeserver_url_alert": "We recommend a new, empty homeserver, to use with our federation", + "Federation_Matrix_homeserver_domain": "Homeserver Domain", + "Federation_Matrix_only_owners_can_invite_users": "Only owners can invite users", + "Federation_Matrix_homeserver_domain_alert": "No user should connect to the homeserver with third party clients, only Rocket.Chat", + "Federation_Matrix_bridge_url": "Bridge URL", + "Federation_Matrix_bridge_localpart": "AppService User Localpart", + "Federation_Matrix_registration_file": "Registration File", + "Field": "Field", + "Field_removed": "Field removed", + "Field_required": "Field required", + "File": "File", + "File_Downloads_Started": "File Downloads Started", + "File_exceeds_allowed_size_of_bytes": "File exceeds allowed size of __size__.", + "File_name_Placeholder": "Search files...", + "File_not_allowed_direct_messages": "File sharing not allowed in direct messages.", + "File_Path": "File Path", + "file_pruned": "file pruned", + "File_removed_by_automatic_prune": "File removed by automatic prune", + "File_removed_by_prune": "File removed by prune", + "File_Type": "File Type", + "File_type_is_not_accepted": "File type is not accepted.", + "File_uploaded": "File uploaded", + "File_uploaded_successfully": "File uploaded successfully", + "File_URL": "File URL", + "FileType": "File Type", + "files": "files", + "Files": "Files", + "Files_only": "Only remove the attached files, keep messages", + "files_pruned": "files pruned", + "FileSize_Bytes": "__fileSize__ Bytes", + "FileSize_KB": "__fileSize__ KB", + "FileSize_MB": "__fileSize__ MB", + "FileUpload": "File Upload", + "FileUpload_Description": "Configure file upload and storage.", + "FileUpload_Cannot_preview_file": "Cannot preview file", + "FileUpload_Disabled": "File uploads are disabled.", + "FileUpload_Enable_json_web_token_for_files": "Enable Json Web Tokens protection to file uploads", + "FileUpload_Enable_json_web_token_for_files_description": "Appends a JWT to uploaded files urls", + "FileUpload_Enabled": "File Uploads Enabled", + "FileUpload_Enabled_Direct": "File Uploads Enabled in Direct Messages ", + "FileUpload_Error": "File Upload Error", + "FileUpload_File_Empty": "File empty", + "FileUpload_FileSystemPath": "System Path", + "FileUpload_GoogleStorage_AccessId": "Google Storage Access Id", + "FileUpload_GoogleStorage_AccessId_Description": "The Access Id is generally in an email format, for example: \"example-test@example.iam.gserviceaccount.com\"", + "FileUpload_GoogleStorage_Bucket": "Google Storage Bucket Name", + "FileUpload_GoogleStorage_Bucket_Description": "The name of the bucket which the files should be uploaded to.", + "FileUpload_GoogleStorage_Proxy_Avatars": "Proxy Avatars", + "FileUpload_GoogleStorage_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_GoogleStorage_Proxy_Uploads": "Proxy Uploads", + "FileUpload_GoogleStorage_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_GoogleStorage_Secret": "Google Storage Secret", + "FileUpload_GoogleStorage_Secret_Description": "Please follow these instructions and paste the result here.", + "FileUpload_json_web_token_secret_for_files": "File Upload Json Web Token Secret", + "FileUpload_json_web_token_secret_for_files_description": "File Upload Json Web Token Secret (Used to be able to access uploaded files without authentication)", + "FileUpload_MaxFileSize": "Maximum File Upload Size (in bytes)", + "FileUpload_MaxFileSizeDescription": "Set it to -1 to remove the file size limitation.", + "FileUpload_MediaType_NotAccepted__type__": "Media Type Not Accepted: __type__", + "FileUpload_MediaType_NotAccepted": "Media Types Not Accepted", + "FileUpload_MediaTypeBlackList": "Blocked Media Types", + "FileUpload_MediaTypeBlackListDescription": "Comma-separated list of media types. This setting has priority over the Accepted Media Types.", + "FileUpload_MediaTypeWhiteList": "Accepted Media Types", + "FileUpload_MediaTypeWhiteListDescription": "Comma-separated list of media types. Leave it blank for accepting all media types.", + "FileUpload_ProtectFiles": "Protect Uploaded Files", + "FileUpload_ProtectFilesDescription": "Only authenticated users will have access", + "FileUpload_RotateImages": "Rotate images on upload", + "FileUpload_RotateImages_Description": "Enabling this setting may cause image quality loss", + "FileUpload_S3_Acl": "Acl", + "FileUpload_S3_AWSAccessKeyId": "Access Key", + "FileUpload_S3_AWSSecretAccessKey": "Secret Key", + "FileUpload_S3_Bucket": "Bucket name", + "FileUpload_S3_BucketURL": "Bucket URL", + "FileUpload_S3_CDN": "CDN Domain for Downloads", + "FileUpload_S3_ForcePathStyle": "Force Path Style", + "FileUpload_S3_Proxy_Avatars": "Proxy Avatars", + "FileUpload_S3_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_S3_Proxy_Uploads": "Proxy Uploads", + "FileUpload_S3_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_S3_Region": "Region", + "FileUpload_S3_SignatureVersion": "Signature Version", + "FileUpload_S3_URLExpiryTimeSpan": "URLs Expiration Timespan", + "FileUpload_S3_URLExpiryTimeSpan_Description": "Time after which Amazon S3 generated URLs will no longer be valid (in seconds). If set to less than 5 seconds, this field will be ignored.", + "FileUpload_Storage_Type": "Storage Type", + "FileUpload_Webdav_Password": "WebDAV Password", + "FileUpload_Webdav_Proxy_Avatars": "Proxy Avatars", + "FileUpload_Webdav_Proxy_Avatars_Description": "Proxy avatar file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_Webdav_Proxy_Uploads": "Proxy Uploads", + "FileUpload_Webdav_Proxy_Uploads_Description": "Proxy upload file transmissions through your server instead of direct access to the asset's URL", + "FileUpload_Webdav_Server_URL": "WebDAV Server Access URL", + "FileUpload_Webdav_Upload_Folder_Path": "Upload Folder Path", + "FileUpload_Webdav_Upload_Folder_Path_Description": "WebDAV folder path which the files should be uploaded to", + "FileUpload_Webdav_Username": "WebDAV Username", + "Filter": "Filter", + "Filter_by_category": "Filter by Category", + "Filter_By_Price": "Filter By Price", + "Filters": "Filters", + "Filters_applied": "Filters applied", + "Financial_Services": "Financial Services", + "Finish": "Finish", + "Finish_Registration": "Finish Registration", + "First_Channel_After_Login": "First Channel After Login", + "First_response_time": "First Response Time", + "Flags": "Flags", + "Follow_message": "Follow Message", + "Follow_social_profiles": "Follow our social profiles, fork us on github and share your thoughts about the rocket.chat app on our trello board.", + "Following": "Following", + "Fonts": "Fonts", + "Food_and_Drink": "Food & Drink", + "Footer": "Footer", + "Footer_Direct_Reply": "Footer When Direct Reply is Enabled", + "For_more_details_please_check_our_docs": "For more details please check our docs.", + "For_your_security_you_must_enter_your_current_password_to_continue": "For your security, you must enter your current password to continue", + "Force_Disable_OpLog_For_Cache": "Force Disable OpLog for Cache", + "Force_Disable_OpLog_For_Cache_Description": "Will not use OpLog to sync cache even when it's available", + "Force_Screen_Lock": "Force screen lock", + "Force_Screen_Lock_After": "Force screen lock after", + "Force_Screen_Lock_After_description": "The time to request password again after the finish of the latest session, in seconds.", + "Force_Screen_Lock_description": "When enabled, you'll force your users to use a PIN/BIOMETRY/FACEID to unlock the app.", + "Force_SSL": "Force SSL", + "Force_SSL_Description": "*Caution!* _Force SSL_ should never be used with reverse proxy. If you have a reverse proxy, you should do the redirect THERE. This option exists for deployments like Heroku, that does not allow the redirect configuration at the reverse proxy.", + "Force_visitor_to_accept_data_processing_consent": "Force visitor to accept data processing consent", + "Force_visitor_to_accept_data_processing_consent_description": "Visitors are not allowed to start chatting without consent.", + "Force_visitor_to_accept_data_processing_consent_enabled_alert": "Agreement with data processing must be based on a transparent understanding of the reason for processing. Because of this, you must fill out the setting below which will be displayed to users in order to provide the reasons for collecting and processing your personal information.", + "force-delete-message": "Force Delete Message", + "force-delete-message_description": "Permission to delete a message bypassing all restrictions", + "Forgot_password": "Forgot your password?", + "Forgot_Password_Description": "You may use the following placeholders:
  • [Forgot_Password_Url] for the password recovery URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Forgot_Password_Email": "Click here to reset your password.", + "Forgot_Password_Email_Subject": "[Site_Name] - Password Recovery", + "Forgot_password_section": "Forgot password", + "Format": "Format", + "Forward": "Forward", + "Forward_chat": "Forward chat", + "Forward_to_department": "Forward to department", + "Forward_to_user": "Forward to user", + "Forwarding": "Forwarding", + "Free": "Free", + "Free_Extension_Numbers": "Free Extension Numbers", + "Free_Apps": "Free Apps", + "Frequently_Used": "Frequently Used", + "Friday": "Friday", + "From": "From", + "From_Email": "From Email", + "From_email_warning": "Warning: The field From is subject to your mail server settings.", + "Full_Name": "Full Name", + "Full_Screen": "Full Screen", + "Gaming": "Gaming", + "General": "General", + "General_Description": "Configure general workspace settings.", + "Generate_new_key": "Generate a new key", + "Generate_New_Link": "Generate New Link", + "Generating_key": "Generating key", + "Get_link": "Get Link", + "get-password-policy-forbidRepeatingCharacters": "The password should not contain repeating characters", + "get-password-policy-forbidRepeatingCharactersCount": "The password should not contain more than __forbidRepeatingCharactersCount__ repeating characters", + "get-password-policy-maxLength": "The password should be maximum __maxLength__ characters long", + "get-password-policy-minLength": "The password should be minimum __minLength__ characters long", + "get-password-policy-mustContainAtLeastOneLowercase": "The password should contain at least one lowercase letter", + "get-password-policy-mustContainAtLeastOneNumber": "The password should contain at least one number", + "get-password-policy-mustContainAtLeastOneSpecialCharacter": "The password should contain at least one special character", + "get-password-policy-mustContainAtLeastOneUppercase": "The password should contain at least one uppercase letter", + "get-server-info": "Get server info", + "github_no_public_email": "You don't have any email as public email in your GitHub account", + "github_HEAD": "HEAD", + "Give_a_unique_name_for_the_custom_oauth": "Give a unique name for the custom oauth", + "Give_the_application_a_name_This_will_be_seen_by_your_users": "Give the application a name. This will be seen by your users.", + "Global": "Global", + "Global Policy": "Global Policy", + "Global_purge_override_warning": "A global retention policy is in place. If you leave \"Override global retention policy\" off, you can only apply a policy that is stricter than the global policy.", + "Global_Search": "Global search", + "Go_to_your_workspace": "Go to your workspace", + "GoogleCloudStorage": "Google Cloud Storage", + "GoogleNaturalLanguage_ServiceAccount_Description": "Service account key JSON file. More information can be found [here](https://cloud.google.com/natural-language/docs/common/auth#set_up_a_service_account)", + "GoogleTagManager_id": "Google Tag Manager Id", + "Government": "Government", + "Graphql_CORS": "GraphQL CORS", + "Graphql_Enabled": "GraphQL Enabled", + "Graphql_Subscription_Port": "GraphQL Subscription Port", + "Group": "Group", + "Group_by": "Group by", + "Group_by_Type": "Group by Type", + "Group_discussions": "Group discussions", + "Group_favorites": "Group favorites", + "Group_mentions_disabled_x_members": "Group mentions `@all` and `@here` have been disabled for rooms with more than __total__ members.", + "Group_mentions_only": "Group mentions only", + "Grouping": "Grouping", + "Guest": "Guest", + "Hash": "Hash", + "Header": "Header", + "Header_and_Footer": "Header and Footer", + "Pharmaceutical": "Pharmaceutical", + "Healthcare": "Healthcare", + "Helpers": "Helpers", + "Here_is_your_authentication_code": "Here is your authentication code:", + "Hex_Color_Preview": "Hex Color Preview", + "Hi": "Hi", + "Hi_username": "Hi __name__", + "Hidden": "Hidden", + "Hide": "Hide", + "Hide_counter": "Hide counter", + "Hide_flextab": "Hide Right Sidebar with Click", + "Hide_Group_Warning": "Are you sure you want to hide the group \"%s\"?", + "Hide_Livechat_Warning": "Are you sure you want to hide the chat with \"%s\"?", + "Hide_Private_Warning": "Are you sure you want to hide the discussion with \"%s\"?", + "Hide_roles": "Hide Roles", + "Hide_room": "Hide", + "Hide_Room_Warning": "Are you sure you want to hide the channel \"%s\"?", + "Hide_System_Messages": "Hide System Messages", + "Hide_Unread_Room_Status": "Hide Unread Room Status", + "Hide_usernames": "Hide Usernames", + "Hide_video": "Hide video", + "Highlights": "Highlights", + "Highlights_How_To": "To be notified when someone mentions a word or phrase, add it here. You can separate words or phrases with commas. Highlight Words are not case sensitive.", + "Highlights_List": "Highlight words", + "History": "History", + "Hold_Time": "Hold Time", + "Hold_Call": "Hold Call", + "Home": "Home", + "Host": "Host", + "Hospitality_Businness": "Hospitality Businness", + "hours": "hours", + "Hours": "Hours", + "How_friendly_was_the_chat_agent": "How friendly was the chat agent?", + "How_knowledgeable_was_the_chat_agent": "How knowledgeable was the chat agent?", + "How_long_to_wait_after_agent_goes_offline": "How Long to Wait After Agent Goes Offline", + "How_long_to_wait_to_consider_visitor_abandonment": "How Long to Wait to Consider Visitor Abandonment?", + "How_long_to_wait_to_consider_visitor_abandonment_in_seconds": "How Long to Wait to Consider Visitor Abandonment?", + "How_responsive_was_the_chat_agent": "How responsive was the chat agent?", + "How_satisfied_were_you_with_this_chat": "How satisfied were you with this chat?", + "How_to_handle_open_sessions_when_agent_goes_offline": "How to Handle Open Sessions When Agent Goes Offline", + "HTML": "HTML", + "I_Saved_My_Password": "I Saved My Password", + "Idle_Time_Limit": "Idle Time Limit", + "Idle_Time_Limit_Description": "Period of time until status changes to away. Value needs to be in seconds.", + "if_they_are_from": "(if they are from %s)", + "If_this_email_is_registered": "If this email is registered, we'll send instructions on how to reset your password. If you do not receive an email shortly, please come back and try again.", + "If_you_are_sure_type_in_your_password": "If you are sure type in your password:", + "If_you_are_sure_type_in_your_username": "If you are sure type in your username:", + "If_you_didnt_ask_for_reset_ignore_this_email": "If you didn't ask for your password reset, you can ignore this email.", + "If_you_didnt_try_to_login_in_your_account_please_ignore_this_email": "If you didn't try to login in your account please ignore this email.", + "If_you_dont_have_one_send_an_email_to_omni_rocketchat_to_get_yours": "If you don't have one send an email to [omni@rocket.chat](mailto:omni@rocket.chat) to get yours.", + "Iframe_Integration": "Iframe Integration", + "Iframe_Integration_receive_enable": "Enable Receive", + "Iframe_Integration_receive_enable_Description": "Allow parent window to send commands to Rocket.Chat.", + "Iframe_Integration_receive_origin": "Receive Origins", + "Iframe_Integration_receive_origin_Description": "Origins with protocol prefix, separated by commas, which are allowed to receive commands e.g. 'https://localhost, http://localhost', or * to allow receiving from anywhere.", + "Iframe_Integration_send_enable": "Enable Send", + "Iframe_Integration_send_enable_Description": "Send events to parent window", + "Iframe_Integration_send_target_origin": "Send Target Origin", + "Iframe_Integration_send_target_origin_Description": "Origin with protocol prefix, which commands are sent to e.g. 'https://localhost', or * to allow sending to anywhere.", + "Iframe_Restrict_Access": "Restrict access inside any Iframe", + "Iframe_Restrict_Access_Description": "This setting enable/disable restrictions to load the RC inside any iframe", + "Iframe_X_Frame_Options": "Options to X-Frame-Options", + "Iframe_X_Frame_Options_Description": "Options to X-Frame-Options. [You can see all the options here.](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/X-Frame-Options#Syntax)", + "Ignore": "Ignore", + "Ignored": "Ignored", + "Images": "Images", + "IMAP_intercepter_already_running": "IMAP intercepter already running", + "IMAP_intercepter_Not_running": "IMAP intercepter Not running", + "Impersonate_next_agent_from_queue": "Impersonate next agent from queue", + "Impersonate_user": "Impersonate User", + "Impersonate_user_description": "When enabled, integration posts as the user that triggered integration", + "Import": "Import", + "Import_New_File": "Import New File", + "Import_requested_successfully": "Import Requested Successfully", + "Import_Type": "Import Type", + "Importer_Archived": "Archived", + "Importer_CSV_Information": "The CSV importer requires a specific format, please read the documentation for how to structure your zip file:", + "Importer_done": "Importing complete!", + "Importer_ExternalUrl_Description": "You can also use an URL for a publicly accessible file:", + "Importer_finishing": "Finishing up the import.", + "Importer_From_Description": "Imports __from__ data into Rocket.Chat.", + "Importer_From_Description_CSV": "Imports CSV data into Rocket.Chat. The uploaded file must be a ZIP file.", + "Importer_HipChatEnterprise_BetaWarning": "Please be aware that this import is still a work in progress, please report any errors which occur in GitHub:", + "Importer_HipChatEnterprise_Information": "The file uploaded must be a decrypted tar.gz, please read the documentation for further information:", + "Importer_import_cancelled": "Import cancelled.", + "Importer_import_failed": "An error occurred while running the import.", + "Importer_importing_channels": "Importing the channels.", + "Importer_importing_files": "Importing the files.", + "Importer_importing_messages": "Importing the messages.", + "Importer_importing_started": "Starting the import.", + "Importer_importing_users": "Importing the users.", + "Importer_not_in_progress": "The importer is currently not running.", + "Importer_not_setup": "The importer is not setup correctly, as it didn't return any data.", + "Importer_Prepare_Restart_Import": "Restart Import", + "Importer_Prepare_Start_Import": "Start Importing", + "Importer_Prepare_Uncheck_Archived_Channels": "Uncheck Archived Channels", + "Importer_Prepare_Uncheck_Deleted_Users": "Uncheck Deleted Users", + "Importer_progress_error": "Failed to get the progress for the import.", + "Importer_setup_error": "An error occurred while setting up the importer.", + "Importer_Slack_Users_CSV_Information": "The file uploaded must be Slack's Users export file, which is a CSV file. See here for more information:", + "Importer_Source_File": "Source File Selection", + "importer_status_done": "Completed successfully", + "importer_status_downloading_file": "Downloading file", + "importer_status_file_loaded": "File loaded", + "importer_status_finishing": "Almost done", + "importer_status_import_cancelled": "Cancelled", + "importer_status_import_failed": "Error", + "importer_status_importing_channels": "Importing channels", + "importer_status_importing_files": "Importing files", + "importer_status_importing_messages": "Importing messages", + "importer_status_importing_started": "Importing data", + "importer_status_importing_users": "Importing users", + "importer_status_new": "Not started", + "importer_status_preparing_channels": "Reading channels file", + "importer_status_preparing_messages": "Reading message files", + "importer_status_preparing_started": "Reading files", + "importer_status_preparing_users": "Reading users file", + "importer_status_uploading": "Uploading file", + "importer_status_user_selection": "Ready to select what to import", + "Importer_Upload_FileSize_Message": "Your server settings allow the upload of files of any size up to __maxFileSize__.", + "Importer_Upload_Unlimited_FileSize": "Your server settings allow the upload of files of any size.", + "Importing_channels": "Importing channels", + "Importing_Data": "Importing Data", + "Importing_messages": "Importing messages", + "Importing_users": "Importing users", + "Inactivity_Time": "Inactivity Time", + "In_progress": "In progress", + "Inbox_Info": "Inbox Info", + "Include_Offline_Agents": "Include offline agents", + "Inclusive": "Inclusive", + "Incoming": "Incoming", + "Incoming_Livechats": "Queued Chats", + "Incoming_WebHook": "Incoming WebHook", + "Industry": "Industry", + "Info": "Info", + "initials_avatar": "Initials Avatar", + "inline_code": "inline code", + "Install": "Install", + "Install_Extension": "Install Extension", + "Install_FxOs": "Install Rocket.Chat on your Firefox", + "Install_FxOs_done": "Great! You can now use Rocket.Chat via the icon on your homescreen. Have fun with Rocket.Chat!", + "Install_FxOs_error": "Sorry, that did not work as intended! The following error appeared:", + "Install_FxOs_follow_instructions": "Please confirm the app installation on your device (press \"Install\" when prompted).", + "Install_package": "Install package", + "Installation": "Installation", + "Installed": "Installed", + "Installed_at": "Installed at", + "Instance": "Instance", + "Instances": "Instances", + "Instances_health": "Instances Health", + "Instance_Record": "Instance Record", + "Instructions": "Instructions", + "Instructions_to_your_visitor_fill_the_form_to_send_a_message": "Instructions to your visitor fill the form to send a message", + "Insert_Contact_Name": "Insert the Contact Name", + "Insert_Placeholder": "Insert Placeholder", + "Insurance": "Insurance", + "Integration_added": "Integration has been added", + "Integration_Advanced_Settings": "Advanced Settings", + "Integration_Delete_Warning": "Deleting an Integrations cannot be undone.", + "Integration_disabled": "Integration disabled", + "Integration_History_Cleared": "Integration History Successfully Cleared", + "Integration_Incoming_WebHook": "Incoming WebHook Integration", + "Integration_New": "New Integration", + "Integration_Outgoing_WebHook": "Outgoing WebHook Integration", + "Integration_Outgoing_WebHook_History": "Outgoing WebHook Integration History", + "Integration_Outgoing_WebHook_History_Data_Passed_To_Trigger": "Data Passed to Integration", + "Integration_Outgoing_WebHook_History_Data_Passed_To_URL": "Data Passed to URL", + "Integration_Outgoing_WebHook_History_Error_Stacktrace": "Error Stacktrace", + "Integration_Outgoing_WebHook_History_Http_Response": "HTTP Response", + "Integration_Outgoing_WebHook_History_Http_Response_Error": "HTTP Response Error", + "Integration_Outgoing_WebHook_History_Messages_Sent_From_Prepare_Script": "Messages Sent from Prepare Step", + "Integration_Outgoing_WebHook_History_Messages_Sent_From_Process_Script": "Messages Sent from Process Response Step", + "Integration_Outgoing_WebHook_History_Time_Ended_Or_Error": "Time it Ended or Error'd", + "Integration_Outgoing_WebHook_History_Time_Triggered": "Time Integration Triggered", + "Integration_Outgoing_WebHook_History_Trigger_Step": "Last Trigger Step", + "Integration_Outgoing_WebHook_No_History": "This outgoing webhook integration has yet to have any history recorded.", + "Integration_Retry_Count": "Retry Count", + "Integration_Retry_Count_Description": "How many times should the integration be tried if the call to the url fails?", + "Integration_Retry_Delay": "Retry Delay", + "Integration_Retry_Delay_Description": "Which delay algorithm should the retrying use? 10^x or 2^x or x*2", + "Integration_Retry_Failed_Url_Calls": "Retry Failed Url Calls", + "Integration_Retry_Failed_Url_Calls_Description": "Should the integration try a reasonable amount of time if the call out to the url fails?", + "Integration_Run_When_Message_Is_Edited": "Run On Edits", + "Integration_Run_When_Message_Is_Edited_Description": "Should the integration run when the message is edited? Setting this to false will cause the integration to only run on new messages.", + "Integration_updated": "Integration has been updated.", + "Integration_Word_Trigger_Placement": "Word Placement Anywhere", + "Integration_Word_Trigger_Placement_Description": "Should the Word be Triggered when placed anywhere in the sentence other than the beginning?", + "Integrations": "Integrations", + "Integrations_for_all_channels": "Enter all_public_channels to listen on all public channels, all_private_groups to listen on all private groups, and all_direct_messages to listen to all direct messages.", + "Integrations_Outgoing_Type_FileUploaded": "File Uploaded", + "Integrations_Outgoing_Type_RoomArchived": "Room Archived", + "Integrations_Outgoing_Type_RoomCreated": "Room Created (public and private)", + "Integrations_Outgoing_Type_RoomJoined": "User Joined Room", + "Integrations_Outgoing_Type_RoomLeft": "User Left Room", + "Integrations_Outgoing_Type_SendMessage": "Message Sent", + "Integrations_Outgoing_Type_UserCreated": "User Created", + "InternalHubot": "Internal Hubot", + "InternalHubot_EnableForChannels": "Enable for Public Channels", + "InternalHubot_EnableForDirectMessages": "Enable for Direct Messages", + "InternalHubot_EnableForPrivateGroups": "Enable for Private Channels", + "InternalHubot_PathToLoadCustomScripts": "Folder to Load the Scripts", + "InternalHubot_reload": "Reload the scripts", + "InternalHubot_ScriptsToLoad": "Scripts to Load", + "InternalHubot_ScriptsToLoad_Description": "Please enter a comma separated list of scripts to load from your custom folder", + "InternalHubot_Username_Description": "This must be a valid username of a bot registered on your server.", + "Invalid Canned Response": "Invalid Canned Response", + "Invalid_confirm_pass": "The password confirmation does not match password", + "Invalid_Department": "Invalid Department", + "Invalid_email": "The email entered is invalid", + "Invalid_Export_File": "The file uploaded isn't a valid %s export file.", + "Invalid_field": "The field must not be empty", + "Invalid_Import_File_Type": "Invalid Import file type.", + "Invalid_name": "The name must not be empty", + "Invalid_notification_setting_s": "Invalid notification setting: %s", + "Invalid_or_expired_invite_token": "Invalid or expired invite token", + "Invalid_pass": "The password must not be empty", + "Invalid_password": "Invalid password", + "Invalid_reason": "The reason to join must not be empty", + "Invalid_room_name": "%s is not a valid room name", + "Invalid_secret_URL_message": "The URL provided is invalid.", + "Invalid_setting_s": "Invalid setting: %s", + "Invalid_two_factor_code": "Invalid two factor code", + "Invalid_username": "The username entered is invalid", + "Invalid_JSON": "Invalid JSON", + "invisible": "invisible", + "Invisible": "Invisible", + "Invitation": "Invitation", + "Invitation_Email_Description": "You may use the following placeholders:
  • [email] for the recipient email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Invitation_HTML": "Invitation HTML", + "Invitation_HTML_Default": "

You have been invited to [Site_Name]

Go to [Site_URL] and try the best open source chat solution available today!

", + "Invitation_Subject": "Invitation Subject", + "Invitation_Subject_Default": "You have been invited to [Site_Name]", + "Invite": "Invite", + "Invites": "Invites", + "Invite_Link": "Invite Link", + "Invite_removed": "Invite removed successfully", + "Invite_user_to_join_channel": "Invite one user to join this channel", + "Invite_user_to_join_channel_all_from": "Invite all users from [#channel] to join this channel", + "Invite_user_to_join_channel_all_to": "Invite all users from this channel to join [#channel]", + "Invite_Users": "Invite Members", + "IP": "IP", + "IRC_Channel_Join": "Output of the JOIN command.", + "IRC_Channel_Leave": "Output of the PART command.", + "IRC_Channel_Users": "Output of the NAMES command.", + "IRC_Channel_Users_End": "End of output of the NAMES command.", + "IRC_Description": "Internet Relay Chat (IRC) is a text-based group communication tool. Users join uniquely named channels, or rooms, for open discussion. IRC also supports private messages between individual users and file sharing capabilities. This package integrates these layers of functionality with Rocket.Chat.", + "IRC_Enabled": "Attempt to integrate IRC support. Changing this value requires restarting Rocket.Chat.", + "IRC_Enabled_Alert": "IRC Support is a work in progress. Use on a production system is not recommended at this time.", + "IRC_Federation": "IRC Federation", + "IRC_Federation_Description": "Connect to other IRC servers.", + "IRC_Federation_Disabled": "IRC Federation is disabled.", + "IRC_Hostname": "The IRC host server to connect to.", + "IRC_Login_Fail": "Output upon a failed connection to the IRC server.", + "IRC_Login_Success": "Output upon a successful connection to the IRC server.", + "IRC_Message_Cache_Size": "The cache limit for outbound message handling.", + "IRC_Port": "The port to bind to on the IRC host server.", + "IRC_Private_Message": "Output of the PRIVMSG command.", + "IRC_Quit": "Output upon quitting an IRC session.", + "is_typing": "is typing", + "Issue_Links": "Issue tracker links", + "IssueLinks_Incompatible": "Warning: do not enable this and the 'Hex Color Preview' at the same time.", + "IssueLinks_LinkTemplate": "Template for issue links", + "IssueLinks_LinkTemplate_Description": "Template for issue links; %s will be replaced by the issue number.", + "It_works": "It works", + "It_Security": "It Security", + "italic": "Italic", + "italics": "italics", + "Items_per_page:": "Items per page:", + "Jitsi_Application_ID": "Application ID (iss)", + "Jitsi_Application_Secret": "Application Secret", + "Jitsi_Chrome_Extension": "Chrome Extension Id", + "Jitsi_Enable_Channels": "Enable in Channels", + "Jitsi_Enable_Teams": "Enable for Teams", + "Jitsi_Enabled_TokenAuth": "Enable JWT auth", + "Jitsi_Limit_Token_To_Room": "Limit token to Jitsi Room", + "Job_Title": "Job Title", + "join": "Join", + "Join_call": "Join Call", + "Join_audio_call": "Join audio call", + "Join_Chat": "Join Chat", + "Join_default_channels": "Join default channels", + "Join_the_Community": "Join the Community", + "Join_the_given_channel": "Join the given channel", + "Join_video_call": "Join video call", + "Join_my_room_to_start_the_video_call": "Join my room to start the video call", + "join-without-join-code": "Join Without Join Code", + "join-without-join-code_description": "Permission to bypass the join code in channels with join code enabled", + "Joined": "Joined", + "Joined_at": "Joined at", + "JSON": "JSON", + "Jump": "Jump", + "Jump_to_first_unread": "Jump to first unread", + "Jump_to_message": "Jump to Message", + "Jump_to_recent_messages": "Jump to recent messages", + "Just_invited_people_can_access_this_channel": "Just invited people can access this channel.", + "Katex_Dollar_Syntax": "Allow Dollar Syntax", + "Katex_Dollar_Syntax_Description": "Allow using $$katex block$$ and $inline katex$ syntaxes", + "Katex_Enabled": "Katex Enabled", + "Katex_Enabled_Description": "Allow using katex for math typesetting in messages", + "Katex_Parenthesis_Syntax": "Allow Parenthesis Syntax", + "Katex_Parenthesis_Syntax_Description": "Allow using \\[katex block\\] and \\(inline katex\\) syntaxes", + "Keep_default_user_settings": "Keep the default settings", + "Keyboard_Shortcuts_Edit_Previous_Message": "Edit previous message", + "Keyboard_Shortcuts_Keys_1": "Command (or Ctrl) + p OR Command (or Ctrl) + k", + "Keyboard_Shortcuts_Keys_2": "Up Arrow", + "Keyboard_Shortcuts_Keys_3": "Command (or Alt) + Left Arrow", + "Keyboard_Shortcuts_Keys_4": "Command (or Alt) + Up Arrow", + "Keyboard_Shortcuts_Keys_5": "Command (or Alt) + Right Arrow", + "Keyboard_Shortcuts_Keys_6": "Command (or Alt) + Down Arrow", + "Keyboard_Shortcuts_Keys_7": "Shift + Enter", + "Keyboard_Shortcuts_Keys_8": "Shift (or Ctrl) + ESC", + "Keyboard_Shortcuts_Mark_all_as_read": "Mark all messages (in all channels) as read", + "Keyboard_Shortcuts_Move_To_Beginning_Of_Message": "Move to the beginning of the message", + "Keyboard_Shortcuts_Move_To_End_Of_Message": "Move to the end of the message", + "Keyboard_Shortcuts_New_Line_In_Message": "New line in message compose input", + "Keyboard_Shortcuts_Open_Channel_Slash_User_Search": "Open Channel / User search", + "Keyboard_Shortcuts_Title": "Keyboard Shortcuts", + "Knowledge_Base": "Knowledge Base", + "Label": "Label", + "Language": "Language", + "Language_Bulgarian": "Bulgarian", + "Language_Chinese": "Chinese", + "Language_Czech": "Czech", + "Language_Danish": "Danish", + "Language_Dutch": "Dutch", + "Language_English": "English", + "Language_Estonian": "Estonian", + "Language_Finnish": "Finnish", + "Language_French": "French", + "Language_German": "German", + "Language_Greek": "Greek", + "Language_Hungarian": "Hungarian", + "Language_Italian": "Italian", + "Language_Japanese": "Japanese", + "Language_Latvian": "Latvian", + "Language_Lithuanian": "Lithuanian", + "Language_Not_set": "No specific", + "Language_Polish": "Polish", + "Language_Portuguese": "Portuguese", + "Language_Romanian": "Romanian", + "Language_Russian": "Russian", + "Language_Slovak": "Slovak", + "Language_Slovenian": "Slovenian", + "Language_Spanish": "Spanish", + "Language_Swedish": "Swedish", + "Language_Version": "English Version", + "Last_7_days": "Last 7 Days", + "Last_30_days": "Last 30 Days", + "Last_90_days": "Last 90 Days", + "Last_active": "Last active", + "Last_Call": "Last Call", + "Last_Chat": "Last Chat", + "Last_login": "Last login", + "Last_Message": "Last Message", + "Last_Message_At": "Last Message At", + "Last_seen": "Last seen", + "Last_Status": "Last Status", + "Last_token_part": "Last token part", + "Last_Updated": "Last Updated", + "Launched_successfully": "Launched successfully", + "Layout": "Layout", + "Layout_Description": "Customize the look of your workspace.", + "Layout_Home_Body": "Home Body", + "Layout_Home_Title": "Home Title", + "Layout_Legal_Notice": "Legal Notice", + "Layout_Login_Terms": "Login Terms", + "Layout_Privacy_Policy": "Privacy Policy", + "Layout_Show_Home_Button": "Show \"Home Button\"", + "Layout_Sidenav_Footer": "Side Navigation Footer", + "Layout_Sidenav_Footer_description": "Footer size is 260 x 70px", + "Layout_Terms_of_Service": "Terms of Service", + "LDAP": "LDAP", + "LDAP_Description": "Lightweight Directory Access Protocol enables anyone to locate data about your server or company.", + "LDAP_Documentation": "LDAP Documentation", + "LDAP_Connection": "Connection", + "LDAP_Connection_Authentication": "Authentication", + "LDAP_Connection_Encryption": "Encryption", + "LDAP_Connection_Timeouts": "Timeouts", + "LDAP_UserSearch": "User Search", + "LDAP_UserSearch_Filter": "Search Filter", + "LDAP_UserSearch_GroupFilter": "Group Filter", + "LDAP_DataSync": "Data Sync", + "LDAP_DataSync_DataMap": "Mapping", + "LDAP_DataSync_Avatar": "Avatar", + "LDAP_DataSync_Advanced": "Advanced Sync", + "LDAP_DataSync_CustomFields": "Sync Custom Fields", + "LDAP_DataSync_Roles": "Sync Roles", + "LDAP_DataSync_Channels": "Sync Channels", + "LDAP_DataSync_Teams": "Sync Teams", + "LDAP_Enterprise": "Enterprise", + "LDAP_DataSync_BackgroundSync": "Background Sync", + "LDAP_Server_Type": "Server Type", + "LDAP_Server_Type_AD": "Active Directory", + "LDAP_Server_Type_Other": "Other", + "LDAP_Name_Field": "Name Field", + "LDAP_Email_Field": "Email Field", + "LDAP_Update_Data_On_Login": "Update User Data on Login", + "LDAP_Advanced_Sync": "Advanced Sync", + "LDAP_Authentication": "Enable", + "LDAP_Authentication_Password": "Password", + "LDAP_Authentication_UserDN": "User DN", + "LDAP_Authentication_UserDN_Description": "The LDAP user that performs user lookups to authenticate other users when they sign in.
This is typically a service account created specifically for third-party integrations. Use a fully qualified name, such as `cn=Administrator,cn=Users,dc=Example,dc=com`.", + "LDAP_Avatar_Field": "User Avatar Field", + "LDAP_Avatar_Field_Description": " Which field will be used as *avatar* for users. Leave empty to use `thumbnailPhoto` first and `jpegPhoto` as fallback.", + "LDAP_Background_Sync": "Background Sync", + "LDAP_Background_Sync_Avatars": "Avatar Background Sync", + "LDAP_Background_Sync_Avatars_Description": "Enable a separate background process to sync user avatars.", + "LDAP_Background_Sync_Avatars_Interval": "Avatar Background Sync Interval", + "LDAP_Background_Sync_Import_New_Users": "Background Sync Import New Users", + "LDAP_Background_Sync_Import_New_Users_Description": "Will import all users (based on your filter criteria) that exists in LDAP and does not exists in Rocket.Chat", + "LDAP_Background_Sync_Interval": "Background Sync Interval", + "LDAP_Background_Sync_Interval_Description": "The interval between synchronizations. Example `every 24 hours` or `on the first day of the week`, more examples at [Cron Text Parser](http://bunkat.github.io/later/parsers.html#text)", + "LDAP_Background_Sync_Keep_Existant_Users_Updated": "Background Sync Update Existing Users", + "LDAP_Background_Sync_Keep_Existant_Users_Updated_Description": "Will sync the avatar, fields, username, etc (based on your configuration) of all users already imported from LDAP on every **Sync Interval**", + "LDAP_BaseDN": "Base DN", + "LDAP_BaseDN_Description": "The fully qualified Distinguished Name (DN) of an LDAP subtree you want to search for users and groups. You can add as many as you like; however, each group must be defined in the same domain base as the users that belong to it. Example: `ou=Users+ou=Projects,dc=Example,dc=com`. If you specify restricted user groups, only users that belong to those groups will be in scope. We recommend that you specify the top level of your LDAP directory tree as your domain base and use search filter to control access.", + "LDAP_CA_Cert": "CA Cert", + "LDAP_Connect_Timeout": "Connection Timeout (ms)", + "LDAP_DataSync_AutoLogout": "Auto Logout Deactivated Users", + "LDAP_Default_Domain": "Default Domain", + "LDAP_Default_Domain_Description": "If provided the Default Domain will be used to create an unique email for users where email was not imported from LDAP. The email will be mounted as `username@default_domain` or `unique_id@default_domain`.
Example: `rocket.chat`", + "LDAP_Enable": "Enable", + "LDAP_Enable_Description": "Attempt to utilize LDAP for authentication.", + "LDAP_Enable_LDAP_Groups_To_RC_Teams": "Enable team mapping from LDAP to Rocket.Chat", + "LDAP_Encryption": "Encryption", + "LDAP_Encryption_Description": "The encryption method used to secure communications to the LDAP server. Examples include `plain` (no encryption), `SSL/LDAPS` (encrypted from the start), and `StartTLS` (upgrade to encrypted communication once connected).", + "LDAP_Find_User_After_Login": "Find user after login", + "LDAP_Find_User_After_Login_Description": "Will perform a search of the user's DN after bind to ensure the bind was successful preventing login with empty passwords when allowed by the AD configuration.", + "LDAP_Group_Filter_Enable": "Enable LDAP User Group Filter", + "LDAP_Group_Filter_Enable_Description": "Restrict access to users in a LDAP group
Useful for allowing OpenLDAP servers without a *memberOf* filter to restrict access by groups", + "LDAP_Group_Filter_Group_Id_Attribute": "Group ID Attribute", + "LDAP_Group_Filter_Group_Id_Attribute_Description": "E.g. *OpenLDAP:*cn", + "LDAP_Group_Filter_Group_Member_Attribute": "Group Member Attribute", + "LDAP_Group_Filter_Group_Member_Attribute_Description": "E.g. *OpenLDAP:*uniqueMember", + "LDAP_Group_Filter_Group_Member_Format": "Group Member Format", + "LDAP_Group_Filter_Group_Member_Format_Description": "E.g. *OpenLDAP:*uid=#{username},ou=users,o=Company,c=com", + "LDAP_Group_Filter_Group_Name": "Group name", + "LDAP_Group_Filter_Group_Name_Description": "Group name to which it belong the user", + "LDAP_Group_Filter_ObjectClass": "Group ObjectClass", + "LDAP_Group_Filter_ObjectClass_Description": "The *objectclass* that identify the groups.
E.g. OpenLDAP:groupOfUniqueNames", + "LDAP_Groups_To_Rocket_Chat_Teams": "Team mapping from LDAP to Rocket.Chat.", + "LDAP_Host": "Host", + "LDAP_Host_Description": "The LDAP host, e.g. `ldap.example.com` or `10.0.0.30`.", + "LDAP_Idle_Timeout": "Idle Timeout (ms)", + "LDAP_Idle_Timeout_Description": "How many milliseconds wait after the latest LDAP operation until close the connection. (Each operation will open a new connection)", + "LDAP_Import_Users_Description": "It True sync process will be import all LDAP users
*Caution!* Specify search filter to not import excess users.", + "LDAP_Internal_Log_Level": "Internal Log Level", + "LDAP_Login_Fallback": "Login Fallback", + "LDAP_Login_Fallback_Description": "If the login on LDAP is not successful try to login in default/local account system. Helps when the LDAP is down for some reason.", + "LDAP_Merge_Existing_Users": "Merge Existing Users", + "LDAP_Merge_Existing_Users_Description": "*Caution!* When importing a user from LDAP and an user with same username already exists the LDAP info and password will be set into the existing user.", + "LDAP_Port": "Port", + "LDAP_Port_Description": "Port to access LDAP. eg: `389` or `636` for LDAPS", + "LDAP_Prevent_Username_Changes": "Prevent LDAP users from changing their Rocket.Chat username", + "LDAP_Query_To_Get_User_Teams": "LDAP query to get user groups", + "LDAP_Reconnect": "Reconnect", + "LDAP_Reconnect_Description": "Try to reconnect automatically when connection is interrupted by some reason while executing operations", + "LDAP_Reject_Unauthorized": "Reject Unauthorized", + "LDAP_Reject_Unauthorized_Description": "Disable this option to allow certificates that can not be verified. Usually Self Signed Certificates will require this option disabled to work", + "LDAP_Search_Page_Size": "Search Page Size", + "LDAP_Search_Page_Size_Description": "The maximum number of entries each result page will return to be processed", + "LDAP_Search_Size_Limit": "Search Size Limit", + "LDAP_Search_Size_Limit_Description": "The maximum number of entries to return.
**Attention** This number should greater than **Search Page Size**", + "LDAP_Sync_Custom_Fields": "Sync Custom Fields", + "LDAP_CustomFieldMap": "Custom Fields Mapping", + "LDAP_Sync_AutoLogout_Enabled": "Enable Auto Logout", + "LDAP_Sync_AutoLogout_Interval": "Auto Logout Interval", + "LDAP_Sync_Now": "Sync Now", + "LDAP_Sync_Now_Description": "This will start a **Background Sync** operation now, without waiting for the next scheduled Sync.\nThis action is asynchronous, please see the logs for more information.", + "LDAP_Sync_User_Active_State": "Sync User Active State", + "LDAP_Sync_User_Active_State_Both": "Enable and Disable Users", + "LDAP_Sync_User_Active_State_Description": "Determine if users should be enabled or disabled on Rocket.Chat based on the LDAP status. The 'pwdAccountLockedTime' attribute will be used to determine if the user is disabled.", + "LDAP_Sync_User_Active_State_Disable": "Disable Users", + "LDAP_Sync_User_Active_State_Nothing": "Do Nothing", + "LDAP_Sync_User_Avatar": "Sync User Avatar", + "LDAP_Sync_User_Data_Roles": "Sync LDAP Groups", + "LDAP_Sync_User_Data_Channels": "Auto Sync LDAP Groups to Channels", + "LDAP_Sync_User_Data_Channels_Admin": "Channel Admin", + "LDAP_Sync_User_Data_Channels_Admin_Description": "When channels are auto-created that do not exist during a sync, this user will automatically become the admin for the channel.", + "LDAP_Sync_User_Data_Channels_BaseDN": "LDAP Group BaseDN", + "LDAP_Sync_User_Data_Channels_Description": "Enable this feature to automatically add users to a channel based on their LDAP group. If you would like to also remove users from a channel, see the option below about auto removing users.", + "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels": "Auto Remove Users from Channels", + "LDAP_Sync_User_Data_Channels_Enforce_AutoChannels_Description": "**Attention**: Enabling this will remove any users in a channel that do not have the corresponding LDAP group! Only enable this if you know what you're doing.", + "LDAP_Sync_User_Data_Channels_Filter": "User Group Filter", + "LDAP_Sync_User_Data_Channels_Filter_Description": "The LDAP search filter used to check if a user is in a group.", + "LDAP_Sync_User_Data_ChannelsMap": "LDAP Group Channel Map", + "LDAP_Sync_User_Data_ChannelsMap_Default": "// Enable Auto Sync LDAP Groups to Channels above", + "LDAP_Sync_User_Data_ChannelsMap_Description": "Map LDAP groups to Rocket.Chat channels.
As an example, `{\"employee\":\"general\"}` will add any user in the LDAP group employee, to the general channel.", + "LDAP_Sync_User_Data_Roles_AutoRemove": "Auto Remove User Roles", + "LDAP_Sync_User_Data_Roles_AutoRemove_Description": "**Attention**: Enabling this will automatically remove users from a role if they are not assigned in LDAP! This will only remove roles automatically that are set under the user data group map below.", + "LDAP_Sync_User_Data_Roles_BaseDN": "LDAP Group BaseDN", + "LDAP_Sync_User_Data_Roles_BaseDN_Description": "The LDAP BaseDN used to lookup users.", + "LDAP_Sync_User_Data_Roles_Filter": "User Group Filter", + "LDAP_Sync_User_Data_Roles_Filter_Description": "The LDAP search filter used to check if a user is in a group.", + "LDAP_Sync_User_Data_RolesMap": "User Data Group Map", + "LDAP_Sync_User_Data_RolesMap_Description": "Map LDAP groups to Rocket.Chat user roles
As an example, `{\"rocket-admin\":\"admin\", \"tech-support\":\"support\", \"manager\":[\"leader\", \"moderator\"]}` will map the rocket-admin LDAP group to Rocket's \"admin\" role.", + "LDAP_Teams_BaseDN": "LDAP Teams BaseDN", + "LDAP_Teams_BaseDN_Description": "The LDAP BaseDN used to lookup user teams.", + "LDAP_Teams_Name_Field": "LDAP Team Name Attribute", + "LDAP_Teams_Name_Field_Description": "The LDAP attribute that Rocket.Chat should use to load the team's name. You can specify more than one possible attribute name if you separate them with a comma.", + "LDAP_Timeout": "Timeout (ms)", + "LDAP_Timeout_Description": "How many mileseconds wait for a search result before return an error", + "LDAP_Unique_Identifier_Field": "Unique Identifier Field", + "LDAP_Unique_Identifier_Field_Description": "Which field will be used to link the LDAP user and the Rocket.Chat user. You can inform multiple values separated by comma to try to get the value from LDAP record.
Default value is `objectGUID,ibm-entryUUID,GUID,dominoUNID,nsuniqueId,uidNumber`", + "LDAP_User_Found": "LDAP User Found", + "LDAP_User_Search_AttributesToQuery": "Attributes to Query", + "LDAP_User_Search_AttributesToQuery_Description": "Specify which attributes should be returned on LDAP queries, separating them with commas. Defaults to everything. `*` represents all regular attributes and `+` represents all operational attributes. Make sure to include every attribute that is used by every Rocket.Chat sync option.", + "LDAP_User_Search_Field": "Search Field", + "LDAP_User_Search_Field_Description": "The LDAP attribute that identifies the LDAP user who attempts authentication. This field should be `sAMAccountName` for most Active Directory installations, but it may be `uid` for other LDAP solutions, such as OpenLDAP. You can use `mail` to identify users by email or whatever attribute you want.
You can use multiple values separated by comma to allow users to login using multiple identifiers like username or email.", + "LDAP_User_Search_Filter": "Filter", + "LDAP_User_Search_Filter_Description": "If specified, only users that match this filter will be allowed to log in. If no filter is specified, all users within the scope of the specified domain base will be able to sign in.
E.g. for Active Directory `memberOf=cn=ROCKET_CHAT,ou=General Groups`.
E.g. for OpenLDAP (extensible match search) `ou:dn:=ROCKET_CHAT`.", + "LDAP_User_Search_Scope": "Scope", + "LDAP_Username_Field": "Username Field", + "LDAP_Username_Field_Description": "Which field will be used as *username* for new users. Leave empty to use the username informed on login page.
You can use template tags too, like `#{givenName}.#{sn}`.
Default value is `sAMAccountName`.", + "LDAP_Username_To_Search": "Username to search", + "LDAP_Validate_Teams_For_Each_Login": "Validate mapping for each login", + "LDAP_Validate_Teams_For_Each_Login_Description": "Determine if users' teams should be updated every time they login to Rocket.Chat. If this is turned off the team will be loaded only on their first login.", + "Lead_capture_email_regex": "Lead capture email regex", + "Lead_capture_phone_regex": "Lead capture phone regex", + "Least_recent_updated": "Least recent updated", + "Leave": "Leave", + "Leave_a_comment": "Leave a comment", + "Leave_Group_Warning": "Are you sure you want to leave the group \"%s\"?", + "Leave_Livechat_Warning": "Are you sure you want to leave the omnichannel with \"%s\"?", + "Leave_Private_Warning": "Are you sure you want to leave the discussion with \"%s\"?", + "Leave_room": "Leave", + "Leave_Room_Warning": "Are you sure you want to leave the channel \"%s\"?", + "Leave_the_current_channel": "Leave the current channel", + "Leave_the_description_field_blank_if_you_dont_want_to_show_the_role": "Leave the description field blank if you don't want to show the role", + "leave-c": "Leave Channels", + "leave-c_description": "Permission to leave channels", + "leave-p": "Leave Private Groups", + "leave-p_description": "Permission to leave private groups", + "Lets_get_you_new_one": "Let's get you a new one!", + "License": "License", + "line": "line", + "link": "link", + "Link_Preview": "Link Preview", + "List_of_Channels": "List of Channels", + "List_of_departments_for_forward": "List of departments allowed for forwarding (Optional)", + "List_of_departments_for_forward_description": "Allow to set a restricted list of departments that can receive chats from this department", + "List_of_departments_to_apply_this_business_hour": "List of departments to apply this business hour", + "List_of_Direct_Messages": "List of Direct Messages", + "Livechat": "Livechat", + "Livechat_abandoned_rooms_action": "How to handle Visitor Abandonment", + "Livechat_abandoned_rooms_closed_custom_message": "Custom message when room is automatically closed by visitor inactivity", + "Livechat_agents": "Omnichannel agents", + "Livechat_Agents": "Agents", + "Livechat_allow_manual_on_hold": "Allow agents to manually place chat On Hold", + "Livechat_allow_manual_on_hold_Description": "If enabled, the agent will get a new option to place a chat On Hold, provided the agent has sent the last message", + "Livechat_AllowedDomainsList": "Livechat Allowed Domains", + "Livechat_Appearance": "Livechat Appearance", + "Livechat_auto_close_on_hold_chats_custom_message": "Custom message for closed chats in On Hold queue", + "Livechat_auto_close_on_hold_chats_custom_message_Description": "Custom Message to be sent when a room in On-Hold queue gets automatically closed by the system", + "Livechat_auto_close_on_hold_chats_timeout": "How long to wait before closing a chat in On Hold Queue ?", + "Livechat_auto_close_on_hold_chats_timeout_Description": "Define how long the chat will remain in the On Hold queue until it's automatically closed by the system. Time in seconds", + "Livechat_auto_transfer_chat_timeout": "Timeout (in seconds) for automatic transfer of unanswered chats to another agent", + "Livechat_auto_transfer_chat_timeout_Description": "This event takes place only when the chat has just started. After the first transfering for inactivity, the room is no longer monitored.", + "Livechat_business_hour_type": "Business Hour Type (Single or Multiple)", + "Livechat_chat_transcript_sent": "Chat transcript sent: __transcript__", + "Livechat_close_chat": "Close chat", + "Livechat_custom_fields_options_placeholder": "Comma-separated list used to select a pre-configured value. Spaces between elements are not accepted.", + "Livechat_custom_fields_public_description": "Public custom fields will be displayed in external applications, such as Livechat, etc.", + "Livechat_Dashboard": "Omnichannel Dashboard", + "Livechat_DepartmentOfflineMessageToChannel": "Send this department's Livechat offline messages to a channel", + "Livechat_enable_message_character_limit": "Enable message character limit", + "Livechat_enabled": "Omnichannel enabled", + "Livechat_Facebook_API_Key": "OmniChannel API Key", + "Livechat_Facebook_API_Secret": "OmniChannel API Secret", + "Livechat_Facebook_Enabled": "Facebook integration enabled", + "Livechat_forward_open_chats": "Forward open chats", + "Livechat_forward_open_chats_timeout": "Timeout (in seconds) to forward chats", + "Livechat_guest_count": "Guest Counter", + "Livechat_Inquiry_Already_Taken": "Omnichannel inquiry already taken", + "Livechat_Installation": "Livechat Installation", + "Livechat_last_chatted_agent_routing": "Last-Chatted Agent Preferred", + "Livechat_last_chatted_agent_routing_Description": "The Last-Chatted Agent setting allocates chats to the agent who previously interacted with the same visitor if the agent is available when the chat starts.", + "Livechat_managers": "Omnichannel managers", + "Livechat_Managers": "Managers", + "Livechat_max_queue_wait_time_action": "How to handle queued chats when the maximum wait time is reached", + "Livechat_maximum_queue_wait_time": "Maximum waiting time in queue", + "Livechat_maximum_queue_wait_time_description": "Maximum time (in minutes) to keep chats on queue. -1 means unlimited", + "Livechat_message_character_limit": "Livechat message character limit", + "Livechat_monitors": "Livechat monitors", + "Livechat_Monitors": "Monitors", + "Livechat_offline": "Omnichannel offline", + "Livechat_offline_message_sent": "Livechat offline message sent", + "Livechat_OfflineMessageToChannel_enabled": "Send Livechat offline messages to a channel", + "Omnichannel_on_hold_chat_resumed": "On Hold Chat Resumed: __comment__", + "Omnichannel_on_hold_chat_automatically": "The chat was automatically resumed from On Hold upon receiving a new message from __guest__", + "Omnichannel_on_hold_chat_manually": "The chat was manually resumed from On Hold by __user__", + "Omnichannel_On_Hold_due_to_inactivity": "The chat was automatically placed On Hold because we haven't received any reply from __guest__ in __timeout__ seconds", + "Omnichannel_On_Hold_manually": "The chat was manually placed On Hold by __user__", + "Omnichannel_onHold_Chat": "Place chat On-Hold", + "Livechat_online": "Omnichannel on-line", + "Omnichannel_placed_chat_on_hold": "Chat On Hold: __comment__", + "Livechat_Queue": "Omnichannel Queue", + "Livechat_registration_form": "Registration Form", + "Livechat_registration_form_message": "Registration Form Message", + "Livechat_room_count": "Omnichannel Room Count", + "Livechat_Routing_Method": "Omnichannel Routing Method", + "Livechat_status": "Livechat Status", + "Livechat_Take_Confirm": "Do you want to take this client?", + "Livechat_title": "Livechat Title", + "Livechat_title_color": "Livechat Title Background Color", + "Livechat_transcript_already_requested_warning": "The transcript of this chat has already been requested and will be sent as soon as the conversation ends.", + "Livechat_transcript_has_been_requested": "The chat transcript has been requested.", + "Livechat_transcript_request_has_been_canceled": "The chat transcription request has been canceled.", + "Livechat_transcript_sent": "Omnichannel transcript sent", + "Livechat_transfer_return_to_the_queue": "__from__ returned the chat to the queue", + "Livechat_transfer_to_agent": "__from__ transferred the chat to __to__", + "Livechat_transfer_to_agent_with_a_comment": "__from__ transferred the chat to __to__ with a comment: __comment__", + "Livechat_transfer_to_department": "__from__ transferred the chat to the department __to__", + "Livechat_transfer_to_department_with_a_comment": "__from__ transferred the chat to the department __to__ with a comment: __comment__", + "Livechat_transfer_failed_fallback": "The original department ( __from__ ) doesn't have online agents. Chat succesfully transferred to __to__", + "Livechat_Triggers": "Livechat Triggers", + "Livechat_user_sent_chat_transcript_to_visitor": "__agent__ sent the chat transcript to __guest__", + "Livechat_Users": "Omnichannel Users", + "Livechat_Calls": "Livechat Calls", + "Livechat_visitor_email_and_transcript_email_do_not_match": "Visitor's email and transcript's email do not match", + "Livechat_visitor_transcript_request": "__guest__ requested the chat transcript", + "LiveStream & Broadcasting": "LiveStream & Broadcasting", + "LiveStream & Broadcasting_Description": "This integration between Rocket.Chat and YouTube Live allows channel owners to broadcast their camera feed live to livestream inside a channel.", + "Livestream": "Livestream", + "Livestream_close": "Close Livestream", + "Livestream_enable_audio_only": "Enable only audio mode", + "Livestream_enabled": "Livestream Enabled", + "Livestream_not_found": "Livestream not available", + "Livestream_popout": "Open Livestream", + "Livestream_source_changed_succesfully": "Livestream source changed successfully", + "Livestream_switch_to_room": "Switch to current room's livestream", + "Livestream_url": "Livestream source url", + "Livestream_url_incorrect": "Livestream url is incorrect", + "Livestream_live_now": "Live now!", + "Load_Balancing": "Load Balancing", + "Load_more": "Load more", + "Load_Rotation": "Load Rotation", + "Loading": "Loading", + "Loading_more_from_history": "Loading more from history", + "Loading_suggestion": "Loading suggestions", + "Loading...": "Loading...", + "Local_Domains": "Local Domains", + "Local_Password": "Local Password", + "Local_Time": "Local Time", + "Local_Timezone": "Local Timezone", + "Local_Time_time": "Local Time: __time__", + "Localization": "Localization", + "Location": "Location", + "Log_Exceptions_to_Channel": "Log Exceptions to Channel", + "Log_Exceptions_to_Channel_Description": "A channel that will receive all captured exceptions. Leave empty to ignore exceptions.", + "Log_File": "Show File and Line", + "Log_Level": "Log Level", + "Log_Package": "Show Package", + "Log_Trace_Methods": "Trace method calls", + "Log_Trace_Methods_Filter": "Trace method filter", + "Log_Trace_Methods_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", + "Log_Trace_Subscriptions": "Trace subscription calls", + "Log_Trace_Subscriptions_Filter": "Trace subscription filter", + "Log_Trace_Subscriptions_Filter_Description": "The text here will be evaluated as RegExp (`new RegExp('text')`). Keep it empty to show trace of every call.", + "Log_View_Limit": "Log View Limit", + "Logged_out_of_other_clients_successfully": "Logged out of other clients successfully", + "Login": "Login", + "Login_Attempts": "Failed Login Attempts", + "Login_Logs": "Login Logs", + "Login_Logs_ClientIp": "Show Client IP on failed login attempts logs", + "Login_Logs_Enabled": "Log (on console) failed login attempts", + "Login_Logs_ForwardedForIp": "Show Forwarded IP on failed login attempts logs", + "Login_Logs_UserAgent": "Show UserAgent on failed login attempts logs", + "Login_Logs_Username": "Show Username on failed login attempts logs", + "Login_with": "Login with %s", + "Logistics": "Logistics", + "Logout": "Logout", + "Logout_Others": "Logout From Other Logged In Locations", + "Logs": "Logs", + "Logs_Description": "Configure how server logs are received.", + "Longest_chat_duration": "Longest Chat Duration", + "Longest_reaction_time": "Longest Reaction Time", + "Longest_response_time": "Longest Response Time", + "Looked_for": "Looked for", + "Mail_Message_Invalid_emails": "You have provided one or more invalid emails: %s", + "Mail_Message_Missing_subject": "You must provide an email subject.", + "Mail_Message_Missing_to": "You must select one or more users or provide one or more email addresses, separated by commas.", + "Mail_Message_No_messages_selected_select_all": "You haven't selected any messages", + "Mail_Messages": "Mail Messages", + "Mail_Messages_Instructions": "Choose which messages you want to send via email by clicking the messages", + "Mail_Messages_Subject": "Here's a selected portion of %s messages", + "mail-messages": "Mail Messages", + "mail-messages_description": "Permission to use the mail messages option", + "Mailer": "Mailer", + "Mailer_body_tags": "You must use [unsubscribe] for the unsubscription link.
You may use [name], [fname], [lname] for the user's full name, first name or last name, respectively.
You may use [email] for the user's email.", + "Mailing": "Mailing", + "Make_Admin": "Make Admin", + "Make_sure_you_have_a_copy_of_your_codes_1": "Make sure you have a copy of your codes:", + "Make_sure_you_have_a_copy_of_your_codes_2": "If you lose access to your authenticator app, you can use one of these codes to log in.", + "manage-apps": "Manage Apps", + "manage-apps_description": "Permission to manage all apps", + "manage-assets": "Manage Assets", + "manage-assets_description": "Permission to manage the server assets", + "manage-cloud": "Manage Cloud", + "manage-cloud_description": "Permission to manage cloud", + "manage-email-inbox": "Manage Email Inbox", + "manage-email-inbox_description": "Permission to manage email inboxes", + "manage-emoji": "Manage Emoji", + "manage-emoji_description": "Permission to manage the server emojis", + "manage-incoming-integrations": "Manage Incoming Integrations", + "manage-incoming-integrations_description": "Permission to manage the server incoming integrations", + "manage-integrations": "Manage Integrations", + "manage-integrations_description": "Permission to manage the server integrations", + "manage-livechat-agents": "Manage Omnichannel Agents", + "manage-livechat-agents_description": "Permission to manage omnichannel agents", + "manage-livechat-departments": "Manage Omnichannel Departments", + "manage-livechat-departments_description": "Permission to manage omnichannel departments", + "manage-livechat-managers": "Manage Omnichannel Managers", + "manage-livechat-managers_description": "Permission to manage omnichannel managers", + "manage-oauth-apps": "Manage Oauth Apps", + "manage-oauth-apps_description": "Permission to manage the server Oauth apps", + "manage-outgoing-integrations": "Manage Outgoing Integrations", + "manage-outgoing-integrations_description": "Permission to manage the server outgoing integrations", + "manage-own-incoming-integrations": "Manage Own Incoming Integrations", + "manage-own-incoming-integrations_description": "Permission to allow users to create and edit their own incoming integration or webhooks", + "manage-own-integrations": "Manage Own Integrations", + "manage-own-integrations_description": "Permition to allow users to create and edit their own integration or webhooks", + "manage-own-outgoing-integrations": "Manage Own Outgoing Integrations", + "manage-own-outgoing-integrations_description": "Permission to allow users to create and edit their own outgoing integration or webhooks", + "manage-selected-settings": "Change some settings", + "manage-selected-settings_description": "Permission to change settings which are explicitly granted to be changed", + "manage-sounds": "Manage Sounds", + "manage-sounds_description": "Permission to manage the server sounds", + "manage-the-app": "Manage the App", + "manage-user-status": "Manage User Status", + "manage-user-status_description": "Permission to manage the server custom user statuses", + "Manager_added": "Manager added", + "Manager_removed": "Manager removed", + "Managers": "Managers", + "manage-chatpal": "Manage Chatpal", + "Management_Server": "Management Server", + "Managing_assets": "Managing assets", + "Managing_integrations": "Managing integrations", + "Manual_Selection": "Manual Selection", + "Manufacturing": "Manufacturing", + "MapView_Enabled": "Enable Mapview", + "MapView_Enabled_Description": "Enabling mapview will display a location share button on the right of the chat input field.", + "MapView_GMapsAPIKey": "Google Static Maps API Key", + "MapView_GMapsAPIKey_Description": "This can be obtained from the Google Developers Console for free.", + "Mark_all_as_read": "Mark all messages (in all channels) as read", + "Mark_as_read": "Mark As Read", + "Mark_as_unread": "Mark As Unread", + "Mark_read": "Mark Read", + "Mark_unread": "Mark Unread", + "Markdown_Headers": "Allow Markdown headers in messages", + "Markdown_Marked_Breaks": "Enable Marked Breaks", + "Markdown_Marked_GFM": "Enable Marked GFM", + "Markdown_Marked_Pedantic": "Enable Marked Pedantic", + "Markdown_Marked_SmartLists": "Enable Marked Smart Lists", + "Markdown_Marked_Smartypants": "Enable Marked Smartypants", + "Markdown_Marked_Tables": "Enable Marked Tables", + "Markdown_Parser": "Markdown Parser", + "Markdown_SupportSchemesForLink": "Markdown Support Schemes for Link", + "Markdown_SupportSchemesForLink_Description": "Comma-separated list of allowed schemes", + "Marketplace": "Marketplace", + "Marketplace_app_last_updated": "Last updated __lastUpdated__", + "Marketplace_view_marketplace": "View Marketplace", + "Marketplace_error": "Cannot connect to internet or your workspace may be an offline install.", + "MAU_value": "MAU __value__", + "Max_length_is": "Max length is %s", + "Max_number_incoming_livechats_displayed": "Max number of items displayed in the queue", + "Max_number_incoming_livechats_displayed_description": "(Optional) Max number of items displayed in the incoming Omnichannel queue.", + "Max_number_of_chats_per_agent": "Max. number of simultaneous chats", + "Max_number_of_chats_per_agent_description": "The max. number of simultaneous chats that the agents can attend", + "Max_number_of_uses": "Max number of uses", + "Maximum": "Maximum", + "Maximum_number_of_guests_reached": "Maximum number of guests reached", + "Me": "Me", + "Media": "Media", + "Medium": "Medium", + "Members": "Members", + "Members_List": "Members List", + "mention-all": "Mention All", + "mention-all_description": "Permission to use the @all mention", + "mention-here": "Mention Here", + "mention-here_description": "Permission to use the @here mention", + "Mentions": "Mentions", + "Mentions_default": "Mentions (default)", + "Mentions_only": "Mentions only", + "Merge_Channels": "Merge Channels", + "message": "message", + "Message": "Message", + "Message_Description": "Configure message settings.", + "Message_AllowBadWordsFilter": "Allow Message bad words filtering", + "Message_AllowConvertLongMessagesToAttachment": "Allow converting long messages to attachment", + "Message_AllowDeleting": "Allow Message Deleting", + "Message_AllowDeleting_BlockDeleteInMinutes": "Block Message Deleting After (n) Minutes", + "Message_AllowDeleting_BlockDeleteInMinutes_Description": "Enter 0 to disable blocking.", + "Message_AllowDirectMessagesToYourself": "Allow user direct messages to yourself", + "Message_AllowEditing": "Allow Message Editing", + "Message_AllowEditing_BlockEditInMinutes": "Block Message Editing After (n) Minutes", + "Message_AllowEditing_BlockEditInMinutesDescription": "Enter 0 to disable blocking.", + "Message_AllowPinning": "Allow Message Pinning", + "Message_AllowPinning_Description": "Allow messages to be pinned to any of the channels.", + "Message_AllowSnippeting": "Allow Message Snippeting", + "Message_AllowStarring": "Allow Message Starring", + "Message_AllowUnrecognizedSlashCommand": "Allow Unrecognized Slash Commands", + "Message_Already_Sent": "This message has already been sent and is being processed by the server", + "Message_AlwaysSearchRegExp": "Always Search Using RegExp", + "Message_AlwaysSearchRegExp_Description": "We recommend to set `True` if your language is not supported on MongoDB text search.", + "Message_Attachments": "Message Attachments", + "Message_Attachments_GroupAttach": "Group Attachment Buttons", + "Message_Attachments_GroupAttachDescription": "This groups the icons under an expandable menu. Takes up less screen space.", + "Message_Attachments_Thumbnails_Enabled": "Enable image thumbnails to save bandwith", + "Message_Attachments_Thumbnails_Width": "Thumbnail's max width (in pixels)", + "Message_Attachments_Thumbnails_Height": "Thumbnail's max height (in pixels)", + "Message_Attachments_Thumbnails_EnabledDesc": "Thumbnails will be served instead of the original image to reduce bandwith usage. Images at original resolution can be downloaded using the icon next to the attachment's name.", + "Message_Attachments_Strip_Exif": "Remove EXIF metadata from supported files", + "Message_Attachments_Strip_ExifDescription": "Strips out EXIF metadata from image files (jpeg, tiff, etc). This setting is not retroactive, so files uploaded while disabled will have EXIF data", + "Message_Audio": "Audio Message", + "Message_Audio_bitRate": "Audio Message Bit Rate", + "Message_AudioRecorderEnabled": "Audio Recorder Enabled", + "Message_AudioRecorderEnabled_Description": "Requires 'audio/mp3' files to be an accepted media type within 'File Upload' settings.", + "Message_auditing": "Message auditing", + "Message_auditing_log": "Message auditing log", + "Message_BadWordsFilterList": "Add Bad Words to the Blacklist", + "Message_BadWordsFilterListDescription": "Add List of Comma-separated list of bad words to filter", + "Message_BadWordsWhitelist": "Remove words from the Blacklist", + "Message_BadWordsWhitelistDescription": "Add a comma-separated list of words to be removed from filter", + "Message_Characther_Limit": "Message Character Limit", + "Message_Code_highlight": "Code highlighting languages list", + "Message_Code_highlight_Description": "Comma separated list of languages (all supported languages at https://github.com/highlightjs/highlight.js/tree/9.18.5#supported-languages) that will be used to highlight code blocks", + "message_counter": "__counter__ message", + "message_counter_plural": "__counter__ messages", + "Message_DateFormat": "Date Format", + "Message_DateFormat_Description": "See also: Moment.js", + "Message_deleting_blocked": "This message cannot be deleted anymore", + "Message_editing": "Message editing", + "Message_ErasureType": "Message Erasure Type", + "Message_ErasureType_Delete": "Delete All Messages", + "Message_ErasureType_Description": "Determine what to do with messages of users who remove their account.\n\n**Keep Messages and User Name:** The message and files history of the user will be deleted from Direct Messages and will be kept in other rooms.\n\n**Delete All Messages:** All messages and files from the user will be deleted from the database and it will not be possible to locate the user anymore.\n\n**Remove link between user and messages:** This option will assign all messages and fles of the user to Rocket.Cat bot and Direct Messages are going to be deleted.", + "Message_ErasureType_Keep": "Keep Messages and User Name", + "Message_ErasureType_Unlink": "Remove Link Between User and Messages", + "Message_GlobalSearch": "Global Search", + "Message_GroupingPeriod": "Grouping Period (in seconds)", + "Message_GroupingPeriodDescription": "Messages will be grouped with previous message if both are from the same user and the elapsed time was less than the informed time in seconds.", + "Message_has_been_edited": "Message has been edited", + "Message_has_been_edited_at": "Message has been edited at __date__", + "Message_has_been_edited_by": "Message has been edited by __username__", + "Message_has_been_edited_by_at": "Message has been edited by __username__ at __date__", + "Message_has_been_pinned": "Message has been pinned", + "Message_has_been_starred": "Message has been starred", + "Message_has_been_unpinned": "Message has been unpinned", + "Message_has_been_unstarred": "Message has been unstarred", + "Message_HideType_au": "Hide \"User Added\" messages", + "Message_HideType_added_user_to_team": "Hide \"User Added to Team\" messages", + "Message_HideType_mute_unmute": "Hide \"User Muted / Unmuted\" messages", + "Message_HideType_r": "Hide \"Room Name Changed\" messages", + "Message_HideType_rm": "Hide \"Message Removed\" messages", + "Message_HideType_room_allowed_reacting": "Hide \"Room allowed reacting\" messages", + "Message_HideType_room_archived": "Hide \"Room Archived\" messages", + "Message_HideType_room_changed_avatar": "Hide \"Room avatar changed\" messages", + "Message_HideType_room_changed_privacy": "Hide \"Room type changed\" messages", + "Message_HideType_room_changed_topic": "Hide \"Room topic changed\" messages", + "Message_HideType_room_disallowed_reacting": "Hide \"Room disallowed reacting\" messages", + "Message_HideType_room_enabled_encryption": "Hide \"Room encryption enabled\" messages", + "Message_HideType_room_disabled_encryption": "Hide \"Room encryption disabled\" messages", + "Message_HideType_room_set_read_only": "Hide \"Room set Read Only\" messages", + "Message_HideType_room_removed_read_only": "Hide \"Room added writing permission\" messages", + "Message_HideType_room_unarchived": "Hide \"Room Unarchived\" messages", + "Message_HideType_ru": "Hide \"User Removed\" messages", + "Message_HideType_removed_user_from_team": "Hide \"User Removed from Team\" messages", + "Message_HideType_subscription_role_added": "Hide \"Was Set Role\" messages", + "Message_HideType_subscription_role_removed": "Hide \"Role No Longer Defined\" messages", + "Message_HideType_uj": "Hide \"User Join\" messages", + "Message_HideType_ujt": "Hide \"User Joined Team\" messages", + "Message_HideType_ul": "Hide \"User Leave\" messages", + "Message_HideType_ult": "Hide \"User Left Team\" messages", + "Message_HideType_user_added_room_to_team": "Hide \"User Added Room to Team\" messages", + "Message_HideType_user_converted_to_channel": "Hide \"User converted team to a Channel\" messages", + "Message_HideType_user_converted_to_team": "Hide \"User converted channel to a Team\" messages", + "Message_HideType_user_deleted_room_from_team": "Hide \"User deleted room from Team\" messages", + "Message_HideType_user_removed_room_from_team": "Hide \"User removed room from Team\" messages", + "Message_HideType_ut": "Hide \"User Joined Conversation\" messages", + "Message_HideType_wm": "Hide \"Welcome\" messages", + "Message_Id": "Message Id", + "Message_Ignored": "This message was ignored", + "message-impersonate": "Impersonate Other Users", + "message-impersonate_description": "Permission to impersonate other users using message alias", + "Message_info": "Message info", + "Message_KeepHistory": "Keep Per Message Editing History", + "Message_MaxAll": "Maximum Channel Size for ALL Message", + "Message_MaxAllowedSize": "Maximum Allowed Characters Per Message", + "Message_pinning": "Message pinning", + "message_pruned": "message pruned", + "Message_QuoteChainLimit": "Maximum Number of Chained Quotes", + "Message_Read_Receipt_Enabled": "Show Read Receipts", + "Message_Read_Receipt_Store_Users": "Detailed Read Receipts", + "Message_Read_Receipt_Store_Users_Description": "Shows each user's read receipts", + "Message_removed": "Message removed", + "Message_sent_by_email": "Message sent by Email", + "Message_ShowDeletedStatus": "Show Deleted Status", + "Message_ShowEditedStatus": "Show Edited Status", + "Message_ShowFormattingTips": "Show Formatting Tips", + "Message_starring": "Message starring", + "Message_Time": "Message Time", + "Message_TimeAndDateFormat": "Time and Date Format", + "Message_TimeAndDateFormat_Description": "See also: Moment.js", + "Message_TimeFormat": "Time Format", + "Message_TimeFormat_Description": "See also: Moment.js", + "Message_too_long": "Message too long", + "Message_UserId": "User Id", + "Message_VideoRecorderEnabled": "Video Recorder Enabled", + "Message_VideoRecorderEnabledDescription": "Requires 'video/webm' files to be an accepted media type within 'File Upload' settings.", + "Message_view_mode_info": "This changes the amount of space messages take up on screen.", + "MessageBox_view_mode": "MessageBox View Mode", + "messages": "messages", + "Messages": "Messages", + "messages_pruned": "messages pruned", + "Messages_selected": "Messages selected", + "Messages_sent": "Messages sent", + "Messages_that_are_sent_to_the_Incoming_WebHook_will_be_posted_here": "Messages that are sent to the Incoming WebHook will be posted here.", + "Meta": "Meta", + "Meta_Description": "Set custom Meta properties.", + "Meta_custom": "Custom Meta Tags", + "Meta_fb_app_id": "Facebook App Id", + "Meta_google-site-verification": "Google Site Verification", + "Meta_language": "Language", + "Meta_msvalidate01": "MSValidate.01", + "Meta_robots": "Robots", + "meteor_status_connected": "Connected", + "meteor_status_connecting": "Connecting...", + "meteor_status_failed": "The server connection failed", + "meteor_status_offline": "Offline mode.", + "meteor_status_reconnect_in": "trying again in one second...", + "meteor_status_reconnect_in_plural": "trying again in __count__ seconds...", + "meteor_status_try_now_offline": "Connect again", + "meteor_status_try_now_waiting": "Try now", + "meteor_status_waiting": "Waiting for server connection,", + "Method": "Method", + "Mic_off": "Mic Off", + "Min_length_is": "Min length is %s", + "Minimum": "Minimum", + "Minimum_balance": "Minimum balance", + "minute": "minute", + "minutes": "minutes", + "Mobex_sms_gateway_address": "Mobex SMS Gateway Address", + "Mobex_sms_gateway_address_desc": "IP or Host of your Mobex service with specified port. E.g. `http://192.168.1.1:1401` or `https://www.example.com:1401`", + "Mobex_sms_gateway_from_number": "From", + "Mobex_sms_gateway_from_number_desc": "Originating address/phone number when sending a new SMS to livechat client", + "Mobex_sms_gateway_from_numbers_list": "List of numbers to send SMS from", + "Mobex_sms_gateway_from_numbers_list_desc": "Comma-separated list of numbers to use in sending brand new messages, eg. 123456789, 123456788, 123456888", + "Mobex_sms_gateway_password": "Password", + "Mobex_sms_gateway_restful_address": "Mobex SMS REST API Address", + "Mobex_sms_gateway_restful_address_desc": "IP or Host of your Mobex REST API. E.g. `http://192.168.1.1:8080` or `https://www.example.com:8080`", + "Mobex_sms_gateway_username": "Username", + "Mobile": "Mobile", + "Mobile_Description": "Define behaviors for connecting to your workspace from mobile devices.", + "mobile-upload-file": "Allow file upload on mobile devices", + "Mobile_Push_Notifications_Default_Alert": "Push Notifications Default Alert", + "Monday": "Monday", + "Mongo_storageEngine": "Mongo Storage Engine", + "Mongo_version": "Mongo Version", + "MongoDB": "MongoDB", + "MongoDB_Deprecated": "MongoDB Deprecated", + "MongoDB_version_s_is_deprecated_please_upgrade_your_installation": "MongoDB version %s is deprecated, please upgrade your installation.", + "Monitor_added": "Monitor Added", + "Monitor_history_for_changes_on": "Monitor History for Changes on", + "Monitor_removed": "Monitor removed", + "Monitors": "Monitors", + "Monthly_Active_Users": "Monthly Active Users", + "More": "More", + "More_channels": "More channels", + "More_direct_messages": "More direct messages", + "More_groups": "More private groups", + "More_unreads": "More unreads", + "More_options": "More options", + "Most_popular_channels_top_5": "Most popular channels (Top 5)", + "Most_recent_updated": "Most recent updated", + "Move_beginning_message": "`%s` - Move to the beginning of the message", + "Move_end_message": "`%s` - Move to the end of the message", + "Move_queue": "Move to the queue", + "Msgs": "Msgs", + "multi": "multi", + "multi_line": "multi line", + "Mute": "Mute", + "Mute_all_notifications": "Mute all notifications", + "Mute_Focused_Conversations": "Mute Focused Conversations", + "Mute_Group_Mentions": "Mute @all and @here mentions", + "Mute_someone_in_room": "Mute someone in the room", + "Mute_user": "Mute user", + "Mute_microphone": "Mute Microphone", + "mute-user": "Mute User", + "mute-user_description": "Permission to mute other users in the same channel", + "Muted": "Muted", + "My Data": "My Data", + "My_Account": "My Account", + "My_location": "My location", + "n_messages": "%s messages", + "N_new_messages": "%s new messages", + "Name": "Name", + "Name_cant_be_empty": "Name can't be empty", + "Name_of_agent": "Name of agent", + "Name_optional": "Name (optional)", + "Name_Placeholder": "Please enter your name...", + "Navigation_History": "Navigation History", + "Next": "Next", + "Never": "Never", + "New": "New", + "New_Application": "New Application", + "New_Business_Hour": "New Business Hour", + "New_Canned_Response": "New Canned Response", + "New_chat_in_queue": "New chat in queue", + "New_chat_priority": "Priority Changed: __user__ changed the priority to __priority__", + "New_chat_transfer": "New Chat Transfer: __transfer__", + "New_chat_transfer_fallback": "Transferred to fallback department: __fallback__", + "New_Contact": "New Contact", + "New_Custom_Field": "New Custom Field", + "New_Department": "New Department", + "New_discussion": "New discussion", + "New_discussion_first_message": "Usually, a discussion starts with a question, like \"How do I upload a picture?\"", + "New_discussion_name": "A meaningful name for the discussion room", + "New_Email_Inbox": "New Email Inbox", + "New_encryption_password": "New encryption password", + "New_integration": "New integration", + "New_line_message_compose_input": "`%s` - New line in message compose input", + "New_Livechat_offline_message_has_been_sent": "A new Livechat offline Message has been sent", + "New_logs": "New logs", + "New_Message_Notification": "New Message Notification", + "New_messages": "New messages", + "New_OTR_Chat": "New OTR Chat", + "New_password": "New Password", + "New_Password_Placeholder": "Please enter new password...", + "New_Priority": "New Priority", + "New_role": "New role", + "New_Room_Notification": "New Room Notification", + "New_Tag": "New Tag", + "New_Trigger": "New Trigger", + "New_Unit": "New Unit", + "New_users": "New users", + "New_version_available_(s)": "New version available (%s)", + "New_videocall_request": "New Video Call Request", + "New_visitor_navigation": "New Navigation: __history__", + "Newer_than": "Newer than", + "Newer_than_may_not_exceed_Older_than": "\"Newer than\" may not exceed \"Older than\"", + "Nickname": "Nickname", + "Nickname_Placeholder": "Enter your nickname...", + "No": "No", + "No_available_agents_to_transfer": "No available agents to transfer", + "No_app_matches": "No app matches", + "No_app_matches_for": "No app matches for", + "No_apps_installed": "No Apps Installed", + "No_Canned_Responses": "No Canned Responses", + "No_Canned_Responses_Yet": "No Canned Responses Yet", + "No_Canned_Responses_Yet-description": "Use canned responses to provide quick and consistent answers to frequently asked questions.", + "No_channels_in_team": "No Channels on this Team", + "No_channels_yet": "You aren't part of any channels yet", + "No_data_found": "No data found", + "No_direct_messages_yet": "No Direct Messages.", + "No_Discussions_found": "No discussions found", + "No_discussions_yet": "No discussions yet", + "No_emojis_found": "No emojis found", + "No_Encryption": "No Encryption", + "No_files_found": "No files found", + "No_files_left_to_download": "No files left to download", + "No_groups_yet": "You have no private groups yet.", + "No_installed_app_matches": "No installed app matches", + "No_integration_found": "No integration found by the provided id.", + "No_Limit": "No Limit", + "No_livechats": "You have no livechats", + "No_marketplace_matches_for": "No Marketplace matches for", + "No_members_found": "No members found", + "No_mentions_found": "No mentions found", + "No_messages_found_to_prune": "No messages found to prune", + "No_messages_yet": "No messages yet", + "No_pages_yet_Try_hitting_Reload_Pages_button": "No pages yet. Try hitting \"Reload Pages\" button.", + "No_pinned_messages": "No pinned messages", + "No_previous_chat_found": "No previous chat found", + "No_results_found": "No results found", + "No_results_found_for": "No results found for:", + "No_snippet_messages": "No snippet", + "No_starred_messages": "No starred messages", + "No_such_command": "No such command: `/__command__`", + "No_Threads": "No threads found", + "Nobody_available": "Nobody available", + "Node_version": "Node Version", + "None": "None", + "Nonprofit": "Nonprofit", + "Normal": "Normal", + "Not_authorized": "Not authorized", + "Not_Available": "Not Available", + "Not_enough_data": "Not enough data", + "Not_following": "Not following", + "Not_Following": "Not Following", + "Not_found_or_not_allowed": "Not Found or Not Allowed", + "Not_Imported_Messages_Title": "The following messages were not imported successfully", + "Not_in_channel": "Not in channel", + "Not_likely": "Not likely", + "Not_started": "Not started", + "Not_verified": "Not verified", + "Nothing": "Nothing", + "Nothing_found": "Nothing found", + "Notice_that_public_channels_will_be_public_and_visible_to_everyone": "Notice that public Channels will be public and visible to everyone.", + "Notification_Desktop_Default_For": "Show Desktop Notifications For", + "Notification_Push_Default_For": "Send Push Notifications For", + "Notification_RequireInteraction": "Require Interaction to Dismiss Desktop Notification", + "Notification_RequireInteraction_Description": "Works only with Chrome browser versions > 50. Utilizes the parameter requireInteraction to show the desktop notification to indefinite until the user interacts with it.", + "Notifications": "Notifications", + "Notifications_Max_Room_Members": "Max Room Members Before Disabling All Message Notifications", + "Notifications_Max_Room_Members_Description": "Max number of members in room when notifications for all messages gets disabled. Users can still change per room setting to receive all notifications on an individual basis. (0 to disable)", + "Notifications_Muted_Description": "If you choose to mute everything, you won't see the room highlight in the list when there are new messages, except for mentions. Muting notifications will override notifications settings.", + "Notifications_Preferences": "Notifications Preferences", + "Notifications_Sound_Volume": "Notifications sound volume", + "Notify_active_in_this_room": "Notify active users in this room", + "Notify_all_in_this_room": "Notify all in this room", + "NPS_survey_enabled": "Enable NPS Survey", + "NPS_survey_enabled_Description": "Allow NPS survey run for all users. Admins will receive an alert 2 months upfront the survey is launched", + "NPS_survey_is_scheduled_to-run-at__date__for_all_users": "NPS survey is scheduled to run at __date__ for all users. It's possible to turn off the survey on 'Admin > General > NPS'", + "Default_Timezone_For_Reporting": "Default timezone for reporting", + "Default_Timezone_For_Reporting_Description": "Sets the default timezone that will be used when showing dashboards or sending emails", + "Default_Server_Timezone": "Server timezone", + "Default_Custom_Timezone": "Custom timezone", + "Default_User_Timezone": "User's current timezone", + "Num_Agents": "# Agents", + "Number_in_seconds": "Number in seconds", + "Number_of_events": "Number of events", + "Number_of_federated_servers": "Number of federated servers", + "Number_of_federated_users": "Number of federated users", + "Number_of_messages": "Number of messages", + "Number_of_most_recent_chats_estimate_wait_time": "Number of recent chats to calculate estimate wait time", + "Number_of_most_recent_chats_estimate_wait_time_description": "This number defines the number of last served rooms that will be used to calculate queue wait times.", + "Number_of_users_autocomplete_suggestions": "Number of users' autocomplete suggestions", + "OAuth": "OAuth", + "OAuth_Description": "Configure authentication methods beyond just username and password.", + "OAuth Apps": "OAuth Apps", + "OAuth_Application": "OAuth Application", + "OAuth_Applications": "OAuth Applications", + "Objects": "Objects", + "Off": "Off", + "Off_the_record_conversation": "Off-the-Record Conversation", + "Off_the_record_conversation_is_not_available_for_your_browser_or_device": "Off-the-Record conversation is not available for your browser or device.", + "Office_Hours": "Office Hours", + "Office_hours_enabled": "Office Hours Enabled", + "Office_hours_updated": "Office hours updated", + "offline": "offline", + "Offline": "Offline", + "Offline_DM_Email": "Direct Message Email Subject", + "Offline_Email_Subject_Description": "You may use the following placeholders:
  • [Site_Name], [Site_URL], [User] & [Room] for the Application Name, URL, Username & Roomname respectively.
", + "Offline_form": "Offline form", + "Offline_form_unavailable_message": "Offline Form Unavailable Message", + "Offline_Link_Message": "GO TO MESSAGE", + "Offline_Mention_All_Email": "Mention All Email Subject", + "Offline_Mention_Email": "Mention Email Subject", + "Offline_message": "Offline message", + "Offline_Message": "Offline Message", + "Offline_Message_Use_DeepLink": "Use Deep Link URL Format", + "Offline_messages": "Offline Messages", + "Offline_success_message": "Offline Success Message", + "Offline_unavailable": "Offline unavailable", + "Ok": "Ok", + "Old Colors": "Old Colors", + "Old Colors (minor)": "Old Colors (minor)", + "Older_than": "Older than", + "Omnichannel": "Omnichannel", + "Omnichannel_Description": "Set up Omnichannel to communicate with customers from one place, regardless of how they connect with you.", + "Omnichannel_Directory": "Omnichannel Directory", + "Omnichannel_appearance": "Omnichannel Appearance", + "Omnichannel_calculate_dispatch_service_queue_statistics": "Calculate and dispatch Omnichannel waiting queue statistics", + "Omnichannel_calculate_dispatch_service_queue_statistics_Description": "Processing and dispatching waiting queue statistics such as position and estimated waiting time. If *Livechat channel* is not in use, it is recommended to disable this setting and prevent the server from doing unnecessary processes.", + "Omnichannel_Contact_Center": "Omnichannel Contact Center", + "Omnichannel_contact_manager_routing": "Assign new conversations to the contact manager", + "Omnichannel_contact_manager_routing_Description": "This setting allocates a chat to the assigned Contact Manager, as long as the Contact Manager is online when the chat starts", + "Omnichannel_External_Frame": "External Frame", + "Omnichannel_External_Frame_Enabled": "External frame enabled", + "Omnichannel_External_Frame_Encryption_JWK": "Encryption key (JWK)", + "Omnichannel_External_Frame_Encryption_JWK_Description": "If provided it will encrypt the user's token with the provided key and the external system will need to decrypt the data to access the token", + "Omnichannel_External_Frame_URL": "External frame URL", + "On": "On", + "On_Hold": "On hold", + "On_Hold_Chats": "On Hold", + "On_Hold_conversations": "On hold conversations", + "online": "online", + "Online": "Online", + "Only_authorized_users_can_write_new_messages": "Only authorized users can write new messages", + "Only_authorized_users_can_react_to_messages": "Only authorized users can react to messages", + "Only_from_users": "Only prune content from these users (leave empty to prune everyone's content)", + "Only_Members_Selected_Department_Can_View_Channel": "Only members of selected department can view chats on this channel", + "Only_On_Desktop": "Desktop mode (only sends with enter on desktop)", + "Only_works_with_chrome_version_greater_50": "Only works with Chrome browser versions > 50", + "Only_you_can_see_this_message": "Only you can see this message", + "Only_invited_users_can_acess_this_channel": "Only invited users can access this Channel", + "Oops_page_not_found": "Oops, page not found", + "Oops!": "Oops", + "Open": "Open", + "Open_channel_user_search": "`%s` - Open Channel / User search", + "Open_conversations": "Open Conversations", + "Open_Days": "Open days", + "Open_days_of_the_week": "Open Days of the Week", + "Open_Livechats": "Chats in Progress", + "Open_menu": "Open_menu", + "Open_thread": "Open Thread", + "Open_your_authentication_app_and_enter_the_code": "Open your authentication app and enter the code. You can also use one of your backup codes.", + "Opened": "Opened", + "Opened_in_a_new_window": "Opened in a new window.", + "Opens_a_channel_group_or_direct_message": "Opens a channel, group or direct message", + "Optional": "Optional", + "optional": "optional", + "Options": "Options", + "or": "or", + "Or_talk_as_anonymous": "Or talk as anonymous", + "Order": "Order", + "Organization_Email": "Organization Email", + "Organization_Info": "Organization Info", + "Organization_Name": "Organization Name", + "Organization_Type": "Organization Type", + "Original": "Original", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "Other": "Other", + "others": "others", + "Others": "Others", + "OTR": "OTR", + "OTR_Description": "Off-the-record chats are secure, private and disappear once ended.", + "OTR_Chat_Declined_Title": "OTR Chat invite Declined", + "OTR_Chat_Declined_Description": "%s declined OTR chat invite. For privacy protection local cache was deleted, including all related system messages.", + "OTR_Chat_Error_Title": "Chat ended due to failed key refresh", + "OTR_Chat_Error_Description": "For privacy protection local cache was deleted, including all related system messages.", + "OTR_Chat_Timeout_Title": "OTR chat invite expired", + "OTR_Chat_Timeout_Description": "%s failed to accept OTR chat invite in time. For privacy protection local cache was deleted, including all related system messages.", + "OTR_Enable_Description": "Enable option to use off-the-record (OTR) messages in direct messages between 2 users. OTR messages are not recorded on the server and exchanged directly and encrypted between the 2 users.", + "OTR_message": "OTR Message", + "OTR_is_only_available_when_both_users_are_online": "OTR is only available when both users are online", + "Out_of_seats": "Out of Seats", + "Outgoing": "Outgoing", + "Outgoing_WebHook": "Outgoing WebHook", + "Outgoing_WebHook_Description": "Get data out of Rocket.Chat in real-time.", + "Output_format": "Output format", + "Override_URL_to_which_files_are_uploaded_This_url_also_used_for_downloads_unless_a_CDN_is_given": "Override URL to which files are uploaded. This url also used for downloads unless a CDN is given", + "Owner": "Owner", + "Play": "Play", + "Page_title": "Page title", + "Page_URL": "Page URL", + "Pages": "Pages", + "Parent_channel_doesnt_exist": "Channel does not exist.", + "Participants": "Participants", + "Password": "Password", + "Password_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of passwords", + "Password_Changed_Description": "You may use the following placeholders:
  • [password] for the temporary password.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Password_Changed_Email_Subject": "[Site_Name] - Password Changed", + "Password_changed_section": "Password Changed", + "Password_changed_successfully": "Password changed successfully", + "Password_History": "Password History", + "Password_History_Amount": "Password History Length", + "Password_History_Amount_Description": "Amount of most recently used passwords to prevent users from reusing.", + "Password_Policy": "Password Policy", + "Password_to_access": "Password to access", + "Passwords_do_not_match": "Passwords do not match", + "Past_Chats": "Past Chats", + "Paste_here": "Paste here...", + "Paste": "Paste", + "Paste_error": "Error reading from clipboard", + "Paid_Apps": "Paid Apps", + "Payload": "Payload", + "PDF": "PDF", + "Peer_Password": "Peer Password", + "People": "People", + "Permalink": "Permalink", + "Permissions": "Permissions", + "Personal_Access_Tokens": "Personal Access Tokens", + "Phone": "Phone", + "Phone_call": "Phone Call", + "Phone_Number": "Phone Number", + "Phone_already_exists": "Phone already exists", + "Phone_number": "Phone number", + "PID": "PID", + "Pin": "Pin", + "Pin_Message": "Pin Message", + "pin-message": "Pin Message", + "pin-message_description": "Permission to pin a message in a channel", + "Pinned_a_message": "Pinned a message:", + "Pinned_Messages": "Pinned Messages", + "pinning-not-allowed": "Pinning is not allowed", + "PiwikAdditionalTrackers": "Additional Piwik Sites", + "PiwikAdditionalTrackers_Description": "Enter addtitional Piwik website URLs and SiteIDs in the following format, if you want to track the same data into different websites: [ { \"trackerURL\" : \"https://my.piwik.domain2/\", \"siteId\" : 42 }, { \"trackerURL\" : \"https://my.piwik.domain3/\", \"siteId\" : 15 } ]", + "PiwikAnalytics_cookieDomain": "All Subdomains", + "PiwikAnalytics_cookieDomain_Description": "Track visitors across all subdomains", + "PiwikAnalytics_domains": "Hide Outgoing Links", + "PiwikAnalytics_domains_Description": "In the 'Outlinks' report, hide clicks to known alias URLs. Please insert one domain per line and do not use any separators.", + "PiwikAnalytics_prependDomain": "Prepend Domain", + "PiwikAnalytics_prependDomain_Description": "Prepend the site domain to the page title when tracking", + "PiwikAnalytics_siteId_Description": "The site id to use for identifying this site. Example: 17", + "PiwikAnalytics_url_Description": "The url where the Piwik resides, be sure to include the trailing slash. Example: //piwik.rocket.chat/", + "Placeholder_for_email_or_username_login_field": "Placeholder for Email or Username Login Field", + "Placeholder_for_password_login_confirm_field": "Confirm Placeholder for Password Login Field", + "Placeholder_for_password_login_field": "Placeholder for Password Login Field", + "Please_add_a_comment": "Please add a comment", + "Please_add_a_comment_to_close_the_room": "Please, add a comment to close the room", + "Please_answer_survey": "Please take a moment to answer a quick survey about this chat", + "Please_enter_usernames": "Please enter usernames...", + "please_enter_valid_domain": "Please enter a valid domain", + "Please_enter_value_for_url": "Please enter a value for the url of your avatar.", + "Please_enter_your_new_password_below": "Please enter your new password below:", + "Please_enter_your_password": "Please enter your password", + "Please_fill_a_label": "Please fill a label", + "Please_fill_a_name": "Please fill a name", + "Please_fill_a_token_name": "Please fill a valid token name", + "Please_fill_a_username": "Please fill a username", + "Please_fill_all_the_information": "Please fill all the information", + "Please_fill_an_email": "Please fill an email", + "Please_fill_name_and_email": "Please fill name and email", + "Please_go_to_the_Administration_page_then_Livechat_Facebook": "Please go to the Administration page then Omnichannel > Facebook", + "Please_select_an_user": "Please select an user", + "Please_select_enabled_yes_or_no": "Please select an option for Enabled", + "Please_select_visibility": "Please select a visibility", + "Please_wait": "Please wait", + "Please_wait_activation": "Please wait, this can take some time.", + "Please_wait_while_OTR_is_being_established": "Please wait while OTR is being established", + "Please_wait_while_your_account_is_being_deleted": "Please wait while your account is being deleted...", + "Please_wait_while_your_profile_is_being_saved": "Please wait while your profile is being saved...", + "Pool": "Pool", + "Port": "Port", + "Post_as": "Post as", + "Post_to": "Post to", + "Post_to_Channel": "Post to Channel", + "Post_to_s_as_s": "Post to %s as %s", + "post-readonly": "Post ReadOnly", + "post-readonly_description": "Permission to post a message in a read-only channel", + "Preferences": "Preferences", + "Preferences_saved": "Preferences saved", + "Preparing_data_for_import_process": "Preparing data for import process", + "Preparing_list_of_channels": "Preparing list of channels", + "Preparing_list_of_messages": "Preparing list of messages", + "Preparing_list_of_users": "Preparing list of users", + "Presence": "Presence", + "Preview": "Preview", + "preview-c-room": "Preview Public Channel", + "preview-c-room_description": "Permission to view the contents of a public channel before joining", + "Previous_month": "Previous Month", + "Previous_week": "Previous Week", + "Price": "Price", + "Priorities": "Priorities", + "Priority": "Priority", + "Priority_removed": "Priority removed", + "Privacy": "Privacy", + "Privacy_Policy": "Privacy Policy", + "Private": "Private", + "Private_Channel": "Private Channel", + "Private_Channels": "Private Channels", + "Private_Chats": "Private Chats", + "Private_Group": "Private Group", + "Private_Groups": "Private Groups", + "Private_Groups_list": "List of Private Groups", + "Private_Team": "Private Team", + "Productivity": "Productivity", + "Profile": "Profile", + "Profile_details": "Profile Details", + "Profile_picture": "Profile Picture", + "Profile_saved_successfully": "Profile saved successfully", + "Prometheus": "Prometheus", + "Prometheus_API_User_Agent": "API: Track User Agent", + "Prometheus_Garbage_Collector": "Collect NodeJS GC", + "Prometheus_Garbage_Collector_Alert": "Restart required to deactivate", + "Prometheus_Reset_Interval": "Reset Interval (ms)", + "Protocol": "Protocol", + "Prune": "Prune", + "Prune_finished": "Prune finished", + "Prune_Messages": "Prune Messages", + "Prune_Modal": "Are you sure you wish to prune these messages? Pruned messages cannot be recovered.", + "Prune_Warning_after": "This will delete all %s in %s after %s.", + "Prune_Warning_all": "This will delete all %s in %s!", + "Prune_Warning_before": "This will delete all %s in %s before %s.", + "Prune_Warning_between": "This will delete all %s in %s between %s and %s.", + "Pruning_files": "Pruning files...", + "Pruning_messages": "Pruning messages...", + "Public": "Public", + "Public_Channel": "Public Channel", + "Public_Channels": "Public Channels", + "Public_Community": "Public Community", + "Public_URL": "Public URL", + "Purchase_for_free": "Purchase for FREE", + "Purchase_for_price": "Purchase for $%s", + "Purchased": "Purchased", + "Push": "Push", + "Push_Description": "Enable and configure push notifications for workspace members using mobile devices.", + "Push_Notifications": "Push Notifications", + "Push_apn_cert": "APN Cert", + "Push_apn_dev_cert": "APN Dev Cert", + "Push_apn_dev_key": "APN Dev Key", + "Push_apn_dev_passphrase": "APN Dev Passphrase", + "Push_apn_key": "APN Key", + "Push_apn_passphrase": "APN Passphrase", + "Push_enable": "Enable", + "Push_enable_gateway": "Enable Gateway", + "Push_enable_gateway_Description": "Warning: You need to accept to register your server (Setup Wizard > Organization Info > Register Server) and our privacy terms (Setup Wizard > Cloud Info > Cloud Service Privacy Terms Agreement) to enabled this setting and use our gateway. Even if this setting is on it won't work if the server isn't registered.", + "Push_gateway": "Gateway", + "Push_gateway_description": "Multiple lines can be used to specify multiple gateways", + "Push_gcm_api_key": "GCM API Key", + "Push_gcm_project_number": "GCM Project Number", + "Push_production": "Production", + "Push_request_content_from_server": "Fetch full message content from the server on receipt", + "Push_Setting_Requires_Restart_Alert": "Changing this value requires restarting Rocket.Chat.", + "Push_show_message": "Show Message in Notification", + "Push_show_username_room": "Show Channel/Group/Username in Notification", + "Push_test_push": "Test", + "Query": "Query", + "Query_description": "Additional conditions for determining which users to send the email to. Unsubscribed users are automatically removed from the query. It must be a valid JSON. Example: \"{\"createdAt\":{\"$gt\":{\"$date\": \"2015-01-01T00:00:00.000Z\"}}}\"", + "Query_is_not_valid_JSON": "Query is not valid JSON", + "Queue": "Queue", + "Queues": "Queues", + "Queue_delay_timeout": "Queue processing delay timeout", + "Queue_Time": "Queue Time", + "Queue_management": "Queue Management", + "quote": "quote", + "Quote": "Quote", + "Random": "Random", + "Rate Limiter": "Rate Limiter", + "Rate Limiter_Description": "Control the rate of requests sent or recieved by your server to prevent cyber attacks and scraping.", + "Rate_Limiter_Limit_RegisterUser": "Default number calls to the rate limiter for registering a user", + "Rate_Limiter_Limit_RegisterUser_Description": "Number of default calls for user registering endpoints(REST and real-time API's), allowed within the time range defined in the API Rate Limiter section.", + "Reached_seat_limit_banner_warning": "*No more seats available* \nThis workspace has reached its seat limit so no more members can join. *[Request More Seats](__url__)*", + "React_when_read_only": "Allow Reacting", + "React_when_read_only_changed_successfully": "Allow reacting when read only changed successfully", + "Reacted_with": "Reacted with", + "Reactions": "Reactions", + "Read_by": "Read by", + "Read_only": "Read Only", + "Read_only_changed_successfully": "Read only changed successfully", + "Read_only_channel": "Read Only Channel", + "Read_only_group": "Read Only Group", + "Real_Estate": "Real Estate", + "Real_Time_Monitoring": "Real-time Monitoring", + "RealName_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of names", + "Reason_To_Join": "Reason to Join", + "Receive_alerts": "Receive alerts", + "Receive_Group_Mentions": "Receive @all and @here mentions", + "Recent_Import_History": "Recent Import History", + "Record": "Record", + "recording": "recording", + "Redirect_URI": "Redirect URI", + "Refresh": "Refresh", + "Refresh_keys": "Refresh keys", + "Refresh_oauth_services": "Refresh OAuth Services", + "Refresh_your_page_after_install_to_enable_screen_sharing": "Refresh your page after install to enable screen sharing", + "Refreshing": "Refreshing", + "Regenerate_codes": "Regenerate codes", + "Regexp_validation": "Validation by regular expression", + "Register": "Register", + "Register_new_account": "Register a new account", + "Register_Server": "Register Server", + "Register_Server_Info": "Use the preconfigured gateways and proxies provided by Rocket.Chat Technologies Corp.", + "Register_Server_Opt_In": "Product and Security Updates", + "Register_Server_Registered": "Register to access", + "Register_Server_Registered_I_Agree": "I agree with the", + "Register_Server_Registered_Livechat": "Livechat omnichannel proxy", + "Register_Server_Registered_Marketplace": "Apps Marketplace", + "Register_Server_Registered_OAuth": "OAuth proxy for social network", + "Register_Server_Registered_Push_Notifications": "Mobile push notifications gateway", + "Register_Server_Standalone": "Keep standalone, you'll need to", + "Register_Server_Standalone_Own_Certificates": "Recompile the mobile apps with your own certificates", + "Register_Server_Standalone_Service_Providers": "Create accounts with service providers", + "Register_Server_Standalone_Update_Settings": "Update the preconfigured settings", + "Register_Server_Terms_Alert": "Please agree to terms to complete registration", + "register-on-cloud": "Register on cloud", + "Registration": "Registration", + "Registration_Succeeded": "Registration Succeeded", + "Registration_via_Admin": "Registration via Admin", + "Regular_Expressions": "Regular Expressions", + "Release": "Release", + "Releases": "Releases", + "Religious": "Religious", + "Reload": "Reload", + "Reload_page": "Reload Page", + "Reload_Pages": "Reload Pages", + "Remove": "Remove", + "Remove_Admin": "Remove Admin", + "Remove_Association": "Remove Association", + "Remove_as_leader": "Remove as leader", + "Remove_as_moderator": "Remove as moderator", + "Remove_as_owner": "Remove as owner", + "Remove_Channel_Links": "Remove channel links", + "Remove_custom_oauth": "Remove custom oauth", + "Remove_from_room": "Remove from room", + "Remove_from_team": "Remove from team", + "Remove_last_admin": "Removing last admin", + "Remove_someone_from_room": "Remove someone from the room", + "remove-closed-livechat-room": "Remove Closed Omnichannel Room", + "remove-closed-livechat-rooms": "Remove All Closed Omnichannel Rooms", + "remove-closed-livechat-rooms_description": "Permission to remove all closed omnichannel rooms", + "remove-livechat-department": "Remove Omnichannel Departments", + "remove-slackbridge-links": "Remove slackbridge links", + "remove-user": "Remove User", + "remove-user_description": "Permission to remove a user from a room", + "Removed": "Removed", + "Removed_User": "Removed User", + "Removed__roomName__from_this_team": "removed #__roomName__ from this Team", + "Removed__username__from_team": "removed @__user_removed__ from this Team", + "Replay": "Replay", + "Replied_on": "Replied on", + "Replies": "Replies", + "Reply": "Reply", + "reply_counter": "__counter__ reply", + "reply_counter_plural": "__counter__ replies", + "Reply_in_direct_message": "Reply in Direct Message", + "Reply_in_thread": "Reply in Thread", + "Reply_via_Email": "Reply via Email", + "ReplyTo": "Reply-To", + "Report": "Report", + "Report_Abuse": "Report Abuse", + "Report_exclamation_mark": "Report!", + "Report_Number": "Report Number", + "Report_sent": "Report sent", + "Report_this_message_question_mark": "Report this message?", + "Reporting": "Reporting", + "Request": "Request", + "Request_seats": "Request Seats", + "Request_more_seats": "Request more seats.", + "Request_more_seats_out_of_seats": "You can not add members because this Workspace is out of seats, please request more seats.", + "Request_more_seats_sales_team": "Once your request is submitted, our Sales Team will look into it and will reach out to you within the next couple of days.", + "Request_more_seats_title": "Request More Seats", + "Request_comment_when_closing_conversation": "Request comment when closing conversation", + "Request_comment_when_closing_conversation_description": "If enabled, the agent will need to set a comment before the conversation is closed.", + "Request_tag_before_closing_chat": "Request tag(s) before closing conversation", + "Requested_At": "Requested At", + "Requested_By": "Requested By", + "Require": "Require", + "Required": "Required", + "required": "required", + "Require_all_tokens": "Require all tokens", + "Require_any_token": "Require any token", + "Require_password_change": "Require password change", + "Resend_verification_email": "Resend verification email", + "Reset": "Reset", + "Reset_Connection": "Reset Connection", + "Reset_E2E_Key": "Reset E2E Key", + "Reset_password": "Reset password", + "Reset_section_settings": "Reset Section to Default", + "Reset_TOTP": "Reset TOTP", + "reset-other-user-e2e-key": "Reset Other User E2E Key", + "Responding": "Responding", + "Response_description_post": "Empty bodies or bodies with an empty text property will simply be ignored. Non-200 responses will be retried a reasonable number of times. A response will be posted using the alias and avatar specified above. You can override these informations as in the example above.", + "Response_description_pre": "If the handler wishes to post a response back into the channel, the following JSON should be returned as the body of the response:", + "Restart": "Restart", + "Restart_the_server": "Restart the server", + "restart-server": "Restart the server", + "Retail": "Retail", + "Retention_setting_changed_successfully": "Retention policy setting changed successfully", + "RetentionPolicy": "Retention Policy", + "RetentionPolicy_Advanced_Precision": "Use Advanced Retention Policy configuration", + "RetentionPolicy_Advanced_Precision_Cron": "Use Advanced Retention Policy Cron", + "RetentionPolicy_Advanced_Precision_Cron_Description": "How often the prune timer should run defined by cron job expression. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", + "RetentionPolicy_AppliesToChannels": "Applies to channels", + "RetentionPolicy_AppliesToDMs": "Applies to direct messages", + "RetentionPolicy_AppliesToGroups": "Applies to private groups", + "RetentionPolicy_Description": "Automatically prune old messages and files across your workspace.", + "RetentionPolicy_DoNotPruneDiscussion": "Do not prune discussion messages", + "RetentionPolicy_DoNotPrunePinned": "Do not prune pinned messages", + "RetentionPolicy_DoNotPruneThreads": "Do not prune Threads", + "RetentionPolicy_Enabled": "Enabled", + "RetentionPolicy_ExcludePinned": "Exclude pinned messages", + "RetentionPolicy_FilesOnly": "Only delete files", + "RetentionPolicy_FilesOnly_Description": "Only files will be deleted, the messages themselves will stay in place.", + "RetentionPolicy_MaxAge": "Maximum message age", + "RetentionPolicy_MaxAge_Channels": "Maximum message age in channels", + "RetentionPolicy_MaxAge_Description": "Prune all messages older than this value, in days", + "RetentionPolicy_MaxAge_DMs": "Maximum message age in direct messages", + "RetentionPolicy_MaxAge_Groups": "Maximum message age in private groups", + "RetentionPolicy_Precision": "Timer Precision", + "RetentionPolicy_Precision_Description": "How often the prune timer should run. Setting this to a more precise value makes channels with fast retention timers work better, but might cost extra processing power on large communities.", + "RetentionPolicy_RoomWarning": "Messages older than __time__ are automatically pruned here", + "RetentionPolicy_RoomWarning_FilesOnly": "Files older than __time__ are automatically pruned here (messages stay intact)", + "RetentionPolicy_RoomWarning_Unpinned": "Unpinned messages older than __time__ are automatically pruned here", + "RetentionPolicy_RoomWarning_UnpinnedFilesOnly": "Unpinned files older than __time__ are automatically pruned here (messages stay intact)", + "RetentionPolicyRoom_Enabled": "Automatically prune old messages", + "RetentionPolicyRoom_ExcludePinned": "Exclude pinned messages", + "RetentionPolicyRoom_FilesOnly": "Prune files only, keep messages", + "RetentionPolicyRoom_MaxAge": "Maximum message age in days (default: __max__)", + "RetentionPolicyRoom_OverrideGlobal": "Override global retention policy", + "RetentionPolicyRoom_ReadTheDocs": "Watch out! Tweaking these settings without utmost care can destroy all message history. Please read the documentation before turning the feature on here.", + "Retry": "Retry", + "Retry_Count": "Retry Count", + "Return_to_home": "Return to home", + "Return_to_previous_page": "Return to previous page", + "Return_to_the_queue": "Return back to the Queue", + "Ringing": "Ringing", + "Robot_Instructions_File_Content": "Robots.txt File Contents", + "Default_Referrer_Policy": "Default Referrer Policy", + "Default_Referrer_Policy_Description": "This controls the 'referrer' header that's sent when requesting embedded media from other servers. For more information, refer to this link from MDN. Remember, a full page refresh is required for this to take effect", + "No_Referrer": "No Referrer", + "No_Referrer_When_Downgrade": "No referrer when downgrade", + "Notes": "Notes", + "Origin": "Origin", + "Origin_When_Cross_Origin": "Origin when cross origin", + "Same_Origin": "Same origin", + "Strict_Origin": "Strict origin", + "Strict_Origin_When_Cross_Origin": "Strict origin when cross origin", + "UIKit_Interaction_Timeout": "App has failed to respond. Please try again or contact your admin", + "Unsafe_Url": "Unsafe URL", + "Rocket_Chat_Alert": "Rocket.Chat Alert", + "Role": "Role", + "Roles": "Roles", + "Role_Editing": "Role Editing", + "Role_Mapping": "Role mapping", + "Role_removed": "Role removed", + "Room": "Room", + "room_allowed_reacting": "Room allowed reacting by __user_by__", + "Room_announcement_changed_successfully": "Room announcement changed successfully", + "Room_archivation_state": "State", + "Room_archivation_state_false": "Active", + "Room_archivation_state_true": "Archived", + "Room_archived": "Room archived", + "room_changed_announcement": "Room announcement changed to: __room_announcement__ by __user_by__", + "room_changed_avatar": "Room avatar changed by __user_by__", + "room_changed_description": "Room description changed to: __room_description__ by __user_by__", + "room_changed_privacy": "Room type changed to: __room_type__ by __user_by__", + "room_changed_topic": "Room topic changed to: __room_topic__ by __user_by__", + "Room_default_change_to_private_will_be_default_no_more": "This is a default channel and changing it to a private group will cause it to no longer be a default channel. Do you want to proceed?", + "Room_description_changed_successfully": "Room description changed successfully", + "room_disallowed_reacting": "Room disallowed reacting by __user_by__", + "Room_Edit": "Room Edit", + "Room_has_been_archived": "Room has been archived", + "Room_has_been_deleted": "Room has been deleted", + "Room_has_been_removed": "Room has been removed", + "Room_has_been_unarchived": "Room has been unarchived", + "Room_Info": "Room Information", + "room_is_blocked": "This room is blocked", + "room_account_deactivated": "This account is deactivated", + "room_is_read_only": "This room is read only", + "room_name": "room name", + "Room_name_changed": "Room name changed to: __room_name__ by __user_by__", + "Room_name_changed_successfully": "Room name changed successfully", + "Room_not_exist_or_not_permission": "This room does not exist or you may not have permission to access", + "Room_not_found": "Room not found", + "Room_password_changed_successfully": "Room password changed successfully", + "room_removed_read_only": "Room added writing permission by __user_by__", + "room_set_read_only": "Room set as Read Only by __user_by__", + "Room_topic_changed_successfully": "Room topic changed successfully", + "Room_type_changed_successfully": "Room type changed successfully", + "Room_type_of_default_rooms_cant_be_changed": "This is a default room and the type can not be changed, please consult with your administrator.", + "Room_unarchived": "Room unarchived", + "Room_updated_successfully": "Room updated successfully!", + "Room_uploaded_file_list": "Files List", + "Room_uploaded_file_list_empty": "No files available.", + "Rooms": "Rooms", + "Rooms_added_successfully": "Rooms added successfully", + "Routing": "Routing", + "Run_only_once_for_each_visitor": "Run only once for each visitor", + "run-import": "Run Import", + "run-import_description": "Permission to run the importers", + "run-migration": "Run Migration", + "run-migration_description": "Permission to run the migrations", + "Running_Instances": "Running Instances", + "Runtime_Environment": "Runtime Environment", + "S_new_messages_since_s": "%s new messages since %s", + "Same_As_Token_Sent_Via": "Same as \"Token Sent Via\"", + "Same_Style_For_Mentions": "Same style for mentions", + "SAML": "SAML", + "SAML_Description": "Security Assertion Markup Language used for exchanging authentication and authorization data.", + "SAML_Allowed_Clock_Drift": "Allowed clock drift from Identity Provider", + "SAML_Allowed_Clock_Drift_Description": "The clock of the Identity Provider may drift slightly ahead of your system clocks. You can allow for a small amount of clock drift. Its value must be given in a number of milliseconds (ms). The value given is added to the current time at which the response is validated.", + "SAML_AuthnContext_Template": "AuthnContext Template", + "SAML_AuthnContext_Template_Description": "You can use any variable from the AuthnRequest Template here.\n\n To add additional authn contexts, duplicate the __AuthnContextClassRef__ tag and replace the __\\_\\_authnContext\\_\\___ variable with the new context.", + "SAML_AuthnRequest_Template": "AuthnRequest Template", + "SAML_AuthnRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.\n- **\\_\\_entryPoint\\_\\_**: The value of the __Custom Entry Point__ setting.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormatTag\\_\\_**: The contents of the __NameID Policy Template__ if a valid __Identifier Format__ is configured.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_authnContextTag\\_\\_**: The contents of the __AuthnContext Template__ if a valid __Custom Authn Context__ is configured.\n- **\\_\\_authnContextComparison\\_\\_**: The value of the __Authn Context Comparison__ setting.\n- **\\_\\_authnContext\\_\\_**: The value of the __Custom Authn Context__ setting.", + "SAML_Connection": "Connection", + "SAML_Enterprise": "Enterprise", + "SAML_General": "General", + "SAML_Custom_Authn_Context": "Custom Authn Context", + "SAML_Custom_Authn_Context_Comparison": "Authn Context Comparison", + "SAML_Custom_Authn_Context_description": "Leave this empty to omit the authn context from the request.\n\n To add multiple authn contexts, add the additional ones directly to the __AuthnContext Template__ setting.", + "SAML_Custom_Cert": "Custom Certificate", + "SAML_Custom_Debug": "Enable Debug", + "SAML_Custom_EMail_Field": "E-Mail field name", + "SAML_Custom_Entry_point": "Custom Entry Point", + "SAML_Custom_Generate_Username": "Generate Username", + "SAML_Custom_IDP_SLO_Redirect_URL": "IDP SLO Redirect URL", + "SAML_Custom_Immutable_Property": "Immutable field name", + "SAML_Custom_Immutable_Property_EMail": "E-Mail", + "SAML_Custom_Immutable_Property_Username": "Username", + "SAML_Custom_Issuer": "Custom Issuer", + "SAML_Custom_Logout_Behaviour": "Logout Behaviour", + "SAML_Custom_Logout_Behaviour_End_Only_RocketChat": "Only log out from Rocket.Chat", + "SAML_Custom_Logout_Behaviour_Terminate_SAML_Session": "Terminate SAML-session", + "SAML_Custom_mail_overwrite": "Overwrite user mail (use idp attribute)", + "SAML_Custom_name_overwrite": "Overwrite user fullname (use idp attribute)", + "SAML_Custom_Private_Key": "Private Key Contents", + "SAML_Custom_Provider": "Custom Provider", + "SAML_Custom_Public_Cert": "Public Cert Contents", + "SAML_Custom_signature_validation_all": "Validate All Signatures", + "SAML_Custom_signature_validation_assertion": "Validate Assertion Signature", + "SAML_Custom_signature_validation_either": "Validate Either Signature", + "SAML_Custom_signature_validation_response": "Validate Response Signature", + "SAML_Custom_signature_validation_type": "Signature Validation Type", + "SAML_Custom_signature_validation_type_description": "This setting will be ignored if no Custom Certificate is provided.", + "SAML_Custom_user_data_fieldmap": "User Data Field Map", + "SAML_Custom_user_data_fieldmap_description": "Configure how user account fields (like email) are populated from a record in SAML (once found). \nAs an example, `{\"name\":\"cn\", \"email\":\"mail\"}` will choose a person's human readable name from the cn attribute, and their email from the mail attribute.\nAvailable fields in Rocket.Chat: `name`, `email` and `username`, everything else will be discarted.\n```{\n \"email\": \"mail\",\n \"username\": {\n \"fieldName\": \"mail\",\n \"regex\": \"(.*)@.+$\",\n \"template\": \"user-__regex__\"\n },\n \"name\": {\n \"fieldNames\": [\n \"firstName\",\n \"lastName\"\n ],\n \"template\": \"__firstName__ __lastName__\"\n },\n \"__identifier__\": \"uid\"\n}\n", + "SAML_Custom_user_data_custom_fieldmap": "User Data Custom Field Map", + "SAML_Custom_user_data_custom_fieldmap_description": "Configure how user custom fields are populated from a record in SAML (once found).", + "SAML_Custom_Username_Field": "Username field name", + "SAML_Custom_Username_Normalize": "Normalize username", + "SAML_Custom_Username_Normalize_Lowercase": "To Lowercase", + "SAML_Custom_Username_Normalize_None": "No normalization", + "SAML_Default_User_Role": "Default User Role", + "SAML_Default_User_Role_Description": "You can specify multiple roles, separating them with commas.", + "SAML_Identifier_Format": "Identifier Format", + "SAML_Identifier_Format_Description": "Leave this empty to omit the NameID Policy from the request.", + "SAML_LogoutRequest_Template": "Logout Request Template", + "SAML_LogoutRequest_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP when the user logged in.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP when the user logged in.", + "SAML_LogoutResponse_Template": "Logout Response Template", + "SAML_LogoutResponse_Template_Description": "The following variables are available:\n- **\\_\\_newId\\_\\_**: Randomly generated id string\n- **\\_\\_inResponseToId\\_\\_**: The ID of the Logout Request received from the IdP\n- **\\_\\_instant\\_\\_**: Current timestamp\n- **\\_\\_idpSLORedirectURL\\_\\_**: The IDP Single LogOut URL to redirect to.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_nameID\\_\\_**: The NameID received from the IdP Logout Request.\n- **\\_\\_sessionIndex\\_\\_**: The sessionIndex received from the IdP Logout Request.", + "SAML_Metadata_Certificate_Template_Description": "The following variables are available:\n- **\\_\\_certificate\\_\\_**: The private certificate for assertion encryption.", + "SAML_Metadata_Template": "Metadata Template", + "SAML_Metadata_Template_Description": "The following variables are available:\n- **\\_\\_sloLocation\\_\\_**: The Rocket.Chat Single LogOut URL.\n- **\\_\\_issuer\\_\\_**: The value of the __Custom Issuer__ setting.\n- **\\_\\_identifierFormat\\_\\_**: The value of the __Identifier Format__ setting.\n- **\\_\\_certificateTag\\_\\_**: If a private certificate is configured, this will include the __Metadata Certificate Template__, otherwise it will be ignored.\n- **\\_\\_callbackUrl\\_\\_**: The Rocket.Chat callback URL.", + "SAML_MetadataCertificate_Template": "Metadata Certificate Template", + "SAML_NameIdPolicy_Template": "NameID Policy Template", + "SAML_NameIdPolicy_Template_Description": "You can use any variable from the Authorize Request Template here.", + "SAML_Role_Attribute_Name": "Role Attribute Name", + "SAML_Role_Attribute_Name_Description": "If this attribute is found on the SAML response, it's values will be used as role names for new users.", + "SAML_Role_Attribute_Sync": "Sync User Roles", + "SAML_Role_Attribute_Sync_Description": "Sync SAML user roles on login (overwrites local user roles).", + "SAML_Section_1_User_Interface": "User Interface", + "SAML_Section_2_Certificate": "Certificate", + "SAML_Section_3_Behavior": "Behavior", + "SAML_Section_4_Roles": "Roles", + "SAML_Section_5_Mapping": "Mapping", + "SAML_Section_6_Advanced": "Advanced", + "SAML_Custom_channels_update": "Update Room Subscriptions on Each Login", + "SAML_Custom_channels_update_description": "Ensures user is a member of all channels in SAML assertion on every login.", + "SAML_Custom_include_private_channels_update": "Include Private Rooms in Room Subscription", + "SAML_Custom_include_private_channels_update_description": "Adds user to any private rooms that exist in the SAML assertion.", + "Saturday": "Saturday", + "Save": "Save", + "Save_changes": "Save changes", + "Save_Mobile_Bandwidth": "Save Mobile Bandwidth", + "Save_to_enable_this_action": "Save to enable this action", + "Save_To_Webdav": "Save to WebDAV", + "Save_Your_Encryption_Password": "Save Your Encryption Password", + "save-others-livechat-room-info": "Save Others Omnichannel Room Info", + "save-others-livechat-room-info_description": "Permission to save information from other omnichannel rooms", + "Saved": "Saved", + "Saving": "Saving", + "Scan_QR_code": "Using an authenticator app like Google Authenticator, Authy or Duo, scan the QR code. It will display a 6 digit code which you need to enter below.", + "Scan_QR_code_alternative_s": "If you can't scan the QR code, you may enter code manually instead:", + "Scope": "Scope", + "Score": "Score", + "Screen_Lock": "Screen Lock", + "Screen_Share": "Screen Share", + "Script_Enabled": "Script Enabled", + "Search": "Search", + "Search_Apps": "Search Apps", + "Search_by_file_name": "Search by file name", + "Search_by_username": "Search by username", + "Search_by_category": "Search by category", + "Search_Channels": "Search Channels", + "Search_Chat_History": "Search Chat History", + "Search_current_provider_not_active": "Current Search Provider is not active", + "Search_Description": "Select workspace search provider and configure search related settings.", + "Search_Files": "Search Files", + "Search_for_a_more_general_term": "Search for a more general term", + "Search_for_a_more_specific_term": "Search for a more specific term", + "Search_Integrations": "Search Integrations", + "Search_message_search_failed": "Search request failed", + "Search_Messages": "Search Messages", + "Search_on_marketplace": "Search on Marketplace", + "Search_Page_Size": "Page Size", + "Search_Private_Groups": "Search Private Groups", + "Search_Provider": "Search Provider", + "Search_Rooms": "Search Rooms", + "Search_Users": "Search Users", + "Seats_Available": "__seatsLeft__ Seats Available", + "Seats_usage": "Seats Usage", + "seconds": "seconds", + "Secret_token": "Secret Token", + "Security": "Security", + "See_full_profile": "See full profile", + "Select_a_department": "Select a department", + "Select_a_room": "Select a room", + "Select_a_user": "Select a user", + "Select_an_avatar": "Select an avatar", + "Select_an_option": "Select an option", + "Select_at_least_one_user": "Select at least one user", + "Select_at_least_two_users": "Select at least two users", + "Select_department": "Select a department", + "Select_file": "Select file", + "Select_role": "Select a Role", + "Select_service_to_login": "Select a service to login to load your picture or upload one directly from your computer", + "Select_tag": "Select a tag", + "Select_the_channels_you_want_the_user_to_be_removed_from": "Select the channels you want the user to be removed from", + "Select_the_teams_channels_you_would_like_to_delete": "Select the Team’s Channels you would like to delete, the ones you do not select will be moved to the Workspace.", + "Select_user": "Select user", + "Select_users": "Select users", + "Selected_agents": "Selected agents", + "Selected_departments": "Selected Departments", + "Selected_monitors": "Selected Monitors", + "Selecting_users": "Selecting users", + "Send": "Send", + "Send_a_message": "Send a message", + "Send_a_test_mail_to_my_user": "Send a test mail to my user", + "Send_a_test_push_to_my_user": "Send a test push to my user", + "Send_confirmation_email": "Send confirmation email", + "Send_data_into_RocketChat_in_realtime": "Send data into Rocket.Chat in real-time.", + "Send_email": "Send Email", + "Send_invitation_email": "Send invitation email", + "Send_invitation_email_error": "You haven't provided any valid email address.", + "Send_invitation_email_info": "You can send multiple email invitations at once.", + "Send_invitation_email_success": "You have successfully sent an invitation email to the following addresses:", + "Send_it_as_attachment_instead_question": "Send it as attachment instead?", + "Send_me_the_code_again": "Send me the code again", + "Send_request_on": "Send Request on", + "Send_request_on_agent_message": "Send Request on Agent Messages", + "Send_request_on_chat_close": "Send Request on Chat Close", + "Send_request_on_chat_queued": "Send request on Chat Queued", + "Send_request_on_chat_start": "Send Request on Chat Start", + "Send_request_on_chat_taken": "Send Request on Chat Taken", + "Send_request_on_forwarding": "Send Request on Forwarding", + "Send_request_on_lead_capture": "Send request on lead capture", + "Send_request_on_offline_messages": "Send Request on Offline Messages", + "Send_request_on_visitor_message": "Send Request on Visitor Messages", + "Send_Test": "Send Test", + "Send_Test_Email": "Send test email", + "Send_via_email": "Send via email", + "Send_via_Email_as_attachment": "Send via Email as attachment", + "Send_Visitor_navigation_history_as_a_message": "Send Visitor Navigation History as a Message", + "Send_visitor_navigation_history_on_request": "Send Visitor Navigation History on Request", + "Send_welcome_email": "Send welcome email", + "Send_your_JSON_payloads_to_this_URL": "Send your JSON payloads to this URL.", + "send-mail": "Send emails", + "send-many-messages": "Send Many Messages", + "send-many-messages_description": "Permission to bypasses rate limit of 5 messages per second", + "send-omnichannel-chat-transcript": "Send Omnichannel Conversation Transcript", + "send-omnichannel-chat-transcript_description": "Permission to send omnichannel conversation transcript", + "Sender_Info": "Sender Info", + "Sending": "Sending...", + "Sent_an_attachment": "Sent an attachment", + "Sent_from": "Sent from", + "Separate_multiple_words_with_commas": "Separate multiple words with commas", + "Served_By": "Served By", + "Server": "Server", + "Server_Configuration": "Server Configuration", + "Server_File_Path": "Server File Path", + "Server_Folder_Path": "Server Folder Path", + "Server_Info": "Server Info", + "Server_Type": "Server Type", + "Service": "Service", + "Service_account_key": "Service account key", + "Set_as_favorite": "Set as favorite", + "Set_as_leader": "Set as leader", + "Set_as_moderator": "Set as moderator", + "Set_as_owner": "Set as owner", + "Set_random_password_and_send_by_email": "Set random password and send by email", + "set-leader": "Set Leader", + "set-leader_description": "Permission to set other users as leader of a channel", + "set-moderator": "Set Moderator", + "set-moderator_description": "Permission to set other users as moderator of a channel", + "set-owner": "Set Owner", + "set-owner_description": "Permission to set other users as owner of a channel", + "set-react-when-readonly": "Set React When ReadOnly", + "set-react-when-readonly_description": "Permission to set the ability to react to messages in a read only channel", + "set-readonly": "Set ReadOnly", + "set-readonly_description": "Permission to set a channel to read only channel", + "Settings": "Settings", + "Settings_updated": "Settings updated", + "Setup_Wizard": "Setup Wizard", + "Setup_Wizard_Description": "Basic info about your workspace such as organization name and country.", + "Setup_Wizard_Info": "We'll guide you through setting up your first admin user, configuring your organisation and registering your server to receive free push notifications and more.", + "Share_Location_Title": "Share Location?", + "Share_screen": "Share screen", + "New_CannedResponse": "New Canned Response", + "Edit_CannedResponse": "Edit Canned Response", + "Sharing": "Sharing", + "Shared_Location": "Shared Location", + "Shared_Secret": "Shared Secret", + "Shortcut": "Shortcut", + "shortcut_name": "shortcut name", + "Should_be_a_URL_of_an_image": "Should be a URL of an image.", + "Should_exists_a_user_with_this_username": "The user must already exist.", + "Show_agent_email": "Show agent email", + "Show_agent_info": "Show agent information", + "Show_all": "Show All", + "Show_Avatars": "Show Avatars", + "Show_counter": "Mark as unread", + "Show_email_field": "Show email field", + "Show_mentions": "Show badge for mentions", + "Show_Message_In_Main_Thread": "Show thread messages in the main thread", + "Show_more": "Show more", + "Show_name_field": "Show name field", + "show_offline_users": "show offline users", + "Show_on_offline_page": "Show on offline page", + "Show_on_registration_page": "Show on registration page", + "Show_only_online": "Show Online Only", + "Show_preregistration_form": "Show Pre-registration Form", + "Show_queue_list_to_all_agents": "Show Queue List to All Agents", + "Show_room_counter_on_sidebar": "Show room counter on sidebar", + "Show_Setup_Wizard": "Show Setup Wizard", + "Show_the_keyboard_shortcut_list": "Show the keyboard shortcut list", + "Show_video": "Show video", + "Showing_archived_results": "

Showing %s archived results

", + "Showing_online_users": "Showing: __total_showing__, Online: __online__, Total: __total__ users", + "Showing_results": "

Showing %s results

", + "Showing_results_of": "Showing results %s - %s of %s", + "Sidebar": "Sidebar", + "Sidebar_list_mode": "Sidebar Channel List Mode", + "Sign_in_to_start_talking": "Sign in to start talking", + "Signaling_connection_disconnected": "Signaling connection disconnected", + "since_creation": "since %s", + "Site_Name": "Site Name", + "Site_Url": "Site URL", + "Site_Url_Description": "Example: https://chat.domain.com/", + "Size": "Size", + "Skip": "Skip", + "Slack_Users": "Slack's Users CSV", + "SlackBridge_APIToken": "API Tokens", + "SlackBridge_APIToken_Description": "You can configure multiple slack servers by adding one API Token per line.", + "Slackbridge_channel_links_removed_successfully": "The slackbridge channel links have been removed successfully.", + "SlackBridge_Description": "Enable Rocket.Chat to communicate directly with Slack.", + "SlackBridge_error": "SlackBridge got an error while importing your messages at %s: %s", + "SlackBridge_finish": "SlackBridge has finished importing the messages at %s. Please reload to view all messages.", + "SlackBridge_Out_All": "SlackBridge Out All", + "SlackBridge_Out_All_Description": "Send messages from all channels that exist in Slack and the bot has joined", + "SlackBridge_Out_Channels": "SlackBridge Out Channels", + "SlackBridge_Out_Channels_Description": "Choose which channels will send messages back to Slack", + "SlackBridge_Out_Enabled": "SlackBridge Out Enabled", + "SlackBridge_Out_Enabled_Description": "Choose whether SlackBridge should also send your messages back to Slack", + "SlackBridge_Remove_Channel_Links_Description": "Remove the internal link between Rocket.Chat channels and Slack channels. The links will afterwards be recreated based on the channel names.", + "SlackBridge_start": "@%s has started a SlackBridge import at `#%s`. We'll let you know when it's finished.", + "Slash_Gimme_Description": "Displays ༼ つ ◕_◕ ༽つ before your message", + "Slash_LennyFace_Description": "Displays ( ͡° ͜ʖ ͡°) after your message", + "Slash_Shrug_Description": "Displays ¯\\_(ツ)_/¯ after your message", + "Slash_Status_Description": "Set your status message", + "Slash_Status_Params": "Status message", + "Slash_Tableflip_Description": "Displays (╯°□°)╯︵ ┻━┻", + "Slash_TableUnflip_Description": "Displays ┬─┬ ノ( ゜-゜ノ)", + "Slash_Topic_Description": "Set topic", + "Slash_Topic_Params": "Topic message", + "Smarsh": "Smarsh", + "Smarsh_Description": "Configurations to preserve email communication.", + "Smarsh_Email": "Smarsh Email", + "Smarsh_Email_Description": "Smarsh Email Address to send the .eml file to.", + "Smarsh_Enabled": "Smarsh Enabled", + "Smarsh_Enabled_Description": "Whether the Smarsh eml connector is enabled or not (needs 'From Email' filled in under Email -> SMTP).", + "Smarsh_Interval": "Smarsh Interval", + "Smarsh_Interval_Description": "The amount of time to wait before sending the chats (needs 'From Email' filled in under Email -> SMTP).", + "Smarsh_MissingEmail_Email": "Missing Email", + "Smarsh_MissingEmail_Email_Description": "The email to show for a user account when their email address is missing, generally happens with bot accounts.", + "Smarsh_Timezone": "Smarsh Timezone", + "Smileys_and_People": "Smileys & People", + "SMS": "SMS", + "SMS_Description": "Enable and configure SMS gateways on your workspace.", + "SMS_Default_Omnichannel_Department": "Omnichannel Department (Default)", + "SMS_Default_Omnichannel_Department_Description": "If set, all new incoming chats initiated by this integration will be routed to this department.\nThis setting can be overwritten by passing department query param in the request.\ne.g. https:///api/v1/livechat/sms-incoming/twilio?department=.\nNote: if you're using Department Name, then it should be URL safe.", + "SMS_Enabled": "SMS Enabled", + "SMTP": "SMTP", + "SMTP_Host": "SMTP Host", + "SMTP_Password": "SMTP Password", + "SMTP_Port": "SMTP Port", + "SMTP_Test_Button": "Test SMTP Settings", + "SMTP_Username": "SMTP Username", + "Snippet_Added": "Created on %s", + "Snippet_Messages": "Snippet Messages", + "Snippet_name": "Snippet name", + "snippet-message": "Snippet Message", + "snippet-message_description": "Permission to create snippet message", + "Snippeted_a_message": "Created a snippet __snippetLink__", + "Social_Network": "Social Network", + "Sorry_page_you_requested_does_not_exist_or_was_deleted": "Sorry, page you requested does not exist or was deleted!", + "Sort": "Sort", + "Sort_By": "Sort by", + "Sort_by_activity": "Sort by Activity", + "Sound": "Sound", + "Sound_File_mp3": "Sound File (mp3)", + "Sound File": "Sound File", + "Source": "Source", + "SSL": "SSL", + "Star": "Star", + "Star_Message": "Star Message", + "Starred_Messages": "Starred Messages", + "Start": "Start", + "Start_audio_call": "Start audio call", + "Start_Chat": "Start Chat", + "Start_of_conversation": "Start of conversation", + "Start_OTR": "Start OTR", + "Start_video_call": "Start video call", + "Start_video_conference": "Start video conference?", + "Start_with_s_for_user_or_s_for_channel_Eg_s_or_s": "Start with %s for user or %s for channel. Eg: %s or %s", + "start-discussion": "Start Discussion", + "start-discussion_description": "Permission to start a discussion", + "start-discussion-other-user": "Start Discussion (Other-User)", + "start-discussion-other-user_description": "Permission to start a discussion, which gives permission to the user to create a discussion from a message sent by another user as well", + "Started": "Started", + "Started_a_video_call": "Started a Video Call", + "Started_At": "Started At", + "Statistics": "Statistics", + "Statistics_reporting": "Send Statistics to Rocket.Chat", + "Statistics_reporting_Description": "By sending your statistics, you'll help us identify how many instances of Rocket.Chat are deployed, as well as how good the system is behaving, so we can further improve it. Don't worry, as no user information is sent and all the information we receive is kept confidential.", + "Stats_Active_Guests": "Activated Guests", + "Stats_Active_Users": "Activated Users", + "Stats_App_Users": "Rocket.Chat App Users", + "Stats_Avg_Channel_Users": "Average Channel Users", + "Stats_Avg_Private_Group_Users": "Average Private Group Users", + "Stats_Away_Users": "Away Users", + "Stats_Max_Room_Users": "Max Rooms Users", + "Stats_Non_Active_Users": "Deactivated Users", + "Stats_Offline_Users": "Offline Users", + "Stats_Online_Users": "Online Users", + "Stats_Total_Active_Apps": "Total Active Apps", + "Stats_Total_Active_Incoming_Integrations": "Total Active Incoming Integrations", + "Stats_Total_Active_Outgoing_Integrations": "Total Active Outgoing Integrations", + "Stats_Total_Channels": "Channels", + "Stats_Total_Connected_Users": "Total Connected Users", + "Stats_Total_Direct_Messages": "Direct Message Rooms", + "Stats_Total_Incoming_Integrations": "Total Incoming Integrations", + "Stats_Total_Installed_Apps": "Total Installed Apps", + "Stats_Total_Integrations": "Total Integrations", + "Stats_Total_Integrations_With_Script_Enabled": "Total Integrations With Script Enabled", + "Stats_Total_Livechat_Rooms": "Omnichannel Rooms", + "Stats_Total_Messages": "Messages", + "Stats_Total_Messages_Channel": "Messages in Channels", + "Stats_Total_Messages_Direct": "Messages in Direct Messages", + "Stats_Total_Messages_Livechat": "Messages in Omnichannel", + "Stats_Total_Messages_PrivateGroup": "Messages in Private Groups", + "Stats_Total_Outgoing_Integrations": "Total Outgoing Integrations", + "Stats_Total_Private_Groups": "Private Groups", + "Stats_Total_Rooms": "Rooms", + "Stats_Total_Uploads": "Total Uploads", + "Stats_Total_Uploads_Size": "Total Uploads Size", + "Stats_Total_Users": "Total Users", + "Status": "Status", + "StatusMessage": "Status Message", + "StatusMessage_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of status messages", + "StatusMessage_Changed_Successfully": "Status message changed successfully.", + "StatusMessage_Placeholder": "What are you doing right now?", + "StatusMessage_Too_Long": "Status message must be shorter than 120 characters.", + "Step": "Step", + "Stop_call": "Stop call", + "Stop_Recording": "Stop Recording", + "Store_Last_Message": "Store Last Message", + "Store_Last_Message_Sent_per_Room": "Store last message sent on each room.", + "Stream_Cast": "Stream Cast", + "Stream_Cast_Address": "Stream Cast Address", + "Stream_Cast_Address_Description": "IP or Host of your Rocket.Chat central Stream Cast. E.g. `192.168.1.1:3000` or `localhost:4000`", + "strike": "strike", + "Style": "Style", + "Subject": "Subject", + "Submit": "Submit", + "Success": "Success", + "Success_message": "Success message", + "Successfully_downloaded_file_from_external_URL_should_start_preparing_soon": "Successfully downloaded file from external URL, should start preparing soon", + "Suggestion_from_recent_messages": "Suggestion from recent messages", + "Sunday": "Sunday", + "Support": "Support", + "Survey": "Survey", + "Survey_instructions": "Rate each question according to your satisfaction, 1 meaning you are completely unsatisfied and 5 meaning you are completely satisfied.", + "Symbols": "Symbols", + "Sync": "Sync", + "Sync / Import": "Sync / Import", + "Sync_in_progress": "Synchronization in progress", + "Sync_Interval": "Sync interval", + "Sync_success": "Sync success", + "Sync_Users": "Sync Users", + "sync-auth-services-users": "Sync authentication services' users", + "System_messages": "System Messages", + "Tag": "Tag", + "Tags": "Tags", + "Tag_removed": "Tag Removed", + "Tag_already_exists": "Tag already exists", + "Take_it": "Take it!", + "Taken_at": "Taken at", + "Talk_Time": "Talk Time", + "Target user not allowed to receive messages": "Target user not allowed to receive messages", + "TargetRoom": "Target Room", + "TargetRoom_Description": "The room where messages will be sent which are a result of this event being fired. Only one target room is allowed and it must exist.", + "Team": "Team", + "Team_Add_existing_channels": "Add Existing Channels", + "Team_Add_existing": "Add Existing", + "Team_Auto-join": "Auto-join", + "Team_Channels": "Team Channels", + "Team_Delete_Channel_modal_content_danger": "This can’t be undone.", + "Team_Delete_Channel_modal_content": "Would you like to delete this Channel?", + "Team_has_been_deleted": "Team has been deleted.", + "Team_Info": "Team Info", + "Team_Mapping": "Team Mapping", + "Team_Remove_from_team_modal_content": "Would you like to remove this Channel from __teamName__? The Channel will be moved back to the workspace.", + "Team_Remove_from_team": "Remove from team", + "Team_what_is_this_team_about": "What is this team about", + "Teams": "Teams", + "Teams_about_the_channels": "And about the Channels?", + "Teams_channels_didnt_leave": "You did not select the following Channels so you are not leaving them:", + "Teams_channels_last_owner_delete_channel_warning": "You are the last owner of this Channel. Once you convert the Team into a channel, the Channel will be moved to the Workspace.", + "Teams_channels_last_owner_leave_channel_warning": "You are the last owner of this Channel. Once you leave the Team, the Channel will be kept inside the Team but you will managing it from outside.", + "Teams_leaving_team": "You are leaving this Team.", + "Teams_channels": "Team's Channels", + "Teams_convert_channel_to_team": "Convert to Team", + "Teams_delete_team_choose_channels": "Select the Channels you would like to delete. The ones you decide to keep, will be available on your workspace.", + "Teams_delete_team_public_notice": "Notice that public Channels will still be public and visible to everyone.", + "Teams_delete_team_Warning": "Once you delete a Team, all chat content and configuration will be deleted.", + "Teams_delete_team": "You are about to delete this Team.", + "Teams_deleted_channels": "The following Channels are going to be deleted:", + "Teams_Errors_Already_exists": "The team `__name__` already exists.", + "Teams_Errors_team_name": "You can't use \"__name__\" as a team name.", + "Teams_move_channel_to_team": "Move to Team", + "Teams_move_channel_to_team_description_first": "Moving a Channel inside a Team means that this Channel will be added in the Team’s context, however, all Channel’s members, which are not members of the respective Team, will still have access to this Channel, but will not be added as Team’s members.", + "Teams_move_channel_to_team_description_second": "All Channel’s management will still be made by the owners of this Channel.", + "Teams_move_channel_to_team_description_third": "Team’s members and even Team’s owners, if not a member of this Channel, can not have access to the Channel’s content.", + "Teams_move_channel_to_team_description_fourth": "Please notice that the Team’s owner will be able to remove members from the Channel.", + "Teams_move_channel_to_team_confirm_description": "After reading the previous instructions about this behavior, do you want to move forward with this action?", + "Teams_New_Title": "Create Team", + "Teams_New_Name_Label": "Name", + "Teams_Info": "Team's Information", + "Teams_kept_channels": "You did not select the following Channels so they will be moved to the Workspace:", + "Teams_kept__username__channels": "You did not select the following Channels so __username__ will be kept on them:", + "Teams_leave_channels": "Select the Team’s Channels you would like to leave.", + "Teams_leave": "Leave Team", + "Teams_left_team_successfully": "Left the Team successfully", + "Teams_members": "Teams Members", + "Teams_New_Add_members_Label": "Add Members", + "Teams_New_Broadcast_Description": "Only authorized users can write new messages, but the other users will be able to reply", + "Teams_New_Broadcast_Label": "Broadcast", + "Teams_New_Description_Label": "Topic", + "Teams_New_Description_Placeholder": "What is this team about", + "Teams_New_Encrypted_Description_Disabled": "Only available for private team", + "Teams_New_Encrypted_Description_Enabled": "End to end encrypted team. Search will not work with encrypted Teams and notifications may not show the messages content.", + "Teams_New_Encrypted_Label": "Encrypted", + "Teams_New_Private_Description_Disabled": "When disabled, anyone can join the team", + "Teams_New_Private_Description_Enabled": "Only invited people can join", + "Teams_New_Private_Label": "Private", + "Teams_New_Read_only_Description": "All users in this team can write messages", + "Teams_Public_Team": "Public Team", + "Teams_Private_Team": "Private Team", + "Teams_removing_member": "Removing Member", + "Teams_removing__username__from_team": "You are removing __username__ from this Team", + "Teams_removing__username__from_team_and_channels": "You are removing __username__ from this Team and all its Channels.", + "Teams_Select_a_team": "Select a team", + "Teams_Search_teams": "Search Teams", + "Teams_New_Read_only_Label": "Read Only", + "Technology_Services": "Technology Services", + "Terms": "Terms", + "Test_Connection": "Test Connection", + "Test_Desktop_Notifications": "Test Desktop Notifications", + "Test_LDAP_Search": "Test LDAP Search", + "test-admin-options": "Test options on admin panel such as LDAP login and push notifications", + "Texts": "Texts", + "Thank_you_exclamation_mark": "Thank you!", + "Thank_you_for_your_feedback": "Thank you for your feedback", + "The_application_name_is_required": "The application name is required", + "The_channel_name_is_required": "The channel name is required", + "The_emails_are_being_sent": "The emails are being sent.", + "The_empty_room__roomName__will_be_removed_automatically": "The empty room __roomName__ will be removed automatically.", + "The_field_is_required": "The field %s is required.", + "The_image_resize_will_not_work_because_we_can_not_detect_ImageMagick_or_GraphicsMagick_installed_in_your_server": "The image resize will not work because we can not detect ImageMagick or GraphicsMagick installed on your server.", + "The_message_is_a_discussion_you_will_not_be_able_to_recover": "The message is a discussion you will not be able to recover the messages!", + "The_mobile_notifications_were_disabled_to_all_users_go_to_Admin_Push_to_enable_the_Push_Gateway_again": "The mobile notifications were disabled to all users, go to \"Admin > Push\" to enable the Push Gateway again", + "The_necessary_browser_permissions_for_location_sharing_are_not_granted": "The necessary browser permissions for location sharing are not granted", + "The_peer__peer__does_not_exist": "The peer __peer__ does not exist.", + "The_redirectUri_is_required": "The redirectUri is required", + "The_selected_user_is_not_a_monitor": "The selected user is not a monitor", + "The_selected_user_is_not_an_agent": "The selected user is not an agent", + "The_server_will_restart_in_s_seconds": "The server will restart in %s seconds", + "The_setting_s_is_configured_to_s_and_you_are_accessing_from_s": "The setting %s is configured to %s and you are accessing from %s!", + "The_user_s_will_be_removed_from_role_s": "The user %s will be removed from role %s", + "The_user_will_be_removed_from_s": "The user will be removed from %s", + "The_user_wont_be_able_to_type_in_s": "The user won't be able to type in %s", + "Theme": "Theme", + "theme-color-attention-color": "Attention Color", + "theme-color-component-color": "Component Color", + "theme-color-content-background-color": "Content Background Color", + "theme-color-custom-scrollbar-color": "Custom Scrollbar Color", + "theme-color-error-color": "Error Color", + "theme-color-info-font-color": "Info Font Color", + "theme-color-link-font-color": "Link Font Color", + "theme-color-pending-color": "Pending Color", + "theme-color-primary-action-color": "Primary Action Color", + "theme-color-primary-background-color": "Primary Background Color", + "theme-color-primary-font-color": "Primary Font Color", + "theme-color-rc-color-alert": "Alert", + "theme-color-rc-color-alert-light": "Alert Light", + "theme-color-rc-color-alert-message-primary": "Alert Message Primary", + "theme-color-rc-color-alert-message-primary-background": "Alert Message Primary Background", + "theme-color-rc-color-alert-message-secondary": "Alert Message Secondary", + "theme-color-rc-color-alert-message-secondary-background": "Alert Message Secondary Background", + "theme-color-rc-color-alert-message-warning": "Alert Message Warning", + "theme-color-rc-color-alert-message-warning-background": "Alert Message Warning Background", + "theme-color-rc-color-announcement-text": "Announcement Text Color", + "theme-color-rc-color-announcement-background": "Announcement Background Color", + "theme-color-rc-color-announcement-text-hover": "Announcement Text Color Hover", + "theme-color-rc-color-announcement-background-hover": "Announcement Background Color Hover", + "theme-color-rc-color-button-primary": "Button Primary", + "theme-color-rc-color-button-primary-light": "Button Primary Light", + "theme-color-rc-color-content": "Content", + "theme-color-rc-color-error": "Error", + "theme-color-rc-color-error-light": "Error Light", + "theme-color-rc-color-link-active": "Link Active", + "theme-color-rc-color-primary": "Primary", + "theme-color-rc-color-primary-background": "Primary Background", + "theme-color-rc-color-primary-dark": "Primary Dark", + "theme-color-rc-color-primary-darkest": "Primary Darkest", + "theme-color-rc-color-primary-light": "Primary Light", + "theme-color-rc-color-primary-light-medium": "Primary Light Medium", + "theme-color-rc-color-primary-lightest": "Primary Lightest", + "theme-color-rc-color-success": "Success", + "theme-color-rc-color-success-light": "Success Light", + "theme-color-secondary-action-color": "Secondary Action Color", + "theme-color-secondary-background-color": "Secondary Background Color", + "theme-color-secondary-font-color": "Secondary Font Color", + "theme-color-selection-color": "Selection Color", + "theme-color-status-away": "Away Status Color", + "theme-color-status-busy": "Busy Status Color", + "theme-color-status-offline": "Offline Status Color", + "theme-color-status-online": "Online Status Color", + "theme-color-success-color": "Success Color", + "theme-color-tertiary-font-color": "Tertiary Font Color", + "theme-color-transparent-dark": "Transparent Dark", + "theme-color-transparent-darker": "Transparent Darker", + "theme-color-transparent-light": "Transparent Light", + "theme-color-transparent-lighter": "Transparent Lighter", + "theme-color-transparent-lightest": "Transparent Lightest", + "theme-color-unread-notification-color": "Unread Notifications Color", + "theme-custom-css": "Custom CSS", + "theme-font-body-font-family": "Body Font Family", + "There_are_no_agents_added_to_this_department_yet": "There are no agents added to this department yet.", + "There_are_no_applications": "No oAuth Applications have been added yet.", + "There_are_no_applications_installed": "There are currently no Rocket.Chat Applications installed.", + "There_are_no_available_monitors": "There are no available monitors", + "There_are_no_departments_added_to_this_tag_yet": "There are no departments added to this tag yet", + "There_are_no_departments_added_to_this_unit_yet": "There are no departments added to this unit yet", + "There_are_no_departments_available": "There are no departments available", + "There_are_no_integrations": "There are no integrations", + "There_are_no_monitors_added_to_this_unit_yet": "There are no monitors added to this unit yet", + "There_are_no_personal_access_tokens_created_yet": "There are no Personal Access Tokens created yet.", + "There_are_no_users_in_this_role": "There are no users in this role.", + "There_is_one_or_more_apps_in_an_invalid_state_Click_here_to_review": "There is one or more apps in an invalid state. Click here to review.", + "There_has_been_an_error_installing_the_app": "There has been an error installing the app", + "These_notes_will_be_available_in_the_call_summary": "These notes will be available in the call summary", + "This_agent_was_already_selected": "This agent was already selected", + "this_app_is_included_with_subscription": "This app is included with __bundleName__ subscription", + "This_cant_be_undone": "This can't be undone.", + "This_conversation_is_already_closed": "This conversation is already closed.", + "This_email_has_already_been_used_and_has_not_been_verified__Please_change_your_password": "This email has already been used and has not been verified. Please change your password.", + "This_feature_is_currently_in_alpha": "This feature is currently in alpha!", + "This_is_a_desktop_notification": "This is a desktop notification", + "This_is_a_push_test_messsage": "This is a push test message", + "This_message_was_rejected_by__peer__peer": "This message was rejected by __peer__ peer.", + "This_monitor_was_already_selected": "This monitor was already selected", + "This_month": "This Month", + "This_room_has_been_archived_by__username_": "This room has been archived by __username__", + "This_room_has_been_unarchived_by__username_": "This room has been unarchived by __username__", + "This_week": "This Week", + "thread": "thread", + "Thread_message": "Commented on *__username__'s* message: _ __msg__ _", + "Threads": "Threads", + "Threads_Description": "Threads allow organized discussions around a specific message.", + "Thursday": "Thursday", + "Time_in_minutes": "Time in minutes", + "Time_in_seconds": "Time in seconds", + "Timeout": "Timeout", + "Timeouts": "Timeouts", + "Timezone": "Timezone", + "Title": "Title", + "Title_bar_color": "Title bar color", + "Title_bar_color_offline": "Title bar color offline", + "Title_offline": "Title offline", + "To": "To", + "To_additional_emails": "To additional emails", + "To_install_RocketChat_Livechat_in_your_website_copy_paste_this_code_above_the_last_body_tag_on_your_site": "To install Rocket.Chat Livechat in your website, copy & paste this code above the last </body> tag on your site.", + "to_see_more_details_on_how_to_integrate": "to see more details on how to integrate.", + "To_users": "To Users", + "Today": "Today", + "Toggle_original_translated": "Toggle original/translated", + "toggle-room-e2e-encryption": "Toggle Room E2E Encryption", + "toggle-room-e2e-encryption_description": "Permission to toggle e2e encryption room", + "Token": "Token", + "Token_Access": "Token Access", + "Token_Controlled_Access": "Token Controlled Access", + "Token_required": "Token required", + "Tokens_Minimum_Needed_Balance": "Minimum needed token balance", + "Tokens_Minimum_Needed_Balance_Description": "Set minimum needed balance on each token. Blank or \"0\" for not limit.", + "Tokens_Minimum_Needed_Balance_Placeholder": "Balance value", + "Tokens_Required": "Tokens required", + "Tokens_Required_Input_Description": "Type one or more tokens asset names separated by comma.", + "Tokens_Required_Input_Error": "Invalid typed tokens.", + "Tokens_Required_Input_Placeholder": "Tokens asset names", + "Topic": "Topic", + "Total": "Total", + "Total_abandoned_chats": "Total Abandoned Chats", + "Total_conversations": "Total Conversations", + "Total_Discussions": "Discussions", + "Total_messages": "Total Messages", + "Total_rooms": "Total Rooms", + "Total_Threads": "Threads", + "Total_visitors": "Total Visitors", + "TOTP Invalid [totp-invalid]": "Code or password invalid", + "TOTP_reset_email": "Two Factor TOTP Reset Notification", + "TOTP_Reset_Other_Key_Warning": "Reset the current Two Factor TOTP will log out the user. The user will be able to set the Two Factor again later.", + "totp-disabled": "You do not have 2FA login enabled for your user", + "totp-invalid": "Code or password invalid", + "totp-required": "TOTP Required", + "Transcript": "Transcript", + "Transcript_Enabled": "Ask Visitor if They Would Like a Transcript After Chat Closed", + "Transcript_message": "Message to Show When Asking About Transcript", + "Transcript_of_your_livechat_conversation": "Transcript of your omnichannel conversation.", + "Transcript_Request": "Transcript Request", + "transfer-livechat-guest": "Transfer Livechat Guests", + "transfer-livechat-guest_description": "Permission to transfer livechat guests", + "Transferred": "Transferred", + "Translate": "Translate", + "Translated": "Translated", + "Translations": "Translations", + "Travel_and_Places": "Travel & Places", + "Trigger_removed": "Trigger removed", + "Trigger_Words": "Trigger Words", + "Triggers": "Triggers", + "Troubleshoot": "Troubleshoot", + "Troubleshoot_Description": "Configure how troubleshooting is handled on your workspace.", + "Troubleshoot_Disable_Data_Exporter_Processor": "Disable Data Exporter Processor", + "Troubleshoot_Disable_Data_Exporter_Processor_Alert": "This setting stops the processing of all export requests from users, so they will not receive the link to download their data!", + "Troubleshoot_Disable_Instance_Broadcast": "Disable Instance Broadcast", + "Troubleshoot_Disable_Instance_Broadcast_Alert": "This setting prevents the Rocket.Chat instances from sending events to the other instances, it may cause syncing problems and misbehavior!", + "Troubleshoot_Disable_Livechat_Activity_Monitor": "Disable Livechat Activity Monitor", + "Troubleshoot_Disable_Livechat_Activity_Monitor_Alert": "This setting stops the processing of livechat visitor sessions causing the statistics to stop working correctly!", + "Troubleshoot_Disable_Notifications": "Disable Notifications", + "Troubleshoot_Disable_Notifications_Alert": "This setting completely disables the notifications system; sounds, desktop notifications, mobile notifications, and emails will stop!", + "Troubleshoot_Disable_Presence_Broadcast": "Disable Presence Broadcast", + "Troubleshoot_Disable_Presence_Broadcast_Alert": "This setting prevents all instances form sending the status changes of the users to their clients keeping all the users with their presence status from the first load!", + "Troubleshoot_Disable_Sessions_Monitor": "Disable Sessions Monitor", + "Troubleshoot_Disable_Sessions_Monitor_Alert": "This setting stops the processing of user sessions causing the statistics to stop working correctly!", + "Troubleshoot_Disable_Statistics_Generator": "Disable Statistics Generator", + "Troubleshoot_Disable_Statistics_Generator_Alert": "This setting stops the processing all statistics making the info page outdated until someone clicks on the refresh button and may cause other missing information around the system!", + "Troubleshoot_Disable_Workspace_Sync": "Disable Workspace Sync", + "Troubleshoot_Disable_Workspace_Sync_Alert": "This setting stops the sync of this server with Rocket.Chat's cloud and may cause issues with marketplace and enteprise licenses!", + "True": "True", + "Try_searching_in_the_marketplace_instead": "Try searching in the Marketplace instead", + "Tuesday": "Tuesday", + "Turn_OFF": "Turn OFF", + "Turn_ON": "Turn ON", + "Turn_on_video": "Turn on video", + "Turn_off_video": "Turn off video", + "Two Factor Authentication": "Two Factor Authentication", + "Two-factor_authentication": "Two-factor authentication via TOTP", + "Two-factor_authentication_disabled": "Two-factor authentication disabled", + "Two-factor_authentication_email": "Two-factor authentication via Email", + "Two-factor_authentication_email_is_currently_disabled": "Two-factor authentication via Email is currently disabled", + "Two-factor_authentication_enabled": "Two-factor authentication enabled", + "Two-factor_authentication_is_currently_disabled": "Two-factor authentication via TOTP is currently disabled", + "Two-factor_authentication_native_mobile_app_warning": "WARNING: Once you enable this, you will not be able to login on the native mobile apps (Rocket.Chat+) using your password until they implement the 2FA.", + "Type": "Type", + "typing": "typing", + "Types": "Types", + "Types_and_Distribution": "Types and Distribution", + "Type_your_email": "Type your email", + "Type_your_job_title": "Type your job title", + "Type_your_message": "Type your message", + "Type_your_name": "Type your name", + "Type_your_new_password": "Type your new password", + "Type_your_password": "Type your password", + "Type_your_username": "Type your username", + "UI_Allow_room_names_with_special_chars": "Allow Special Characters in Room Names", + "UI_Click_Direct_Message": "Click to Create Direct Message", + "UI_Click_Direct_Message_Description": "Skip opening profile tab, instead go straight to conversation", + "UI_DisplayRoles": "Display Roles", + "UI_Group_Channels_By_Type": "Group channels by type", + "UI_Merge_Channels_Groups": "Merge Private Groups with Channels", + "UI_Show_top_navbar_embedded_layout": "Show top navbar in embedded layout", + "UI_Unread_Counter_Style": "Unread Counter Style", + "UI_Use_Name_Avatar": "Use Full Name Initials to Generate Default Avatar", + "UI_Use_Real_Name": "Use Real Name", + "unable-to-get-file": "Unable to get file", + "Unarchive": "Unarchive", + "unarchive-room": "Unarchive Room", + "unarchive-room_description": "Permission to unarchive channels", + "Unassigned": "Unassigned", + "Unavailable": "Unavailable", + "Unblock": "Unblock", + "Unblock_User": "Unblock User", + "Uncheck_All": "Uncheck All", + "Uncollapse": "Uncollapse", + "Undefined": "Undefined", + "Unfavorite": "Unfavorite", + "Unfollow_message": "Unfollow Message", + "Unignore": "Unignore", + "Uninstall": "Uninstall", + "Unit_removed": "Unit Removed", + "Unknown_Import_State": "Unknown Import State", + "Unlimited": "Unlimited", + "Unmute": "Unmute", + "Unmute_someone_in_room": "Unmute someone in the room", + "Unmute_user": "Unmute user", + "Unnamed": "Unnamed", + "Unpin": "Unpin", + "Unpin_Message": "Unpin Message", + "unpinning-not-allowed": "Unpinning is not allowed", + "Unread": "Unread", + "Unread_Count": "Unread Count", + "Unread_Count_DM": "Unread Count for Direct Messages", + "Unread_Messages": "Unread Messages", + "Unread_on_top": "Unread on top", + "Unread_Rooms": "Unread Rooms", + "Unread_Rooms_Mode": "Unread Rooms Mode", + "Unread_Tray_Icon_Alert": "Unread Tray Icon Alert", + "Unstar_Message": "Remove Star", + "Unmute_microphone": "Unmute Microphone", + "Update": "Update", + "Update_EnableChecker": "Enable the Update Checker", + "Update_EnableChecker_Description": "Checks automatically for new updates / important messages from the Rocket.Chat developers and receives notifications when available. The notification appears once per new version as a clickable banner and as a message from the Rocket.Cat bot, both visible only for administrators.", + "Update_every": "Update every", + "Update_LatestAvailableVersion": "Update Latest Available Version", + "Update_to_version": "Update to __version__", + "Update_your_RocketChat": "Update your Rocket.Chat", + "Updated_at": "Updated at", + "Upgrade_tab_connection_error_description": "Looks like you have no internet connection. This may be because your workspace is installed on a fully-secured air-gapped server", + "Upgrade_tab_connection_error_restore": "Restore your connection to learn about features you are missing out on.", + "Upgrade_tab_go_fully_featured": "Go fully featured", + "Upgrade_tab_trial_guide": "Trial guide", + "Upgrade_tab_upgrade_your_plan": "Upgrade your plan", + "Upload": "Upload", + "Uploads": "Uploads", + "Upload_app": "Upload App", + "Upload_file_description": "File description", + "Upload_file_name": "File name", + "Upload_file_question": "Upload file?", + "Upload_Folder_Path": "Upload Folder Path", + "Upload_From": "Upload from __name__", + "Upload_user_avatar": "Upload avatar", + "Uploading_file": "Uploading file...", + "Uptime": "Uptime", + "URL": "URL", + "URL_room_hash": "Enable room name hash", + "URL_room_hash_description": "Recommended to enable if the Jitsi instance doesn't use any authentication mechanism.", + "URL_room_prefix": "URL room prefix", + "URL_room_suffix": "URL room suffix", + "Usage": "Usage", + "Use": "Use", + "Use_account_preference": "Use account preference", + "Use_Emojis": "Use Emojis", + "Use_Global_Settings": "Use Global Settings", + "Use_initials_avatar": "Use your username initials", + "Use_minor_colors": "Use minor color palette (defaults inherit major colors)", + "Use_Room_configuration": "Overwrites the server configuration and use room config", + "Use_Server_configuration": "Use server configuration", + "Use_service_avatar": "Use %s avatar", + "Use_this_response": "Use this response", + "Use_response": "Use response", + "Use_this_username": "Use this username", + "Use_uploaded_avatar": "Use uploaded avatar", + "Use_url_for_avatar": "Use URL for avatar", + "Use_User_Preferences_or_Global_Settings": "Use User Preferences or Global Settings", + "User": "User", + "User Search": "User Search", + "User Search (Group Validation)": "User Search (Group Validation)", + "User__username__is_now_a_leader_of__room_name_": "User __username__ is now a leader of __room_name__", + "User__username__is_now_a_moderator_of__room_name_": "User __username__ is now a moderator of __room_name__", + "User__username__is_now_a_owner_of__room_name_": "User __username__ is now a owner of __room_name__", + "User__username__muted_in_room__roomName__": "User __username__ muted in room __roomName__", + "User__username__removed_from__room_name__leaders": "User __username__ removed from __room_name__ leaders", + "User__username__removed_from__room_name__moderators": "User __username__ removed from __room_name__ moderators", + "User__username__removed_from__room_name__owners": "User __username__ removed from __room_name__ owners", + "User__username__unmuted_in_room__roomName__": "User __username__ unmuted in room __roomName__", + "User_added": "User added", + "User_added_by": "User __user_added__ added by __user_by__.", + "User_added_successfully": "User added successfully", + "User_and_group_mentions_only": "User and group mentions only", + "User_cant_be_empty": "User cannot be empty", + "User_created_successfully!": "User create successfully!", + "User_default": "User default", + "User_doesnt_exist": "No user exists by the name of `@%s`.", + "User_e2e_key_was_reset": "User E2E key was reset successfully.", + "User_has_been_activated": "User has been activated", + "User_has_been_deactivated": "User has been deactivated", + "User_has_been_deleted": "User has been deleted", + "User_has_been_ignored": "User has been ignored", + "User_has_been_muted_in_s": "User has been muted in %s", + "User_has_been_removed_from_s": "User has been removed from %s", + "User_has_been_removed_from_team": "User has been removed from team", + "User_has_been_unignored": "User is no longer ignored", + "User_Info": "User Info", + "User_Interface": "User Interface", + "User_is_blocked": "User is blocked", + "User_is_no_longer_an_admin": "User is no longer an admin", + "User_is_now_an_admin": "User is now an admin", + "User_is_unblocked": "User is unblocked", + "User_joined_channel": "Has joined the channel.", + "User_joined_conversation": "Has joined the conversation", + "User_joined_team": "joined this Team", + "user_joined_otr": "Has joined OTR chat.", + "user_key_refreshed_successfully": "key refreshed successfully", + "user_requested_otr_key_refresh": "Has requested key refresh.", + "User_left": "Has left the channel.", + "User_left_team": "left this Team", + "User_logged_out": "User is logged out", + "User_management": "User Management", + "User_mentions_only": "User mentions only", + "User_muted": "User Muted", + "User_muted_by": "User __user_muted__ muted by __user_by__.", + "User_not_found": "User not found", + "User_not_found_or_incorrect_password": "User not found or incorrect password", + "User_or_channel_name": "User or channel name", + "User_Presence": "User Presence", + "User_removed": "User removed", + "User_removed_by": "User __user_removed__ removed by __user_by__.", + "User_sent_a_message_on_channel": "__username__ sent a message on __channel__", + "User_sent_a_message_to_you": "__username__ sent you a message", + "user_sent_an_attachment": "__user__ sent an attachment", + "User_Settings": "User Settings", + "User_started_a_new_conversation": "__username__ started a new conversation", + "User_unmuted_by": "User __user_unmuted__ unmuted by __user_by__.", + "User_unmuted_in_room": "User unmuted in room", + "User_updated_successfully": "User updated successfully", + "User_uploaded_a_file_on_channel": "__username__ uploaded a file on __channel__", + "User_uploaded_a_file_to_you": "__username__ sent you a file", + "User_uploaded_file": "Uploaded a file", + "User_uploaded_image": "Uploaded an image", + "user-generate-access-token": "User Generate Access Token", + "user-generate-access-token_description": "Permission for users to generate access tokens", + "UserData_EnableDownload": "Enable User Data Download", + "UserData_FileSystemPath": "System Path (Exported Files)", + "UserData_FileSystemZipPath": "System Path (Compressed File)", + "UserData_MessageLimitPerRequest": "Message Limit per Request", + "UserData_ProcessingFrequency": "Processing Frequency (Minutes)", + "UserDataDownload": "User Data Download", + "UserDataDownload_Description": "Configurations to allow or disallow workspace members from downloading of workspace data.", + "UserDataDownload_CompletedRequestExisted_Text": "Your data file was already generated. Check your email account for the download link.", + "UserDataDownload_CompletedRequestExistedWithLink_Text": "Your data file was already generated. Click here to download it.", + "UserDataDownload_EmailBody": "Your data file is now ready to download. Click here to download it.", + "UserDataDownload_EmailSubject": "Your Data File is Ready to Download", + "UserDataDownload_FeatureDisabled": "Sorry, user data exports are not enabled on this server!", + "UserDataDownload_LoginNeeded": "You need to log into your Rocket.Chat account to download this data export. Click the link below to do that, then try again.", + "UserDataDownload_Requested": "Download File Requested", + "UserDataDownload_Requested_Text": "Your data file will be generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", + "UserDataDownload_RequestExisted_Text": "Your data file is already being generated. A link to download it will be sent to your email address when ready. There are __pending_operations__ queued operations to run before yours.", + "Username": "Username", + "Username_already_exist": "Username already exists. Please try another username.", + "Username_and_message_must_not_be_empty": "Username and message must not be empty.", + "Username_cant_be_empty": "The username cannot be empty", + "Username_Change_Disabled": "Your Rocket.Chat administrator has disabled the changing of usernames", + "Username_denied_the_OTR_session": "__username__ denied the OTR session", + "Username_description": "The username is used to allow others to mention you in messages.", + "Username_doesnt_exist": "The username `%s` doesn't exist.", + "Username_ended_the_OTR_session": "__username__ ended the OTR session", + "Username_invalid": "%s is not a valid username,
use only letters, numbers, dots, hyphens and underscores", + "Username_is_already_in_here": "`@%s` is already in here.", + "Username_is_not_in_this_room": "The user `#%s` is not in this room.", + "Username_Placeholder": "Please enter usernames...", + "Username_title": "Register username", + "Username_wants_to_start_otr_Do_you_want_to_accept": "__username__ wants to start OTR. Do you want to accept?", + "Users": "Users", + "Users must use Two Factor Authentication": "Users must use Two Factor Authentication", + "Users_added": "The users have been added", + "Users_and_rooms": "Users and Rooms", + "Users_by_time_of_day": "Users by time of day", + "Users_in_role": "Users in role", + "Users_key_has_been_reset": "User's key has been reset", + "Users_reacted": "Users that Reacted", + "Users_TOTP_has_been_reset": "User's TOTP has been reset", + "Uses": "Uses", + "Uses_left": "Uses left", + "UTC_Timezone": "UTC Timezone", + "Utilities": "Utilities", + "UTF8_Names_Slugify": "UTF8 Names Slugify", + "UTF8_User_Names_Validation": "UTF8 Usernames Validation", + "UTF8_User_Names_Validation_Description": "RegExp that will be used to validate usernames", + "UTF8_Channel_Names_Validation": "UTF8 Channel Names Validation", + "UTF8_Channel_Names_Validation_Description": "RegExp that will be used to validate channel names", + "Videocall_enabled": "Video Call Enabled", + "Validate_email_address": "Validate Email Address", + "Validation": "Validation", + "Value_messages": "__value__ messages", + "Value_users": "__value__ users", + "Verification": "Verification", + "Verification_Description": "You may use the following placeholders:
  • [Verification_Url] for the verification URL.
  • [name], [fname], [lname] for the user's full name, first name or last name, respectively.
  • [email] for the user's email.
  • [Site_Name] and [Site_URL] for the Application Name and URL respectively.
", + "Verification_Email": "Click here to verify your email address.", + "Verification_email_body": "Please, click on the button below to confirm your email address.", + "Verification_email_sent": "Verification email sent", + "Verification_Email_Subject": "[Site_Name] - Email address verification", + "Verified": "Verified", + "Verify": "Verify", + "Verify_your_email": "Verify your email", + "Verify_your_email_for_the_code_we_sent": "Verify your email for the code we sent", + "Version": "Version", + "Version_version": "Version __version__", + "Video Conference": "Video Conference", + "Video Conference_Description": "Configure video conferencing for your workspace.", + "Video_Chat_Window": "Video Chat", + "Video_Conference": "Video Conference", + "Video_message": "Video message", + "Videocall_declined": "Video Call Declined.", + "Video_and_Audio_Call": "Video and Audio Call", + "Videos": "Videos", + "View_All": "View All Members", + "View_channels": "View Channels", + "view-import-operations": "View import operations", + "view-omnichannel-contact-center": "View Omnichannel Contact Center", + "view-omnichannel-contact-center_description": "Permission to view and interact with the Omnichannel Contact Center", + "View_Logs": "View Logs", + "View_mode": "View Mode", + "View_original": "View Original", + "View_the_Logs_for": "View the logs for: \"__name__\"", + "view-broadcast-member-list": "View Members List in Broadcast Room", + "view-broadcast-member-list_description": "Permission to view list of users in broadcast channel", + "view-c-room": "View Public Channel", + "view-c-room_description": "Permission to view public channels", + "view-canned-responses": "View Canned Responses", + "view-d-room": "View Direct Messages", + "view-d-room_description": "Permission to view direct messages", + "view-federation-data": "View federation data", + "View_full_conversation": "View full conversation", + "view-full-other-user-info": "View Full Other User Info", + "view-full-other-user-info_description": "Permission to view full profile of other users including account creation date, last login, etc.", + "view-history": "View History", + "view-history_description": "Permission to view the channel history", + "view-join-code": "View Join Code", + "view-join-code_description": "Permission to view the channel join code", + "view-joined-room": "View Joined Room", + "view-joined-room_description": "Permission to view the currently joined channels", + "view-l-room": "View Omnichannel Rooms", + "view-l-room_description": "Permission to view Omnichannel rooms", + "view-livechat-analytics": "View Omnichannel Analytics", + "view-livechat-analytics_description": "Permission to view live chat analytics", + "view-livechat-appearance": "View Omnichannel Appearance", + "view-livechat-appearance_description": "Permission to view live chat appearance", + "view-livechat-business-hours": "View Omnichannel Business-Hours", + "view-livechat-business-hours_description": "Permission to view live chat business hours", + "view-livechat-current-chats": "View Omnichannel Current Chats", + "view-livechat-current-chats_description": "Permission to view live chat current chats", + "view-livechat-departments": "View Omnichannel Departments", + "view-livechat-manager": "View Omnichannel Manager", + "view-livechat-manager_description": "Permission to view other Omnichannel managers", + "view-livechat-monitor": "View Livechat Monitors", + "view-livechat-queue": "View Omnichannel Queue", + "view-livechat-room-closed-by-another-agent": "View Omnichannel Rooms closed by another agent", + "view-livechat-room-closed-same-department": "View Omnichannel Rooms closed by another agent in the same department", + "view-livechat-room-closed-same-department_description": "Permission to view live chat rooms closed by another agent in the same department", + "view-livechat-room-customfields": "View Omnichannel Room Custom Fields", + "view-livechat-room-customfields_description": "Permission to view live chat room custom fields", + "view-livechat-rooms": "View Omnichannel Rooms", + "view-livechat-rooms_description": "Permission to view other Omnichannel rooms", + "view-livechat-triggers": "View Omnichannel Triggers", + "view-livechat-triggers_description": "Permission to view live chat triggers", + "view-livechat-webhooks": "View Omnichannel Webhooks", + "view-livechat-webhooks_description": "Permission to view live chat webhooks", + "view-livechat-unit": "View Livechat Units", + "view-logs": "View Logs", + "view-logs_description": "Permission to view the server logs ", + "view-other-user-channels": "View Other User Channels", + "view-other-user-channels_description": "Permission to view channels owned by other users", + "view-outside-room": "View Outside Room", + "view-outside-room_description": "Permission to view users outside the current room", + "view-p-room": "View Private Room", + "view-p-room_description": "Permission to view private channels", + "view-privileged-setting": "View Privileged Setting", + "view-privileged-setting_description": "Permission to view settings", + "view-room-administration": "View Room Administration", + "view-room-administration_description": "Permission to view public, private and direct message statistics. Does not include the ability to view conversations or archives", + "view-statistics": "View Statistics", + "view-statistics_description": "Permission to view system statistics such as number of users logged in, number of rooms, operating system information", + "view-user-administration": "View User Administration", + "view-user-administration_description": "Permission to partial, read-only list view of other user accounts currently logged into the system. No user account information is accessible with this permission", + "Viewing_room_administration": "Viewing room administration", + "Visibility": "Visibility", + "Visible": "Visible", + "Visit_Site_Url_and_try_the_best_open_source_chat_solution_available_today": "Visit __Site_URL__ and try the best open source chat solution available today!", + "Visitor": "Visitor", + "Visitor_Email": "Visitor E-mail", + "Visitor_Info": "Visitor Info", + "Visitor_message": "Visitor Messages", + "Visitor_Name": "Visitor Name", + "Visitor_Name_Placeholder": "Please enter a visitor name...", + "Visitor_does_not_exist": "Visitor does not exist!", + "Visitor_Navigation": "Visitor Navigation", + "Visitor_page_URL": "Visitor page URL", + "Visitor_time_on_site": "Visitor time on site", + "Voice_Call": "Voice Call", + "VoIP_Enable_Keep_Alive_For_Unstable_Networks": "Enable Keep-Alive using SIP-OPTIONS for unstable networks", + "VoIP_Enable_Keep_Alive_For_Unstable_Networks_Description": "Enables or Disables Keep-Alive using SIP-OPTIONS based on network quality", + "VoIP_Enabled": "VoIP Enabled", + "VoIP_Extension": "VoIP Extension", + "Voip_Server_Configuration": "Server Configuration", + "VoIP_Server_Host": "Server Host", + "VoIP_Server_Websocket_Port": "Websocket Port", + "VoIP_Server_Name": "Server Name", + "VoIP_Server_Websocket_Path": "Websocket Path", + "VoIP_Retry_Count": "Retry Count", + "VoIP_Retry_Count_Description": "Defines the number of times the client will try to reconnect to the VoIP server if the connection is lost.", + "VoIP_Management_Server": "VoIP Management Server", + "VoIP_Management_Server_Host": "Server Host", + "VoIP_Management_Server_Port": "Server Port", + "VoIP_Management_Server_Name": "Server Name", + "VoIP_Management_Server_Username": "Username", + "VoIP_Management_Server_Password": "Password", + "Voip_call_started": "Call started at", + "Voip_call_duration": "Call lasted __duration__", + "Voip_call_declined": "Call hanged up by agent", + "Voip_call_on_hold": "Call placed on hold at", + "Voip_call_unhold": "Call resumed at", + "Voip_call_ended": "Call ended at", + "Voip_call_ended_unexpectedly": "Call ended unexpectedly: __reason__", + "Voip_call_wrapup": "Call wrapup notes added: __comment__", + "VoIP_JWT_Secret": "VoIP JWT Secret", + "VoIP_JWT_Secret_description": "This allows you to set a secret key for sharing extension details from server to client as JWT instead of plain text. If you don't setup this, extension registration details will be sent as plain text", + "Voip_is_disabled": "VoIP is disabled", + "Voip_is_disabled_description": "To view the list of extensions it is necessary to activate VoIP, do so in the Settings tab.", + "Chat_opened_by_visitor": "Chat opened by the visitor", + "Wait_activation_warning": "Before you can login, your account must be manually activated by an administrator.", + "Waiting_queue": "Waiting queue", + "Waiting_queue_message": "Waiting queue message", + "Waiting_queue_message_description": "Message that will be displayed to the visitors when they get in the queue", + "Waiting_Time": "Waiting Time", + "Warning": "Warning", + "Warnings": "Warnings", + "WAU_value": "WAU __value__", + "We_appreciate_your_feedback": "We appreciate your feedback", + "We_are_offline_Sorry_for_the_inconvenience": "We are offline. Sorry for the inconvenience.", + "We_have_sent_password_email": "We have sent you an email with password reset instructions. If you do not receive an email shortly, please come back and try again.", + "We_have_sent_registration_email": "We have sent you an email to confirm your registration. If you do not receive an email shortly, please come back and try again.", + "Webdav Integration": "Webdav Integration", + "Webdav Integration_Description": "A framework for users to create, change and move documents on a server. Used to link WebDAV servers such as Nextcloud.", + "WebDAV_Accounts": "WebDAV Accounts", + "Webdav_add_new_account": "Add new WebDAV account", + "Webdav_Integration_Enabled": "Webdav Integration Enabled", + "Webdav_Password": "WebDAV Password", + "Webdav_Server_URL": "WebDAV Server Access URL", + "Webdav_Username": "WebDAV Username", + "Webdav_account_removed": "WebDAV account removed", + "webdav-account-saved": "WebDAV account saved", + "webdav-account-updated": "WebDAV account updated", + "Webhook_Details": "WebHook Details", + "Webhook_URL": "Webhook URL", + "Webhooks": "Webhooks", + "WebRTC": "WebRTC", + "WebRTC_Description": "Broadcast audio and/or video material, as well as transmit arbitrary data between browsers without the need for a middleman.", + "WebRTC_Call": "WebRTC Call", + "WebRTC_direct_audio_call_from_%s": "Direct audio call from %s", + "WebRTC_direct_video_call_from_%s": "Direct video call from %s", + "WebRTC_Enable_Channel": "Enable for Public Channels", + "WebRTC_Enable_Direct": "Enable for Direct Messages", + "WebRTC_Enable_Private": "Enable for Private Channels", + "WebRTC_group_audio_call_from_%s": "Group audio call from %s", + "WebRTC_group_video_call_from_%s": "Group video call from %s", + "WebRTC_monitor_call_from_%s": "Monitor call from %s", + "WebRTC_Servers": "STUN/TURN Servers", + "WebRTC_Servers_Description": "A list of STUN and TURN servers separated by comma.
Username, password and port are allowed in the format `username:password@stun:host:port` or `username:password@turn:host:port`.", + "WebRTC_call_ended_message": " Call ended at __endTime__ - Lasted __callDuration__", + "WebRTC_call_declined_message": " Call Declined by Contact.", + "Website": "Website", + "Wednesday": "Wednesday", + "Weekly_Active_Users": "Weekly Active Users", + "Welcome": "Welcome %s.", + "Welcome_to": "Welcome to __Site_Name__", + "Welcome_to_the": "Welcome to the", + "When": "When", + "When_a_line_starts_with_one_of_there_words_post_to_the_URLs_below": "When a line starts with one of these words, post to the URL(s) below", + "When_is_the_chat_busier?": "When is the chat busier?", + "Where_are_the_messages_being_sent?": "Where are the messages being sent?", + "Why_did_you_chose__score__": "Why did you chose __score__?", + "Why_do_you_want_to_report_question_mark": "Why do you want to report?", + "Will_Appear_In_From": "Will appear in the From: header of emails you send.", + "will_be_able_to": "will be able to", + "Will_be_available_here_after_saving": "Will be available here after saving.", + "Without_priority": "Without priority", + "Worldwide": "Worldwide", + "Would_you_like_to_return_the_inquiry": "Would you like to return the inquiry?", + "Would_you_like_to_return_the_queue": "Would you like to move back this room to the queue? All conversation history will be kept on the room.", + "Would_you_like_to_place_chat_on_hold": "Would you like to place this chat On-Hold?", + "Wrap_up_the_call": "Wrap-up the call", + "Wrap_Up_Notes": "Wrap-Up Notes", + "Yes": "Yes", + "Yes_archive_it": "Yes, archive it!", + "Yes_clear_all": "Yes, clear all!", + "Yes_deactivate_it": "Yes, deactivate it!", + "Yes_delete_it": "Yes, delete it!", + "Yes_hide_it": "Yes, hide it!", + "Yes_leave_it": "Yes, leave it!", + "Yes_mute_user": "Yes, mute user!", + "Yes_prune_them": "Yes, prune them!", + "Yes_remove_user": "Yes, remove user!", + "Yes_unarchive_it": "Yes, unarchive it!", + "yesterday": "yesterday", + "Yesterday": "Yesterday", + "You": "You", + "You_have_reacted": "You have reacted", + "Users_reacted_with": "__users__ have reacted with __emoji__", + "Users_and_more_reacted_with": "__users__ and __count__ more have reacted with __emoji__", + "You_and_users_Reacted_with": "You and __users__ have reacted with __emoji__", + "You_users_and_more_Reacted_with": "You, __users__ and __count__ more have reacted with __emoji__", + "You_are_converting_team_to_channel": "You are converting this Team to a Channel.", + "you_are_in_preview_mode_of": "You are in preview mode of channel #__room_name__", + "you_are_in_preview_mode_of_incoming_livechat": "You are in preview mode of this chat", + "You_are_logged_in_as": "You are logged in as", + "You_are_not_authorized_to_view_this_page": "You are not authorized to view this page.", + "You_can_change_a_different_avatar_too": "You can override the avatar used to post from this integration.", + "You_can_close_this_window_now": "You can close this window now.", + "You_can_search_using_RegExp_eg": "You can search using Regular Expression. e.g. /^text$/i", + "You_can_try_to": "You can try to", + "You_can_use_an_emoji_as_avatar": "You can also use an emoji as an avatar.", + "You_can_use_webhooks_to_easily_integrate_livechat_with_your_CRM": "You can use webhooks to easily integrate Omnichannel with your CRM.", + "You_cant_leave_a_livechat_room_Please_use_the_close_button": "You can't leave a omnichannel room. Please, use the close button.", + "You_followed_this_message": "You followed this message.", + "You_have_a_new_message": "You have a new message", + "You_have_been_muted": "You have been muted and cannot speak in this room", + "You_have_joined_a_new_call_with": "You have joined a new call with", + "You_have_n_codes_remaining": "You have __number__ codes remaining.", + "You_have_not_verified_your_email": "You have not verified your email.", + "You_have_successfully_unsubscribed": "You have successfully unsubscribed from our Mailling List.", + "You_have_to_set_an_API_token_first_in_order_to_use_the_integration": "You have to set an API token first in order to use the integration.", + "You_must_join_to_view_messages_in_this_channel": "You must join to view messages in this channel", + "You_need_confirm_email": "You need to confirm your email to login!", + "You_need_install_an_extension_to_allow_screen_sharing": "You need install an extension to allow screen sharing", + "You_need_to_change_your_password": "You need to change your password", + "You_need_to_type_in_your_password_in_order_to_do_this": "You need to type in your password in order to do this!", + "You_need_to_type_in_your_username_in_order_to_do_this": "You need to type in your username in order to do this!", + "You_need_to_verifiy_your_email_address_to_get_notications": "You need to verify your email address to get notifications", + "You_need_to_write_something": "You need to write something!", + "You_reached_the_maximum_number_of_guest_users_allowed_by_your_license": "You reached the maximum number of guest users allowed by your license.", + "You_should_inform_one_url_at_least": "You should define at least one URL.", + "You_should_name_it_to_easily_manage_your_integrations": "You should name it to easily manage your integrations.", + "You_unfollowed_this_message": "You unfollowed this message.", + "You_will_be_asked_for_permissions": "You will be asked for permissions", + "You_will_not_be_able_to_recover": "You will not be able to recover this message!", + "You_will_not_be_able_to_recover_email_inbox": "You will not be able to recover this email inbox", + "You_will_not_be_able_to_recover_file": "You will not be able to recover this file!", + "You_wont_receive_email_notifications_because_you_have_not_verified_your_email": "You won't receive email notifications because you have not verified your email.", + "Your_e2e_key_has_been_reset": "Your e2e key has been reset.", + "Your_email_address_has_changed": "Your email address has been changed.", + "Your_email_has_been_queued_for_sending": "Your email has been queued for sending", + "Your_entry_has_been_deleted": "Your entry has been deleted.", + "Your_file_has_been_deleted": "Your file has been deleted.", + "Your_invite_link_will_expire_after__usesLeft__uses": "Your invite link will expire after __usesLeft__ uses.", + "Your_invite_link_will_expire_on__date__": "Your invite link will expire on __date__.", + "Your_invite_link_will_expire_on__date__or_after__usesLeft__uses": "Your invite link will expire on __date__ or after __usesLeft__ uses.", + "Your_invite_link_will_never_expire": "Your invite link will never expire.", + "Your_mail_was_sent_to_s": "Your mail was sent to %s", + "your_message": "your message", + "your_message_optional": "your message (optional)", + "Your_new_email_is_email": "Your new email address is [email].", + "Your_password_is_wrong": "Your password is wrong!", + "Your_password_was_changed_by_an_admin": "Your password was changed by an admin.", + "Your_push_was_sent_to_s_devices": "Your push was sent to %s devices", + "Your_question": "Your question", + "Your_server_link": "Your server link", + "Your_temporary_password_is_password": "Your temporary password is [password].", + "Your_TOTP_has_been_reset": "Your Two Factor TOTP has been reset.", + "Your_workspace_is_ready": "Your workspace is ready to use 🎉", + "Zapier": "Zapier", + "onboarding.component.form.steps": "Step {{currentStep}} of {{stepCount}}", + "onboarding.component.form.action.back": "Back", + "onboarding.component.form.action.next": "Next", + "onboarding.component.form.action.skip": "Skip this step", + "onboarding.component.form.action.register": "Register", + "onboarding.component.form.action.confirm": "Confirm", + "onboarding.component.form.requiredField": "This field is required", + "onboarding.component.form.termsAndConditions": "I agree with <1>Terms and Conditions and <3>Privacy Policy", + "onboarding.component.emailCodeFallback": "Didn’t receive email? <1>Resend or <3>Change email", + "onboarding.page.form.title": "Let's <1>Launch Your Workspace", + "onboarding.page.awaitingConfirmation.title": "Awaiting confirmation", + "onboarding.page.awaitingConfirmation.subtitle": "We have sent you an email to {{emailAddress}} with a confirmation link. Please verify that the security code below matches the one in the email.", + "onboarding.page.emailConfirmed.title": "Email Confirmed!", + "onboarding.page.emailConfirmed.subtitle": "You can return to your Rocket.Chat application – we have launched your workspace already.", + "onboarding.page.checkYourEmail.title": "Check your email", + "onboarding.page.checkYourEmail.subtitle": "Your request has been sent successfully.<1>Check your email inbox to launch your Enterprise trial.<1>The link will expire in 30 minutes.", + "onboarding.page.confirmationProcess.title": "Confirmation in Process", + "onboarding.page.cloudDescription.title": "Let's launch your workspace and <1>14-day trial", + "onboarding.page.cloudDescription.tryGold": "Try our best Gold plan for 14 days for free", + "onboarding.page.cloudDescription.numberOfIntegrations": "1,000 integrations", + "onboarding.page.cloudDescription.availability": "High availability", + "onboarding.page.cloudDescription.auditing": "Message audit panel / Audit logs", + "onboarding.page.cloudDescription.engagement": "Engagement Dashboard", + "onboarding.page.cloudDescription.ldap": "LDAP enhanced sync", + "onboarding.page.cloudDescription.omnichannel": "Omnichannel premium", + "onboarding.page.cloudDescription.sla": "SLA: Premium", + "onboarding.page.cloudDescription.push": "Secured push notifications", + "onboarding.page.cloudDescription.goldIncludes": "* Golden plan includes all features from other plans", + "onboarding.page.alreadyHaveAccount": "Already have an account? <1>Manage your workspaces.", + "onboarding.page.invalidLink.title": "Your Link is no Longer Valid", + "onboarding.page.invalidLink.content": "Seems like you have already used invite link. It’s generated for a single sign in. Request a new one to join your workspace.", + "onboarding.page.invalidLink.button.text": "Request new link", + "onboarding.page.requestTrial.title": "Request a <1>30-day Trial", + "onboarding.page.requestTrial.subtitle": "Try our best Enterprise Edition plan for 30 days for free", + "onboarding.page.magicLinkEmail.title": "We emailed you a login link", + "onboarding.page.magicLinkEmail.subtitle": "Click the link in the email we just sent you to sign in to your workspace. <1>The link will expire in 30 minutes.", + "onboarding.page.organizationInfoPage.title": "A few more details...", + "onboarding.page.organizationInfoPage.subtitle": "These will help us to personalize your workspace.", + "onboarding.form.adminInfoForm.title": "Admin Info", + "onboarding.form.adminInfoForm.subtitle": "We need this to create an admin profile inside your workspace", + "onboarding.form.adminInfoForm.fields.fullName.label": "Full name", + "onboarding.form.adminInfoForm.fields.fullName.placeholder": "First and last name", + "onboarding.form.adminInfoForm.fields.username.label": "Username", + "onboarding.form.adminInfoForm.fields.username.placeholder": "@username", + "onboarding.form.adminInfoForm.fields.email.label": "Email", + "onboarding.form.adminInfoForm.fields.email.placeholder": "Email", + "onboarding.form.adminInfoForm.fields.password.label": "Password", + "onboarding.form.adminInfoForm.fields.password.placeholder": "Create password", + "onboarding.form.adminInfoForm.fields.keepPosted.label": "Keep me posted about Rocket.Chat updates", + "onboarding.form.organizationInfoForm.title": "Organization Info", + "onboarding.form.organizationInfoForm.subtitle": "Please, bear with us. This info will help us personalize your workspace", + "onboarding.form.organizationInfoForm.fields.organizationName.label": "Organization name", + "onboarding.form.organizationInfoForm.fields.organizationName.placeholder": "Organization name", + "onboarding.form.organizationInfoForm.fields.organizationType.label": "Organization type", + "onboarding.form.organizationInfoForm.fields.organizationType.placeholder": "Select", + "onboarding.form.organizationInfoForm.fields.organizationIndustry.label": "Organization industry", + "onboarding.form.organizationInfoForm.fields.organizationIndustry.placeholder": "Select", + "onboarding.form.organizationInfoForm.fields.organizationSize.label": "Organization size", + "onboarding.form.organizationInfoForm.fields.organizationSize.placeholder": "Select", + "onboarding.form.organizationInfoForm.fields.country.label": "Country", + "onboarding.form.organizationInfoForm.fields.country.placeholder": "Select", + "onboarding.form.registeredServerForm.title": "Register Your Server", + "onboarding.form.registeredServerForm.included.push": "Mobile push notifications", + "onboarding.form.registeredServerForm.included.externalProviders": "Integration with external providers (WhatsApp, Facebook, Telegram, Twitter)", + "onboarding.form.registeredServerForm.included.apps": "Access to marketplace apps", + "onboarding.form.registeredServerForm.fields.accountEmail.inputLabel": "Cloud account email", + "onboarding.form.registeredServerForm.fields.accountEmail.tooltipLabel": "To register your server, we need to connect it to your cloud account. If you already have one - we will link it automatically. Otherwise, a new account will be created", + "onboarding.form.registeredServerForm.fields.accountEmail.inputPlaceholder": "Please enter your Email", + "onboarding.form.registeredServerForm.keepInformed": "Keep me informed about news and events", + "onboarding.form.registeredServerForm.continueStandalone": "Continue as standalone", + "onboarding.form.registeredServerForm.agreeToReceiveUpdates": "By registering I agree to receive relevant product and security updates", + "onboarding.form.standaloneServerForm.title": "Standalone Server Confirmation", + "onboarding.form.standaloneServerForm.servicesUnavailable": "Some of the services will be unavailable or will require manual setup", + "onboarding.form.standaloneServerForm.publishOwnApp": "In order to send push notitications you need to compile and publish your own app to Google Play and App Store", + "onboarding.form.standaloneServerForm.manuallyIntegrate": "Need to manually integrate with external services" } From 17e99b95d35c3766962ee1e4d67668e49cd9f238 Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 13:05:28 -0300 Subject: [PATCH 09/15] fix: :bug: Re-add missing translation entries --- apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json | 2 ++ 1 file changed, 2 insertions(+) diff --git a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json index d10127829b8e..f29788f65573 100644 --- a/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json +++ b/apps/meteor/packages/rocketchat-i18n/i18n/en.i18n.json @@ -3499,6 +3499,7 @@ "Please_wait_while_OTR_is_being_established": "Please wait while OTR is being established", "Please_wait_while_your_account_is_being_deleted": "Please wait while your account is being deleted...", "Please_wait_while_your_profile_is_being_saved": "Please wait while your profile is being saved...", + "Policies": "Policies", "Pool": "Pool", "Port": "Port", "Post_as": "Post as", @@ -3525,6 +3526,7 @@ "Priority_removed": "Priority removed", "Privacy": "Privacy", "Privacy_Policy": "Privacy Policy", + "Privacy_summary": "Privacy summary", "Private": "Private", "Private_Channel": "Private Channel", "Private_Channels": "Private Channels", From 5ec581ee2b4c45e20c0aea3d3475347892c6c939 Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 15:00:25 -0300 Subject: [PATCH 10/15] feat: :sparkles: Implement html parser for the release item rendered markdown Implemented a parsing method, using dangerouslySetInnerHTML, to parse the html of the release item rendered markdown. Also refactored some of the loading and error logic for the AppReleases to better benefit from the async state nature of useEndpointData. --- .../client/views/admin/apps/AppReleases.tsx | 16 +++++++++++----- .../client/views/admin/apps/ReleaseItem.tsx | 2 +- 2 files changed, 12 insertions(+), 6 deletions(-) diff --git a/apps/meteor/client/views/admin/apps/AppReleases.tsx b/apps/meteor/client/views/admin/apps/AppReleases.tsx index 94dd5c675eec..ac44fa93e3c1 100644 --- a/apps/meteor/client/views/admin/apps/AppReleases.tsx +++ b/apps/meteor/client/views/admin/apps/AppReleases.tsx @@ -2,6 +2,7 @@ import { Accordion } from '@rocket.chat/fuselage'; import React, { useEffect, useState } from 'react'; import { useEndpointData } from '../../../hooks/useEndpointData'; +import { AsyncStatePhase } from '../../../lib/asyncState/AsyncStatePhase'; import AccordionLoading from './AccordionLoading'; import ReleaseItem from './ReleaseItem'; @@ -15,12 +16,16 @@ type release = { }; const AppReleases = ({ id }: { id: string }): JSX.Element => { - const { value } = useEndpointData(`/apps/${id}/versions`); + const { value, phase, error } = useEndpointData(`/apps/${id}/versions`); const [releases, setReleases] = useState([] as release[]); + const isLoading = phase === AsyncStatePhase.LOADING; + const isSuccess = phase === AsyncStatePhase.RESOLVED; + const didFail = phase === AsyncStatePhase.REJECTED || error; + useEffect(() => { - if (value?.apps) { + if (isSuccess && value?.apps) { const { apps } = value; setReleases( @@ -31,13 +36,14 @@ const AppReleases = ({ id }: { id: string }): JSX.Element => { })), ); } - }, [value]); + }, [isSuccess, value]); return ( <> - {!releases.length && } - {value?.success && releases.map((release) => )} + {didFail && error} + {isLoading && } + {isSuccess && releases.length && releases.map((release) => )} ); diff --git a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx index 8485417b2bd3..beab10c15df5 100644 --- a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx +++ b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx @@ -33,7 +33,7 @@ const ReleaseItem = ({ release, key, ...props }: ReleaseItemProps): JSX.Element return ( - {release.detailedChangelog.raw} + {release.detailedChangelog?.rendered && } ); }; From 6668bf9e26c22a2ee71f65ecb9f274dac00c84d6 Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 15:08:39 -0300 Subject: [PATCH 11/15] lock --- yarn.lock | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/yarn.lock b/yarn.lock index 7668931cf7ca..413123165a50 100644 --- a/yarn.lock +++ b/yarn.lock @@ -7805,7 +7805,7 @@ __metadata: human-interval: ~1.0.0 moment-timezone: ~0.5.27 mongodb: ~3.5.0 - checksum: acb4ebb7e7356f6e53e810d821eb6aa3d88bbfb9e85183e707517bee6d1eea1f189f38bdf0dd2b91360492ab7643134d510c320d2523d86596498ab98e59735b + checksum: f5f68008298f9482631f1f494e392cd6b8ba7971a3b0ece81ae2abe60f53d67973ff4476156fa5c9c41b8b58c4ccd284e95c545e0523996dfd05f9a80b843e07 languageName: node linkType: hard From 0abdab3d36c5fa92b20c8a783cab7386b9ddd660 Mon Sep 17 00:00:00 2001 From: rique223 Date: Mon, 27 Jun 2022 16:54:11 -0300 Subject: [PATCH 12/15] Remove useless code --- apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx | 2 +- apps/meteor/client/views/admin/apps/ReleaseItem.tsx | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx b/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx index e828467feecd..93ff4c3f17be 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsHeader.tsx @@ -12,7 +12,7 @@ import { App } from './types'; const AppDetailsHeader = ({ app }: { app: App }): ReactElement => { const t = useTranslation(); const { iconFileData, name, author, version, iconFileContent, installed, isSubscribed, modifiedAt, bundledIn, description } = app; - const lastUpdated = modifiedAt && moment(modifiedAt.replace('Z', '')).fromNow(); + const lastUpdated = modifiedAt && moment(modifiedAt).fromNow(); return ( diff --git a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx index beab10c15df5..bdad1f0523a3 100644 --- a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx +++ b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx @@ -26,7 +26,7 @@ const ReleaseItem = ({ release, key, ...props }: ReleaseItemProps): JSX.Element {release.version} - {formatDate(release.createdDate.replace('Z', ''))} + {formatDate(release.createdDate)}
); From 9f255068942efdead643eb6d269aa62c1c6f0efd Mon Sep 17 00:00:00 2001 From: rique223 Date: Tue, 28 Jun 2022 12:50:07 -0300 Subject: [PATCH 13/15] fix: :bug: Fix unecessary page reload on tab click Fixed a problem where the whole details page component would refresh upon clicking on a tab if you came from the marketplace list of apps. --- .../meteor/client/views/admin/apps/AppDetailsPage.tsx | 11 +++++++++-- apps/meteor/client/views/admin/routes.tsx | 2 +- 2 files changed, 10 insertions(+), 3 deletions(-) diff --git a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx index 5ee2f47fa153..e38059b57e5d 100644 --- a/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx +++ b/apps/meteor/client/views/admin/apps/AppDetailsPage.tsx @@ -26,8 +26,9 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { const settingsRef = useRef>({}); const appData = useAppInfo(id); - const [, urlParams] = useCurrentRoute(); + const [routeName, urlParams] = useCurrentRoute(); const appsRoute = useRoute('admin-apps'); + const marketplaceRoute = useRoute('admin-marketplace'); const tab = useRouteParameter('tab'); const [currentRouteName] = useCurrentRoute(); @@ -58,7 +59,13 @@ const AppDetailsPage: FC<{ id: string }> = function AppDetailsPage({ id }) { }, [id, settings]); const handleTabClick = (tab: 'details' | 'security' | 'releases' | 'settings' | 'logs'): void => { - appsRoute.replace({ ...urlParams, tab }); + if (routeName === 'admin-marketplace') { + marketplaceRoute.replace({ ...urlParams, tab }); + } + + if (routeName === 'admin-apps') { + appsRoute.replace({ ...urlParams, tab }); + } }; return ( diff --git a/apps/meteor/client/views/admin/routes.tsx b/apps/meteor/client/views/admin/routes.tsx index b1946f331949..b00a8dfcc7b8 100644 --- a/apps/meteor/client/views/admin/routes.tsx +++ b/apps/meteor/client/views/admin/routes.tsx @@ -21,7 +21,7 @@ registerAdminRoute('/apps/what-is-it', { component: lazy(() => import('./apps/AppsWhatIsIt')), }); -registerAdminRoute('/marketplace/:context?/:id?/:version?', { +registerAdminRoute('/marketplace/:context?/:id?/:version?/:tab?', { name: 'admin-marketplace', component: lazy(() => import('./apps/AppsRoute')), }); From c665e15c06ba3ad9366c6572dea26a882c64192b Mon Sep 17 00:00:00 2001 From: rique223 Date: Tue, 28 Jun 2022 12:56:54 -0300 Subject: [PATCH 14/15] refactor: :recycle: Remove unecessary console.log on rest.js --- apps/meteor/app/apps/server/communication/rest.js | 1 - 1 file changed, 1 deletion(-) diff --git a/apps/meteor/app/apps/server/communication/rest.js b/apps/meteor/app/apps/server/communication/rest.js index 5305fbcb420b..632a57ea24f7 100644 --- a/apps/meteor/app/apps/server/communication/rest.js +++ b/apps/meteor/app/apps/server/communication/rest.js @@ -546,7 +546,6 @@ export class AppsRestApi { result = HTTP.get(`${baseUrl}/v1/apps/${this.urlParams.id}`, { headers, }); - console.log('Rest js versions', result); } catch (e) { return handleError('Unable to access Marketplace. Does the server has access to the internet?', e); } From 80f582bd3bd2d1f28289198edb355b14b3ceae82 Mon Sep 17 00:00:00 2001 From: rique223 Date: Wed, 29 Jun 2022 16:19:38 -0300 Subject: [PATCH 15/15] feat: :sparkles: Create fallback for empty changelog on app release entries Created a fallback for when a release entry has no changelog. Now it shows a "No release information provided" text on the accordion item. --- apps/meteor/client/views/admin/apps/ReleaseItem.tsx | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx index bdad1f0523a3..c16bd6b638bb 100644 --- a/apps/meteor/client/views/admin/apps/ReleaseItem.tsx +++ b/apps/meteor/client/views/admin/apps/ReleaseItem.tsx @@ -33,7 +33,11 @@ const ReleaseItem = ({ release, key, ...props }: ReleaseItemProps): JSX.Element return ( - {release.detailedChangelog?.rendered && } + {release.detailedChangelog?.rendered ? ( + + ) : ( + 'No release information provided' + )} ); };