diff --git a/.circleci/config.yml b/.circleci/config.yml index 9542112af884..1aae43866b4f 100644 --- a/.circleci/config.yml +++ b/.circleci/config.yml @@ -130,8 +130,7 @@ commands: type: string default: "Dockerfile" steps: - - setup_remote_docker: - docker_layer_caching: true + - setup_remote_docker - run: name: Building docker image command: | diff --git a/.github/pull_request_template.md b/.github/pull_request_template.md new file mode 100644 index 000000000000..a6eb383d977e --- /dev/null +++ b/.github/pull_request_template.md @@ -0,0 +1,34 @@ +## Changes: + +Please include a summary of the change and which issue is fixed below: +- ... + +## When you need to add unit test + +- [ ] If this change disrupt current flow +- [ ] If this change is adding new flow + +## When you need to add integration test + +- [ ] If components from external libraries are being used to define the flow, e.g. @deriv/components +- [ ] If it relies on a very specific set of props with no default behavior for the current component. + +## Test coverage checklist (for reviewer) + +- [ ] Ensure utility / function has a test case +- [ ] Ensure all the tests are passing + +## Type of change + +- [ ] Bug fix +- [ ] New feature +- [ ] Update feature +- [ ] Refactor code +- [ ] Translation to code +- [ ] Translation to crowdin +- [ ] Script configuration +- [ ] Improve performance +- [ ] Style only +- [ ] Dependency update +- [ ] Documentation update +- [ ] Release diff --git a/packages/account/src/Components/currency-selector/radio-button-group.jsx b/packages/account/src/Components/currency-selector/radio-button-group.jsx index befd4f9bca60..e72a297b2983 100644 --- a/packages/account/src/Components/currency-selector/radio-button-group.jsx +++ b/packages/account/src/Components/currency-selector/radio-button-group.jsx @@ -1,4 +1,4 @@ -import React, { useState } from 'react'; +import React from 'react'; import classNames from 'classnames'; import { localize } from '@deriv/translations'; import { Text } from '@deriv/components'; @@ -13,11 +13,6 @@ const RadioButtonGroup = ({ description, has_fiat, }) => { - const [is_currency_selected, setIsCurrencySelected] = useState(false); - - const onCurrencyClicked = () => { - setIsCurrencySelected(true); - }; return (
{is_title_enabled && ( @@ -40,11 +35,10 @@ const RadioButtonGroup = ({ 'currency-list__items__is-fiat': is_fiat, 'currency-list__items__is-crypto': !is_fiat, })} - onClick={onCurrencyClicked} > {children}
- {is_fiat && is_currency_selected &&

{description}

} + {is_fiat &&

{description}

} ); }; diff --git a/packages/account/src/Components/personal-details/personal-details.jsx b/packages/account/src/Components/personal-details/personal-details.jsx index 4aef61f53c33..79adc9445344 100644 --- a/packages/account/src/Components/personal-details/personal-details.jsx +++ b/packages/account/src/Components/personal-details/personal-details.jsx @@ -1,5 +1,6 @@ import { Formik, Field } from 'formik'; import React from 'react'; +import { Link } from 'react-router-dom'; import { Modal, Autocomplete, @@ -19,7 +20,7 @@ import { Text, } from '@deriv/components'; import { localize, Localize } from '@deriv/translations'; -import { isDesktop, isMobile, toMoment, PlatformContext } from '@deriv/shared'; +import { isDesktop, isMobile, toMoment, PlatformContext, routes } from '@deriv/shared'; import { splitValidationResultTypes } from '../real-account-signup/helpers/utils'; import FormSubHeader from '../form-sub-header'; @@ -49,7 +50,7 @@ const DateOfBirthField = props => ( ); -const FormInputField = ({ name, optional = false, warn, ...props }) => ( +const FormInputField = ({ name, optional = false, warn, hint, ...props }) => ( {({ field, form: { errors, touched } }) => ( ( maxLength={props.maxLength || '30'} error={touched[field.name] && errors[field.name]} warn={warn} + hint={hint} {...field} {...props} /> @@ -172,7 +174,17 @@ const PersonalDetails = ({ {'salutation' in props.value && (
- + , + ]} + />
)} @@ -217,6 +229,9 @@ const PersonalDetails = ({ } disabled={disabled_items.includes('first_name')} placeholder={localize('John')} + hint={localize( + 'Please provide your name as it appears in your identity document' + )} /> )} {'last_name' in props.value && ( diff --git a/packages/account/src/Components/poi-idv-document-submit/poi-idv-document-submit.jsx b/packages/account/src/Components/poi-idv-document-submit/poi-idv-document-submit.jsx index 3e4202b63845..4e9f0d3cf4b7 100644 --- a/packages/account/src/Components/poi-idv-document-submit/poi-idv-document-submit.jsx +++ b/packages/account/src/Components/poi-idv-document-submit/poi-idv-document-submit.jsx @@ -27,10 +27,9 @@ const IdvDocumentSubmit = ({ handleBack, handleViewComplete, selected_country }) React.useEffect(() => { // NOTE: This is a temporary filter. Remove after backend handles this from their side - const filtered_documents = - country_code === 'gh' - ? Object.keys(document_data).filter(d => d !== 'voter_id') - : Object.keys(document_data); + const filtered_documents = ['gh', 'ng'].includes(country_code) + ? Object.keys(document_data).filter(d => d !== 'voter_id') + : Object.keys(document_data); setDocumentList( filtered_documents.map(key => { diff --git a/packages/account/src/Sections/Verification/Helpers/verification.js b/packages/account/src/Sections/Verification/Helpers/verification.js index bd36a6da557c..dcf987702c61 100644 --- a/packages/account/src/Sections/Verification/Helpers/verification.js +++ b/packages/account/src/Sections/Verification/Helpers/verification.js @@ -1,18 +1,19 @@ const populateVerificationStatus = account_status => { const { attempts, document, identity, needs_verification } = { - ...account_status.authentication, - attempts: account_status.authentication.attempts || {}, - needs_verification: account_status.authentication.needs_verification || {}, + ...account_status?.authentication, + attempts: account_status?.authentication?.attempts || {}, + needs_verification: account_status?.authentication?.needs_verification || {}, }; const has_poa = !(document && document.status === 'none'); const has_poi = !(identity && identity.status === 'none'); const needs_poa = needs_verification.length && needs_verification.includes('document'); const needs_poi = needs_verification.length && needs_verification.includes('identity'); - - const allow_document_upload = account_status?.status?.some(status => status === 'allow_document_upload'); - const allow_poi_resubmission = account_status?.status?.some(status => status === 'allow_poi_resubmission'); - const is_idv_disallowed = account_status?.status?.some(status => status === 'idv_disallowed'); - + const accountStatusChecker = valueToCheck => { + return account_status?.status?.some(status => status === valueToCheck); + }; + const allow_document_upload = accountStatusChecker('allow_document_upload'); + const allow_poi_resubmission = accountStatusChecker('allow_poi_resubmission'); + const is_idv_disallowed = accountStatusChecker('idv_disallowed'); const identity_status = identity?.status; const idv = identity?.services?.idv; diff --git a/packages/account/src/Sections/Verification/ProofOfIdentity/proof-of-identity-container.jsx b/packages/account/src/Sections/Verification/ProofOfIdentity/proof-of-identity-container.jsx index 2b628fb9e4bf..96e9da6a5ddf 100644 --- a/packages/account/src/Sections/Verification/ProofOfIdentity/proof-of-identity-container.jsx +++ b/packages/account/src/Sections/Verification/ProofOfIdentity/proof-of-identity-container.jsx @@ -113,8 +113,11 @@ const ProofOfIdentityContainer = ({ residence_list={residence_list} /> ); - // Client status modified from BO does not get their latest attempts populated - } else if (!identity_last_attempt) { + } else if ( + !identity_last_attempt || + // Prioritise verified status from back office. How we know this is if there is mismatch between current statuses (Should be refactored) + (identity_status === 'verified' && identity_status !== identity_last_attempt.status) + ) { switch (identity_status) { case identity_status_codes.pending: return ( diff --git a/packages/components/src/components/form-submit-button/form-submit-button.scss b/packages/components/src/components/form-submit-button/form-submit-button.scss index 7f7b90f50156..4c38d107bc55 100644 --- a/packages/components/src/components/form-submit-button/form-submit-button.scss +++ b/packages/components/src/components/form-submit-button/form-submit-button.scss @@ -3,7 +3,7 @@ align-items: center; justify-content: flex-end; align-self: flex-end; - background-color: var(--general-main-1); + background-color: transparent; &:only-child { width: 100%; diff --git a/packages/core/build/config.js b/packages/core/build/config.js index 48647ad55873..cc7c665535d0 100644 --- a/packages/core/build/config.js +++ b/packages/core/build/config.js @@ -37,8 +37,8 @@ const copyConfig = base => { to: 'cashier/css', }, { - from: path.resolve(__dirname, '../node_modules/@deriv/cashier/dist/cashier/public/'), - to: 'public', + from: path.resolve(__dirname, '../node_modules/@deriv/cashier/dist/cashier/public'), + to: 'cashier/public', transformPath(context) { return context.split('node_modules/@deriv/cashier/dist/')[1]; }, @@ -117,7 +117,26 @@ const copyConfig = base => { const generateSWConfig = is_release => ({ cleanupOutdatedCaches: true, - exclude: [/CNAME$/, /index\.html$/, /404\.html$/, /^localstorage-sync\.html$/, /\.map$/], + exclude: [ + /CNAME$/, + /index\.html$/, + /404\.html$/, + /^localstorage-sync\.html$/, + /\.map$/, + /sitemap\.xml$/, + /robots\.txt$/, + /manifest\.json$/, + /^apple-app-site-association/, + /^assetlinks.json/, + /^.well-known\//, + /^account\//, + /^js\/smartcharts\//, + /^bot\//, + /^media\//, + /^trader\//, + /^cashier\//, + /^js\/core\.[a-z_]*-json\./, + ], skipWaiting: true, clientsClaim: true, ...(is_release && { diff --git a/packages/core/src/App/Containers/AccountSwitcher/account-switcher.jsx b/packages/core/src/App/Containers/AccountSwitcher/account-switcher.jsx index 5202c8914347..3e00c95448ef 100644 --- a/packages/core/src/App/Containers/AccountSwitcher/account-switcher.jsx +++ b/packages/core/src/App/Containers/AccountSwitcher/account-switcher.jsx @@ -120,6 +120,7 @@ const AccountSwitcher = props => { account_type === 'synthetic' ? props.has_malta_account : props.has_maltainvest_account; if (props.is_eu && !has_required_account) { + sessionStorage.setItem('cfd_account_needed', 1); closeAccountsDialog(); props.openAccountNeededModal( account_type === 'synthetic' ? props.standpoint.gaming_company : props.standpoint.financial_company, diff --git a/packages/core/src/App/Containers/Modals/app-modals.jsx b/packages/core/src/App/Containers/Modals/app-modals.jsx index 598b6a25d6e7..da1652e26d8f 100644 --- a/packages/core/src/App/Containers/Modals/app-modals.jsx +++ b/packages/core/src/App/Containers/Modals/app-modals.jsx @@ -1,8 +1,8 @@ import React from 'react'; import { useLocation } from 'react-router-dom'; -import MT5AccountNeededModal from 'App/Components/Elements/Modals/mt5-account-needed-modal.jsx'; import RedirectNoticeModal from 'App/Components/Elements/Modals/RedirectNotice'; import { connect } from 'Stores/connect'; +import { localize } from '@deriv/translations'; const AccountSignupModal = React.lazy(() => import(/* webpackChunkName: "account-signup-modal" */ '../AccountSignupModal') @@ -28,10 +28,12 @@ const AppModals = ({ is_set_residence_modal_visible, is_eu, is_logged_in, + account_needed_modal_props: { target }, + openRealAccountSignup, + closeAccountNeededModal, }) => { const url_params = new URLSearchParams(useLocation().search); const url_action_param = url_params.get('action'); - let ComponentToLoad = null; switch (url_action_param) { case 'redirect_to_login': @@ -55,7 +57,8 @@ const AppModals = ({ } if (is_account_needed_modal_on) { - ComponentToLoad = ; + openRealAccountSignup(target, localize('DMT5 CFDs')); + closeAccountNeededModal(); } if (is_reality_check_visible) { @@ -78,4 +81,7 @@ export default connect(({ client, ui }) => ({ is_eu: client.is_eu, is_logged_in: client.is_logged_in, is_reality_check_visible: client.is_reality_check_visible, + account_needed_modal_props: ui.account_needed_modal_props, + openRealAccountSignup: ui.openRealAccountSignup, + closeAccountNeededModal: ui.closeAccountNeededModal, }))(AppModals); diff --git a/packages/core/src/App/Containers/RealAccountSignup/accept-risk-form.jsx b/packages/core/src/App/Containers/RealAccountSignup/accept-risk-form.jsx index 892e1e7bc5bb..5ff528220de9 100644 --- a/packages/core/src/App/Containers/RealAccountSignup/accept-risk-form.jsx +++ b/packages/core/src/App/Containers/RealAccountSignup/accept-risk-form.jsx @@ -27,10 +27,7 @@ const AcceptRiskForm = ({ onSubmit }) => { - ]} - /> + diff --git a/packages/core/src/App/Containers/RealAccountSignup/real-account-signup.jsx b/packages/core/src/App/Containers/RealAccountSignup/real-account-signup.jsx index 91781b845129..5e74927c7fa7 100644 --- a/packages/core/src/App/Containers/RealAccountSignup/real-account-signup.jsx +++ b/packages/core/src/App/Containers/RealAccountSignup/real-account-signup.jsx @@ -3,8 +3,9 @@ import classNames from 'classnames'; import React from 'react'; import { withRouter } from 'react-router-dom'; import { Modal, DesktopWrapper, MobileDialog, MobileWrapper } from '@deriv/components'; -import { routes, isNavigationFromPlatform } from '@deriv/shared'; +import { routes, isNavigationFromExternalPlatform } from '@deriv/shared'; import { localize, Localize } from '@deriv/translations'; +import { CFD_PASSWORD_MODAL_SESSION_STORAGE_STRING } from '@deriv/shared/src/utils/constants-storage/CFD'; import { connect } from 'Stores/connect'; import AccountWizard from './account-wizard.jsx'; import AddCurrency from './add-currency.jsx'; @@ -254,10 +255,14 @@ const RealAccountSignup = ({ }; const showStatusDialog = curr => { - setParams({ - active_modal_index: modal_pages_indices.status_dialog, - currency: curr, - }); + if (sessionStorage.getItem('cfd_account_needed')) { + closeModalThenOpenCFD(); + } else { + setParams({ + active_modal_index: modal_pages_indices.status_dialog, + currency: curr, + }); + } }; const closeModalthenOpenWelcomeModal = curr => { @@ -267,6 +272,12 @@ const RealAccountSignup = ({ }); }; + const closeModalThenOpenCFD = () => { + closeRealAccountSignup(); + sessionStorage.setItem(CFD_PASSWORD_MODAL_SESSION_STORAGE_STRING, '1'); + history.push(`${routes.mt5}#real`); + }; + const closeModalThenOpenCashier = () => { replaceCashierMenuOnclick(); closeRealAccountSignup(); @@ -342,14 +353,19 @@ const RealAccountSignup = ({ return; } if (getActiveModalIndex() !== modal_pages_indices.status_dialog) { + sessionStorage.removeItem('cfd_account_needed'); sessionStorage.removeItem('post_real_account_signup'); localStorage.removeItem('real_account_signup_wizard'); } closeRealAccountSignup(); - if (isNavigationFromPlatform(routing_history, routes.smarttrader)) { + if (isNavigationFromExternalPlatform(routing_history, routes.smarttrader)) { window.location = routes.smarttrader; } + + if (isNavigationFromExternalPlatform(routing_history, routes.binarybot)) { + window.location = routes.binarybot; + } }; const onErrorConfirm = () => { diff --git a/packages/core/src/App/Containers/WelcomeModal/welcome-modal-1.jsx b/packages/core/src/App/Containers/WelcomeModal/welcome-modal-1.jsx index 4f015ee89d46..2e92efad9458 100644 --- a/packages/core/src/App/Containers/WelcomeModal/welcome-modal-1.jsx +++ b/packages/core/src/App/Containers/WelcomeModal/welcome-modal-1.jsx @@ -5,7 +5,7 @@ import { Modal, ThemedScrollbars } from '@deriv/components'; import Welcome from './welcome.jsx'; const WelcomeModal = props => { - const { country_standpoint, is_eu, toggleWelcomeModal, history, toggleShouldShowMultipliersOnboarding } = props; + const { is_eu, toggleWelcomeModal, history, toggleShouldShowMultipliersOnboarding } = props; const switchPlatform = React.useCallback( ({ route, should_show_multiplier } = {}) => { toggleWelcomeModal({ is_visible: false, should_persist: true }); @@ -18,7 +18,7 @@ const WelcomeModal = props => { return ( - + ); @@ -26,7 +26,6 @@ const WelcomeModal = props => { export default withRouter( connect(({ client, ui }) => ({ - country_standpoint: client.country_standpoint, is_eu: client.is_eu, toggleWelcomeModal: ui.toggleWelcomeModal, toggleShouldShowMultipliersOnboarding: ui.toggleShouldShowMultipliersOnboarding, diff --git a/packages/core/src/App/Containers/WelcomeModal/welcome.jsx b/packages/core/src/App/Containers/WelcomeModal/welcome.jsx index 62992edadd5e..70e79ce4cd21 100644 --- a/packages/core/src/App/Containers/WelcomeModal/welcome.jsx +++ b/packages/core/src/App/Containers/WelcomeModal/welcome.jsx @@ -13,8 +13,7 @@ import NotSure from 'Assets/SvgComponents/onboarding/not-sure.svg'; import NotSureMobile from 'Assets/SvgComponents/onboarding/not-sure-mobile.svg'; import WelcomeItem from './welcome-item.jsx'; -const Welcome = ({ is_eu, country_standpoint, switchPlatform }) => { - const should_show_options = is_eu ? country_standpoint.is_rest_of_eu || country_standpoint.is_united_kingdom : true; +const Welcome = ({ is_eu, switchPlatform }) => { return ( <> @@ -58,7 +57,7 @@ const Welcome = ({ is_eu, country_standpoint, switchPlatform }) => { mobileIcon={} options={['Forex', 'Synthetics']} /> - {should_show_options && ( + {!is_eu && ( { }; Welcome.propTypes = { - country_standpoint: PropTypes.object, is_eu: PropTypes.bool, switchPlatform: PropTypes.func.isRequired, }; diff --git a/packages/core/src/Stores/common-store.js b/packages/core/src/Stores/common-store.js index cb840ac15b96..7401f483eb80 100644 --- a/packages/core/src/Stores/common-store.js +++ b/packages/core/src/Stores/common-store.js @@ -1,5 +1,5 @@ import { action, observable, reaction } from 'mobx'; -import { routes, toMoment, getUrlSmartTrader, isMobile, getAppId } from '@deriv/shared'; +import { routes, toMoment, getUrlSmartTrader, isMobile, getAppId, getUrlBinaryBot } from '@deriv/shared'; import { getAllowedLanguages } from '@deriv/translations'; import BinarySocket from '_common/base/socket_base'; import ServerTime from '_common/base/server_time'; @@ -72,6 +72,8 @@ export default class CommonStore extends BaseStore { this.addRouteHistoryItem({ pathname: ext_url, action: 'PUSH', is_external: true }); } else if (ext_url?.indexOf(routes.cashier_p2p) === 0) { this.addRouteHistoryItem({ pathname: ext_url, action: 'PUSH' }); + } else if (ext_url?.indexOf(getUrlBinaryBot()) === 0) { + this.addRouteHistoryItem({ pathname: ext_url, action: 'PUSH', is_external: true }); } else { this.addRouteHistoryItem({ ...location, action: 'PUSH' }); } diff --git a/packages/core/src/Stores/index.js b/packages/core/src/Stores/index.js index b681516ead12..33dd22245a51 100644 --- a/packages/core/src/Stores/index.js +++ b/packages/core/src/Stores/index.js @@ -1,3 +1,4 @@ +import CFDStore from '@deriv/trader/src/Stores/Modules/CFD/cfd-store'; import ClientStore from './client-store'; import CommonStore from './common-store'; import GTMStore from './gtm-store'; @@ -17,5 +18,6 @@ export default class RootStore { this.rudderstack = new RudderStackStore(this); this.menu = new MenuStore(this); this.pushwoosh = new PushWooshStore(this); + this.cfd = new CFDStore(this); } } diff --git a/packages/core/src/Stores/ui-store.js b/packages/core/src/Stores/ui-store.js index 7a303f832178..4fb7df027f53 100644 --- a/packages/core/src/Stores/ui-store.js +++ b/packages/core/src/Stores/ui-store.js @@ -443,6 +443,10 @@ export default class UIStore extends BaseStore { this.resetRealAccountSignupParams(); this.setRealAccountSignupEnd(true); }, 300); + if(sessionStorage.getItem('cfd_account_needed')){ + this.root_store.cfd.createCFDAccount({ type: 'financial', category: 'real' }); + sessionStorage.removeItem('cfd_account_needed'); + }; } @action.bound diff --git a/packages/shared/src/utils/constants-storage/CFD.js b/packages/shared/src/utils/constants-storage/CFD.js new file mode 100644 index 000000000000..df9193a877db --- /dev/null +++ b/packages/shared/src/utils/constants-storage/CFD.js @@ -0,0 +1 @@ +export const CFD_PASSWORD_MODAL_SESSION_STORAGE_STRING = 'open_cfd_password_modal'; diff --git a/packages/shared/src/utils/platform/platform.js b/packages/shared/src/utils/platform/platform.js index 0eb15c8d3e24..c2407cfbee3a 100644 --- a/packages/shared/src/utils/platform/platform.js +++ b/packages/shared/src/utils/platform/platform.js @@ -10,6 +10,7 @@ export const platform_name = Object.freeze({ DXtrade: 'Deriv X', DMT5: 'DMT5', SmartTrader: 'SmartTrader', + BinaryBot: 'Binary Bot', }); export const CFD_PLATFORMS = Object.freeze({ @@ -58,9 +59,13 @@ export const getPlatformInformation = routing_history => { return { header: platform_name.DXtrade, icon: 'IcBrandDxtrade' }; } - if (isNavigationFromPlatform(routing_history, routes.smarttrader)) { + if (isNavigationFromExternalPlatform(routing_history, routes.smarttrader)) { return { header: platform_name.SmartTrader, icon: 'IcBrandSmarttrader' }; } + + if (isNavigationFromExternalPlatform(routing_history, routes.binarybot)) { + return { header: platform_name.BinaryBot, icon: 'IcBrandBinarybot' }; + } return { header: platform_name.DTrader, icon: 'IcBrandDtrader' }; }; @@ -68,7 +73,8 @@ export const getActivePlatform = routing_history => { if (isBot() || isNavigationFromPlatform(routing_history, routes.bot)) return 'DBot'; if (isMT5() || isNavigationFromPlatform(routing_history, routes.mt5)) return 'DMT5'; if (isDXtrade() || isNavigationFromPlatform(routing_history, routes.dxtrade)) return 'Deriv X'; - if (isNavigationFromPlatform(routing_history, routes.smarttrader)) return 'SmartTrader'; + if (isNavigationFromExternalPlatform(routing_history, routes.smarttrader)) return 'SmartTrader'; + if (isNavigationFromExternalPlatform(routing_history, routes.binarybot)) return 'Binary Bot'; return 'DTrader'; }; @@ -79,9 +85,12 @@ export const getPlatformRedirect = routing_history => { return { name: platform_name.DMT5, route: routes.mt5 }; if (isDXtrade() || isNavigationFromPlatform(routing_history, routes.dxtrade)) return { name: platform_name.DXtrade, route: routes.dxtrade }; - if (isNavigationFromPlatform(routing_history, routes.smarttrader)) + if (isNavigationFromExternalPlatform(routing_history, routes.smarttrader)) return { name: platform_name.SmartTrader, route: routes.smarttrader }; if (isNavigationFromP2P(routing_history, routes.cashier_p2p)) return { name: 'P2P', route: routes.cashier_p2p }; + if (isNavigationFromExternalPlatform(routing_history, routes.binarybot)) + return { name: platform_name.BinaryBot, route: routes.binarybot }; + return { name: platform_name.DTrader, route: routes.trade }; }; @@ -128,3 +137,7 @@ export const isNavigationFromP2P = (routing_history, platform_route) => { const history_item = routing_history[routing_history_index]; return history_item?.pathname === platform_route; }; + +export const isNavigationFromExternalPlatform = (routing_history, platform_route) => { + return routing_history.some(history_item => history_item.pathname === platform_route); +}; diff --git a/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/poi-and-poa-verification-modal.jsx b/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/poi-and-poa-verification-modal.jsx new file mode 100644 index 000000000000..2388525bb322 --- /dev/null +++ b/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/poi-and-poa-verification-modal.jsx @@ -0,0 +1,106 @@ +import React from 'react'; +import PropTypes from 'prop-types'; +import { Button, ButtonLink, Modal, Text } from '@deriv/components'; +import { localize, Localize } from '@deriv/translations'; +import Icon from '@deriv/components/src/components/icon'; +import 'Sass/app/_common/components/poa-poi-address-modal.scss'; +import { routes } from '@deriv/shared'; +import PoaPoiInform from 'Assets/SvgComponents/settings//poa_poi_inform.svg'; +import { connect } from 'Stores/connect'; +import { populateVerificationStatus } from '@deriv/account'; + +const PoiAndPoaVerificationModal = ({ account_status, is_open, toggleModal }) => { + const verification_status = populateVerificationStatus(account_status); + const { has_poa, has_poi } = verification_status; + let title = ''; + if (has_poi && has_poa) { + title = 'Your documents are being reviewed, this can take up to 3 days.'; + } else if (has_poi && !has_poa) { + title = 'Please verify your proof of address to continue.'; + } else if (!has_poi && has_poa) { + title = 'Please verify your proof of identity to continue.'; + } else { + title = 'Please verify your proof of identity and address to continue.'; + } + return ( + + + + + + + } + > + +
+ + + + {has_poi ? ( + + ) : ( + + + + )} +
+
+ + + + {has_poa ? ( + + ) : ( + + + + )} +
+
+ +
+
+
+
+ ); +}; + +PoiAndPoaVerificationModal.propTypes = { + closePoaPoiInformModal: PropTypes.func, + is_poi_poa_inform_modal_visible: PropTypes.bool, + account_status: PropTypes.object, +}; +export default connect(({ client }) => ({ + account_status: client.account_status, +}))(PoiAndPoaVerificationModal); diff --git a/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/services-error-modal.jsx b/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/services-error-modal.jsx index 99b04cba9678..9088029e8aa0 100644 --- a/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/services-error-modal.jsx +++ b/packages/trader/src/App/Components/Elements/Modals/ServicesErrorModal/services-error-modal.jsx @@ -5,6 +5,7 @@ import { localize } from '@deriv/translations'; import { title } from './constants'; import AuthorizationRequiredModal from './authorization-required-modal.jsx'; import InsufficientBalanceModal from './insufficient-balance-modal.jsx'; +import PoiAndPoaVerificationModal from './poi-and-poa-verification-modal'; const ServicesErrorModal = ({ is_virtual, is_visible, is_logged_in, onConfirm, services_error }) => { const { code, message } = services_error; @@ -26,6 +27,9 @@ const ServicesErrorModal = ({ is_virtual, is_visible, is_logged_in, onConfirm, s /> ); } + if (code === 'PleaseAuthenticate') { + return ; + } return ( {message} diff --git a/packages/trader/src/Assets/SvgComponents/settings/poa_poi_inform.svg b/packages/trader/src/Assets/SvgComponents/settings/poa_poi_inform.svg new file mode 100644 index 000000000000..3bbc0c6ff938 --- /dev/null +++ b/packages/trader/src/Assets/SvgComponents/settings/poa_poi_inform.svg @@ -0,0 +1,11 @@ + + + + + + + + + + + diff --git a/packages/trader/src/Modules/CFD/Components/cfd-account-card.jsx b/packages/trader/src/Modules/CFD/Components/cfd-account-card.jsx index 73b9e85074bc..c2a8da25aa6e 100644 --- a/packages/trader/src/Modules/CFD/Components/cfd-account-card.jsx +++ b/packages/trader/src/Modules/CFD/Components/cfd-account-card.jsx @@ -64,9 +64,9 @@ const PasswordBox = ({ platform, onClick }) => ( ••••••••••••••• - +
+ +
); diff --git a/packages/trader/src/Modules/CFD/Components/cfd-real-account-display.jsx b/packages/trader/src/Modules/CFD/Components/cfd-real-account-display.jsx index 2a9c675f7282..c10be8587f6f 100644 --- a/packages/trader/src/Modules/CFD/Components/cfd-real-account-display.jsx +++ b/packages/trader/src/Modules/CFD/Components/cfd-real-account-display.jsx @@ -3,6 +3,7 @@ import classNames from 'classnames'; import { localize, Localize } from '@deriv/translations'; import { DesktopWrapper, MobileWrapper, Carousel } from '@deriv/components'; import { getAccountTypeFields, getAccountListKey, getCFDAccountKey, CFD_PLATFORMS } from '@deriv/shared'; +import { CFD_PASSWORD_MODAL_SESSION_STORAGE_STRING } from '@deriv/shared/src/utils/constants-storage/CFD'; import specifications from 'Modules/CFD/Constants/cfd-specifications'; import { CFDAccountCard } from './cfd-account-card.jsx'; import { general_messages } from '../Constants/cfd-shared-strings'; @@ -33,6 +34,7 @@ const CFDRealAccountDisplay = ({ isFinancialStpCardVisible, landing_companies, onSelectAccount, + openRealAccountSignup, openAccountTransfer, openPasswordModal, isAccountOfTypeDisabled, @@ -58,6 +60,16 @@ const CFDRealAccountDisplay = ({ platform === CFD_PLATFORMS.MT5; const [active_hover, setActiveHover] = React.useState(0); + const session_storage_open_password_modal = sessionStorage.getItem(CFD_PASSWORD_MODAL_SESSION_STORAGE_STRING); + + React.useEffect(() => { + if (session_storage_open_password_modal) { + onSelectRealFinancial(); + sessionStorage.removeItem(CFD_PASSWORD_MODAL_SESSION_STORAGE_STRING); + sessionStorage.removeItem('cfd_account_needed'); + } + }, [onSelectRealFinancial, session_storage_open_password_modal]); + const has_required_credentials = React.useMemo(() => { const { citizen, tax_identification_number, tax_residence } = account_settings; @@ -101,7 +113,8 @@ const CFDRealAccountDisplay = ({ }; const onSelectRealFinancial = () => { if (is_eu && !has_maltainvest_account) { - openAccountNeededModal('maltainvest', localize('Deriv Multipliers'), localize('real CFDs')); + sessionStorage.setItem('cfd_account_needed', 1); + openRealAccountSignup('maltainvest', localize('DMT5 CFDs')); } else { onSelectAccount({ type: 'financial', category: 'real' }); } diff --git a/packages/trader/src/Modules/CFD/Containers/cfd-dashboard.jsx b/packages/trader/src/Modules/CFD/Containers/cfd-dashboard.jsx index 16bdc685e595..73451d1e055f 100644 --- a/packages/trader/src/Modules/CFD/Containers/cfd-dashboard.jsx +++ b/packages/trader/src/Modules/CFD/Containers/cfd-dashboard.jsx @@ -110,12 +110,12 @@ class CFDDashboard extends React.Component { getIndexToSet = () => { // TODO: remove this when real accounts are enabled for Deriv X - if (!this.state.is_real_enabled) { - return 1; - } - if (!this.state.is_demo_enabled) { + if (this.state.is_real_enabled) { return 0; } + if (this.state.is_demo_enabled) { + return 1; + } const hash = this.props.location.hash; if (hash) { @@ -135,7 +135,7 @@ class CFDDashboard extends React.Component { else if (index === 0) updated_state.is_demo_tab = false; const index_to_set = this.getIndexToSet(); - if (this.state.active_index !== index_to_set) { + if (index_to_set && this.state.active_index !== index_to_set) { updated_state.active_index = index_to_set; } @@ -241,6 +241,7 @@ class CFDDashboard extends React.Component { NotificationMessages, platform, openAccountNeededModal, + openRealAccountSignup, residence, residence_list, standpoint, @@ -351,6 +352,7 @@ class CFDDashboard extends React.Component { !!dxtrade_accounts_list_error } openAccountNeededModal={openAccountNeededModal} + openRealAccountSignup={openRealAccountSignup} current_list={current_list} account_status={account_status} has_cfd_account={has_cfd_account} @@ -597,6 +599,7 @@ export default withRouter( is_fully_authenticated: client.is_fully_authenticated, openPasswordModal: modules.cfd.enableCFDPasswordModal, openAccountNeededModal: ui.openAccountNeededModal, + openRealAccountSignup: ui.openRealAccountSignup, is_loading: client.is_populating_mt5_account_list, residence: client.residence, residence_list: client.residence_list, diff --git a/packages/trader/src/Modules/Trading/Components/Form/ContractType/contract-type-display.jsx b/packages/trader/src/Modules/Trading/Components/Form/ContractType/contract-type-display.jsx index 228db63aefa4..8e5522bec496 100644 --- a/packages/trader/src/Modules/Trading/Components/Form/ContractType/contract-type-display.jsx +++ b/packages/trader/src/Modules/Trading/Components/Form/ContractType/contract-type-display.jsx @@ -7,7 +7,7 @@ import { findContractCategory } from '../../../Helpers/contract-type'; const Display = ({ is_open, list, name, onClick, value }) => { const getDisplayText = () => - findContractCategory(list, { value }).contract_types.find(item => item.value === value).text; + findContractCategory(list, { value })?.contract_types.find(item => item.value === value).text; return (
+447723580049 to place your complaint.","3215342":"Last 30 days","7100308":"Hour must be between 0 and 23.","11539750":"set {{ variable }} to Relative Strength Index Array {{ dummy }}","11872052":"Yes, I'll come back later","14365404":"Request failed for: {{ message_type }}, retrying in {{ delay }}s","15377251":"Profit amount: {{profit}}","17217397":"Cryptocurrency","17843034":"Check proof of identity document verification status","19424289":"Username","21035405":"Please tell us why you’re leaving. (Select up to {{ allowed_reasons }} reasons.)","25854018":"This block displays messages in the developer’s console with an input that can be either a string of text, a number, boolean, or an array of data.","26566655":"Summary","26596220":"Finance","27582767":"{{amount}} {{currency}}","39720204":"AUD Index","41737927":"Thank you","44877997":"Residence permit","45453595":"Binary Coin","45941470":"Where would you like to start?","46523711":"Your proof of identity is verified","54185751":"Less than $100,000","55916349":"All","58254854":"Scopes","59169515":"If you select \"Asian Rise\", you will win the payout if the last tick is higher than the average of the ticks.","59341501":"Unrecognized file format","59662816":"Stated limits are subject to change without prior notice.","62748351":"List Length","63869411":"This block tests a given number according to the selection","65185694":"Fiat onramp","65982042":"Total","66519591":"Investor password","68885999":"Repeats the previous trade when an error is encountered.","69005593":"The example below restarts trading after 30 or more seconds after 1 minute candle was started.","69284613":"Trade popular currency pairs and cryptocurrencies with straight-through processing order (STP).","71016232":"OMG/USD","71445658":"Open","71563326":"A fast and secure fiat-to-crypto payment service. Deposit cryptocurrencies from anywhere in the world using your credit/debit cards and bank transfers.","71853457":"$100,001 - $500,000","72500774":"Please fill in Tax residence.","73086872":"You have self-excluded from trading","73326375":"The low is the lowest point ever reached by the market during the contract period.","74963864":"Under","81450871":"We couldn’t find that page","83202647":"Collapse Block","85343079":"Financial assessment","85389154":"Steps required to continue verification on your mobile","89062902":"Trade on MT5","90266322":"2. Start a chat with your newly created Telegram bot and make sure to send it some messages before proceeding to the next step. (e.g. Hello Bot!)","91993812":"The Martingale Strategy is a classic trading technique that has been used for more than a hundred years, popularised by the French mathematician Paul Pierre Levy in the 18th century.","96381225":"ID verification failed","98972777":"random item","100239694":"Upload front of card from your computer","102226908":"Field cannot be empty","108916570":"Duration: {{duration}} days","109903655":"The minimum withdrawal amount allowed is {{min_withdraw_amount}} {{currency}}","111215238":"Move away from direct light","111718006":"End date","111931529":"Max. total stake over 7 days","113378532":"ETH/USD","113884303":"German Index","113933902":"Download the Deriv X app","115032488":"Buy price and P/L","116005488":"Indicators","117318539":"Password should have lower and uppercase English letters with numbers.","119261701":"Prediction:","119446122":"Contract type is not selected","120340777":"Complete your personal details","123454801":"{{withdraw_amount}} {{currency_symbol}}","124723298":"Upload a proof of address to verify your address","125443840":"6. Restart last trade on error","127307725":"A politically exposed person (PEP) is someone appointed with a prominent public position. Close associates and family members of a PEP are also considered to be PEPs.","130567238":"THEN","132689841":"Trade on web terminal","133523018":"Please go to the Deposit page to get an address.","133536621":"and","139454343":"Confirm my limits","141626595":"Make sure your device has a working camera","142050447":"set {{ variable }} to create text with","142390699":"Connected to your mobile","143970826":"Payment problems?","145736466":"Take a selfie","150486954":"Token name","151344063":"The exit spot is the market price when the contract is closed.","151646545":"Unable to read file {{name}}","152415091":"Math","157593038":"random integer from {{ start_number }} to {{ end_number }}","160863687":"Camera not detected","162727973":"Please enter a valid payment agent ID.","164112826":"This block allows you to load blocks from a URL if you have them stored on a remote server, and they will be loaded only when your bot runs.","164564432":"Deposits are temporarily unavailable due to system maintenance. You can make your deposits when the maintenance is complete.","165294347":"Please set your country of residence in your account settings to access the cashier.","165312615":"Continue on phone","165682516":"If you don’t mind sharing, which other trading platforms do you use?","170185684":"Ignore","171307423":"Recovery","171579918":"Go to Self-exclusion","171638706":"Variables","173991459":"We’re sending your request to the blockchain.","176319758":"Max. total stake over 30 days","176654019":"$100,000 - $250,000","178413314":"First name should be between 2 and 50 characters.","179083332":"Date","181881956":"Contract Type: {{ contract_type }}","184024288":"lower case","189705706":"This block uses the variable \"i\" to control the iterations. With each iteration, the value of \"i\" is determined by the items in a given list.","189759358":"Creates a list by repeating a given item","191372501":"Accumulation of Income/Savings","192436105":"No need for symbols, digits, or uppercase letters","192573933":"Verification complete","195972178":"Get character","196998347":"We hold customer funds in bank accounts separate from our operational accounts which would not, in the event of insolvency, form part of the company's assets. This meets the <0>Gambling Commission's requirements for the segregation of customer funds at the level: <1>medium protection.","198735482":"Thanks for submitting your documents!","201091938":"30 days","203271702":"Try again","204797764":"Transfer to client","204863103":"Exit time","206010672":"Delete {{ delete_count }} Blocks","207824122":"Please withdraw your funds from the following Deriv account(s):","210385770":"If you have an active account, please log in to continue. Otherwise, please sign up.","211224838":"Investment","211461880":"Common names and surnames are easy to guess","211823569":"Trade on Deriv MetaTrader 5 (DMT5), the all-in-one FX and CFD trading platform.","211847965":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.","214700904":"Please contact us via live chat to enable deposits.","216650710":"You are using a demo account","217504255":"Financial assessment submitted successfully","220014242":"Upload a selfie from your computer","220186645":"Text Is empty","220232017":"demo CFDs","222468543":"The amount that you may add to your stake if you’re losing a trade.","223120514":"In this example, each point of the SMA line is an arithmetic average of close prices for the last 50 days.","223607908":"Last digit stats for latest 1000 ticks for {{underlying_name}}","224650827":"IOT/USD","225887649":"This block is mandatory. It's added to your strategy by default when you create new strategy. You can not add more than one copy of this block to the canvas.","227591929":"To timestamp {{ input_datetime }} {{ dummy }}","228521812":"Tests whether a string of text is empty. Returns a boolean value (true or false).","233500222":"- High: the highest price","235583807":"SMA is a frequently used indicator in technical analysis. It calculates the average market price over a specified period, and is usually used to identify market trend direction: up or down. For example, if the SMA is moving upwards, it means the market trend is up. ","236642001":"Journal","240247367":"Profit table","243614144":"This is only available for existing clients.","245005091":"lower","245187862":"The DRC will make a <0>decision on the complaint (please note that the DRC mentions no timeframe for announcing its decision).","245812353":"if {{ condition }} return {{ value }}","247418415":"Gaming trading can become a real addiction, as can any other activity pushed to its limits. To avoid the danger of such an addiction, we provide a reality-check that gives you a summary of your trades and accounts on a regular basis.","248565468":"Check your {{ identifier_title }} account email and click the link in the email to proceed.","248909149":"Send a secure link to your phone","251134918":"Account Information","251445658":"Dark theme","254912581":"This block is similar to EMA, except that it gives you the entire EMA line based on the input list and the given period.","256031314":"Cash Business","258310842":"Workspace","258448370":"MT5","260069181":"An error occured while trying to load the URL","260086036":"Place blocks here to perform tasks once when your bot starts running.","260361841":"Tax Identification Number can't be longer than 25 characters.","264976398":"3. 'Error' displays a message in red to highlight something that needs to be resolved immediately.","265644304":"Trade types","267992618":"The platforms lack key features or functionality.","269607721":"Upload","270339490":"If you select \"Over\", you will win the payout if the last digit of the last tick is greater than your prediction.","270610771":"In this example, the open price of a candle is assigned to the variable \"candle_open_price\".","270712176":"descending","270727821":"Stock Indices","270780527":"You've reached the limit for uploading your documents.","272179372":"This block is commonly used to adjust the parameters of your next trade and to implement stop loss/take profit logic.","273350342":"Copy and paste the token into the app.","273728315":"Should not be 0 or empty","274268819":"Volatility 100 Index","275116637":"Deriv X","277469417":"Exclude time cannot be for more than five years.","278684544":"get sub-list from # from end","282319001":"Check your image","282564053":"Next, we'll need your proof of address.","284527272":"antimode","284772879":"Contract","287934290":"Are you sure you want to cancel this transaction?","289898640":"TERMS OF USE","292491635":"If you select “Stop loss” and specify an amount to limit your loss, your position will be closed automatically when your loss is more than or equals to this amount. Your loss may be more than the amount you entered depending on the market price at closing.","292526130":"Tick and candle analysis","292589175":"This will display the SMA for the specified period, using a candle list.","292887559":"Transfer to {{selected_value}} is not allowed, Please choose another account from dropdown","294305803":"Manage account settings","294335229":"Sell at market price","300762428":"Swiss Index","303959005":"Sell Price:","304309961":"We're reviewing your withdrawal request. You may still cancel this transaction if you wish. Once we start processing, you won't be able to cancel.","312142140":"Save new limits?","312300092":"Trims the spaces within a given string or text.","312318161":"Your contract will be closed automatically at the next available asset price when the duration exceeds <0>.","313298169":"Our cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.","313741895":"This block returns “True” if the last candle is black. It can be placed anywhere on the canvas except within the Trade parameters root block.","315306603":"You have an account that do not have currency assigned. Please choose a currency to trade with this account.","316694303":"Is candle black?","317601768":"Themes","318865860":"close","318984807":"This block repeats the instructions contained within for a specific number of times.","319538091":"DMT5 Financial STP","323179846":"The time interval for each candle can be set from one minute to one day.","323209316":"Select a Deriv Bot Strategy","325662004":"Expand Block","325763347":"result","326770937":"Withdraw {{currency}} ({{currency_symbol}}) to your wallet","327534692":"Duration value is not allowed. To run the bot, please enter {{min}}.","328539132":"Repeats inside instructions specified number of times","329404045":"<0>Switch to your real account<1> to create a {{platform}} {{account_title}} account.","333456603":"Withdrawal limits","334942497":"Buy time","335040248":"About us","335046131":"Switch to crypto account?","337023006":"Start time cannot be in the past.","339449279":"Remaining time","339610914":"Spread Up/Spread Down","339879944":"GBP/USD","340807218":"Description not found.","342181776":"Cancel transaction","343873723":"This block displays a message. You can specify the color of the message and choose from 6 different sound options.","345320063":"Invalid timestamp","347039138":"Iterate (2)","348951052":"Your cashier is currently locked","349047911":"Over","351744408":"Tests if a given text string is empty","353731490":"Job done","354945172":"Submit document","357477280":"No face found","358266012":"Warning!","359053005":"Please enter a token name.","359649435":"Given candle list is not valid","359809970":"This block gives you the selected candle value from a list of candles within the selected time interval. You can choose from open price, close price, high price, low price, and open time.","360224937":"Logic","362772494":"This should not exceed {{max}} characters.","363576009":"- High price: the highest price","363738790":"Browser","363990763":"Sell price:","368160866":"in list","371151609":"Last used","372291654":"Exclude time must be after today.","372645383":"True if the market direction matches the selection","373021397":"random","373495360":"This block returns the entire SMA line, containing a list of all values for a given period.","373919918":"Your account will be opened with Deriv Investments (Europe) Limited, regulated by the Malta Financial Services Authority (MFSA), and will be subject to the laws of Malta.","374537470":"No results for \"{{text}}\"","375714803":"Deal Cancellation Error","379730150":"US Tech Index","380606668":"tick","380694312":"Maximum consecutive trades","382781785":"Your contract is closed automatically when your profit is more than or equals to this amount.","384000246":"30 days max total stake","384303768":"This block returns \"True\" if the last candle is black. It can be placed anywhere on the canvas except within the Trade parameters root block.","386502387":"Bot is not running","389923099":"Zoom in","390647540":"Real account","390890891":"Last quarter","391915203":"Hedging","392582370":"Fall Equals","396418990":"Offline","399387585":"Please check your email for details. If you have any questions, please go to our <0>Help Centre.","401339495":"Verify address","402343402":"Due to an issue on our server, some of your {{platform}} accounts are unavailable at the moment. Please bear with us and thank you for your patience.","403456289":"The formula for SMA is:","404743411":"Total deposits","406359555":"Contract details","406497323":"Sell your active contract if needed (optional)","411482865":"Add {{deriv_account}} account","412433839":"I agree to the <0>terms and conditions.","417864079":"You’ll not be able to change currency once you have made a deposit.","420072489":"CFD trading frequency","422055502":"From","423608897":"Limits your total stake for 30 days across all Deriv platforms.","425729324":"You are using a demo account. Please <0>switch to your real account or <1>create one to access Cashier.","426031496":"Stop","427134581":"Try using another file type.","427617266":"Bitcoin","428709688":"Your preferred time interval between each report:","430975601":"Town/City is not in a proper format.","432519573":"Document uploaded","433348384":"Real accounts are not available to politically exposed persons (PEPs).","433616983":"2. Investigation phase","434548438":"Highlight function definition","434896834":"Custom functions","437138731":"Create a new {{platform}} password","437453244":"Choose your preferred cryptocurrency","437485293":"File type not supported","437904704":"Maximum open positions","438067535":"Over $500,000","440529960":"Set your password","442520703":"$250,001 - $500,000","444484637":"Logic negation","450983288":"Your deposit is unsuccessful due to an error on the blockchain. Please contact your crypto wallet service provider for more info.","451852761":"Continue on your phone","452054360":"Similar to RSI, this block gives you a list of values for each entry in the input list.","453409608":"Your profit is the percentage change in market price times your stake and the multiplier of your choice.","454593402":"2. Please upload one of the following:","454664700":"FX-majors, FX-minors, FX-exotics, Cryptocurrencies","456746157":"Grant access to your camera from your browser settings","457020083":"It’ll take longer to verify you if we can’t read it","457494524":"1. From the block library, enter a name for the new variable and click Create.","459817765":"Pending","460975214":"Complete your Appropriateness Test","461795838":"Please contact us via live chat to unlock it.","462079779":"Resale not offered","463361726":"Select an item","465993338":"Oscar's Grind","466369320":"Your gross profit is the percentage change in market price times your stake and the multiplier chosen here.","473154195":"Settings","475492878":"Try Synthetic Indices","476023405":"Didn't receive the email?","477557241":"Remote blocks to load must be a collection.","478280278":"This block displays a dialog box that uses a customised message to prompt for an input. The input can be either a string of text or a number and can be assigned to a variable. When the dialog box is displayed, your strategy is paused and will only resume after you enter a response and click \"OK\".","479420576":"Tertiary","481276888":"Goes Outside","482028864":"Your contract will be closed automatically at the next available asset price when the duration exceeds {{ days }} {{ unit }} {{ timestamp }}.","483591040":"Delete all {{ delete_count }} blocks?","487239607":"Converts a given True or False to the opposite value","488150742":"Resend email","489768502":"Change investor password","491603904":"Unsupported browser","492198410":"Make sure everything is clear","496680295":"Choose country","497518317":"Function that returns a value","498562439":"or","499522484":"1. for \"string\": 1325.68 USD","500855527":"Chief Executives, Senior Officials and Legislators","500920471":"This block performs arithmetic operations between two numbers.","501401157":"You are only allowed to make deposits","501537611":"*Maximum number of open positions","502041595":"This block gives you a specific candle from within the selected time interval.","503137339":"Payout limit","505793554":"last letter","508390614":"Demo Financial STP","510815408":"Letters, numbers, spaces, hyphens only","514031715":"list {{ input_list }} is empty","514776243":"Your {{account_type}} password has been changed.","514948272":"Copy link","518955798":"7. Run Once at Start","520136698":"Boom 500 Index","521872670":"item","521947594":"Launch DTrader in seconds the next time you want to trade.","522283618":"Digital options trading experience","522703281":"divisible by","523123321":"- 10 to the power of a given number","527329988":"This is a top-100 common password","529056539":"Options","530953413":"Authorised applications","531114081":"3. Contract Type","531675669":"Euro","535041346":"Max. total stake per day","538228086":"Close-Low","541650045":"Manage {{platform}} password","542305026":"You must also submit a proof of identity.","545476424":"Total withdrawals","546534357":"If you select “Deal cancellation”, you’ll be able to cancel your trade within a chosen time frame should the market move against your favour. We’ll charge a small fee for this, but we’ll return your stake amount without profit or loss. If the stop-out amount is reached before the deal cancellation expires, your position will be cancelled automatically and we’ll return your stake amount without profit or loss. While “Deal cancellation” is active:","549348623":"Send only Tether Omni to this deposit address.<0 /><0 />Sending Tether ERC20 to this address will result in the loss of your deposit.","549479175":"Deriv Multipliers","551414637":"Click the <0>Change password button to change your DMT5 password.","551569133":"Learn more about trading limits","554410233":"This is a top-10 common password","555351771":"After defining trade parameters and trade options, you may want to instruct your bot to purchase contracts when specific conditions are met. To do that you can use conditional blocks and indicators blocks to help your bot to make decisions.","556095366":"We'll process your details within a few minutes and notify its status via email.","556264438":"Time interval","561982839":"Change your currency","562599414":"This block returns the purchase price for the selected trade type. This block can be used only in the \"Purchase conditions\" root block.","563034502":"We shall try to resolve your complaint within 15 business days. We will inform you of the outcome together with an explanation of our position and propose any remedial measures we intend to take.","563166122":"We shall acknowledge receiving your complaint, review it carefully, and keep you updated on the handling process. We might request further information or clarifications to facilitate the resolution of the complaint.","563652273":"Go to block","565410797":"The below image illustrates how Simple Moving Average Array block works:","566274201":"1. Market","567019968":"A variable is among the most important and powerful components in creating a bot. It is a way to store information, either as text or numbers. The information stored as a variable can be used and changed according to the given instructions. Variables can be given any name, but usually they are given useful, symbolic names so that it is easier to call them during the execution of instructions.","567163880":"Create a {{platform}} password","567755787":"Tax Identification Number is required.","569057236":"In which country was your document issued?","569923414":"If you have a DMT5 real account, log in to close any open positions.","571921777":"Funds protection level","573173477":"Is candle {{ input_candle }} black?","577215477":"count with {{ variable }} from {{ start_number }} to {{ end_number }} by {{ step_size }}","577779861":"Withdrawal","577883523":"4. Awards and orders","578099923":"Get a faster mobile trading experience with the <0>Deriv GO app!","578522309":"These trading limits and self-exclusion help you control the amount of money and time you spend on Deriv.com and exercise <0>responsible trading.","578640761":"Call Spread","579529868":"Show all details — including the bottom 2 lines","580431127":"Restart buy/sell on error (disable for better performance): {{ checkbox }}","580665362":"Stays In/Goes Out","580774080":"insert at","581168980":"Legal","582945649":"2 minutes","584028307":"Allow equals","589609985":"Linked with {{identifier_title}}","593459109":"Try a different currency","595136687":"Save Strategy","597089493":"Here is where you can decide to sell your contract before it expires. Only one copy of this block is allowed.","597481571":"DISCLAIMER","597707115":"Tell us about your trading experience.","599469202":"{{secondPast}}s ago","602278674":"Verify identity","606240547":"- Natural log","606877840":"Back to today","607807243":"Get candle","609650241":"Infinite loop detected","610537973":"Any information you provide is confidential and will be used for verification purposes only.","611020126":"View address on Blockchain","611786123":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies, Stocks, and Stock Indices","613877038":"Chart","617345387":"If you select \"Reset-Up”, you win the payout if the exit spot is strictly higher than either the entry spot or the spot at reset time.","617400581":"Client login ID","618520466":"Example of a cut-off document","619268911":"<0>a.The Financial Commission will investigate the validity of the complaint within 5 business days.","619407328":"Are you sure you want to unlink from {{identifier_title}}?","623192233":"Please complete the <0>Appropriateness Test to access your cashier.","623542160":"Exponential Moving Average Array (EMAA)","626175020":"Standard Deviation Up Multiplier {{ input_number }}","626809456":"Resubmit","627292452":"<0>Your Proof of Identity or Proof of Address did not meet our requirements. Please check your email for further instructions.","627814558":"This block returns a value when a condition is true. Use this block within either of the function blocks above.","629145209":"In case if the \"AND\" operation is selected, the block returns \"True\" only if both given values are \"True\"","632398049":"This block assigns a null value to an item or statement.","634219491":"You have not provided your tax identification number. This information is necessary for legal and regulatory requirements. Please go to <0>Personal details in your account settings, and fill in your latest tax identification number.","636219628":"<0>c.If no settlement opportunity can be found, the complaint will proceed to the determination phase to be handled by the DRC.","639382772":"Please upload supported file type.","640596349":"You have yet to receive any notifications","640730141":"Refresh this page to restart the identity verification process","641420532":"We've sent you an email","642210189":"Please check your email for the verification link to complete the process.","642546661":"Upload back of license from your computer","643014039":"The trade length of your purchased contract.","644150241":"The number of contracts you have won since you last cleared your stats.","645016681":"Trading frequency in other financial instruments","645902266":"EUR/NZD","647192851":"Contract will be sold at the prevailing market price when the request is received by our servers. This price may differ from the indicated price.","647745382":"Input List {{ input_list }}","649317411":"On the basis of the information provided in relation to your knowledge and experience, we consider that the investments available via this website are not appropriate for you.<0/><1/>","649923867":"Adds a sign to a number to create a barrier offset. (deprecated)","651284052":"Low Tick","651684094":"Notify","652041791":"To create a Deriv X real account, create a Deriv real account first.","652298946":"Date of birth","654264404":"Up to 1:30","654507872":"True-False","654924603":"Martingale","655937299":"We’ll update your limits. Click <0>Accept to acknowledge that you are fully responsible for your actions, and we are not liable for any addiction or loss.","657325150":"This block is used to define trade options within the Trade parameters root block. Some options are only applicable for certain trade types. Parameters such as duration and stake are common among most trade types. Prediction is used for trade types such as Digits, while barrier offsets are for trade types that involve barriers such as Touch/No Touch, Ends In/Out, etc.","657444253":"Sorry, account opening is unavailable in your region.","659482342":"Please remember that it is your responsibility to keep your answers accurate and up to date. You can update your personal details at any time in your account settings.","660481941":"To access your mobile apps and other third-party apps, you'll first need to generate an API token.","660991534":"Finish","662609119":"Download the MT5 app","665777772":"XLM/USD","665872465":"In the example below, the opening price is selected, which is then assigned to a variable called \"op\".","672008428":"ZEC/USD","673915530":"Jurisdiction and choice of law","676159329":"Could not switch to default account.","677918431":"Market: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}","678517581":"Units","680334348":"This block was required to correctly convert your old strategy.","681926004":"Example of a blurry document","682056402":"Standard Deviation Down Multiplier {{ input_number }}","684282133":"Trading instruments","685391401":"If you're having trouble signing in, let us know via <0>chat","687212287":"Amount is a required field.","689137215":"Purchase price","691956534":"<0>You have added a {{currency}} account.<0> Make a deposit now to start trading.","693396140":"Deal cancellation (expired)","694532392":"Deriv X Password","696870196":"- Open time: the opening time stamp","697630556":"This market is presently closed.","698748892":"Let’s try that again","699159918":"1. Filing complaints","700259824":"Account currency","701034660":"We are still processing your withdrawal request.<0 />Please wait for the transaction to be completed before deactivating your account.","701462190":"Entry spot","701647434":"Search for string","706727320":"Binary options trading frequency","706755289":"This block performs trigonometric functions.","710123510":"repeat {{ while_or_until }} {{ boolean }}","711029377":"Please confirm the transaction details in order to complete the withdrawal:","711999057":"Successful","712101776":"Take a photo of your passport photo page","712635681":"This block gives you the selected candle value from a list of candles. You can choose from open price, close price, high price, low price, and open time.","713054648":"Sending","714080194":"Submit proof","715841616":"Please enter a valid phone number (e.g. +15417541234).","716428965":"(Closed)","718504300":"Postal/ZIP code","718710899":"We can't change your account currency as you've either made a deposit into your {{currency}} account or created a real account on DMT5 or Deriv X.","718724141":"Expires in","720293140":"Log out","720519019":"Reset my password","721011817":"- Raise the first number to the power of the second number","723961296":"Manage password","724203548":"You can send your complaint to the <0>European Commission's Online Dispute Resolution (ODR) platform. This is not applicable to UK clients.","728042840":"To continue trading with us, please confirm where you live.","728824018":"Spanish Index","730473724":"This block performs the \"AND\" or the \"OR\" logic operation with the given values.","731382582":"BNB/USD","734390964":"Insufficient balance","734881840":"false","744110277":"Bollinger Bands Array (BBA)","745656178":"Use this block to sell your contract at the market price.","745674059":"Returns the specific character from a given string of text according to the selected option. ","746112978":"Your computer may take a few seconds to update","752024971":"Reached maximum number of digits","752992217":"This block gives you the selected constant values.","753088835":"Default","753184969":"In providing our services to you, we are required to obtain information from you in order to assess whether a given product or service is appropriate for you (that is, whether you possess the experience and knowledge to understand the risks involved).<0/><1/>","753727511":"Type","756152377":"SMA places equal weight to the entire distribution of values.","758003269":"make list from text","759783233":"For more information and assistance to counselling and support services, please visit <0>begambleaware.org.","760528514":"Please note that changing the value of \"i\" won't change the value of the original item in the list","761576760":"Fund your account to start trading.","762185380":"<0>Multiply returns by <0>risking only what you put in.","762871622":"{{remaining_time}}s","764366329":"Trading limits","764540515":"Stopping the bot is risky","766317539":"Language","770171141":"Go to {{hostname}}","772632060":"Do not send any other currency to the following address. Otherwise, you'll lose funds.","773091074":"Stake:","773309981":"Oil/USD","773336410":"Tether is a blockchain-enabled platform designed to facilitate the use of fiat currencies in a digital manner.","775679302":"{{pending_withdrawals}} pending withdrawal(s)","776085955":"Strategies","776887587":"Our products and services may expose you to risks that can be substantial at times, including the risk of losing your entire investment. Please note that by clicking <0>Continue, you'll be accepting these risks.","781924436":"Call Spread/Put Spread","783974693":"Avoid recent years","784311461":"Exponential Moving Average (EMA)","784583814":"Linked to your computer","785969488":"Jump 75 Index","787727156":"Barrier","788005234":"NA","790168327":"Deriv X accounts","792739000":"We’ll review your document and notify you of its status within 1 to 2 hours.","793526589":"To file a complaint about our service, send an email to <0>complaints@deriv.com and state your complaint in detail. Please submit any relevant screenshots of your trading or system for our better understanding.","793531921":"Our company is one of the oldest and most reputable online trading companies in the world. We are committed to treat our clients fairly and provide them with excellent service.<0/><1/>Please provide us with feedback on how we can improve our services to you. Rest assured that you will be heard, valued, and treated fairly at all times.","794682658":"Copy the link to your phone","796845736":"To continue trading with us, you need to send us a copy of any one of these government-issued photo ID documents via <0>LiveChat.","797007873":"Follow these steps to recover camera access:","797500286":"negative","800521289":"Your personal details are incomplete","802436811":"View transaction details","802438383":"New proof of address is needed","802556390":"seconds","802989607":"Drag your XML file here","803500173":"Initial stake","807499069":"Financial commission complaints procedure","808323704":"You can also use \"Compare\" and \"Logic operation\" blocks to make test variables.","816580787":"Welcome back! Your messages have been restored.","816738009":"<0/><1/>You may also raise your unresolved dispute to the <2>Office of the Arbiter for Financial Services.","818447476":"Switch account?","820877027":"Please verify your proof of identity","823186089":"A block that can contain text.","824797920":"Is list empty?","825582207":"Tap here to upload (JPEG JPG PNG PDF GIF)","826511719":"USD/SEK","827688195":"Disable Block","828219890":"then","828602451":"Returns the list of tick values in string format","830164967":"Last name","830711697":"Driving license","830993327":"No current transactions available","832217983":"40 transactions or more in the past 12 months","832398317":"Sell Error","832588873":"Order execution","832721563":"If you select \"Low Tick\", you win the payout if the selected tick is the lowest among the next five ticks.","834966953":"1551661986 seconds since Jan 01 1970 (UTC) translates to 03/04/2019 @ 1:13am (UTC).","835058671":"Total buy price","835350845":"Add another word or two. Uncommon words are better.","837066896":"Your document is being reviewed, please check back in 1-3 days.","839618971":"ADDRESS","839805709":"To smoothly verify you, we need a better photo","841434703":"Disable stack","841543189":"View transaction on Blockchain","845213721":"Logout","845304111":"Slow EMA Period {{ input_number }}","848172194":"Trade major (standard and micro-lots) and minor currency pairs, stocks, stock indices, commodities, and cryptocurrencies with high leverage.","849805216":"Choose an agent","851054273":"If you select \"Higher\", you win the payout if the exit spot is strictly higher than the barrier.","851264055":"Creates a list with a given item repeated for a specific number of times.","851508288":"This block constrains a given number within a set range.","852583045":"Tick List String","854399751":"Digit code must only contain numbers.","854630522":"Choose a cryptocurrency account","857363137":"Volatility 300 (1s) Index","857445204":"Deriv currently supports withdrawals of Tether eUSDT to Ethereum wallet. To ensure a successful transaction, enter a wallet address compatible with the tokens you wish to withdraw. <0>Learn more","857986403":"do something","860319618":"Tourism","862283602":"Phone number*","863328851":"Proof of identity","864957760":"Math Number Positive","865424952":"High-to-Low","865642450":"2. Logged in from a different browser","866496238":"Make sure your license details are clear to read, with no blur or glare","869823595":"Function","872549975":"You have {{number}} transfers remaining for today.","872817404":"Entry Spot Time","872957901":"Dark (Coming soon to DBot)","873166343":"1. 'Log' displays a regular message.","874461655":"Scan the QR code with your phone","875532284":"Restart process on a different device","876086855":"Complete the financial assessment form","876292912":"Exit","877354242":"Trade on DTrader","879014472":"Reached maximum number of decimals","887328652":"As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our <0>Help Centre.","888274063":"Town/City","890299833":"Go to Reports","891097078":"USD Index","891337947":"Select country","892341141":"Your trading statistics since: {{date_time}}","893117915":"Variable","893963781":"Close-to-Low","893975500":"You do not have any recent bots","894191608":"<0>c.We must award the settlement within 28 days of when the decision is reached.","895890867":"Your account will be opened with Deriv (SVG) LLC, and will be subject to the laws of Saint Vincent and the Grenadines.","897687778":"Your Deriv password is for logging in to your Deriv account.","898457777":"You have added a Deriv Financial account.","902045490":"3 minutes","903429103":"In candles list read {{ candle_property }} # from end {{ input_number }}","904696726":"API token","905134118":"Payout:","905227556":"Strong passwords contain at least 8 characters, combine uppercase and lowercase letters and numbers.","910888293":"Too many attempts","912344358":"I hereby confirm that the tax information I provided is true and complete. I will also inform Deriv Investments (Europe) Limited about any changes to this information.","915735109":"Back to {{platform_name}}","918447723":"Real","919739961":"Transfers are possible only between your fiat and cryptocurrency accounts, your Deriv account and Deriv MT5 (DMT5) account, or your Deriv account and Deriv X account.","920125517":"Add demo account","926813068":"Fixed/Variable","930346117":"Capitalization doesn't help very much","930546422":"Touch","933126306":"Enter some text here","933193610":"Only letters, periods, hyphens, apostrophes, and spaces, please.","934835052":"Potential profit","934932936":"PERSONAL","936766426":"You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit.","937237342":"Strategy name cannot be empty","937831119":"Last name*","937992258":"Table","938988777":"High barrier","940950724":"This trade type is currently not supported on {{website_name}}. Please go to <0>Binary.com for details.","943535887":"Please close your positions in the following Deriv MT5 account(s):","944499219":"Max. open positions","945532698":"Contract sold","946204249":"Read","946841802":"A white (or green) candle indicates that the open price is lower than the close price. This represents an upward movement of the market price.","946944859":"Hit the button below and we'll send you an email with a link. Click that link to verify your withdrawal request.","947046137":"Your withdrawal will be processed within 24 hours","947363256":"Create list","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948545552":"150+","949859957":"Submit","952655566":"Payment agent","956448295":"Cut-off image detected","957182756":"Trigonometric functions","958430760":"In/Out","959031082":"set {{ variable }} to MACD Array {{ dropdown }} {{ dummy }}","960201789":"3. Sell conditions","961692401":"Bot","964780376":"We couldn’t verify your personal details with our records, to enable deposit, withdrawals and trading, you need to upload proof of your identity.","966457287":"set {{ variable }} to Exponential Moving Average {{ dummy }}","968576099":"Up/Down","969987233":"Win up to maximum payout if exit spot is between lower and upper barrier, in proportion to the difference between exit spot and lower barrier.","970915884":"AN","974888153":"High-Low","975950139":"Country of Residence","977929335":"Go to my account settings","981138557":"Redirect","982402892":"First line of address","982829181":"Barriers","988361781":"You have no trading activity yet.","988934465":"When prompted, you must enable camera access to continue","992294492":"Your postal code is invalid","995563717":"not {{ boolean }}","999008199":"text","1001160515":"Sell","1004127734":"Send email","1006458411":"Errors","1006664890":"Silent","1008240921":"Choose a payment agent and contact them for instructions.","1009032439":"All time","1010198306":"This block creates a list with strings and numbers.","1012102263":"You will not be able to log in to your account until this date (up to 6 weeks from today).","1015201500":"Define your trade options such as duration and stake.","1016220824":"You need to switch to a real money account to use this feature.<0/>You can do this by selecting a real account from the <1>Account Switcher.","1018803177":"standard deviation","1019265663":"You have no transactions yet.","1019508841":"Barrier 1","1022934784":"1 minute","1023237947":"1. In the example below, the instructions are repeated as long as the value of x is less than or equal to 10. Once the value of x exceeds 10, the loop is terminated.","1023643811":"This block purchases contract of a specified type.","1023795011":"Even/Odd","1024205076":"Logic operation","1026046972":"Please enter a payout amount that's lower than {{max_payout}}.","1027098103":"Leverage gives you the ability to trade a larger position using your existing capital. Leverage varies across different symbols.","1028211549":"All fields are required","1028758659":"Citizenship*","1030021206":"change {{ variable }} by {{ number }}","1031602624":"We've sent a secure link to %{number}","1031731167":"Pound Sterling","1032173180":"Deriv","1032907147":"AUD/NZD","1035506236":"Choose a new password","1035893169":"Delete","1036867749":"The desired duration, stake, prediction, and/or barrier(s) for the contract is defined here.","1038575777":"Change password","1039755542":"Use a few words, avoid common phrases","1040677897":"To continue trading, you must also submit a proof of address.","1041001318":"This block performs the following operations on a given list: sum, minimum, maximum, average, median, mode, antimode, standard deviation, random item.","1041620447":"If you are unable to scan the QR code, you can manually enter this code instead:","1042659819":"You have an account that needs action","1043790274":"There was an error","1044540155":"100+","1044599642":"<0> has been credited into your {{platform}} {{title}} account.","1045242890":"Proof of identity verification failed","1045704971":"Jump 150 Index","1045782294":"Click the <0>Change password button to change your Deriv password.","1047389068":"Food Services","1048947317":"Sorry, this app is unavailable in {{clients_country}}.","1049384824":"Rise","1050844889":"Reports","1052137359":"Family name*","1052779010":"You are on your demo account","1053153674":"Jump 50 Index","1053159279":"Level of education","1055313820":"No document detected","1056381071":"Return to trade","1056821534":"Are you sure?","1057216772":"text {{ input_text }} is empty","1057749183":"Two-factor authentication (2FA)","1057765448":"Stop out level","1057904606":"The concept of the D’Alembert Strategy is said to be similar to the Martingale Strategy where you will increase your contract size after a loss. With the D’Alembert Strategy, you will also decrease your contract size after a successful trade.","1061308507":"Purchase {{ contract_type }}","1062536855":"Equals","1062721059":"Transfers may be unavailable when the market is closed (weekends or holidays), periods of high volatility, or when there are technical issues.","1065498209":"Iterate (1)","1069347258":"The verification link you used is invalid or expired. Please request for a new one.","1069576070":"Purchase lock","1070624871":"Check proof of address document verification status","1076006913":"Profit/loss on the last {{item_count}} contracts","1077515534":"Date to","1080068516":"Action","1080990424":"Confirm","1082158368":"*Maximum account cash balance","1082406746":"Please enter a stake amount that's at least {{min_stake}}.","1083781009":"Tax identification number*","1083826534":"Enable Block","1088138125":"Tick {{current_tick}} - ","1090191592":"Total assets in your Deriv and Deriv X demo accounts.","1090410775":"Contract Lost","1098622295":"\"i\" starts with the value of 1, and it will be increased by 2 at every iteration. The loop will repeat until \"i\" reaches the value of 12, and then the loop is terminated.","1100870148":"To learn more about account limits and how they apply, please go to the <0>Help Centre.","1101560682":"stack","1101712085":"Buy Price","1102995654":"Calculates Exponential Moving Average (EMA) list from a list of values with a period","1103309514":"Target","1103452171":"Cookies help us to give you a better experience and personalised content on our site.","1104912023":"Pending verification","1106261041":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC, Deriv (FX) Ltd, and Deriv (V) Ltd.","1107555942":"To","1109217274":"Success!","1110102997":"Statement","1112582372":"Interval duration","1113119682":"This block gives you the selected candle value from a list of candles.","1113292761":"Less than 8MB","1113808050":"Total assets in your Deriv and Deriv X real accounts.","1117863275":"Security and safety","1118294625":"You have chosen to exclude yourself from trading on our website until {{exclusion_end}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.","1119887091":"Verification","1119986999":"Your proof of address was submitted successfully","1120985361":"Terms & conditions updated","1123927492":"You have not selected your account currency","1125090693":"Must be a number","1126934455":"Length of token name must be between 2 and 32 characters.","1127149819":"Make sure§","1128404172":"Undo","1129124569":"If you select \"Under\", you will win the payout if the last digit of the last tick is less than your prediction.","1129296176":"IMPORTANT NOTICE TO RECEIVE YOUR FUNDS","1129842439":"Please enter a take profit amount.","1129984312":"Bank Wire","1130744117":"We shall try to resolve your complaint within 10 business days. We will inform you of the outcome together with an explanation of our position and propose any remedial measures we intend to take.","1130791706":"N","1133651559":"Live chat","1134879544":"Example of a document with glare","1139483178":"Enable stack","1143730031":"Direction is {{ direction_type }}","1144028300":"Relative Strength Index Array (RSIA)","1145927365":"Run the blocks inside after a given number of seconds","1146064568":"Go to Deposit page","1147269948":"Barrier cannot be zero.","1149790519":"Each transaction will be confirmed once we receive three confirmations from the blockchain.","1151964318":"both sides","1154021400":"list","1154239195":"Title and name","1155011317":"This block converts the date and time to the number of seconds since the Unix Epoch (1970-01-01 00:00:00).","1158678321":"<0>b.The Head of the Dispute Resolution Committee (DRC) will contact both you and us within 5 business days to obtain all necessary information and see if there is a chance to settle the complaint during the investigation phase.","1160761178":"No payout if exit spot is below or equal to the lower barrier.","1161924555":"Please select an option","1163836811":"Real Estate","1164773983":"Take profit and/or stop loss are not available while deal cancellation is active.","1166128807":"Choose one of your accounts or add a new cryptocurrency account","1166377304":"Increment value","1168029733":"Win payout if exit spot is also equal to entry spot.","1169201692":"Create {{platform}} password","1173187492":"Deactivate account","1174542625":"- Find the chat ID property in the response, and copy the value of the id property","1174748431":"Payment channel","1176926166":"Experience with trading other financial instruments","1177396776":"If you select \"Asian Fall\", you will win the payout if the last tick is lower than the average of the ticks.","1177723589":"There are no transactions to display","1178582280":"The number of contracts you have lost since you last cleared your stats.","1178800778":"Take a photo of the back of your license","1178942276":"Please try again in a minute.","1179704370":"Please enter a take profit amount that's higher than the current potential profit.","1181396316":"This block gives you a random number from within a set range","1181770592":"Profit/loss from selling","1183007646":"- Contract type: the name of the contract type such as Rise, Fall, Touch, No Touch, etс.","1188980408":"5 minutes","1189368976":"Please complete your personal details before you verify your identity.","1191644656":"Predict the market direction and select either “Up” or “Down” to open a position. We will charge a commission when you open a position.","1192708099":"Duration unit","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1198368641":"Relative Strength Index (RSI)","1199281499":"Last Digits List","1201533528":"Contracts won","1201773643":"numeric","1203297580":"This block sends a message to a Telegram channel.","1204202371":"No open positions","1204223111":"In this example, the open prices from a list of candles are assigned to a variable called \"candle_list\".","1204919083":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC.","1206821331":"Armed Forces","1207696150":"Change","1208729868":"Ticks","1208903663":"Invalid token","1211912982":"Bot is starting","1214893428":"Account creation is currently unavailable for mobile. Please log in with your computer to create a new account.","1216408337":"Self-Employed","1218546232":"What is Fiat onramp?","1219844088":"do %1","1222096166":"Deposit via bank wire, credit card, and e-wallet","1222521778":"Making deposits and withdrawals is difficult.","1222544232":"We’ve sent you an email","1225150022":"Number of assets","1226027513":"Transfer from","1227074958":"random fraction","1227240509":"Trim spaces","1228208126":"Please Verify your address","1228534821":"Some currencies may not be supported by payment agents in your country.","1229883366":"Tax identification number","1230884443":"State/Province (optional)","1231282282":"Use only the following special characters: {{permitted_characters}}","1232291311":"Maximum withdrawal remaining","1232353969":"0-5 transactions in the past 12 months","1233300532":"Payout","1234292259":"Source of wealth","1235426525":"50%","1237330017":"Pensioner","1238311538":"Admin","1239940690":"Restarts the bot when an error is encountered.","1240027773":"Please Log in","1243064300":"Local","1245469923":"FX-majors (standard/micro lots), FX-minors, Smart-FX, Commodities, Cryptocurrencies","1246207976":"Enter the authentication code generated by your 2FA app:","1246880072":"Select issuing country","1247280835":"Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.","1248018350":"Source of income","1248940117":"<0>a.The decisions made by the DRC are binding on us. DRC decisions are binding on you only if you accept them.","1250495155":"Token copied!","1254565203":"set {{ variable }} to create list with","1255909792":"last","1255963623":"To date/time {{ input_timestamp }} {{ dummy }}","1258097139":"What could we do to improve?","1258198117":"positive","1259598687":"GBP/JPY","1260259925":"Phone is not in a proper format.","1263387702":"All {{count}} account types use market execution. This means you agree with the broker's price in advance and will place orders at the broker's price.","1264096613":"Search for a given string","1265704976":"","1270581106":"If you select \"No Touch\", you win the payout if the market never touches the barrier at any time during the contract period.","1272012156":"GBP/CHF","1272337240":"Days","1272681097":"Hours","1274819385":"3. Complaints and Disputes","1275474387":"Quick","1281045211":"Sorts the items in a given list, by their numeric or alphabetical value, in either ascending or descending order.","1281290230":"Select","1282951921":"Only Downs","1284522768":"If \"Loss\" is selected, it will return \"True\" if your last trade was unsuccessful. Otherwise, it will return an empty string.","1286094280":"Withdraw","1286507651":"Close identity verification screen","1288965214":"Passport","1289646209":"Margin call","1290525720":"Example: ","1291887623":"Digital options trading frequency","1292891860":"Notify Telegram","1293660048":"Max. total loss per day","1294756261":"This block creates a function, which is a group of instructions that can be executed at any time. Place other blocks in here to perform any kind of action that you need in your strategy. When all the instructions in a function have been carried out, your bot will continue with the remaining blocks in your strategy. Click the “do something” field to give it a name of your choice. Click the plus icon to send a value (as a named variable) to your function.","1295284664":"Please accept our <0>updated Terms and Conditions to proceed.","1299479533":"8 hours","1301668579":"We’re working to have this available for you soon. If you have another account, switch to that account to continue trading. You may add a DMT5 Financial.","1302691457":"Occupation","1303016265":"Yes","1303530014":"We’re processing your withdrawal.","1304083330":"copy","1304620236":"Enable camera","1304788377":"<0/><1/>If your complaint relates to our data processing practices, you can submit a formal complaint to the <2>Information and Data Protection Commissioner (Malta) on their website or make a complaint to any supervisory authority within the European Union.","1308625834":"Sets the default time interval for blocks that read list of candles.","1309017029":"Enabling this allows you to save your blocks as one collection which can be easily integrated into other bots.","1309044871":"Returns the value of the latest tick in string format","1310483610":"Results for \"{{ search_term }}\"","1311680770":"payout","1313167179":"Please log in","1313302450":"The bot will stop trading if your total loss exceeds this amount.","1314671947":"DMT5 Accounts","1316216284":"You can use this password for all your {{platform}} accounts.","1319217849":"Check your mobile","1320750775":"Front and back","1322804930":"Restart the process on the latest version of Google Chrome","1323327633":"Our complaints process comprises the following 4 steps:","1323476617":"Changes the capitalisation of a string of text to Upper case, Lower case, Title case.","1323996051":"Profile","1324110809":"Address information","1324922837":"2. The new variable will appear as a block under Set variable.","1327494533":"{{sell_value}} (Sell)","1329136554":"Jump 200 Index","1329325646":"The content of this block is called on every tick","1331199417":"Please enter the correct format. ","1332168410":"Learn more","1332168769":"Disconnect","1333576137":"Please update your {{details}} to continue.","1333839457":"Submit identity card (front)","1334326985":"It may take a few minutes to arrive","1335967988":"Notice","1337846406":"This block gives you the selected candle value from a list of candles within the selected time interval.","1337864666":"Photo of your document","1338496204":"Ref. ID","1340314141":"Go to SmartTrader","1341840346":"View in Journal","1346204508":"Take profit","1346339408":"Managers","1347071802":"{{minutePast}}m ago","1348009461":"Please close your positions in the following Deriv X account(s):","1349142948":"DMT5 Financial","1349289354":"Great, that's everything we need","1349295677":"in text {{ input_text }} get substring from {{ position1 }} {{ index1 }} to {{ position2 }} {{ index2 }}","1351152200":"Welcome to Deriv MT5 (DMT5) dashboard","1353197182":"Please select","1355250245":"{{ calculation }} of list {{ input_list }}","1356574493":"Returns a specific portion of a given string of text.","1356607862":"Deriv password","1357129681":"{{num_day}} days {{num_hour}} hours {{num_minute}} minutes","1357213116":"Identity card","1358543466":"Not available","1359424217":"You have sold this contract at <0 />","1360929368":"Add a Deriv account","1362578283":"High","1363060668":"Your trading statistics since:","1363675688":"Duration is a required field.","1366244749":"Limits","1367023655":"To ensure your loss does not exceed your stake, your contract will be closed automatically when your loss equals to <0/>.","1367488817":"4. Restart trading conditions","1367990698":"Volatility 10 Index","1369709538":"Our terms of use","1371193412":"Cancel","1371641641":"Open the link on your mobile","1374627690":"Max. account balance","1376329801":"Last 60 days","1378419333":"Ether","1383017005":"You have switched accounts.","1384127719":"You should enter {{min}}-{{max}} numbers.","1384222389":"Please submit valid identity documents to unlock the cashier.","1385418910":"Please set a currency for your existing real account before creating another account.","1387503299":"Log in","1389197139":"Import error","1390792283":"Trade parameters","1390897177":"To deposit cryptocurrency, switch your account.","1391174838":"Potential payout:","1392966771":"Mrs","1392985917":"This is similar to a commonly used password","1393559748":"Invalid date/time: {{ datetime_string }}","1393901361":"There’s an app for that","1393903598":"if true {{ return_value }}","1396179592":"Commission","1396294094":"Deposit with DP2P","1396417530":"Bear Market Index","1397046738":"View in statement","1397628594":"Insufficient funds","1399620764":"We're legally obliged to ask for your financial information.","1400637999":"(All fields are required)","1400732866":"View from camera","1400962248":"High-Close","1402208292":"Change text case","1403376207":"Update my details","1405584799":"with interval: {{ candle_interval_type }}","1407191858":"DTrader","1408844944":"Click the plus icon to extend the functionality of this block.","1412535872":"You can check the result of the last trade with this block. It can only be placed within the \"Restart trading conditions\" root block.","1413047745":"Assigns a given value to a variable","1413359359":"Make a new transfer","1414205271":"prime","1415006332":"get sub-list from first","1415974522":"If you select \"Differs\", you will win the payout if the last digit of the last tick is not the same as your prediction.","1417558007":"Max. total loss over 7 days","1417914636":"Login ID","1418115525":"This block repeats instructions as long as a given condition is true.","1421749665":"Simple Moving Average (SMA)","1422060302":"This block replaces a specific item in a list with another given item. It can also insert the new item in the list at a specific position.","1422129582":"All details must be clear — nothing blurry","1423082412":"Last Digit","1424741507":"See more","1424779296":"If you've recently used bots but don't see them in this list, it may be because you:","1429669335":"Indicators on the chart tab are for indicative purposes only and may vary slightly from the ones on the DBot workspace.","1430396558":"5. Restart buy/sell on error","1430632931":"To get trading, please confirm who you are, and where you live.","1433367863":"Sorry, an error occured while processing your request.","1434382099":"Displays a dialog window with a message","1434976996":"Announcement","1435363248":"This block converts the number of seconds since the Unix Epoch to a date and time format such as 2019-08-01 00:00:00.","1435380105":"Minimum deposit","1437396005":"Add comment","1438340491":"else","1438902817":"Letters, spaces, periods, hyphens and apostrophes only.","1439168633":"Stop loss:","1441208301":"Total<0 />profit/loss","1442747050":"Loss amount: <0>{{profit}}","1442840749":"Random integer","1443478428":"Selected proposal does not exist","1443544547":"Synthetic indices in the EU are offered by Deriv (Europe) Limited, W Business Centre, Level 3, Triq Dun Karm, Birkirkara BKR 9033, Malta, licensed and regulated by the Malta Gaming Authority (<0>licence no. MGA/B2C/102/2000) and by the Revenue Commissioners for clients in Ireland (<2>licence no. 1010285).","1445592224":"You accidentally gave us another email address (Usually a work or a personal one instead of the one you meant).","1447846025":"You should enter 0-25 characters.","1449462402":"In review","1452260922":"Too many failed attempts","1452941569":"This block delays execution for a given number of seconds. You can place any blocks within this block. The execution of other blocks in your strategy will be paused until the instructions in this block are carried out.","1453317405":"This block gives you the balance of your account either as a number or a string of text.","1453362009":"Deriv Accounts","1453415617":"Create a DMT5 real Financial STP account","1454648764":"deal reference id","1454865058":"Do not enter an address linked to an ICO purchase or crowdsale. If you do, the ICO tokens will not be credited into your account.","1457603571":"No notifications","1461323093":"Display messages in the developer’s console.","1464190305":"This block will transfer the control back to the Purchase conditions block, enabling you to purchase another contract without manually stopping and restarting your bot.","1464253511":"You already have an account for each of the cryptocurrencies available on {{deriv}}.","1465919899":"Pick an end date","1466430429":"Should be between {{min_value}} and {{max_value}}","1466900145":"Doe","1467421920":"with interval: %1","1467661678":"Cryptocurrency trading","1468308734":"This block repeats instructions as long as a given condition is true","1468419186":"Deriv currently supports withdrawals of Tether USDT to Omni wallet. To ensure a successful transaction, enter a wallet address compatible with the tokens you wish to withdraw. <0>Learn more","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1471070549":"Can contract be sold?","1471741480":"Severe error","1475513172":"Size","1475523125":"View the trading history.","1476301886":"Similar to SMA, this block gives you the entire SMA line containing a list of all values for a given period.","1481977420":"Please help us verify your withdrawal request.","1484336612":"This block is used to either terminate or continue a loop, and can be placed anywhere within a loop block.","1490583127":"DBot isn't quite ready for real accounts","1491392301":"<0>Sold for: {{sold_for}}","1492686447":"Your MT5 Financial STP account will be opened through Deriv (FX) Ltd. All trading in this account is subject to the regulations and guidelines of the Labuan Financial Service Authority (LFSA). None of your other accounts, including your Deriv account, is subject to the regulations and guidelines of the Labuan Financial Service Authority (LFSA).","1496810530":"GBP/AUD","1499074768":"Add a real Deriv Multipliers account","1499080621":"Tried to perform an invalid operation.","1502039206":"Over {{barrier}}","1502325741":"Your password cannot be the same as your email address.","1503618738":"- Deal reference ID: the reference ID of the contract","1505898522":"Download stack","1506251760":"Wallets","1509570124":"{{buy_value}} (Buy)","1509678193":"Education","1510075920":"Gold/USD","1510357015":"Tax residence is required.","1510735345":"This block gives you a list of the last digits of the last 1000 tick values.","1512469749":"In the above example it is assumed that variable candle_open_price is processed somewhere within other blocks.","1515034599":"This complaints policy, which may change from time to time, applies to your account registered with Deriv (MX) Ltd, having its registered office address at First Floor, Millennium House, Victoria Road, Douglas, Isle of Man, IM2 4RW, licensed and regulated respectively by (1) the Gambling Supervision Commission in the Isle of Man (current <0>licence issued on 31 August 2017) and (2) the Gambling Commission in the UK (<1>licence no. 39172).","1516676261":"Deposit","1519336051":"Try a different phone number","1520332426":"Net annual income","1524636363":"Authentication failed","1527251898":"Unsuccessful","1527906715":"This block adds the given number to the selected variable.","1531017969":"Creates a single text string from combining the text value of each attached item, without spaces in between. The number of items can be added accordingly.","1531827821":"To avoid loss of funds, please <0>do not send ERC20 tokens, and <1>do not use Binance Chain (BNB) and Binance Smart Chain (BSC) networks.","1533177906":"Fall","1534796105":"Gets variable value","1539108340":"EUR Index","1540585098":"Decline","1541969455":"Both","1544642951":"If you select \"Only Ups\", you win the payout if consecutive ticks rise successively after the entry spot. No payout if any tick falls or is equal to any of the previous ticks.","1548765374":"Verification of document number failed","1549098835":"Total withdrawn","1552080191":"Excluded from Deriv.com until","1552918367":"Send only {{currency}} ({{currency_symbol}}) to this address.","1557682012":"Account Settings","1558972889":"set {{ variable }} to Simple Moving Average {{ dummy }}","1560302445":"Copied","1561490926":"Trade server: ","1562374116":"Students","1565336048":"Contract Won","1566037033":"Bought: {{longcode}} (ID: {{transaction_id}})","1567076540":"Only use an address for which you have proof of residence - ","1567586204":"Self-exclusion","1569624004":"Dismiss alert","1570484627":"Ticks list","1572504270":"Rounding operation","1572982976":"Server","1575556189":"Tether on the Ethereum blockchain, as an ERC20 token, is a newer transport layer, which now makes Tether available in Ethereum smart contracts. As a standard ERC20 token, it can also be sent to any Ethereum address.","1577480486":"Your mobile link will expire in one hour","1577527507":"Account opening reason is required.","1577612026":"Select a folder","1580498808":"Multiple faces found","1584109614":"Ticks String List","1584936297":"XML file contains unsupported elements. Please check or modify file.","1587046102":"Documents from that country are not currently supported — try another document type","1589640950":"Resale of this contract is not offered.","1589702653":"Proof of address","1594147169":"Please come back in","1594322503":"Sell is available","1596378630":"You have added a real Gaming account.<0/>Make a deposit now to start trading.","1598009247":"<0>a.You may file a complaint with the Financial Commission up to 45 days after the incident.","1598386296":"Town/City is required.","1598443642":"Transaction hash","1602894348":"Create a password","1604916224":"Absolute","1605292429":"Max. total loss","1612105450":"Get substring","1613633732":"Interval should be between 10-60 minutes","1615897837":"Signal EMA Period {{ input_number }}","1619070150":"You are being redirected to an external website.","1620278321":"Names and surnames by themselves are easy to guess","1620346110":"Set currency","1622662457":"Date from","1630372516":"Try our Fiat onramp","1630417358":"Please go to your account settings and complete your personal details to enable withdrawals.","1634594289":"Select language","1634903642":"Only your face can be in the selfie","1634969163":"Change currency","1636605481":"Platform settings","1636782601":"Multipliers","1638321777":"Your demo account balance is low. Reset your balance to continue trading from your demo account.","1639262461":"Pending withdrawal request:","1639304182":"Please click on the link in the email to reset your password.","1641395634":"Last digits list","1641635657":"New proof of identity document needed","1641980662":"Salutation is required.","1644656085":"Buy and sell contracts, renew expired purchases, and top up demo accounts.","1644908559":"Digit code is required.","1647186767":"The bot encountered an error while running.","1651513020":"Display remaining time for each interval","1651951220":"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"","1652366857":"get and remove","1652976865":"In this example, this block is used with another block to get the open prices from a list of candles. The open prices are then assigned to the variable called \"cl\".","1653136377":"copied!","1653159197":"Payment agent withdrawal","1653180917":"We cannot verify you without using your camera","1654365787":"Unknown","1654496508":"Our system will finish any DBot trades that are running, and DBot will not place any new trades.","1654721858":"Upload anyway","1655627840":"UPPER CASE","1656155124":"Resend in <0 /> seconds","1656970322":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (Europe) Limited, having its registered office address at W Business Centre, Level 3, Triq Dun Karm, Birkirkara, BKR 9033, Malta, licensed and regulated by the Malta Gaming Authority in Malta for gambling products only, <0>licence no. MGA/B2C/102/2000, and for clients residing in the UK by the UK Gambling Commission (account number 39495).","1658954996":"Plant and Machine Operators and Assemblers","1659074761":"Reset Put","1665272539":"Remember: You cannot log in to your account until the selected date.","1665738338":"Balance","1665756261":"Go to live chat","1667395210":"Your proof of identity was submitted successfully","1670426231":"End Time","1671232191":"You have set the following limits:","1677027187":"Forex","1677990284":"My apps","1682409128":"Untitled Strategy","1682636566":"Resend email in","1683501755":"We’ll process your documents within 1-3 days. Once they are verified, we’ll notify you via email.","1684419981":"What's this?","1686800117":"{{error_msg}}","1689103988":"Second Since Epoch","1689738742":"Gold Index","1691335819":"To continue trading with us, please confirm who you are.","1691765860":"- Negation","1693614409":"Start time","1694331708":"You can switch between CFDs, digital options, and multipliers at any time.","1695807119":"Could not load Google Drive blocks","1700233813":"Transfer from {{selected_value}} is not allowed, Please choose another account from dropdown","1708413635":"For your {{currency_name}} ({{currency}}) account","1709859601":"Exit Spot Time","1711013665":"Anticipated account turnover","1711676335":"square root","1711929663":"Your funds have been transferred","1712357617":"Invalid email address.","1715011380":"Jump 25 Index","1715630945":"Returns the total profit in string format","1720968545":"Upload passport photo page from your computer","1722401148":"The amount that you may add to your stake after each successful trade.","1723398114":"A recent utility bill (e.g. electricity, water, gas, phone or internet)","1723589564":"Represents the maximum number of outstanding contracts in your portfolio. Each line in your portfolio counts for one open position. Once the maximum is reached, you will not be able to open new positions without closing an existing position first.","1724696797":"You are limited to one fiat account only.","1726472773":"Function with no return value","1728121741":"Transactions.csv","1728183781":"About Tether","1729145421":"Risk warning","1731747596":"The block(s) highlighted in red are missing input values. Please update them and click \"Run bot\".","1732891201":"Sell price","1734185104":"Balance: %1","1734264460":"Disclaimer","1736292549":"Update postal code","1737352280":"Bot.init is not called","1738504192":"E-wallet","1738681493":"Remove your glasses, if necessary","1739384082":"Unemployed","1740371444":"Underlying market is not selected","1740843997":"Buy cryptocurrencies in an instant. Enjoy easy, quick, and secure exchanges using your local payment methods.","1743448290":"Payment agents","1743902050":"Complete your financial assessment","1745523557":"- Square root","1746051371":"Download the app","1746273643":"Moving Average Convergence Divergence","1747501260":"Sell conditions","1747523625":"Go back","1747674345":"Please use `.` as a decimal separator for fractional numbers.","1747682136":"Contract was cancelled.","1748754976":"Run","1749675724":"Deriv charges no commission across all account types.","1750065391":"Login time:","1753226544":"remove","1753975551":"Upload passport photo page","1756678453":"break out","1761038852":"Let’s continue with providing proofs of address and identity.","1761762171":"Restart last trade on error (bot ignores the unsuccessful trade): {{ checkbox }}","1762707297":"Phone number","1766993323":"Only letters, numbers, and underscores are allowed.","1767726621":"Choose agent","1768861315":"Minute","1768918213":"Only letters, space, hyphen, period, and apostrophe are allowed.","1769068935":"Choose any of these exchanges to buy cryptocurrencies:","1771037549":"Add a Deriv real account","1771592738":"Conditional block","1772532756":"Create and edit","1777847421":"This is a very common password","1778815073":"{{website_name}} is not affiliated with any Payment Agent. Customers deal with Payment Agents at their sole risk. Customers are advised to check the credentials of Payment Agents, and check the accuracy of any information about Payments Agents (on Deriv or elsewhere) before transferring funds.","1778893716":"Click here","1779519903":"Should be a valid number.","1780770384":"This block gives you a random fraction between 0.0 to 1.0.","1782308283":"Quick strategy","1782395995":"Last Digit Prediction","1782690282":"Blocks menu","1782703044":"Sign up","1787135187":"Postal/ZIP code is required","1788966083":"01-07-1999","1789497185":"Make sure your passport details are clear to read, with no blur or glare","1790770969":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies","1791432284":"Search for country","1791971912":"Recent","1793913365":"To deposit money, please switch to your {{currency_symbol}} account.","1794815502":"Download your transaction history.","1801093206":"Get candle list","1803338729":"Choose what type of contract you want to trade. For example, for the Rise/Fall trade type you can choose one of three options: Rise, Fall, or Both. Selected option will determine available options for the Purchase block.","1804620701":"Expiration","1804789128":"{{display_value}} Ticks","1806355993":"No commission","1806503050":"Please note that some payment methods might not be available in your country.","1808058682":"Blocks are loaded successfully","1808393236":"Login","1808867555":"This block uses the variable “i” to control the iterations. With each iteration, the value of “i” is determined by the items in a given list.","1810217569":"Please refresh this page to continue.","1810691615":"When you set your limits, they will be aggregated across all your account types in DTrader, DBot, and SmartTrader. For example, the losses made on all three platforms will add up and be counted towards the loss limit you set.","1811972349":"Market","1811973475":"Returns a specific character from a given string","1812582011":"Connecting to server","1813700208":"Boom 300 Index","1813958354":"Remove comment","1815034361":"alphabetic","1815995250":"Buying contract","1817154864":"This block gives you a random number from within a set range.","1820242322":"e.g. United States","1820332333":"Top up","1823177196":"Most popular","1824193700":"This block gives you the last digit of the latest tick value.","1827607208":"File not uploaded.","1828994348":"DMT5 is not available in {{country}}","1832974109":"SmartTrader","1833481689":"Unlock","1837762008":"Please submit your proof of identity and proof of address to verify your account in your account settings to access the cashier.","1838639373":"Resources","1839497304":"If you have a DMT5 or Deriv X real account, go to your <0>DMT5 or <1>Deriv X dashboard to withdraw your funds","1840865068":"set {{ variable }} to Simple Moving Average Array {{ dummy }}","1841788070":"Palladium/USD","1841996888":"Daily loss limit","1842266423":"back","1842862156":"Welcome to your Deriv X dashboard","1843658716":"If you select \"Only Downs\", you win the payout if consecutive ticks fall successively after the entry spot. No payout if any tick rises or is equal to any of the previous ticks.","1844033601":"Self-exclusion on the website only applies to your Deriv.com account and does not include other companies or websites.","1845892898":"(min: {{min_stake}} - max: {{max_payout}})","1846266243":"This feature is not available for demo accounts.","1846587187":"You have not selected your country of residence","1849484058":"Any unsaved changes will be lost.","1850031313":"- Low: the lowest price","1850132581":"Country not found","1850659345":"- Payout: the payout of the contract","1850663784":"Submit proofs","1851052337":"Place of birth is required.","1851776924":"upper","1851951013":"Please switch to your demo account to run your DBot.","1854480511":"Cashier is locked","1855566768":"List item position","1858251701":"minute","1863053247":"Please upload your identity document.","1866811212":"Deposit in your local currency via an authorised, independent payment agent in your country.","1866836018":"<0/><1/>If your complaint relates to our data processing practices, you can submit a formal complaint to your local supervisory authority.","1867217564":"Index must be a positive integer","1867783237":"High-to-Close","1869315006":"See how we protect your funds to unlock the cashier.","1869787212":"Even","1869851061":"Passwords","1870933427":"Crypto","1871196637":"True if the result of the last trade matches the selection","1871664426":"Note","1873838570":"Please verify your address","1874481756":"Use this block to purchase the specific contract you want. You may add multiple Purchase blocks together with conditional blocks to define your purchase conditions. This block can only be used within the Purchase conditions block.","1875505777":"If you have a Deriv real account, go to <0>Reports to close or sell any open positions.","1876325183":"Minutes","1877225775":"Your proof of address is verified","1877832150":"# from end","1879042430":"Appropriateness Test, WARNING:","1879412976":"Profit amount: <0>{{profit}}","1880029566":"Australian Dollar","1880097605":"prompt for {{ string_or_number }} with message {{ input_text }}","1880875522":"Create \"get %1\"","1881018702":"hour","1881587673":"Total stake since you last cleared your stats.","1882825238":"Restart trading conditions","1883531976":"Clerks","1885708031":"#","1887852176":"Site is being updated","1889357660":"Enter a value in minutes, up to 60480 minutes (equivalent to 6 weeks).","1890171328":"By clicking Accept below and proceeding with the Account Opening you should note that you may be exposing yourself to risks (which may be significant, including the risk of loss of the entire sum invested) that you may not have the knowledge and experience to properly assess or mitigate.","1890284485":"Explore DTrader","1890332321":"Returns the number of characters of a given string of text, including numbers, spaces, punctuation marks, and symbols.","1894667135":"Please verify your proof of address","1898670234":"{{formatted_opening_time}} (GMT) on {{opening_day}},<0> {{opening_date}}.","1903437648":"Blurry photo detected","1905032541":"We're now ready to verify your identity","1906639368":"If this is the first time you try to create a password, or you have forgotten your password, please reset it.","1907884620":"Add a real Deriv Gaming account","1908239019":"Make sure all of the document is in the photo","1909647105":"TRX/USD","1909769048":"median","1913777654":"Switch account","1914014145":"Today","1914270645":"Default Candle Interval: {{ candle_interval_type }}","1917523456":"This block sends a message to a Telegram channel. You will need to create your own Telegram bot to use this block.","1918633767":"Second line of address is not in a proper format.","1918796823":"Please enter a stop loss amount.","1919030163":"Tips to take a good selfie","1920217537":"Compare","1920468180":"How to use the SMA block","1921634159":"A few personal details","1922529883":"Boom 1000 Index","1922955556":"Use a longer keyboard pattern with more turns","1923431535":"“Stop loss” is deactivated and will only be available when “Deal cancellation” expires.","1924365090":"Maybe later","1924765698":"Place of birth*","1927244779":"Use only the following special characters: . , ' : ; ( ) @ # / -","1928930389":"GBP/NOK","1929309951":"Employment Status","1929694162":"Compare accounts","1930899934":"Tether","1931659123":"Run on every tick","1934302388":"We couldn’t verify your personal details with our records, to enable deposit, withdrawals and trading, you need to upload proof of your address.","1939902659":"Signal","1941915555":"Try later","1943440862":"Calculates Bollinger Bands (BB) list from a list with a period","1944204227":"This block returns current account balance.","1947527527":"1. This link was sent by you","1948092185":"GBP/CAD","1949719666":"Here are the possible reasons:","1950413928":"Submit identity documents","1952580688":"Submit passport photo page","1955219734":"Town/City*","1957759876":"Upload identity document","1958807602":"4. 'Table' takes an array of data, such as a list of candles, and displays it in a table format.","1959678342":"Highs & Lows","1960240336":"first letter","1964097111":"USD","1964165648":"Connection lost","1965916759":"Asian options settle by comparing the last tick with the average spot over the period.","1966023998":"2FA enabled","1966281100":"Console {{ message_type }} value: {{ input_message }}","1968025770":"Bitcoin Cash","1968077724":"Agriculture","1968368585":"Employment status","1971898712":"Add or manage account","1973536221":"You have no open positions yet.","1982912252":"Relative Strength Index (RSI) from a list with a period","1983387308":"Preview","1983544897":"P.O. Box is not accepted in address","1983676099":"Please check your email for details.","1984700244":"Request an input","1985637974":"Any blocks placed within this block will be executed at every tick. If the default candle interval is set to 1 minute in the Trade Parameters root block, the instructions in this block will be executed once every minute. Place this block outside of any root block.","1986498784":"BTC/LTC","1987080350":"Demo","1987447369":"Your cashier is locked","1988153223":"Email address","1988302483":"Take profit:","1988601220":"Duration value","1990735316":"Rise Equals","1991448657":"Don't know your tax identification number? Click <0>here to learn more.","1991524207":"Jump 100 Index","1994558521":"The platforms aren’t user-friendly.","1994600896":"This block requires a list of candles as an input parameter.","1995023783":"First line of address*","1996767628":"Please confirm your tax information.","1997138507":"If the last tick is equal to the average of the ticks, you don't win the payout.","1998199587":"You can also exclude yourself entirely for a specified duration. If, at any time, you decide to trade again, you must then contact our Customer Support to remove this self-exclusion. There will be a 24-hour-cooling-off period before you can resume trading. ","2001222130":"Check your spam or junk folder. If it's not there, try resending the email.","2004792696":"If you are a UK resident, to self-exclude from all online gambling companies licensed in Great Britain, go to <0>www.gamstop.co.uk.","2006229049":"Transfers are subject to a {{transfer_fee}}% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher.","2007028410":"market, trade type, contract type","2007092908":"Trade with leverage and low spreads for better returns on successful trades.","2009620100":"DBot will not proceed with any new trades. Any ongoing trades will be completed by our system. Any unsaved changes will be lost.<0>Note: Please check your statement to view completed transactions.","2009770416":"Address:","2010031213":"Trade on Deriv X","2010759971":"Uploads successful","2010866561":"Returns the total profit/loss","2011609940":"Please input number greater than 0","2011808755":"Purchase Time","2014590669":"Variable '{{variable_name}}' has no value. Please set a value for variable '{{variable_name}}' to notify.","2017672013":"Please select the country of document issuance.","2021037737":"Please update your details to continue.","2023659183":"Student","2023762268":"I prefer another trading website.","2024107855":"{{payment_agent}} agent contact details:","2025339348":"Move away from direct light — no glare","2027625329":"Simple Moving Average Array (SMAA)","2027696535":"Tax information","2028163119":"EOS/USD","2030018735":"RSI is a technical analysis tool that helps you identify the market trend. It will give you a value from 0 to 100. An RSI value of 70 and above means that the asset is overbought and the current trend may reverse, while a value of 30 and below means that the asset is oversold.","2030045667":"Message","2033648953":"This block gives you the specified candle value for a selected time interval.","2034803607":"You must be 18 years old and above.","2035258293":"Start trading with us","2035925727":"sort {{ sort_type }} {{ sort_direction }} {{ input_list }}","2036578466":"Should be {{value}}","2037481040":"Choose a way to fund your account","2037665157":"Expand All Blocks","2037906477":"get sub-list from #","2042050260":"- Purchase price: the purchase price (stake) of the contract","2044086432":"The close is the latest tick at or before the end time. If you selected a specific end time, the end time is the selected time.","2046273837":"Last tick","2048110615":"Email address*","2048134463":"File size exceeded.","2050170533":"Tick list","2051558666":"View transaction history","2054094740":"Transfers are possible only between your fiat and cryptocurrency accounts, or your Deriv account and Deriv MT5 (DMT5) account.","2054500647":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC and Deriv (V) Ltd.","2054889300":"Create \"%1\"","2055317803":"Copy the link to your mobile browser","2057082550":"Accept our updated <0>terms and conditions","2057419639":"Exit Spot","2062912059":"function {{ function_name }} {{ function_params }}","2063655921":"By purchasing the \"Close-to-Low\" contract, you'll win the multiplier times the difference between the close and low over the duration of the contract.","2063812316":"Text Statement","2063890788":"Cancelled","2065278286":"Spread","2070002739":"Don’t accept","2070752475":"Regulatory Information","2074235904":"Last name is required.","2074497711":"The Telegram notification could not be sent","2080553498":"3. Get the chat ID using the Telegram REST API (read more: https://core.telegram.org/bots/api#getupdates)","2080829530":"Sold for: {{sold_for}}","2081088445":"When you set your limits or self-exclusion, they will be aggregated across all your account types in DTrader and DBot. For example, the losses made on both platforms will add up and be counted towards the loss limit you set.","2084693624":"Converts a string representing a date/time string into seconds since Epoch. Example: 2019-01-01 21:03:45 GMT+0800 will be converted to 1546347825. Time and time zone offset are optional.","2084925123":"Use our fiat onramp services to buy and deposit cryptocurrency into your Deriv account.","2085387371":"Must be numbers, letters, and special characters . , ' -","2085602195":"- Entry value: the value of the first tick of the contract","2086742952":"You have added a real Options account.<0/>Make a deposit now to start trading.","2086792088":"Both barriers should be relative or absolute","2088735355":"Your session and login limits","2089299875":"Total assets in your Deriv real accounts.","2091671594":"Status","2093675079":"- Close: the closing price","2096014107":"Apply","2096456845":"Date of birth*","2097170986":"About Tether (Omni)","2097381850":"Calculates Simple Moving Average line from a list with a period","2100713124":"account","2101972779":"This is the same as the above example, using a tick list.","2102115846":"Financial products in the EU are offered by Deriv Investments (Europe) Limited, licensed as a Category 3 Investment Services provider by the Malta Financial Services Authority (<0>licence no. IS/70156).","2102572780":"Length of digit code must be 6 characters.","2104115663":"Last login","2104397115":"Please go to your account settings and complete your personal details to enable deposits and withdrawals.","2107381257":"Scheduled cashier system maintenance","2109208876":"Manage {{platform}} Demo {{account_title}} account password","2109312805":"The spread is the difference between the buy price and sell price. A variable spread means that the spread is constantly changing, depending on market conditions. A fixed spread remains constant but is subject to alteration, at the Broker's absolute discretion.","2110365168":"Maximum number of trades reached","2111015970":"This block helps you check if your contract can be sold. If your contract can be sold, it returns “True”. Otherwise, it returns an empty string.","2111528352":"Creating a variable","2112119013":"Take a selfie showing your face","2112175277":"with delimiter","2113321581":"Add a Deriv Gaming account","2115007481":"Total assets in your Deriv demo accounts.","2115223095":"Loss","2117073379":"Our cryptocurrency cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.","2117165122":"1. Create a Telegram bot and get your Telegram API token. Read more on how to create bots in Telegram here: https://core.telegram.org/bots#6-botfather","2117489390":"Auto update in {{ remaining }} seconds","2118315870":"Where do you live?","2119449126":"Example output of the below example will be:","2120617758":"Set up your trade","2121227568":"NEO/USD","2127564856":"Withdrawals are locked","2131963005":"Please withdraw your funds from the following Deriv MT5 account(s):","2133451414":"Duration","2133470627":"This block returns the potential payout for the selected trade type. This block can be used only in the \"Purchase conditions\" root block.","2133778783":"DMT5 Synthetic","2135563258":"Forex trading frequency","2136246996":"Selfie uploaded","2137901996":"This will clear all data in the summary, transactions, and journal panels. All counters will be reset to zero.","2137993569":"This block compares two values and is used to build a conditional structure.","2138861911":"Scans and photocopies are not accepted","2139171480":"Reset Up/Reset Down","2139362660":"left side","2141055709":"New {{type}} password","2143803283":"Purchase Error","2144609616":"If you select \"Reset-Down”, you win the payout if the exit spot is strictly lower than either the entry spot or the spot at reset time.","2145690912":"Income Earning","2145995536":"Create new account","2146336100":"in text %1 get %2","2146892766":"Binary options trading experience","-612174191":"First line of address is required","-242734402":"Only {{max}} characters, please.","-378415317":"State is required","-1784470716":"State is not in a proper format","-1699820408":"Please enter a {{field_name}} under {{max_number}} characters.","-1575567374":"postal/ZIP code","-755626951":"Complete your address details","-1024240099":"Address","-584911871":"Select wallet currency","-1461267236":"Please choose your currency","-1352330125":"CURRENCY","-1027595143":"Less than $25,000","-40491332":"$25,000 - $50,000","-1139806939":"$50,001 - $100,000","-626752657":"0-1 year","-532014689":"1-2 years","-1001024004":"Over 3 years","-790513277":"6-10 transactions in the past 12 months","-580085300":"11-39 transactions in the past 12 months","-654781670":"Primary","-1717373258":"Secondary","-996132458":"Construction","-915003867":"Health","-1430012453":"Information & Communications Technology","-987824916":"Science & Engineering","-146630682":"Social & Cultural","-761306973":"Manufacturing","-739367071":"Employed","-1156937070":"$500,001 - $1,000,000","-315534569":"Over $1,000,000","-2068544539":"Salaried Employee","-531314998":"Investments & Dividends","-1235114522":"Pension","-1298056749":"State Benefits","-449943381":"Savings & Inheritance","-1631552645":"Professionals","-474864470":"Personal Care, Sales and Service Workers","-1129355784":"Agricultural, Forestry and Fishery Workers","-1242914994":"Craft, Metal, Electrical and Electronics Workers","-1317824715":"Cleaners and Helpers","-1592729751":"Mining, Construction, Manufacturing and Transport Workers","-2137323480":"Company Ownership","-1590574533":"Divorce Settlement","-1667683002":"Inheritance","-1237843731":"Investment Income","-777506574":"Sale of Property","-1161338910":"First name is required.","-1161818065":"Last name should be between 2 and 50 characters.","-1281693513":"Date of birth is required.","-26599672":"Citizenship is required","-912174487":"Phone is required.","-622860301":"Letters, numbers, spaces, periods, hyphens and slashes only.","-1356204661":"This Tax Identification Number (TIN) is invalid. You may continue with account creation, but to facilitate future payment processes, valid tax information will be required.","-1823540512":"Personal details","-1227878799":"Speculative","-1174064217":"Mr","-855506127":"Ms","-204765990":"Terms of use","-931052769":"Submit verification","-1004605898":"Tips","-1938142055":"Documents uploaded","-448090287":"The link only works on mobile devices","-1244287721":"Something's gone wrong","-241258681":"You'll need to restart your verification on your computer","-929254273":"Get secure link","-2021867851":"Check back here to finish the submission","-1547069149":"Open the link and complete the tasks","-1767652006":"Here's how to do it:","-277611959":"You can now return to your computer to continue","-724178625":"Make sure full document is visible","-1519380038":"Glare detected","-1895280620":"Make sure your card details are clear to read, with no blur or glare","-1464447919":"Make sure your permit details are clear to read, with no blur or glare","-1436160506":"Make sure details are clear to read, with no blur or glare","-759124288":"Close","-759118956":"Redo","-753375398":"Enlarge image","-1042933881":"Driver's license","-1503134764":"Face photo page","-1335343167":"Sorry, no mobile phone bills","-699045522":"Documents you can use to verify your identity","-543666102":"It must be an official photo ID","-903877217":"These are the documents most likely to show your current home address","-1356835948":"Choose document","-1364375936":"Select a %{country} document","-401586196":"or upload photo – no scans or photocopies","-3110517":"Take a photo with your phone","-2033894027":"Submit identity card (back)","-20684738":"Submit license (back)","-1359585500":"Submit license (front)","-106779602":"Submit residence permit (back)","-1287247476":"Submit residence permit (front)","-1954762444":"Restart the process on the latest version of Safari","-261174676":"Must be under 10MB.","-685885589":"An error occurred while loading the component","-502539866":"Your face is needed in the selfie","-1377968356":"Please try again","-1226547734":"Try using a JPG or PNG file","-849068301":"Loading...","-1730346712":"Loading","-1849371752":"Check that your number is correct","-309848900":"Copy","-1424436001":"Send link","-1093833557":"How to scan a QR code","-1408210605":"Point your phone’s camera at the QR code","-1773802163":"If it doesn’t work, download a QR code scanner from Google Play or the App Store","-109026565":"Scan QR code","-1644436882":"Get link via SMS","-1667839246":"Enter mobile number","-1533172567":"Enter your mobile number:","-1352094380":"Send this one-time link to your phone","-28974899":"Get your secure link","-359315319":"Continue","-1279080293":"2. Your desktop window stays open","-102776692":"Continue with the verification","-89152891":"Take a photo of the back of your card","-1646367396":"Take a photo of the front of your card","-1350855047":"Take a photo of the front of your license","-2119367889":"Take a photo using the basic camera mode instead","-342915396":"Take a photo","-419040068":"Passport photo page","-1354983065":"Refresh","-1925063334":"Recover camera access to continue face verification","-54784207":"Camera access is denied","-1392699864":"Allow camera access","-269477401":"Provide the whole document page for best results","-864639753":"Upload back of card from your computer","-1309771027":"Upload front of license from your computer","-1722060225":"Take photo","-565732905":"Selfie","-1703181240":"Check that it is connected and functional. You can also continue verification on your phone","-2043114239":"Camera not working?","-2029238500":"It may be disconnected. Try using your phone instead.","-468928206":"Make sure your device's camera works","-466246199":"Camera not working","-698978129":"Remember to press stop when you're done. Redo video actions","-538456609":"Looks like you took too long","-781816433":"Photo of your face","-1471336265":"Make sure your selfie clearly shows your face","-1375068556":"Check selfie","-1914530170":"Face forward and make sure your eyes are clearly visible","-776541617":"We'll compare it with your document","-478752991":"Your link will expire in one hour","-1859729380":"Keep this window open while using your mobile","-1283761937":"Resend link","-629011256":"Don't refresh this page","-1005231905":"Once you've finished we'll take you to the next step","-542134805":"Upload photo","-1462975230":"Document example","-1472844935":"The photo should clearly show your document","-883103549":"Account deactivated","-1466827732":"Self exclusion","-1498206510":"Account limits","-241588481":"Login history","-966136867":"Connected apps","-213009361":"Two-factor authentication","-1214803297":"Dashboard-only path","-526636259":"Error 404","-1030759620":"Government Officers","-612752984":"These are default limits that we apply to your accounts.","-1598263601":"To learn more about trading limits and how they apply, please go to the <0>Help Centre.","-1411635770":"Learn more about account limits","-1340125291":"Done","-1786659798":"Trading limits - Item","-1101543580":"Limit","-858297154":"Represents the maximum amount of cash that you may hold in your account. If the maximum is reached, you will be asked to withdraw funds.","-1182362640":"Represents the maximum aggregate payouts on outstanding contracts in your portfolio. If the maximum is attained, you may not purchase additional contracts without first closing out existing positions.","-1781293089":"Maximum aggregate payouts on open positions","-1412690135":"*Any limits in your Self-exclusion settings will override these default limits.","-1598751496":"Represents the maximum volume of contracts that you may purchase in any given trading day.","-1359847094":"Trading limits - Maximum daily turnover","-1502578110":"Your account is fully authenticated and your withdrawal limits have been lifted.","-854023608":"To increase limit please verify your identity","-1500958859":"Verify","-1662154767":"a recent utility bill (e.g. electricity, water, gas, landline, or internet), bank statement, or government-issued letter with your name and this address.","-190838815":"We need this for verification. If the information you provide is fake or inaccurate, you won’t be able to deposit and withdraw.","-223216785":"Second line of address*","-594456225":"Second line of address","-1315410953":"State/Province","-1940457555":"Postal/ZIP Code*","-1964954030":"Postal/ZIP Code","-1541554430":"Next","-71696502":"Previous","-231863107":"No","-786372363":"Learn more about API token","-55560916":"To access our mobile apps and other third-party apps, you'll first need to generate an API token.","-198329198":"API Token","-763859447":"Click here to copy token","-605778668":"Never","-32386760":"Name","-1628008897":"Token","-1238499897":"Last Used","-1049724201":"Scope","-1171226355":"Length of token name must be between {{MIN_TOKEN}} and {{MAX_TOKEN}} characters.","-1803339710":"Maximum {{MAX_TOKEN}} characters.","-408613988":"Select scopes based on the access you need.","-1052849013":"View account activity such as settings, limits, balance sheets, trade purchase history, and more.","-1076138910":"Trade","-1666909852":"Payments","-147694447":"Withdraw to payment agents, and transfer funds between accounts.","-1927980053":"Open accounts, manage settings, manage token usage, and more.","-488597603":"Trading information","-1117963487":"Name your token and click on 'Create' to generate your token.","-2005211699":"Create","-2115275974":"CFDs","-988523882":"DMT5","-359091713":"You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit or created a real {{dmt5_label}} or Deriv X account.","-460645791":"You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit or created a real {{dmt5_label}} account.","-1146960797":"Fiat currencies","-1959484303":"Cryptocurrencies","-561724665":"You are limited to one fiat currency only","-1319246342":"Tether as an ERC20 token (eUSDT) is a version of Tether that is hosted on Ethereum, an open software platform where anyone can build and deploy decentralised applications.","-2087317410":"Oops, something went wrong.","-1437206131":"JPEG JPG PNG PDF GIF","-820458471":"1 - 6 months old","-155705811":"A clear colour photo or scanned image","-587941902":"Issued under your name with your current address","-433415967":"A recent bank statement or government-issued letter with your name and address","-369512256":"Drop file (JPEG JPG PNG PDF GIF) or click here to upload","-723198394":"File size should be 8MB or less","-1948369500":"File uploaded is not supported","-1040865880":"Drop files here..","-1100235269":"Industry of employment","-684388823":"Estimated net worth","-509054266":"Anticipated annual turnover","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1437017790":"Financial information","-39038029":"Trading experience","-1044962593":"Upload Document","-164448351":"Show less","-1361653502":"Show more","-2120454054":"Add a real account","-38915613":"Unsaved changes","-2137450250":"You have unsaved changes. Are you sure you want to discard changes and leave this page?","-1067082004":"Leave Settings","-1120954663":"First name*","-1659980292":"First name","-1857534296":"John","-1485480657":"Other details","-1315571766":"Place of birth","-2040322967":"Citizenship","-1692219415":"Tax residence","-1903720068":"The country in which you meet the criteria for paying taxes. Usually the country in which you physically reside.","-651516152":"Tax Identification Number","-1387062433":"Account opening reason","-1451334536":"Continue trading","-1525879032":"Your documents for proof of address is expired. Please submit again.","-1425489838":"Proof of address verification not required","-1008641170":"Your account does not need address verification at this time. We will inform you if address verification is required in the future.","-60204971":"We could not verify your proof of address","-1944264183":"To continue trading, you must also submit a proof of identity.","-2004327866":"Please select a valid country of document issuance.","-1664159494":"Country","-1552821634":"Try submitting an ID document instead.","-1176889260":"Please select a document type.","-1515286538":"Please enter your document number. ","-1785463422":"Verify your identity","-78467788":"Please select the document type and enter the ID number.","-610236127":"Please ensure all your personal details are the same as in your chosen document. If you wish to update your personal details, go to <0>account settings.","-1117345066":"Choose the document type","-651192353":"Sample:","-937707753":"Go Back","-1926456107":"The ID you submitted is expired.","-555047589":"It looks like your identity document has expired. Please try again with a valid document.","-841187054":"Try Again","-2097808873":"We were unable to verify your ID with the details you provided. ","-228284848":"We were unable to verify your ID with the details you provided.","-1034643950":"Submit proof address","-1443800801":"Your ID number was submitted successfully","-1391934478":"Your ID is verified. You will also need to submit proof of your address.","-118547687":"ID verification passed","-749870311":"Please contact us via <0>live chat.","-200989771":"Go to personal details","-1358357943":"Please check and update your postal code before submitting proof of identity.","-1401994581":"Your personal details are missing","-1084991359":"Proof of identity verification not required","-1981334109":"Your account does not need identity verification at this time. We will inform you if identity verification is required in the future.","-1909155192":"We were unable to verify your document automatically. We will try to verify your document manually. Please check back in 1-3 days.","-182918740":"Your proof of identity submission failed because:","-337979330":"We could not verify your proof of identity","-706528101":"As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our Help Center.<0>Help Centre.","-856213726":"You must also submit a proof of address.","-1389323399":"You should enter {{min_number}}-{{max_number}} characters.","-1313806160":"Please request a new password and check your email for the new token.","-329713179":"Ok","-1598167506":"Success","-1077809489":"You have a new {{platform}} password to log in to your {{platform}} accounts on the web and mobile apps.","-2068479232":"{{platform}} password","-1332137219":"Strong passwords contain at least 8 characters that include uppercase and lowercase letters, numbers, and symbols.","-1597186502":"Reset {{platform}} password","-848721396":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. If you live in the United Kingdom, Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request. If you live in the Isle of Man, Customer Support can only remove or weaken your trading limits after your trading limit period has expired.","-469096390":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request.","-42808954":"You can also exclude yourself entirely for a specified duration. This can only be removed once your self-exclusion has expired. If you wish to continue trading once your self-exclusion period expires, you must contact Customer Support by calling <0>+447723580049 to lift this self-exclusion. Requests by chat or email shall not be entertained. There will be a 24-hour cooling-off period before you can resume trading.","-135354733":"These self-exclusion limits help you control the amount of money and time you spend trading on DTrader, DBot, and SmartTrader. The limits you set here will help you exercise <0>responsible trading.","-1702324712":"These limits are optional, and you can adjust them at any time. You decide how much and how long you’d like to trade. If you don’t wish to set a specific limit, leave the field blank.","-1819875658":"You can also exclude yourself entirely for a specified duration. Once the self-exclusion period has ended, you can either extend it further or resume trading immediately. If you wish to reduce or remove the self-exclusion period, contact our <0>Customer Support.","-1031814119":"About trading limits and self-exclusion","-183468698":"Trading limits and self-exclusion","-933963283":"No, review my limits","-1759860126":"Yes, log me out immediately","-839094775":"Back","-572347855":"{{value}} mins","-313333548":"You’ll be able to adjust these limits at any time. You can reduce your limits from the <0>self-exclusion page. To increase or remove your limits, please contact our <1>Customer Support team.","-1265833982":"Accept","-2123139671":"Your stake and loss limits","-1250802290":"24 hours","-2070080356":"Max. total stake","-1545823544":"7 days","-180147209":"You will be automatically logged out from each session after this time limit.","-374553538":"Your account will be excluded from the website until this date (at least 6 months, up to 5 years).","-2121421686":"To self-exclude from all online gambling companies licensed in Great Britain, go to <0>www.gamstop.co.uk.","-2105708790":"Your maximum account balance and open positions","-1960600163":"Once your account balance reaches this amount, you will not be able to deposit funds into your account.","-1073845224":"No. of open position(s)","-288196326":"Your maximum deposit limit","-568749373":"Max. deposit limit","-1884902844":"Max. deposit limit per day","-545085253":"Max. deposit limit over 7 days","-1031006762":"Max. deposit limit over 30 days","-1116871438":"Max. total loss over 30 days","-2134714205":"Time limit per session","-1884271702":"Time out until","-1265825026":"Timeout time must be greater than current time.","-1332882202":"Timeout time cannot be more than 6 weeks.","-1635977118":"Exclude time cannot be less than 6 months.","-1617352279":"The email is in your spam folder (Sometimes things get lost there).","-547557964":"We can’t deliver the email to this address (Usually because of firewalls or filtering).","-1964320730":"Please click on the link in the email to change your <0>Deriv X password.","-976364600":"Please click on the link in the email to change your DMT5 password.","-2073934245":"The financial trading services offered on this site are only suitable for customers who accept the possibility of losing all the money they invest and who understand and have experience of the risk involved in the purchase of financial contracts. Transactions in financial contracts carry a high degree of risk. If the contracts you purchased expire as worthless, you will lose all your investment, which includes the contract premium.","-679569665":"Your account will be opened with Deriv (MX) Ltd, regulated by the UK Gaming Commission (UKGC), and will be subject to the laws of the Isle of Man.","-1970096931":"Your account will be opened with Deriv (Europe) Limited, regulated by the Malta Gaming Authority, and will be subject to the laws of Malta.","-1300699650":"Your account will be opened with Deriv Capital International Ltd and will be subject to the laws of Samoa.","-1125193491":"Add account","-2068229627":"I am not a PEP, and I have not been a PEP in the last 12 months.","-428335668":"You will need to set a password to complete the process.","-1850792730":"Unlink from {{identifier_title}}","-2139303636":"You may have followed a broken link, or the page has moved to a new address.","-1448368765":"Error code: {{error_code}} page not found","-2145244263":"This field is required","-70342544":"We’re legally obliged to ask for your financial information.","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-179005984":"Save","-789291456":"Tax residence*","-1651554702":"Only alphabet is allowed","-1094749742":"Should start with letter or number and may contain a hyphen, dot and slash.","-1458676679":"You should enter 2-50 characters.","-1166111912":"Use only the following special characters: {{ permitted_characters }}","-884768257":"You should enter 0-35 characters.","-2113555886":"Only letters, numbers, space, and hyphen are allowed.","-1037916704":"Miss","-1113902570":"Details","-634958629":"We use the information you give us only for verification purposes. All information is kept confidential.","-731992635":"Title*","-352888977":"Title","-136976514":"Country of residence*","-945104751":"We’re legally obliged to ask for your tax information.","-1702919018":"Second line of address (optional)","-1958764604":"Email preference","-2121071263":"Check this box to receive updates via email.","-2068064150":"Get updates about Deriv products, services and events.","-1558679249":"Please make sure your information is correct or it may affect your trading experience.","-862399107":"We’re sorry to see you leave. Your account is now deactivated.","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-2116332353":"Please close your positions in the following Deriv account(s):","-2048005267":"{{number_of_positions}} position(s)","-1923892687":"Please withdraw your funds from the following Deriv X account(s):","-684271315":"OK","-1248180182":"Deactivate account?","-136868676":"Deactivating your account will automatically log you out. You can reactivate your account by logging in at any time.","-1318334333":"Deactivate","-1219849101":"Please select at least one reason","-484540402":"An error occurred","-1911549768":"Inaccessible MT5 account(s)","-1869355019":"Action required","-1629894615":"I have other financial priorities.","-844051272":"I want to stop myself from trading.","-1113965495":"I’m no longer interested in trading.","-1224285232":"Customer service was unsatisfactory.","-401778324":"I’m deactivating my account for other reasons.","-9323953":"Remaining characters: {{remaining_characters}}","-1944396623":"Before you deactivate your account, you’ll need to:","-1427203041":"1. Ensure to close all your positions","-115851087":"If you have a DMT5 or Deriv X real account, log in to close any open positions.","-1191568235":"2. Withdraw your funds","-1323183253":"If you have a Deriv real account, go to <0>Cashier to withdraw your funds.","-72910365":"If you have a DMT5 real account, go to your <0>DMT5 dashboard to withdraw your funds","-249431422":"Continue to account deactivation","-1725454783":"Failed","-506510414":"Date and time","-1708927037":"IP address","-365847515":"Apps you can use with your Deriv login:","-26491905":"You're using your {{identifier_title}} account to log in to your Deriv account. To change your login method into using a username and password, click the <0>Unlink button.","-596920538":"Unlink","-1319725774":"DMT5 Password","-1403020742":"Your DMT5 password is for logging in to your Deriv MT5 accounts on the desktop, web, and mobile apps.","-340060402":"Your Deriv X password is for logging in to your Deriv X accounts on the web and mobile apps.","-872790083":"Click the <0>Change password button to change your Deriv X password.","-412891493":"Disable 2FA","-200487676":"Enable","-1840392236":"That's not the right code. Please try again.","-307075478":"6 digit code","-790444493":"Protect your account with 2FA. Each time you log in to your account, you will need to enter your password and an authentication code generated by a 2FA app on your smartphone.","-368010540":"You have enabled 2FA for your Deriv account.","-403552929":"To disable 2FA, please enter the six-digit authentication code generated by your 2FA app below:","-752939584":"How to set up 2FA for your Deriv account","-1691236701":"Scan the QR code below with your 2FA app. We recommend <0>Authy or <1>Google Authenticator. We do not support <2>Duo Mobile.","-90649785":"Click here to copy key","-206376148":"Key copied!","-650175948":"A recent bank statement or government-issued letter with your name and address.","-2006895756":"1. Address","-716361389":"An accurate and complete address helps to speed up your verification process.","-1618587698":"Please ensure that this address is the same as in your proof of address","-1115287410":"Postal/ZIP code (optional)","-97517136":"Please upload one of the following:","-890084320":"Save and submit","-1672243574":"Before uploading your document, please ensure that your <0>personal details are updated to match your proof of identity. This will help to avoid delays during the verification process.","-1517325716":"Deposit via the following payment methods:","-1547606079":"We accept the following cryptocurrencies:","-42592103":"Deposit cryptocurrencies","-639677539":"Buy cryptocurrencies","-1560098002":"Buy cryptocurrencies via fiat onramp","-541870313":"Deposit via payment agents","-72314872":"Deposit in your local currency via peer-to-peer exchange with fellow traders in your country.","-58126117":"Your simple access to crypto. Fast and secure way to exchange and purchase cryptocurrencies. 24/7 live chat support.","-1975494965":"Cashier","-1186807402":"Transfer","-543868093":"DP2P","-1705887186":"Your deposit is successful.","-142361708":"In process","-1582681840":"We’ve received your request and are waiting for more blockchain confirmations.","-1626218538":"You’ve cancelled your withdrawal request.","-1062841150":"Your withdrawal is unsuccessful due to an error on the blockchain. Please <0>contact us via live chat for more info.","-630780094":"We’re awaiting confirmation from the blockchain.","-1525882769":"Your withdrawal is unsuccessful. We've sent you an email with more information.","-298601922":"Your withdrawal is successful.","-2021135479":"This field is required.","-1870909526":"Our server cannot retrieve an address.","-1684548351":"Switch to crypto account","-1345040662":"Looking for a way to buy cryptocurrency?","-1463156905":"Learn more about payment methods","-486580863":"Transfer to","-1995606668":"Amount","-344403983":"Description","-1746825352":"Please confirm the transaction details in order to complete the transfer:","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-2024958619":"This is to protect your account from unauthorised withdrawals.","-2061807537":"Something’s not right","-1675848843":"Error","-283017497":"Retry","-1157701227":"You need at least two accounts","-1366788579":"Please create another Deriv, DMT5, or Deriv X account.","-380740368":"Please create another Deriv or DMT5 account.","-417711545":"Create account","-1321645628":"Your cashier is currently locked. Please contact us via live chat to find out how to unlock it.","-60779216":"Withdrawals are temporarily unavailable due to system maintenance. You can make your withdrawals when the maintenance is complete.","-215186732":"You’ve not set your country of residence. To access Cashier, please update your country of residence in the Personal details section in your account settings.","-1392897508":"The identification documents you submitted have expired. Please submit valid identity documents to unlock Cashier. ","-1158467524":"Your account is temporarily disabled. Please contact us via live chat to enable deposits and withdrawals again.","-929148387":"Please set your account currency to enable deposits and withdrawals.","-1318742415":"Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and request for withdrawals.","-541392118":"Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and access your cashier.","-247122507":"Your cashier is locked. Please complete the <0>financial assessment to unlock it.","-1443721737":"Your cashier is locked. See <0>how we protect your funds before you proceed.","-901712457":"Your access to Cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to <0>Self-exclusion and set your 30-day turnover limit.","-666905139":"Deposits are locked","-378858101":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits.","-166472881":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits and withdrawals.","-1037495888":"You have chosen to exclude yourself from trading on our website until {{exclude_until}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.","-127614820":"Unfortunately, you can only make deposits. Please contact us via live chat to enable withdrawals.","-759000391":"We were unable to verify your information automatically. To enable this function, you must complete the following:","-1638172550":"To enable this feature you must complete the following:","-1632668764":"I accept","-1196049878":"First line of home address","-1326406485":"Postal Code/ZIP","-939625805":"Telephone","-442575534":"Email verification failed","-1459042184":"Update your personal details","-1603543465":"We can't validate your personal details because there is some information missing.","-614516651":"Need help? <0>Contact us.","-5021563":"Back to payment agents","-1332236294":"Please verify your identity","-203002433":"Deposit now","-720315013":"You have no funds in your {{currency}} account","-2052373215":"Please make a deposit to use this feature.","-553249337":"Transfers are locked","-705272444":"Upload a proof of identity to verify your identity","-1426614746":"You have reached the withdrawal limit. Please upload your proof of identity and address to lift your withdrawal limit and proceed with your withdrawal.","-1059419768":"Notes","-464719701":"Transfer limits may vary depending on changes in exchange rates.","-1221972195":"DMT5 accounts","-1344870129":"Deriv accounts","-1156059326":"You have {{number}} transfer remaining for today.","-1593609508":"Transfer between your accounts in Deriv","-464965808":"Transfer limits: <0 /> - <1 />","-1077304626":"Amount ({{currency}})","-1559994981":"Approximate value","-190084602":"Transaction","-811190405":"Time","-2004264970":"Your wallet address should have 25 to 64 characters.","-1707299138":"Your {{currency_symbol}} wallet address","-1621877826":"30 days max total stake {{currency}}","-1339418216":"You can further control the amount of money and time you spend on your trading activities on the <0>Self-exclusion page.","-564567236":"Set","-922432739":"Please enter a valid client login ID.","-1024241603":"Insufficient balance.","-1979554765":"Please enter a valid description.","-596416199":"By name","-1169636644":"By payment agent ID","-118683067":"Withdrawal limits: <0 />-<1 />","-544232635":"Please go to the Deposit page to generate an address. Then come back here to continue with your transaction.","-1161069724":"Please copy the crypto address you see below. You'll need it to deposit your cryptocurrency.","-1388977563":"Copied!","-1962894999":"This address can only be used ONCE. Please copy a new one for your next transaction.","-451858550":"By clicking 'Continue' you will be redirected to {{ service }}, a third-party payment service provider. Please note that {{ website_name }} is not responsible for the content or services provided by {{ service }}. If you encounter any issues related to {{ service }} services, you must contact {{ service }} directly.","-1179992129":"All payment agents","-344959847":"A payment agent is authorised to process deposits and withdrawals for you if your local payment methods or currencies are not supported on {{website_name}}.","-1232852916":"We’re switching over to your {{currency}} account to view the transaction.","-38063175":"{{account_text}} wallet","-1474202916":"Make a new withdrawal","-460879294":"You're not done yet. To receive the transferred funds, you must contact the payment agent for further instruction. A summary of this transaction has been emailed to you for your records.","-299033842":"Recent transactions","-348296830":"{{transaction_type}} {{currency}}","-1929538515":"{{amount}} {{currency}} on {{submit_date}}","-1534990259":"Transaction hash:","-1612346919":"View all","-598073640":"About Tether (Ethereum)","-275902914":"Tether on Ethereum (eUSDT)","-1188009792":"Tether on Omni Layer (USDT)","-1239329687":"Tether was originally created to use the bitcoin network as its transport protocol ‒ specifically, the Omni Layer ‒ to allow transactions of tokenised traditional currency.","-2013448791":"Want to exchange between e-wallet currencies? Try <0>Ewallet.Exchange","-671415351":"To avoid loss of funds, please <0>do not send ETH, and <1>do not use Binance Chain (BNB) and Binance Smart Chain (BSC) networks.","-866628857":"Our server cannot retrieve an address","-1281245739":"This address can only be used once to make a deposit.","-17524778":"For each deposit you will have to visit here again to generate a new address.","-1403335634":"To view confirmed transactions, kindly visit the <0>statement page","-2005265642":"Fiat onramp is a cashier service that allows you to convert fiat currencies to crypto to top up your Deriv crypto accounts. Listed here are third-party crypto exchanges. You’ll need to create an account with them to use their services.","-1593063457":"Select payment channel","-1531269493":"We'll send you an email once your transaction has been processed.","-113940416":"Current stake:","-1999539705":"Deal cancel. fee:","-447037544":"Buy price:","-1342699195":"Total profit/loss:","-1511825574":"Profit/Loss:","-726626679":"Potential profit/loss:","-338379841":"Indicative price:","-1525144993":"Payout limit:","-1167474366":"Tick ","-555886064":"Won","-529060972":"Lost","-571642000":"Day","-155989831":"Decrement value","-1192773792":"Don't show this again","-1769852749":"N/A","-1572746946":"Asian Up","-686840306":"Asian Down","-2141198770":"Higher","-816098265":"Lower","-1646655742":"Spread Up","-668987427":"Spread Down","-912577498":"Matches","-1862940531":"Differs","-808904691":"Odd","-556230215":"Ends Outside","-1268220904":"Ends Between","-703542574":"Up","-1127399675":"Down","-768425113":"No Touch","-1163058241":"Stays Between","-1354485738":"Reset Call","-376148198":"Only Ups","-1337379177":"High Tick","-1940333322":"DBot is not available for this account","-1210387519":"Go to DMT5 dashboard","-1223145005":"Loss amount: {{profit}}","-1062922595":"Reference ID (buy)","-2068574600":"Reference ID (sell)","-994038153":"Start Time","-1979852400":"Entry Spot","-427802309":"Profit/Loss","-668558002":"Journal.csv","-746652890":"Notifications","-824109891":"System","-507620484":"Unsaved","-764102808":"Google Drive","-1109191651":"Must be a number higher than 0","-1917772100":"Invalid number format","-689786738":"Minimum duration: {{ min }}","-184183432":"Maximum duration: {{ max }}","-1194719174":"The multiplier amount used to increase your stake if you’re losing a trade.","-749186458":"Account switching is disabled while your bot is running. Please stop your bot before switching accounts.","-1322453991":"You need to log in to run the bot.","-1483938124":"This strategy is currently not compatible with DBot.","-1428017300":"THE","-1450728048":"OF","-255051108":"YOU","-1845434627":"IS","-931434605":"THIS","-740712821":"A","-254421190":"List: ({{message_length}})","-9461328":"Security and privacy","-418247251":"Download your journal.","-1616649196":"results","-90107030":"No results found","-984140537":"Add","-870004399":"<0>Bought: {{longcode}} (ID: {{transaction_id}})","-1211474415":"Filters","-186972150":"There are no messages to display","-558594655":"The bot is not running","-478946875":"The stats are cleared","-999254545":"All messages are filtered out","-786915692":"You are connected to Google Drive","-1150107517":"Connect","-1759213415":"Find out how this app handles your data by reviewing Deriv's <0>Privacy policy, which is part of Deriv's <1>Terms and conditions.","-934909826":"Load strategy","-1121028020":"or, if you prefer...","-254025477":"Select an XML file from your device","-1131095838":"Please upload an XML file","-523928088":"Create one or upload one from your local drive or Google Drive.","-1684205190":"Why can't I see my recent bots?","-2050879370":"1. Logged in from a different device","-811857220":"3. Cleared your browser cache","-1016171176":"Asset","-621128676":"Trade type","-671128668":"The amount that you pay to enter a trade.","-447853970":"Loss threshold","-410856998":"The bot will stop trading if your total profit exceeds this amount.","-1823621139":"Quick Strategy","-625024929":"Leaving already?","-584289785":"No, I'll stay","-1435060006":"If you leave, your current contract will be completed, but your bot will stop running immediately.","-783058284":"Total stake","-2077494994":"Total payout","-1073955629":"No. of runs","-1729519074":"Contracts lost","-42436171":"Total profit/loss","-1856204727":"Reset","-224804428":"Transactions","-1137823888":"Total payout since you last cleared your stats.","-992662695":"The number of times your bot has run since you last cleared your stats. Each run includes the execution of all the root blocks.","-1382491190":"Your total profit/loss since you last cleared your stats. It is the difference between your total payout and your total stake.","-305283152":"Strategy name","-1003476709":"Save as collection","-636521735":"Save strategy","-1373954791":"Should be a valid number","-1278608332":"Please enter a number between 0 and {{api_max_losses}}.","-287597204":"Enter limits to stop your bot from trading when any of these conditions are met.","-1445989611":"Limits your potential losses for the day across all Deriv platforms.","-152878438":"Maximum number of trades your bot will execute for this run.","-1490942825":"Apply and run","-686334932":"Build a bot from the start menu then hit the run button to run the bot.","-1696412885":"Import","-250192612":"Sort","-1566369363":"Zoom out","-2060170461":"Load","-1200116647":"Click here to start building your DBot.","-1040972299":"Purchase contract","-600546154":"Sell contract (optional)","-985351204":"Trade again","-112876186":"Analysis","-1769584466":"Stats","-1133736197":"Utility","-1682372359":"Text","-907562847":"Lists","-1646497683":"Loops","-251326965":"Miscellaneous","-1285759343":"Search","-1058262694":"Stopping the bot will prevent further trades. Any ongoing trades will be completed by our system.","-1473283434":"Please be aware that some completed transactions may not be displayed in the transaction table if the bot is stopped while placing trades.","-397015538":"You may refer to the statement page for details of all completed transactions.","-1442034178":"Contract bought","-2020280751":"Bot is stopping","-1436403979":"Contract closed","-1711732508":"Reference IDs","-386141434":"(Buy)","-482272687":"(Sell)","-1983189496":"ticks","-694277729":"(High)","-2028564707":"(Low)","-627895223":"Exit spot","-596238067":"Entry/Exit spot","-1717650468":"Online","-1825471709":"A whole new trading experience on a powerful yet easy to use platform.","-215905387":"DBot","-981017278":"Automated trading at your fingertips. No coding needed.","-1793883644":"Trade FX and CFDs on a customisable, easy-to-use trading platform.","-1368160764":"Trade the world’s markets with our popular user-friendly platform","-563774117":"Dashboard","-773544978":"Home","-1003047246":"My Apps","-2024365882":"Explore","-2038666662":"About Us","-832198631":"Credit/Debit Cards","-1787820992":"Platforms","-1246992539":"Binary Bot","-837532140":"Trade Types","-663862998":"Markets","-947407631":"Synthetic Indices","-362324454":"Commodities","-821418875":"Trader","-1309011360":"Open positions","-679102561":"Contract Details","-430118939":"Complaints policy","-744999940":"Deriv account","-568280383":"Deriv Gaming","-1936757551":"Deriv Synthetic","-1546927062":"Deriv Financial","-895331276":"Complete your proof of address","-782679300":"Complete your proof of identity","-1019903756":"Synthetic","-328128497":"Financial","-1416247163":"Financial STP","-1669418686":"AUD/CAD","-1548588249":"AUD/CHF","-1552890620":"AUD/JPY","-681231560":"AUD/PLN","-64938413":"AUD/USD","-1430522808":"EUR/AUD","-2020477069":"EUR/CAD","-1201853162":"EUR/CHF","-1318070255":"EUR/GBP","-1197505739":"EUR/JPY","-405907358":"EUR/USD","-1536293064":"NZD/JPY","-79700881":"NZD/USD","-642323838":"USD/CAD","-428199705":"USD/CHF","-424108348":"USD/JPY","-548255282":"USD/NOK","-1834131208":"USD/PLN","-524302516":"Silver/USD","-764731776":"Platinum/USD","-700966800":"Dutch Index","-1863229260":"Australian Index","-946336619":"Wall Street Index","-945048133":"French Index","-1093355162":"UK Index","-932734062":"Hong Kong Index","-2030624691":"Japanese Index","-354063409":"US Index","-232855849":"Euro 50 Index","-1925264914":"Volatility 25 Index","-708579504":"Volatility 50 Index","-975255670":"Volatility 75 Index","-1736314513":"Crash 300 Index","-342128411":"Crash 500 Index","-9704319":"Crash 1000 Index","-465860988":"Bull Market Index","-390528194":"Step Index","-1800672151":"GBP Index","-563812039":"Volatility 10 (1s) Index","-764111252":"Volatility 100 (1s) Index","-1374309449":"Volatility 200 (1s) Index","-1164978320":"Jump 10 Index","-575272887":"BCH/USD","-295406873":"BTC/ETH","-1713556301":"ZMR/USD","-2046638412":"XRP/USD","-1263203461":"BTC/USD","-1112522776":"DSH/USD","-460689370":"LTC/USD","-841561409":"Put Spread","-144803045":"Only numbers and these special characters are allowed: {{permitted_characters}}","-1450516268":"Only letters, numbers, space, hyphen, period, and apostrophe are allowed.","-1072358250":"Letters, spaces, periods, hyphens, apostrophes only","-1966032552":"The length of token should be 8.","-2128137611":"Should start with letter or number, and may contain hyphen and underscore.","-1590869353":"Up to {{decimal_count}} decimal places are allowed.","-2061307421":"Should be more than {{min_value}}","-1099941162":"Should be less than {{max_value}}","-1528188268":"Straight rows of keys are easy to guess","-1339903234":"Short keyboard patterns are easy to guess","-23980798":"Repeats like \"aaa\" are easy to guess","-235760680":"Avoid repeated words and characters","-1568933154":"Sequences like abc or 6543 are easy to guess","-725663701":"Avoid sequences","-1450768475":"Recent years are easy to guess","-1804838610":"Avoid years that are associated with you","-64849469":"Dates are often easy to guess","-2006915194":"Avoid dates and years that are associated with you","-2124205211":"A word by itself is easy to guess","-1095202689":"All-uppercase is almost as easy to guess as all-lowercase","-2137856661":"Reversed words aren't much harder to guess","-1885413063":"Predictable substitutions like '@' instead of 'a' don't help very much","-369258265":"This password is on the blacklist","-681468758":"Your web browser is out of date and may affect your trading experience. Please <0>update your browser.","-577777971":"You have reached the rate limit of requests per second. Please try later.","-206321775":"Fiat","-522767852":"DEMO","-433761292":"Switching to default account.","-705744796":"Your demo account balance has reached the maximum limit, and you will not be able to place new trades. Reset your balance to continue trading from your demo account.","-1738575826":"Please switch to your real account or create one to access the cashier.","-1204063440":"Set my account currency","-1925176811":"Unable to process withdrawals in the moment","-980696193":"Withdrawals are temporarily unavailable due to system maintenance. You can make withdrawals when the maintenance is complete.","-1647226944":"Unable to process deposit in the moment","-488032975":"Deposits are temporarily unavailable due to system maintenance. You can make deposits when the maintenance is complete.","-67021419":"Our cashier is temporarily down due to system maintenance. You can access the cashier in a few minutes when the maintenance is complete.","-367759751":"Your account has not been verified","-1175685940":"Please contact us via live chat to enable withdrawals.","-1852207910":"MT5 withdrawal disabled","-764323310":"MT5 withdrawals have been disabled on your account. Please check your email for more details.","-1585069798":"Please click the following link to complete your Appropriateness Test.","-1329329028":"You’ve not set your 30-day turnover limit","-132893998":"Your access to the cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to Self-exclusion and set the limit.","-156611181":"Please complete the financial assessment in your account settings to unlock it.","-849587074":"You have not provided your tax identification number","-47462430":"This information is necessary for legal and regulatory requirements. Please go to your account settings, and fill in your latest tax identification number.","-87177461":"Please go to your account settings and complete your personal details to enable deposits.","-2087822170":"You are offline","-1669693571":"Check your connection.","-1125797291":"Password updated.","-157145612":"Please log in with your updated password.","-904632610":"Reset your balance","-470018967":"Reset balance","-1435762703":"Please Verify your identity","-1164554246":"You submitted expired identification documents","-1902997828":"Refresh now","-753791937":"A new version of Deriv is available","-1775108444":"This page will automatically refresh in 5 minutes to load the latest version.","-529038107":"Install","-87149410":"Install the DTrader web app","-1287141934":"Find out more","-1590712279":"Gaming","-16448469":"Virtual","-1998049070":"If you agree to our use of cookies, click on Accept. For more information, <0>see our policy.","-1721181859":"You’ll need a {{deriv_account}} account","-1989074395":"Please add a {{deriv_account}} account first before adding a {{dmt5_account}} account. Deposits and withdrawals for your {{dmt5_label}} account are done by transferring funds to and from your {{deriv_label}} account.","-689237734":"Proceed","-1642457320":"Help centre","-1966944392":"Network status: {{status}}","-557093123":"Virtual events based bets in the UK and the Isle of Man are offered by Deriv (MX) Ltd, Millennium House, Level 1, Victoria Road, Douglas IM2 4RW, Isle of Man, licensed and regulated in Great Britain by the Gambling Commission under <0>account no. 39172 and by the Gambling Supervision Commission in the Isle of Man (<1>view licence).","-181484419":"Responsible trading","-650505513":"Full screen","-1823504435":"View notifications","-1954045170":"No currency assigned","-583559763":"Menu","-1396326507":"Unfortunately, {{website_name}} is not available in your country.","-2094580348":"Thanks for verifying your email","-71049153":"Keep your account secure with a password","-1861974537":"Strong passwords contain at least 8 characters, combine uppercase and lowercase letters, numbers, and symbols.","-1347749021":"I want to receive updates on Deriv products, services, and events.","-1965920446":"Start trading","-288996254":"Unavailable","-1815192976":"real CFDs","-1730264949":"Total assets in your Deriv, DMT5 and Deriv X demo accounts.","-1623652567":"Total assets in your Deriv and DMT5 demo accounts.","-1650369677":"Total assets in your Deriv and DMT5 real accounts.","-1706681135":"Total assets in your Deriv, DMT5 and Deriv X real accounts.","-697343663":"Deriv X Accounts","-1740162250":"Manage account","-1277942366":"Total assets","-1197864059":"Create free demo account","-1879857830":"Warning","-1485242688":"Step {{step}}: {{step_title}} ({{step}} of {{steps}})","-1829842622":"You can open an account for each cryptocurrency.","-987221110":"Choose a currency you would like to trade with.","-1066574182":"Choose a currency","-1914534236":"Choose your currency","-2058256518":"We can't change your account currency as you've either made a deposit into your {{currency}} account or created a real account on DMT5.","-200560194":"Please switch to your {{fiat_currency}} account to change currencies.","-1829493739":"Choose the currency you would like to trade with.","-1814647553":"Add a new","-1269362917":"Add new","-650480777":"crypto account","-175638343":"Choose an account or add a new one","-1768223277":"Your account is ready","-1215717784":"<0>You have successfully changed your currency to {{currency}}.<0>Make a deposit now to start trading.","-786091297":"Trade on demo","-228099749":"Please verify your identity and address","-1041852744":"We're processing your personal information","-1775006840":"Make a deposit now to start trading.","-983734304":"We need proof of your identity and address before you can start trading.","-917733293":"To get trading, please confirm where you live.","-1282628163":"You'll be able to get trading as soon as verification is complete.","-952649119":"Log In","-3815578":"Sign Up","-1456176427":"Set a currency for your real account","-1557011219":"Add a real Deriv Options account","-259386249":"Add a Deriv Synthetic account","-241733171":"Add a Deriv Financial account","-1329687645":"Create a cryptocurrency account","-1429178373":"Create a new account","-1016775979":"Choose an account","-1369294608":"Already signed up?","-617844567":"An account with your details already exists.","-292363402":"Trading statistics report","-1656860130":"Options trading can become a real addiction, as can any other activity pushed to its limits. To avoid the danger of such an addiction, we provide a reality-check that gives you a summary of your trades and accounts on a regular basis.","-28080461":"Would like to check your statement first? <0>Check Statement","-611059051":"Please specify your preferred interval reality check in minutes:","-1876891031":"Currency","-11615110":"Turnover","-1370419052":"Profit / Loss","-437320982":"Session duration:","-3959715":"Current time:","-1534648620":"Your password has been changed","-596199727":"We will now redirect you to the login page.","-437918412":"No currency assigned to your account","-707550055":"We need this to make sure our service complies with laws and regulations in your country.","-280139767":"Set residence","-601615681":"Select theme","-1152511291":"Dark","-1428458509":"Light","-1917706589":"Your Deriv account is unlinked from {{social_identity_provider}}. Use your email and password for future log in.","-2017825013":"Got it","-505449293":"Enter a new password for your Deriv account.","-184713104":"Earn fixed payouts with options, or trade multipliers to amplify your gains with limited risk.","-1571775875":"Our flagship options and multipliers trading platform.","-1107320163":"Automate your trading, no coding needed.","-196712726":"Trade on DBot","-820028470":"Options & Multipliers","-895091803":"If you're looking for CFDs","-1447215751":"Not sure? Try this","-2338797":"<0>Maximise returns by <0>risking more than you put in.","-1682067341":"Earn <0>fixed returns by <0>risking only what you put in.","-1184094048":"Let us introduce you to trading on Deriv.","-49067150":"Not sure?","-1125272179":"This complaints policy, which may change from time to time, applies to your account registered with Deriv Investments (Europe) Limited.","-974989415":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC and Deriv (FX) Ltd.","-1639808836":"If you are not satisfied with the outcome, you can escalate your complaint to the <0>Independent Betting Adjudication Service (IBAS) by filling the IBAS adjudication form. Please note that IBAS only deals with disputes that result from transactions.","-1505742956":"<0/><1/>You can also refer your dispute to the Malta Gaming Authority via the <2>Player Support Unit.","-1406192787":"If you are not satisfied with the outcome, you can escalate your complaint to the <0>Financial Commission.","-1776547326":"<0/><1/>If you reside in the UK and you are unhappy with our response you may escalate your complaint to the <2>Financial Ombudsman Service.","-2115348800":"1. Introduction","-744009523":"2. Fair treatment","-866831420":"3.1. Submission of a complaint","-1102904026":"3.2. Handling your complaint","-603378979":"3.3. Resolving your complaint","-697569974":"3.4. Your decision","-993572476":"<0>b.The Financial Commission has 5 days to acknowledge that your complaint was received and 14 days to answer the complaint through our Internal Dispute Resolution (IDR) procedure.","-1769159081":"<0>c.You will be able to file a complaint with the Financial Commission only if you are not satisfied with our decision or the decision wasn’t made within 14 days.","-58307244":"3. Determination phase","-356618087":"<0>b.The DRC may request additional information from you or us, who must then provide the requested information within 7 days.","-945718602":"<0>b.If you agree with a DRC decision, you will need to accept it within 14 days. If you do not respond to the DRC decision within 14 days, the complaint is considered closed.","-1500907666":"<0>d.If the decision is made in our favour, you must provide a release for us within 7 days of when the decision is made, and the complaint will be considered closed.","-429248139":"5. Disclaimer","-818926350":"The Financial Commission accepts appeals for 45 days following the date of the incident and only after the trader has tried to resolve the issue with the company directly.","-236548954":"Contract Update Error","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-337314714":"days","-442488432":"day","-175369516":"Welcome to Deriv X","-1667427537":"Run Deriv X on your browser or download the mobile app","-305915794":"Run MT5 from your browser or download the MT5 app for your devices","-1330036364":"Trade forex, commodities and cryptocurrencies at high leverage.","-811331160":"Trade CFDs on forex, stocks, stock indices, synthetic indices, and commodities with leverage.","-781132577":"Leverage","-1264604378":"Up to 1:1000","-637908996":"100%","-1420548257":"20+","-1373949478":"50+","-1686150678":"Up to 1:100","-1382029900":"70+","-1669936842":"Up to 1:500","-1493055298":"90+","-513103225":"Transaction time","-2066666313":"Credit/Debit","-2140412463":"Buy price","-1981004241":"Sell time","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-339236213":"Multiplier","-1358367903":"Stake","-700280380":"Deal cancel. fee","-3423966":"Take profit<0 />Stop loss","-2082644096":"Current stake","-1572548510":"Ups & Downs","-71301554":"Ins & Outs","-952298801":"Look Backs","-763273340":"Digits","-1790089996":"NEW!","-2050821902":"Demo Synthetic","-1434036215":"Demo Financial","-1882063886":"Demo CFDs","-590018519":"Contract Purchased","-328036042":"Please enter a stop loss amount that's higher than the current potential loss.","-2127699317":"Invalid stop loss. Stop loss cannot be more than stake.","-405439829":"Sorry, you can't view this contract because it doesn't belong to this account.","-1714959941":"This chart display is not ideal for tick contracts","-1254554534":"Please change the chart duration to tick for a better trading experience.","-1977959027":"hours","-1603581277":"minutes","-1658230823":"Contract was sold for <0 />.","-1905867404":"Contract cancelled","-922253974":"Rise/Fall","-1361254291":"Higher/Lower","-1691868913":"Touch/No Touch","-335816381":"Ends In/Ends Out","-1789807039":"Asian Up/Asian Down","-330437517":"Matches/Differs","-657360193":"Over/Under","-558031309":"High Tick/Low Tick","-1237186896":"Only Ups/Only Downs","-1386326276":"Barrier is a required field.","-1418742026":"Higher barrier must be higher than lower barrier.","-92007689":"Lower barrier must be lower than higher barrier.","-1095538960":"Please enter the start time in the format \"HH:MM\".","-1975910372":"Minute must be between 0 and 59.","-866277689":"Expiry time cannot be in the past.","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-1455298001":"Now","-529846150":"Seconds","-256210543":"Trading is unavailable at this time.","-1050725091":"DTrader is not available for this account","-402175529":"History","-902712434":"Deal cancellation","-988484646":"Deal cancellation (executed)","-444882676":"Deal cancellation (active)","-13423018":"Reference ID","-1551639437":"No history","-1214703885":"You have yet to update either take profit or stop loss","-880722426":"Market is closed","-504849554":"It will reopen at","-59803288":"In the meantime, try our synthetic indices. They simulate real-market volatility and are open 24/7.","-1278109940":"See open markets","-694105443":"This market is closed","-439389714":"We’re working on it","-732351158":"Stay on DTrader","-1530772005":"This market is not yet available on DTrader, but it is on SmartTrader.","-138538812":"Log in or create a free account to place a trade.","-2036388794":"Create free account","-590131162":"Stay on {{website_domain}}","-1444663817":"Go to Binary.com","-1526466612":"You’ve selected a trade type that is currently unsupported, but we’re working on it.","-1043795232":"Recent positions","-1572796316":"Purchase price:","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-153220091":"{{display_value}} Tick","-802374032":"Hour","-2039780875":"Purchase confirmation","-1672470173":"Require confirmation before purchasing a contract","-1342661765":"Lock contract purchase buttons","-939764287":"Charts","-1738427539":"Purchase","-1392065699":"If you select \"Rise\", you win the payout if the exit spot is strictly higher than the entry spot.","-1762566006":"If you select \"Fall\", you win the payout if the exit spot is strictly lower than the entry spot.","-1435306976":"If you select \"Allow equals\", you win the payout if exit spot is higher than or equal to entry spot for \"Rise\". Similarly, you win the payout if exit spot is lower than or equal to entry spot for \"Fall\".","-1959473569":"If you select \"Lower\", you win the payout if the exit spot is strictly lower than the barrier.","-1350745673":"If the exit spot is equal to the barrier, you don't win the payout.","-2089488446":"If you select \"Ends Between\", you win the payout if the exit spot is strictly higher than the Low barrier AND strictly lower than the High barrier.","-1876950330":"If you select \"Ends Outside\", you win the payout if the exit spot is EITHER strictly higher than the High barrier, OR strictly lower than the Low barrier.","-546460677":"If the exit spot is equal to either the Low barrier or the High barrier, you don't win the payout.","-1812957362":"If you select \"Stays Between\", you win the payout if the market stays between (does not touch) either the High barrier or the Low barrier at any time during the contract period","-220379757":"If you select \"Goes Outside\", you win the payout if the market touches either the High barrier or the Low barrier at any time during the contract period.","-1281286610":"If you select \"Matches\", you will win the payout if the last digit of the last tick is the same as your prediction.","-1929209278":"If you select \"Even\", you will win the payout if the last digit of the last tick is an even number (i.e., 2, 4, 6, 8, or 0).","-2038865615":"If you select \"Odd\", you will win the payout if the last digit of the last tick is an odd number (i.e., 1, 3, 5, 7, or 9).","-1416078023":"If you select \"Touch\", you win the payout if the market touches the barrier at any time during the contract period.","-1272255095":"If the exit spot is equal to the barrier or the new barrier (if a reset occurs), you don't win the payout.","-231957809":"Win maximum payout if the exit spot is higher than or equal to the upper barrier.","-464144986":"Win maximum payout if the exit spot is lower than or equal to the lower barrier.","-1031456093":"Win up to maximum payout if exit spot is between lower and upper barrier, in proportion to the difference between upper barrier and exit spot.","-968162707":"No payout if exit spot is above or equal to the upper barrier.","-299450697":"If you select \"High Tick\", you win the payout if the selected tick is the highest among the next five ticks.","-705681870":"By purchasing the \"High-to-Low\" contract, you'll win the multiplier times the difference between the high and low over the duration of the contract.","-420387848":"The high is the highest point ever reached by the market during the contract period.","-1666375348":"By purchasing the \"High-to-Close\" contract, you'll win the multiplier times the difference between the high and close over the duration of the contract.","-2024955268":"If you select “Up”, you will earn a profit by closing your position when the market price is higher than the entry spot.","-1598433845":"If you select “Down”, you will earn a profit by closing your position when the market price is lower than the entry spot.","-1092777202":"The Stop-out level on the chart indicates the price at which your potential loss equals your entire stake. When the market price reaches this level, your position will be closed automatically. This ensures that your loss does not exceed the amount you paid to purchase the contract.","-885323297":"These are optional parameters for each position that you open:","-584696680":"If you select “Take profit” and specify an amount that you’d like to earn, your position will be closed automatically when your profit is more than or equals to this amount. Your profit may be more than the amount you entered depending on the market price at closing.","-178096090":"“Take profit” cannot be updated. You may update it only when “Deal cancellation” expires.","-206909651":"The entry spot is the market price when your contract is processed by our servers.","-1228860600":"Add region","-785625598":"Use these credentials to log in to your {{platform}} account on the website and mobile apps.","-162753510":"Add real account","-251202291":"Broker","-860609405":"Password","-742647506":"Fund transfer","-1874242353":"Fund top up","-1352641295":"Trade CFDs on our Synthetic Indices that simulate real-world market movement.","-2040196445":"Your MT5 Financial STP account is almost ready, please set your password now.","-712681566":"Peer-to-peer exchange","-1267880283":"{{field_name}} is required","-2084509650":"{{field_name}} is not properly formatted.","-1779241732":"First line of address is not in a proper format.","-188222339":"This should not exceed {{max_number}} characters.","-1673422138":"State/Province is not in a proper format.","-1262200612":"Identity confirmation failed. You will be redirected to the previous step.","-1385484963":"Confirm to change your {{platform}} password","-1990902270":"This will change the password to all of your {{platform}} accounts.","-1357917360":"Web terminal","-1454896285":"The MT5 desktop app is not supported by Windows XP, Windows 2003, and Windows Vista.","-673424733":"Demo account","-1066565281":"Server maintenance starts at 06:00 GMT every Sunday and may last up to 2 hours. Service may be disrupted during this time.","-1481390656":"Server maintenance starting 01:00 GMT every Sunday. This process may take up to 2 hours to complete. Service may be disrupted during this time.","-1199152768":"Please explore our other platforms.","-498346912":"Explore DBot","-2042845290":"Your investor password has been changed.","-1882295407":"Your password has been changed.","-254497873":"Use this password to grant viewing access to another user. While they may view your trading account, they will not be able to trade or take any other actions.","-161656683":"Current investor password","-374736923":"New investor password","-1793894323":"Create or reset investor password","-464262734":"Manage {{platform}} Real {{account_title}} account password","-184453418":"Enter your {{platform}} password","-731759165":"Choose a region for your DMT5 real {{ account_type }} account","-1769158315":"real","-700260448":"demo","-1175356567":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} account. To start trading, transfer funds from your Deriv account into this account.","-1570793523":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} account.","-790488576":"Forgot password?","-1190393389":"Enter your {{platform}} password to add a {{platform}} {{account}} account.","-1987408434":"Your MT5 Financial STP account will be opened through Deriv (BVI) Ltd. All trading in this account is subject to the regulations and guidelines of the British Virgin Islands Financial Services Commission (BVIFSC). None of your other accounts, including your Deriv account, is subject to the regulations and guidelines of the British Virgin Islands Financial Services Commission (BVIFSC).","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1752211105":"Transfer now","-1928229820":"Reset Deriv X investor password","-1917043724":"Reset DMT5 investor password","-1087845020":"main","-1950683866":"investor","-89838213":"You can top up your demo account with an additional <0> if your balance is <1> or less.","-1211122723":"{{ platform }} {{ account_title }} account","-78895143":"Current balance","-149993085":"New current balance","-877064208":"EUR","-1302404116":"Maximum leverage","-1284221303":"You’ll get a warning, known as margin call, if your account balance drops down close to the stop out level.","-1848799829":"To understand stop out, first you need to learn about margin level, which is the ratio of your equity (the total balance you would have if you close all your positions at that point) to the margin you're using at the moment. If your margin level drops below our stop out level, your positions may be closed automatically to protect you from further losses.","-224051432":"24/7","-511301450":"Indicates the availability of cryptocurrency trading on a particular account.","-1591882610":"Synthetics","-287097947":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies (except UK)","-2102641225":"At bank rollover, liquidity in the forex markets is reduced and may increase the spread and processing time for client orders. This happens around 21:00 GMT during daylight saving time, and 22:00 GMT non-daylight saving time.","-495364248":"Margin call and stop out level will change from time to time based on market condition.","-536189739":"To protect your portfolio from adverse market movements due to the market opening gap, we reserve the right to decrease leverage on all offered symbols for financial accounts before market close and increase it again after market open. Please make sure that you have enough funds available in your {{platform}} account to support your positions at all times.","-10956371":"You need a real account (fiat currency or cryptocurrency) in Deriv to create a real DMT5 account.","-1760596315":"Create a Deriv account","-1324223697":"Use this password to log in to your DMT5 accounts on the desktop, web, and mobile apps.","-648956272":"Use this password to log in to your Deriv X accounts on the web and mobile apps.","-337314155":"Change {{platform}} password","-1814308691":"Please click on the link in the email to change your {{platform}} password.","-149836494":"Your transaction reference number is {{transaction_id}}","-1382749084":"Go back to trading","-538215347":"Net deposits","-280147477":"All transactions","-137444201":"Buy","-360975483":"You've made no transactions of this type during this period.","-1231210510":"Tick","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-8998663":"Digit: {{last_digit}} ","-1435392215":"About deal cancellation","-1280319153":"Cancel your trade anytime within a chosen time-frame. Triggered automatically if your trade reaches the stop out level within the chosen time-frame.","-471757681":"Risk management","-976258774":"Not set","-843831637":"Stop loss","-771725194":"Deal Cancellation","-945156951":"Are you sure you want to purchase this contract?","-45873457":"NEW","-127118348":"Choose {{contract_type}}","-543478618":"Try checking your spelling or use a different term","-338707425":"Minimum duration is 1 day","-1003473648":"Duration: {{duration}} day","-741395299":"{{value}}","-1527492178":"Purchase Locked","-725375562":"You can lock/unlock the purchase button from the Settings menu","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-2055106024":"Toggle between advanced and simple duration settings","-1012793015":"End time","-629549519":"Commission <0/>","-2131859340":"Stop out <0/>","-1686280757":"<0>{{commission_percentage}}% of (<1/> * {{multiplier}})","-1043117679":"When your current loss equals or exceeds {{stop_out_percentage}}% of your stake, your contract will be closed at the nearest available asset price.","-477998532":"Your contract is closed automatically when your loss is more than or equals to this amount.","-243332856":"Last digit stats for latest 1000 ticks for {{ underlying_name }}","-461955353":"purchase price","-172348735":"profit","-1624674721":"contract type","-1644154369":"entry spot time","-510792478":"entry spot price","-1974651308":"exit spot time","-1600267387":"exit spot price","-514917720":"barrier","-2004386410":"Win","-1072292603":"No Change","-1631669591":"string","-1768939692":"number","-795152863":"green","-1640576332":"blue","-804983649":"yellow","-94281841":"red","-1242470654":"Earned money","-1429914047":"Low","-1893628957":"Open Time","-1896106455":"10 minutes","-999492762":"15 minutes","-1978767852":"30 minutes","-293628675":"1 hour","-385604445":"2 hours","-1965813351":"4 hours","-525321833":"1 day","-151151292":"Asians","-1048378719":"Reset Call/Reset Put","-1282312809":"High/Low Ticks","-2035315547":"Low barrier","-1635771697":"middle","-1529389221":"Histogram","-1819860668":"MACD","-1750896349":"D'Alembert","-102980621":"The Oscar's Grind Strategy is a low-risk positive progression strategy that first appeared in 1965. By using this strategy, the size of your contract will increase after successful trades, but remains unchanged after unsuccessful trades.","-462715374":"Untitled Bot","-2002533437":"Custom function","-215053350":"with:","-1257232389":"Specify a parameter name:","-1885742588":"with: ","-188442606":"function {{ function_name }} {{ function_params }} {{ dummy }}","-313112159":"This block is similar to the one above, except that this returns a value. The returned value can be assigned to a variable of your choice.","-1783320173":"Prematurely returns a value within a function","-1485521724":"Conditional return","-1482801393":"return","-46453136":"get","-1838027177":"first","-1182568049":"Get list item","-1675454867":"This block gives you the value of a specific item in a list, given the position of the item. It can also remove the item from the list.","-381501912":"This block creates a list of items from an existing list, using specific item positions.","-426766796":"Get sub-list","-1679267387":"in list {{ input_list }} find {{ first_or_last }} occurence of item {{ input_value }}","-2087996855":"This block gives you the position of an item in a given list.","-422008824":"Checks if a given list is empty","-1343887675":"This block checks if a given list is empty. It returns “True” if the list is empty, “False” if otherwise.","-1548407578":"length of {{ input_list }}","-1786976254":"This block gives you the total number of items in a given list.","-2113424060":"create list with item {{ input_item }} repeated {{ number }} times","-1955149944":"Repeat an item","-434887204":"set","-197957473":"as","-851591741":"Set list item","-1874774866":"ascending","-1457178757":"Sorts the items in a given list","-350986785":"Sort list","-324118987":"make text from list","-155065324":"This block creates a list from a given string of text, splitting it with the given delimiter. It can also join items in a list into a string of text.","-459051222":"Create list from text","-977241741":"List Statement","-451425933":"{{ break_or_continue }} of loop","-323735484":"continue with next iteration","-1592513697":"Break out/continue","-713658317":"for each item {{ variable }} in list {{ input_list }}","-1825658540":"Iterates through a given list","-952264826":"repeat {{ number }} times","-887757135":"Repeat (2)","-1608672233":"This block is similar to the block above, except that the number of times it repeats is determined by a given variable.","-533154446":"Repeat (1)","-1059826179":"while","-1893063293":"until","-279445533":"Repeat While/Until","-1003706492":"User-defined variable","-359097473":"set {{ variable }} to {{ value }}","-1588521055":"Sets variable value","-980448436":"Set variable","-1538570345":"Get the last trade information and result, then trade again.","-222725327":"Here is where you can decide if your bot should continue trading.","-1638446329":"Result is {{ win_or_loss }}","-1968029988":"Last trade result","-1588406981":"You can check the result of the last trade with this block.","-1459154781":"Contract Details: {{ contract_detail }}","-1652241017":"Reads a selected property from contract details list","-2012970860":"This block gives you information about your last contract.","-2082345383":"These blocks transfer control to the Purchase conditions block.","-172574065":"This block will transfer the control back to the Purchase conditions block, enabling you to purchase another contract.","-403103225":"restart","-837044282":"Ask Price {{ contract_type }}","-1033917049":"This block returns the purchase price for the selected trade type.","-1863737684":"2. Purchase conditions","-228133740":"Specify contract type and purchase conditions.","-1291088318":"Purchase conditions","-1098726473":"This block is mandatory. Only one copy of this block is allowed. You can place the Purchase block (see below) here as well as conditional blocks to define your purchase conditions.","-1777988407":"Payout {{ contract_type }}","-511116341":"This block returns the potential payout for the selected trade type","-1943211857":"Potential payout","-813464969":"buy","-53668380":"True if active contract can be sold before expiration at current market price","-43337012":"Sell profit/loss","-2112866691":"Returns the profit/loss from selling at market price","-2132417588":"This block gives you the potential profit or loss if you decide to sell your contract.","-1360483055":"set {{ variable }} to Bollinger Bands {{ band_type }} {{ dummy }}","-20542296":"Calculates Bollinger Bands (BB) from a list with a period","-1951109427":"Bollinger Bands (BB)","-857226052":"BB is a technical analysis indicator that’s commonly used by traders. The idea behind BB is that the market price stays within the upper and lower bands for 95% of the time. The bands are the standard deviations of the market price, while the line in the middle is a simple moving average line. If the price reaches either the upper or lower band, there’s a possibility of a trend reversal.","-325196350":"set {{ variable }} to Bollinger Bands Array {{ band_type }} {{ dummy }}","-199689794":"Similar to BB. This block gives you a choice of returning the values of either the lower band, higher band, or the SMA line in the middle.","-920690791":"Calculates Exponential Moving Average (EMA) from a list with a period","-960641587":"EMA is a type of moving average that places more significance on the most recent data points. It’s also known as the exponentially weighted moving average. EMA is different from SMA in that it reacts more significantly to recent price changes.","-1557584784":"set {{ variable }} to Exponential Moving Average Array {{ dummy }}","-32333344":"Calculates Moving Average Convergence Divergence (MACD) from a list","-628573413":"MACD is calculated by subtracting the long-term EMA (26 periods) from the short-term EMA (12 periods). If the short-term EMA is greater or lower than the long-term EMA than there’s a possibility of a trend reversal.","-1133676960":"Fast EMA Period {{ input_number }}","-883166598":"Period {{ input_period }}","-450311772":"set {{ variable }} to Relative Strength Index {{ dummy }}","-1861493523":"Calculates Relative Strength Index (RSI) list from a list of values with a period","-880048629":"Calculates Simple Moving Average (SMA) from a list with a period","-1150972084":"Market direction","-276935417":"This block is used to determine if the market price moves in the selected direction or not. It gives you a value of “True” or “False”.","-764931948":"in candle list get # from end {{ input_number }}","-924607337":"Returns the last digit of the latest tick","-560033550":"Returns the list of last digits of 1000 recent tick values","-74062476":"Make a List of {{ candle_property }} values in candles list with interval: {{ candle_interval_type }}","-1556495906":"Returns a list of specific values from a candle list according to selected time interval","-166816850":"Create a list of candle values (1)","-1261436901":"Candles List","-1460794449":"This block gives you a list of candles within a selected time interval.","-1174859923":"Read the selected candle value","-1972165119":"Read candle value (1)","-1956100732":"You can use this block to analyze the ticks, regardless of your trades","-443243232":"The content of this block is called on every tick. Place this block outside of any root block.","-641399277":"Last Tick","-1628954567":"Returns the value of the last tick","-1332756793":"This block gives you the value of the last tick.","-2134440920":"Last Tick String","-1466340125":"Tick value","-467913286":"Tick value Description","-785831237":"This block gives you a list of the last 1000 tick values.","-1546430304":"Tick List String Description","-1788626968":"Returns \"True\" if the given candle is black","-436010611":"Make a list of {{ candle_property }} values from candles list {{ candle_list }}","-1384340453":"Returns a list of specific values from a given candle list","-584859539":"Create a list of candle values (2)","-2010558323":"Read {{ candle_property }} value in candle {{ input_candle }}","-2846417":"This block gives you the selected candle value.","-1587644990":"Read candle value (2)","-1202212732":"This block returns account balance","-1737837036":"Account balance","-1963883840":"Put your blocks in here to prevent them from being removed","-1284013334":"Use this block if you want some instructions to be ignored when your bot runs. Instructions within this block won’t be executed.","-1217253851":"Log","-1987568069":"Warn","-104925654":"Console","-1956819233":"This block displays messages in the developer's console with an input that can be either a string of text, a number, boolean, or an array of data.","-1450461842":"Load block from URL: {{ input_url }}","-1088614441":"Loads blocks from URL","-1747943728":"Loads from URL","-2105753391":"Notify Telegram {{ dummy }} Access Token: {{ input_access_token }} Chat ID: {{ input_chat_id }} Message: {{ input_message }}","-1008209188":"Sends a message to Telegram","-1218671372":"Displays a notification and optionally play selected sound","-2099284639":"This block gives you the total profit/loss of your trading strategy since your bot started running. You can reset this by clicking “Clear stats” on the Transaction Stats window, or by refreshing this page in your browser.","-683825404":"Total Profit String","-718220730":"Total Profit String Description","-1861858493":"Number of runs","-264195345":"Returns the number of runs","-303451917":"This block gives you the total number of times your bot has run. You can reset this by clicking “Clear stats” on the Transaction Stats window, or by refreshing this page in your browser.","-2132861129":"Conversion Helper Block","-74095551":"Seconds Since Epoch","-15528039":"Returns the number of seconds since January 1st, 1970","-729807788":"This block returns the number of seconds since January 1st, 1970.","-1370107306":"{{ dummy }} {{ stack_input }} Run after {{ number }} second(s)","-558838192":"Delayed run","-1975250999":"This block converts the number of seconds since the Unix Epoch (1 January 1970) into a string of text representing the date and time.","-702370957":"Convert to date/time","-982729677":"Convert to timestamp","-311268215":"This block converts a string of text that represents the date and time into seconds since the Unix Epoch (1 January 1970). The time and time zone offset are optional. Example: 2019-01-01 21:03:45 GMT+0800 will be converted to 1546347825.","-1466383897":"Duration: {{ duration_unit }} {{ duration_value }}","-440702280":"Trade options","-1193894978":"Define your trade options such as duration and stake. Some options are only applicable for certain trade types.","-625636913":"Amount must be a positive number.","-46523443":"Duration value is not allowed. To run the bot, please enter a value between {{min}} to {{max}}.","-1483427522":"Trade Type: {{ trade_type_category }} > {{ trade_type }}","-323348124":"1. Trade parameters","-1671903503":"Run once at start:","-783173909":"Trade options:","-376956832":"Here is where you define the parameters of your contract.","-1244007240":"if {{ condition }} then","-908772734":"This block evaluates a statement and will perform an action only when the statement is true.","-1577206704":"else if","-33796979":"true","-1434883449":"This is a single block that returns a boolean value, either true or false.","-1946404450":"Compares two values","-979918560":"This block converts the boolean value (true or false) to its opposite.","-2047257743":"Null","-1274387519":"Performs selected logic operation","-766386234":"This block performs the \"AND\" or the \"OR\" logic operation.","-790995537":"test {{ condition }}","-1860211657":"if false {{ return_value }}","-1643760249":"This block tests if a given value is true or false and returns “True” or “False” accordingly.","-1551875333":"Test value","-52486882":"Arithmetical operations","-1010436425":"This block adds the given number to the selected variable","-999773703":"Change variable","-1272091683":"Mathematical constants","-1396629894":"constrain {{ number }} low {{ low_number }} high {{ high_number }}","-425224412":"This block constrains a given number so that it is within a set range.","-2072551067":"Constrain within a range","-43523220":"remainder of {{ number1 }} ÷ {{ number2 }}","-1291857083":"Returns the remainder after a division","-592154850":"Remainder after division","-736665095":"Returns the remainder after the division of the given numbers.","-1266992960":"Math Number Description","-77191651":"{{ number }} is {{ type }}","-817881230":"even","-142319891":"odd","-1000789681":"whole","-1735674752":"Test a number","-1017805068":"This block tests a given number according to the selection and it returns a value of “True” or “False”. Available options: Even, Odd, Prime, Whole, Positive, Negative, Divisible","-1858332062":"Number","-1053492479":"Enter an integer or fractional number into this block. Please use `.` as a decimal separator for fractional numbers.","-927097011":"sum","-1653202295":"max","-1555878023":"average","-1748351061":"mode","-992067330":"Aggregate operations","-1691561447":"This block gives you a random fraction between 0.0 to 1.0","-523625686":"Random fraction number","-933024508":"Rounds a given number to an integer","-1656927862":"This block rounds a given number according to the selection: round, round up, round down.","-1495304618":"absolute","-61210477":"Operations on a given number","-181644914":"This block performs the selected operations to a given number.","-840732999":"to {{ variable }} append text {{ input_text }}","-1469497908":"Appends a given text to a variable","-1851366276":"Text Append","-1666316828":"Appends a given text to a variable.","-1902332770":"Transform {{ input_text }} to {{ transform_type }}","-1489004405":"Title Case","-904432685":"Changes text case accordingly","-882381096":"letter #","-1027605069":"letter # from end","-2066990284":"random letter","-337089610":"in text {{ input_text1 }} find {{ first_or_last }} occurence of text {{ input_text2 }}","-1966694141":"Searches through a string of text for a specific occurrence of a given character or word, and returns the position.","-697543841":"Text join","-141160667":"length of {{ input_text }}","-1133072029":"Text String Length","-1109723338":"print {{ input_text }}","-736668830":"Print","-1190046167":"This block displays a dialog box with a customised message. When the dialog box is displayed, your strategy is paused and will only resume after you click \"OK\".","-1821552998":"trim spaces from {{ side }} of {{ input_text }}","-801766026":"right side","-474779821":"Trims spaces","-1219239717":"One or more mandatory blocks are missing from your workspace. Please add the required block(s) and then try again.","-250761331":"One or more mandatory blocks are disabled in your workspace. Please enable the required block(s) and then try again.","-187634388":"This block is mandatory. Here is where you can decide if your bot should continue trading. Only one copy of this block is allowed.","-2105473795":"The only input parameter determines how block output is going to be formatted. In case if the input parameter is \"string\" then the account currency will be added.","-1800436138":"2. for \"number\": 1325.68","-2046396241":"This block is mandatory. Only one copy of this block is allowed. It is added to the canvas by default when you open DBot.","-530632460":"This block is used to determine if the market price moves in the selected direction or not. It gives you a value of \"True\" or \"False\".","-1875717842":"Examples:","-890079872":"1. If the selected direction is \"Rise\", and the previous tick value is less than the current tick value, the output will be \"True\". Otherwise, the output will be an empty string.","-489739641":"2. If the selected direction is \"Fall\", and the previous tick value is more than the current tick value, the output will be \"True\". Otherwise, the output will be an empty string.","-2116076360":"There are 4 message types:","-1421941045":"2. 'Warn' displays a message in yellow to highlight something that needs attention.","-277850921":"If \"Win\" is selected, it will return \"True\" if your last trade was successful. Otherwise, it will return an empty string.","-1918487001":"Example:","-2139916657":"1. In the below example the loop is terminated in case \"x\" is \"False\" even though only one iteration is complete","-1238900333":"2. In the below example the loop jumps to the next iteration without executing below block in case if \"x\" is \"False\"","-1729479576":"You can use \"i\" inside the loop, for example to access list items","-1474636594":"In this example, the loop will repeat three times, as that is the number of items in the given list. During each iteration, the variable \"i\" will be assigned a value from the list. ","-334040831":"2. In this example, the instructions are repeated as long as the value of x is greater than or equal to 10. Once the value of x drops below 10, the loop is terminated.","-444267958":"\"Seconds Since Epoch\" block returns the number of seconds since January 1st, 1970.","-447522129":"You might need it when you want to repeat an actions after certain amount of time.","-1488259879":"The term \"candle\" refers to each bar on the candlestick chart. Each candle represents four market prices for the selected time interval:","-2020693608":"Each candlestick on the chart represents 4 market prices for the selected time interval:","-62728852":"- Open price: the opening price","-1247744334":"- Low price: the lowest price","-1386365697":"- Close price: the closing price","-1498732382":"A black (or red) candle indicates that the open price is higher than the close price. This represents a downward movement of the market price.","-1871864755":"This block gives you the last digit of the latest tick value of the selected market. If the latest tick value is 1410.90, this block will return 0. It’s useful for digit-based contracts such as Even/Odd, Matches/Differs, or Higher/Lower.","-1029671512":"In case if the \"OR\" operation is selected, the block returns \"True\" in case if one or both given values are \"True\"","-210295176":"Available operations:","-1385862125":"- Addition","-983721613":"- Subtraction","-854750243":"- Multiplication","-1394815185":"In case if the given number is less than the lower boundary of the range, the block returns the lower boundary value. Similarly, if the given number is greater than the higher boundary, the block will return the higher boundary value. In case if the given value is between boundaries, the block will return the given value unchanged.","-1034564248":"In the below example the block returns the value of 10 as the given value (5) is less than the lower boundary (10)","-2009817572":"This block performs the following operations to a given number","-671300479":"Available operations are:","-514610724":"- Absolute","-1923861818":"- Euler’s number (2.71) to the power of a given number","-1556344549":"Here’s how:","-1061127827":"- Visit the following URL, make sure to replace with the Telegram API token you created in Step 1: https://api.telegram.org/bot/getUpdates","-70949308":"4. Come back to DBot and add the Notify Telegram block to the workspace. Paste the Telegram API token and chat ID into the block fields accordingly.","-311389920":"In this example, the open prices from a list of candles are assigned to a variable called \"cl\".","-1634242212":"Used within a function block, this block returns a value when a specific condition is true.","-1504783522":"You can choose to see one of the following:","-10612039":"- Profit: the profit you’ve earned","-555996976":"- Entry time: the starting time of the contract","-1391071125":"- Exit time: the contract expiration time","-1961642424":"- Exit value: the value of the last tick of the contract","-111312913":"- Barrier: the barrier value of the contract (applicable to barrier-based trade types such as stays in/out, touch/no touch, etc.)","-674283099":"- Result: the result of the last contract: \"win\" or \"loss\"","-704543890":"This block gives you the selected candle value such as open price, close price, high price, low price, and open time. It requires a candle as an input parameter.","-482281200":"In the example below, the open price is assigned to the variable \"op\".","-364621012":"This block gives you the specified candle value for a selected time interval. You can choose which value you want:","-232477769":"- Open: the opening price","-610736310":"Use this block to sell your contract at the market price. Selling your contract is optional. You may choose to sell if the market trend is unfavourable.","-1307657508":"This block gives you the potential profit or loss if you decide to sell your contract. It can only be used within the \"Sell conditions\" root block.","-1921072225":"In the example below, the contract will only be sold if the potential profit or loss is more than the stake.","-955397705":"SMA adds the market price in a list of ticks or candles for a number of time periods, and divides the sum by that number of time periods.","-1424923010":"where n is the number of periods.","-1835384051":"What SMA tells you","-749487251":"SMA serves as an indicator of the trend. If the SMA points up then the market price is increasing and vice versa. The larger the period number, the smoother SMA line is.","-1996062088":"In this example, each point of the SMA line is an arithmetic average of close prices for the last 10 days.","-1866751721":"Input list accepts a list of ticks or candles, while period is the specified time period.","-1097076512":"You may compare SMA values calculated on every bot run to identify the market trend direction. Alternatively, you may also use a variation of the SMA block, the Simple Moving Average Array block. ","-1254849504":"If a period of 10 is entered, the Simple Moving Average Array block will return a list of SMA values calculated based on period of 10.","-859028989":"In this example, the date and time will be displayed in a green notification box.","-1452086215":"In this example, a Rise contract will be purchased at midnight on 1 August 2019.","-2078588404":"Select your desired market and asset type. For example, Forex > Major pairs > AUD/JPY","-2037446013":"2. Trade Type","-533927844":"Select your desired trade type. For example, Up/Down > Rise/Fall","-1192411640":"4. Default Candle Interval","-485434772":"8. Trade Options","-1827646586":"This block assigns a given value to a variable, creating the variable if it doesn't already exist.","-1687036846":"Download block","-1266781295":"Expand","-894560707":"function","-1867119688":"Duplicate","-610728049":"Rearrange Vertically","-2033146714":"Collapse All Blocks","-958601558":"Delete Block","-1193267384":"Detach Block","-1750478127":"New variable name","-1061878051":"Y","-2047029150":"Unable to load the block file.","-1410769167":"Target must be an XML file","-609157479":"This URL is already loaded","-241945454":"Proposals are not ready","-1087890592":"Maximum loss amount reached","-1030545878":"You are rate limited for: {{ message_type }}, retrying in {{ delay }}s (ID: {{ request }})","-490766438":"You are disconnected, retrying in {{ delay }}s","-1389975609":"unknown","-1900515692":"Duration must be a positive integer","-245297595":"Please login","-1445046468":"Given candle is not valid","-1891622945":"{{hourPast}}h ago","-1723202824":"Please grant permission to view and manage Google Drive folders created with Binary Bot","-210953314":"There was an error retrieving data from Google Drive","-1521930919":"Select a Binary Bot strategy","-845301264":"There was an error listing files from Google Drive","-1452908801":"There was an error retrieving files from Google Drive","-232617824":"There was an error processing your request"} \ No newline at end of file +{"0":"","1014140":"You may also call <0>+447723580049 to place your complaint.","3215342":"Last 30 days","7100308":"Hour must be between 0 and 23.","11539750":"set {{ variable }} to Relative Strength Index Array {{ dummy }}","11872052":"Yes, I'll come back later","14365404":"Request failed for: {{ message_type }}, retrying in {{ delay }}s","15377251":"Profit amount: {{profit}}","17217397":"Cryptocurrency","17843034":"Check proof of identity document verification status","19424289":"Username","21035405":"Please tell us why you’re leaving. (Select up to {{ allowed_reasons }} reasons.)","25854018":"This block displays messages in the developer’s console with an input that can be either a string of text, a number, boolean, or an array of data.","26566655":"Summary","26596220":"Finance","27582767":"{{amount}} {{currency}}","39720204":"AUD Index","41737927":"Thank you","44877997":"Residence permit","45453595":"Binary Coin","45941470":"Where would you like to start?","46523711":"Your proof of identity is verified","54185751":"Less than $100,000","55916349":"All","58254854":"Scopes","59169515":"If you select \"Asian Rise\", you will win the payout if the last tick is higher than the average of the ticks.","59341501":"Unrecognized file format","59662816":"Stated limits are subject to change without prior notice.","62748351":"List Length","63869411":"This block tests a given number according to the selection","65185694":"Fiat onramp","65982042":"Total","66519591":"Investor password","68885999":"Repeats the previous trade when an error is encountered.","69005593":"The example below restarts trading after 30 or more seconds after 1 minute candle was started.","69284613":"Trade popular currency pairs and cryptocurrencies with straight-through processing order (STP).","71016232":"OMG/USD","71445658":"Open","71563326":"A fast and secure fiat-to-crypto payment service. Deposit cryptocurrencies from anywhere in the world using your credit/debit cards and bank transfers.","71853457":"$100,001 - $500,000","72500774":"Please fill in Tax residence.","73086872":"You have self-excluded from trading","73326375":"The low is the lowest point ever reached by the market during the contract period.","74963864":"Under","81450871":"We couldn’t find that page","83202647":"Collapse Block","85343079":"Financial assessment","85389154":"Steps required to continue verification on your mobile","89062902":"Trade on MT5","90266322":"2. Start a chat with your newly created Telegram bot and make sure to send it some messages before proceeding to the next step. (e.g. Hello Bot!)","91993812":"The Martingale Strategy is a classic trading technique that has been used for more than a hundred years, popularised by the French mathematician Paul Pierre Levy in the 18th century.","96381225":"ID verification failed","98972777":"random item","100239694":"Upload front of card from your computer","102226908":"Field cannot be empty","108916570":"Duration: {{duration}} days","109903655":"The minimum withdrawal amount allowed is {{min_withdraw_amount}} {{currency}}","111215238":"Move away from direct light","111718006":"End date","111931529":"Max. total stake over 7 days","113378532":"ETH/USD","113884303":"German Index","113933902":"Download the Deriv X app","115032488":"Buy price and P/L","116005488":"Indicators","117318539":"Password should have lower and uppercase English letters with numbers.","119261701":"Prediction:","119446122":"Contract type is not selected","120340777":"Complete your personal details","123454801":"{{withdraw_amount}} {{currency_symbol}}","124723298":"Upload a proof of address to verify your address","125443840":"6. Restart last trade on error","127307725":"A politically exposed person (PEP) is someone appointed with a prominent public position. Close associates and family members of a PEP are also considered to be PEPs.","130567238":"THEN","132689841":"Trade on web terminal","133523018":"Please go to the Deposit page to get an address.","133536621":"and","139454343":"Confirm my limits","141626595":"Make sure your device has a working camera","142050447":"set {{ variable }} to create text with","142390699":"Connected to your mobile","143970826":"Payment problems?","145736466":"Take a selfie","150486954":"Token name","151344063":"The exit spot is the market price when the contract is closed.","151646545":"Unable to read file {{name}}","152415091":"Math","157593038":"random integer from {{ start_number }} to {{ end_number }}","160863687":"Camera not detected","162727973":"Please enter a valid payment agent ID.","164112826":"This block allows you to load blocks from a URL if you have them stored on a remote server, and they will be loaded only when your bot runs.","164564432":"Deposits are temporarily unavailable due to system maintenance. You can make your deposits when the maintenance is complete.","165294347":"Please set your country of residence in your account settings to access the cashier.","165312615":"Continue on phone","165682516":"If you don’t mind sharing, which other trading platforms do you use?","170185684":"Ignore","171307423":"Recovery","171579918":"Go to Self-exclusion","171638706":"Variables","173991459":"We’re sending your request to the blockchain.","176319758":"Max. total stake over 30 days","176654019":"$100,000 - $250,000","178413314":"First name should be between 2 and 50 characters.","179083332":"Date","181881956":"Contract Type: {{ contract_type }}","184024288":"lower case","189705706":"This block uses the variable \"i\" to control the iterations. With each iteration, the value of \"i\" is determined by the items in a given list.","189759358":"Creates a list by repeating a given item","191372501":"Accumulation of Income/Savings","192436105":"No need for symbols, digits, or uppercase letters","192573933":"Verification complete","195972178":"Get character","196998347":"We hold customer funds in bank accounts separate from our operational accounts which would not, in the event of insolvency, form part of the company's assets. This meets the <0>Gambling Commission's requirements for the segregation of customer funds at the level: <1>medium protection.","198735482":"Thanks for submitting your documents!","201091938":"30 days","203271702":"Try again","204797764":"Transfer to client","204863103":"Exit time","206010672":"Delete {{ delete_count }} Blocks","207824122":"Please withdraw your funds from the following Deriv account(s):","210385770":"If you have an active account, please log in to continue. Otherwise, please sign up.","211224838":"Investment","211461880":"Common names and surnames are easy to guess","211823569":"Trade on Deriv MetaTrader 5 (DMT5), the all-in-one FX and CFD trading platform.","211847965":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.","214700904":"Please contact us via live chat to enable deposits.","216650710":"You are using a demo account","217504255":"Financial assessment submitted successfully","220014242":"Upload a selfie from your computer","220186645":"Text Is empty","220232017":"demo CFDs","222468543":"The amount that you may add to your stake if you’re losing a trade.","223120514":"In this example, each point of the SMA line is an arithmetic average of close prices for the last 50 days.","223607908":"Last digit stats for latest 1000 ticks for {{underlying_name}}","224650827":"IOT/USD","225887649":"This block is mandatory. It's added to your strategy by default when you create new strategy. You can not add more than one copy of this block to the canvas.","227591929":"To timestamp {{ input_datetime }} {{ dummy }}","228521812":"Tests whether a string of text is empty. Returns a boolean value (true or false).","233500222":"- High: the highest price","235583807":"SMA is a frequently used indicator in technical analysis. It calculates the average market price over a specified period, and is usually used to identify market trend direction: up or down. For example, if the SMA is moving upwards, it means the market trend is up. ","236642001":"Journal","240247367":"Profit table","243614144":"This is only available for existing clients.","245005091":"lower","245187862":"The DRC will make a <0>decision on the complaint (please note that the DRC mentions no timeframe for announcing its decision).","245812353":"if {{ condition }} return {{ value }}","247418415":"Gaming trading can become a real addiction, as can any other activity pushed to its limits. To avoid the danger of such an addiction, we provide a reality-check that gives you a summary of your trades and accounts on a regular basis.","248565468":"Check your {{ identifier_title }} account email and click the link in the email to proceed.","248909149":"Send a secure link to your phone","251134918":"Account Information","251445658":"Dark theme","254912581":"This block is similar to EMA, except that it gives you the entire EMA line based on the input list and the given period.","256031314":"Cash Business","258310842":"Workspace","258448370":"MT5","260069181":"An error occured while trying to load the URL","260086036":"Place blocks here to perform tasks once when your bot starts running.","260361841":"Tax Identification Number can't be longer than 25 characters.","264976398":"3. 'Error' displays a message in red to highlight something that needs to be resolved immediately.","265644304":"Trade types","267992618":"The platforms lack key features or functionality.","269607721":"Upload","270339490":"If you select \"Over\", you will win the payout if the last digit of the last tick is greater than your prediction.","270610771":"In this example, the open price of a candle is assigned to the variable \"candle_open_price\".","270712176":"descending","270727821":"Stock Indices","270780527":"You've reached the limit for uploading your documents.","272179372":"This block is commonly used to adjust the parameters of your next trade and to implement stop loss/take profit logic.","273350342":"Copy and paste the token into the app.","273728315":"Should not be 0 or empty","274268819":"Volatility 100 Index","275116637":"Deriv X","277469417":"Exclude time cannot be for more than five years.","278684544":"get sub-list from # from end","282319001":"Check your image","282564053":"Next, we'll need your proof of address.","284527272":"antimode","284772879":"Contract","287934290":"Are you sure you want to cancel this transaction?","289898640":"TERMS OF USE","292491635":"If you select “Stop loss” and specify an amount to limit your loss, your position will be closed automatically when your loss is more than or equals to this amount. Your loss may be more than the amount you entered depending on the market price at closing.","292526130":"Tick and candle analysis","292589175":"This will display the SMA for the specified period, using a candle list.","292887559":"Transfer to {{selected_value}} is not allowed, Please choose another account from dropdown","294305803":"Manage account settings","294335229":"Sell at market price","300762428":"Swiss Index","303959005":"Sell Price:","304309961":"We're reviewing your withdrawal request. You may still cancel this transaction if you wish. Once we start processing, you won't be able to cancel.","312142140":"Save new limits?","312300092":"Trims the spaces within a given string or text.","312318161":"Your contract will be closed automatically at the next available asset price when the duration exceeds <0>.","313298169":"Our cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.","313741895":"This block returns “True” if the last candle is black. It can be placed anywhere on the canvas except within the Trade parameters root block.","315306603":"You have an account that do not have currency assigned. Please choose a currency to trade with this account.","316694303":"Is candle black?","317601768":"Themes","318865860":"close","318984807":"This block repeats the instructions contained within for a specific number of times.","319538091":"DMT5 Financial STP","323179846":"The time interval for each candle can be set from one minute to one day.","323209316":"Select a Deriv Bot Strategy","325662004":"Expand Block","325763347":"result","326770937":"Withdraw {{currency}} ({{currency_symbol}}) to your wallet","327534692":"Duration value is not allowed. To run the bot, please enter {{min}}.","328539132":"Repeats inside instructions specified number of times","329404045":"<0>Switch to your real account<1> to create a {{platform}} {{account_title}} account.","333456603":"Withdrawal limits","334942497":"Buy time","335040248":"About us","335046131":"Switch to crypto account?","337023006":"Start time cannot be in the past.","339449279":"Remaining time","339610914":"Spread Up/Spread Down","339879944":"GBP/USD","340807218":"Description not found.","342181776":"Cancel transaction","343873723":"This block displays a message. You can specify the color of the message and choose from 6 different sound options.","345320063":"Invalid timestamp","347039138":"Iterate (2)","348951052":"Your cashier is currently locked","349047911":"Over","351744408":"Tests if a given text string is empty","353731490":"Job done","354945172":"Submit document","357477280":"No face found","358266012":"Warning!","359053005":"Please enter a token name.","359649435":"Given candle list is not valid","359809970":"This block gives you the selected candle value from a list of candles within the selected time interval. You can choose from open price, close price, high price, low price, and open time.","360224937":"Logic","362772494":"This should not exceed {{max}} characters.","363576009":"- High price: the highest price","363738790":"Browser","363990763":"Sell price:","368160866":"in list","371151609":"Last used","372291654":"Exclude time must be after today.","372645383":"True if the market direction matches the selection","373021397":"random","373495360":"This block returns the entire SMA line, containing a list of all values for a given period.","373919918":"Your account will be opened with Deriv Investments (Europe) Limited, regulated by the Malta Financial Services Authority (MFSA), and will be subject to the laws of Malta.","374537470":"No results for \"{{text}}\"","375714803":"Deal Cancellation Error","379730150":"US Tech Index","380606668":"tick","380694312":"Maximum consecutive trades","382781785":"Your contract is closed automatically when your profit is more than or equals to this amount.","384000246":"30 days max total stake","384303768":"This block returns \"True\" if the last candle is black. It can be placed anywhere on the canvas except within the Trade parameters root block.","386502387":"Bot is not running","389923099":"Zoom in","390647540":"Real account","390890891":"Last quarter","391915203":"Hedging","392582370":"Fall Equals","396418990":"Offline","399387585":"Please check your email for details. If you have any questions, please go to our <0>Help Centre.","401339495":"Verify address","402343402":"Due to an issue on our server, some of your {{platform}} accounts are unavailable at the moment. Please bear with us and thank you for your patience.","403456289":"The formula for SMA is:","404743411":"Total deposits","406359555":"Contract details","406497323":"Sell your active contract if needed (optional)","411482865":"Add {{deriv_account}} account","412433839":"I agree to the <0>terms and conditions.","417864079":"You’ll not be able to change currency once you have made a deposit.","420072489":"CFD trading frequency","422055502":"From","423608897":"Limits your total stake for 30 days across all Deriv platforms.","425729324":"You are using a demo account. Please <0>switch to your real account or <1>create one to access Cashier.","426031496":"Stop","427134581":"Try using another file type.","427617266":"Bitcoin","428709688":"Your preferred time interval between each report:","430975601":"Town/City is not in a proper format.","432519573":"Document uploaded","433348384":"Real accounts are not available to politically exposed persons (PEPs).","433616983":"2. Investigation phase","434548438":"Highlight function definition","434896834":"Custom functions","437138731":"Create a new {{platform}} password","437453244":"Choose your preferred cryptocurrency","437485293":"File type not supported","437904704":"Maximum open positions","438067535":"Over $500,000","440529960":"Set your password","442520703":"$250,001 - $500,000","444484637":"Logic negation","450983288":"Your deposit is unsuccessful due to an error on the blockchain. Please contact your crypto wallet service provider for more info.","451852761":"Continue on your phone","452054360":"Similar to RSI, this block gives you a list of values for each entry in the input list.","453409608":"Your profit is the percentage change in market price times your stake and the multiplier of your choice.","454593402":"2. Please upload one of the following:","454664700":"FX-majors, FX-minors, FX-exotics, Cryptocurrencies","456746157":"Grant access to your camera from your browser settings","457020083":"It’ll take longer to verify you if we can’t read it","457494524":"1. From the block library, enter a name for the new variable and click Create.","459817765":"Pending","460975214":"Complete your Appropriateness Test","461795838":"Please contact us via live chat to unlock it.","462079779":"Resale not offered","463361726":"Select an item","465993338":"Oscar's Grind","466369320":"Your gross profit is the percentage change in market price times your stake and the multiplier chosen here.","473154195":"Settings","475492878":"Try Synthetic Indices","476023405":"Didn't receive the email?","477557241":"Remote blocks to load must be a collection.","478280278":"This block displays a dialog box that uses a customised message to prompt for an input. The input can be either a string of text or a number and can be assigned to a variable. When the dialog box is displayed, your strategy is paused and will only resume after you enter a response and click \"OK\".","479420576":"Tertiary","481276888":"Goes Outside","482028864":"Your contract will be closed automatically at the next available asset price when the duration exceeds {{ days }} {{ unit }} {{ timestamp }}.","483591040":"Delete all {{ delete_count }} blocks?","487239607":"Converts a given True or False to the opposite value","488150742":"Resend email","489768502":"Change investor password","491603904":"Unsupported browser","492198410":"Make sure everything is clear","496680295":"Choose country","497518317":"Function that returns a value","498562439":"or","499522484":"1. for \"string\": 1325.68 USD","500855527":"Chief Executives, Senior Officials and Legislators","500920471":"This block performs arithmetic operations between two numbers.","501401157":"You are only allowed to make deposits","501537611":"*Maximum number of open positions","502041595":"This block gives you a specific candle from within the selected time interval.","503137339":"Payout limit","505793554":"last letter","508390614":"Demo Financial STP","510815408":"Letters, numbers, spaces, hyphens only","514031715":"list {{ input_list }} is empty","514776243":"Your {{account_type}} password has been changed.","514948272":"Copy link","518955798":"7. Run Once at Start","520136698":"Boom 500 Index","521872670":"item","521947594":"Launch DTrader in seconds the next time you want to trade.","522283618":"Digital options trading experience","522703281":"divisible by","523123321":"- 10 to the power of a given number","527329988":"This is a top-100 common password","529056539":"Options","530953413":"Authorised applications","531114081":"3. Contract Type","531675669":"Euro","535041346":"Max. total stake per day","538228086":"Close-Low","541650045":"Manage {{platform}} password","542305026":"You must also submit a proof of identity.","545476424":"Total withdrawals","546534357":"If you select “Deal cancellation”, you’ll be able to cancel your trade within a chosen time frame should the market move against your favour. We’ll charge a small fee for this, but we’ll return your stake amount without profit or loss. If the stop-out amount is reached before the deal cancellation expires, your position will be cancelled automatically and we’ll return your stake amount without profit or loss. While “Deal cancellation” is active:","549348623":"Send only Tether Omni to this deposit address.<0 /><0 />Sending Tether ERC20 to this address will result in the loss of your deposit.","549479175":"Deriv Multipliers","551414637":"Click the <0>Change password button to change your DMT5 password.","551569133":"Learn more about trading limits","554410233":"This is a top-10 common password","555351771":"After defining trade parameters and trade options, you may want to instruct your bot to purchase contracts when specific conditions are met. To do that you can use conditional blocks and indicators blocks to help your bot to make decisions.","556095366":"We'll process your details within a few minutes and notify its status via email.","556264438":"Time interval","561982839":"Change your currency","562599414":"This block returns the purchase price for the selected trade type. This block can be used only in the \"Purchase conditions\" root block.","563034502":"We shall try to resolve your complaint within 15 business days. We will inform you of the outcome together with an explanation of our position and propose any remedial measures we intend to take.","563166122":"We shall acknowledge receiving your complaint, review it carefully, and keep you updated on the handling process. We might request further information or clarifications to facilitate the resolution of the complaint.","563652273":"Go to block","565410797":"The below image illustrates how Simple Moving Average Array block works:","566274201":"1. Market","567019968":"A variable is among the most important and powerful components in creating a bot. It is a way to store information, either as text or numbers. The information stored as a variable can be used and changed according to the given instructions. Variables can be given any name, but usually they are given useful, symbolic names so that it is easier to call them during the execution of instructions.","567163880":"Create a {{platform}} password","567755787":"Tax Identification Number is required.","569057236":"In which country was your document issued?","569923414":"If you have a DMT5 real account, log in to close any open positions.","571921777":"Funds protection level","573173477":"Is candle {{ input_candle }} black?","577215477":"count with {{ variable }} from {{ start_number }} to {{ end_number }} by {{ step_size }}","577779861":"Withdrawal","577883523":"4. Awards and orders","578099923":"Get a faster mobile trading experience with the <0>Deriv GO app!","578522309":"These trading limits and self-exclusion help you control the amount of money and time you spend on Deriv.com and exercise <0>responsible trading.","578640761":"Call Spread","579529868":"Show all details — including the bottom 2 lines","580431127":"Restart buy/sell on error (disable for better performance): {{ checkbox }}","580665362":"Stays In/Goes Out","580774080":"insert at","581168980":"Legal","582945649":"2 minutes","584028307":"Allow equals","589609985":"Linked with {{identifier_title}}","593459109":"Try a different currency","595136687":"Save Strategy","597089493":"Here is where you can decide to sell your contract before it expires. Only one copy of this block is allowed.","597481571":"DISCLAIMER","597707115":"Tell us about your trading experience.","599469202":"{{secondPast}}s ago","602278674":"Verify identity","606240547":"- Natural log","606877840":"Back to today","607807243":"Get candle","609650241":"Infinite loop detected","610537973":"Any information you provide is confidential and will be used for verification purposes only.","611020126":"View address on Blockchain","611786123":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies, Stocks, and Stock Indices","613877038":"Chart","617345387":"If you select \"Reset-Up”, you win the payout if the exit spot is strictly higher than either the entry spot or the spot at reset time.","617400581":"Client login ID","618520466":"Example of a cut-off document","619268911":"<0>a.The Financial Commission will investigate the validity of the complaint within 5 business days.","619407328":"Are you sure you want to unlink from {{identifier_title}}?","623192233":"Please complete the <0>Appropriateness Test to access your cashier.","623542160":"Exponential Moving Average Array (EMAA)","626175020":"Standard Deviation Up Multiplier {{ input_number }}","626809456":"Resubmit","627292452":"<0>Your Proof of Identity or Proof of Address did not meet our requirements. Please check your email for further instructions.","627814558":"This block returns a value when a condition is true. Use this block within either of the function blocks above.","629145209":"In case if the \"AND\" operation is selected, the block returns \"True\" only if both given values are \"True\"","632398049":"This block assigns a null value to an item or statement.","634219491":"You have not provided your tax identification number. This information is necessary for legal and regulatory requirements. Please go to <0>Personal details in your account settings, and fill in your latest tax identification number.","636219628":"<0>c.If no settlement opportunity can be found, the complaint will proceed to the determination phase to be handled by the DRC.","639382772":"Please upload supported file type.","640596349":"You have yet to receive any notifications","640730141":"Refresh this page to restart the identity verification process","641420532":"We've sent you an email","642210189":"Please check your email for the verification link to complete the process.","642546661":"Upload back of license from your computer","643014039":"The trade length of your purchased contract.","644150241":"The number of contracts you have won since you last cleared your stats.","645016681":"Trading frequency in other financial instruments","645902266":"EUR/NZD","647192851":"Contract will be sold at the prevailing market price when the request is received by our servers. This price may differ from the indicated price.","647745382":"Input List {{ input_list }}","649317411":"On the basis of the information provided in relation to your knowledge and experience, we consider that the investments available via this website are not appropriate for you.<0/><1/>","649923867":"Adds a sign to a number to create a barrier offset. (deprecated)","651284052":"Low Tick","651684094":"Notify","652041791":"To create a Deriv X real account, create a Deriv real account first.","652298946":"Date of birth","654264404":"Up to 1:30","654507872":"True-False","654924603":"Martingale","655937299":"We’ll update your limits. Click <0>Accept to acknowledge that you are fully responsible for your actions, and we are not liable for any addiction or loss.","657325150":"This block is used to define trade options within the Trade parameters root block. Some options are only applicable for certain trade types. Parameters such as duration and stake are common among most trade types. Prediction is used for trade types such as Digits, while barrier offsets are for trade types that involve barriers such as Touch/No Touch, Ends In/Out, etc.","657444253":"Sorry, account opening is unavailable in your region.","659482342":"Please remember that it is your responsibility to keep your answers accurate and up to date. You can update your personal details at any time in your account settings.","660481941":"To access your mobile apps and other third-party apps, you'll first need to generate an API token.","660991534":"Finish","662609119":"Download the MT5 app","665777772":"XLM/USD","665872465":"In the example below, the opening price is selected, which is then assigned to a variable called \"op\".","672008428":"ZEC/USD","673915530":"Jurisdiction and choice of law","676159329":"Could not switch to default account.","677918431":"Market: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}","678517581":"Units","680334348":"This block was required to correctly convert your old strategy.","681926004":"Example of a blurry document","682056402":"Standard Deviation Down Multiplier {{ input_number }}","684282133":"Trading instruments","685391401":"If you're having trouble signing in, let us know via <0>chat","687212287":"Amount is a required field.","689137215":"Purchase price","691956534":"<0>You have added a {{currency}} account.<0> Make a deposit now to start trading.","693396140":"Deal cancellation (expired)","694532392":"Deriv X Password","696870196":"- Open time: the opening time stamp","697630556":"This market is presently closed.","698748892":"Let’s try that again","699159918":"1. Filing complaints","700259824":"Account currency","701034660":"We are still processing your withdrawal request.<0 />Please wait for the transaction to be completed before deactivating your account.","701462190":"Entry spot","701647434":"Search for string","706727320":"Binary options trading frequency","706755289":"This block performs trigonometric functions.","710123510":"repeat {{ while_or_until }} {{ boolean }}","711029377":"Please confirm the transaction details in order to complete the withdrawal:","711999057":"Successful","712101776":"Take a photo of your passport photo page","712635681":"This block gives you the selected candle value from a list of candles. You can choose from open price, close price, high price, low price, and open time.","713054648":"Sending","714080194":"Submit proof","715841616":"Please enter a valid phone number (e.g. +15417541234).","716428965":"(Closed)","718504300":"Postal/ZIP code","718710899":"We can't change your account currency as you've either made a deposit into your {{currency}} account or created a real account on DMT5 or Deriv X.","718724141":"Expires in","720293140":"Log out","720519019":"Reset my password","721011817":"- Raise the first number to the power of the second number","723961296":"Manage password","724203548":"You can send your complaint to the <0>European Commission's Online Dispute Resolution (ODR) platform. This is not applicable to UK clients.","728042840":"To continue trading with us, please confirm where you live.","728824018":"Spanish Index","730473724":"This block performs the \"AND\" or the \"OR\" logic operation with the given values.","731382582":"BNB/USD","734390964":"Insufficient balance","734881840":"false","744110277":"Bollinger Bands Array (BBA)","745656178":"Use this block to sell your contract at the market price.","745674059":"Returns the specific character from a given string of text according to the selected option. ","746112978":"Your computer may take a few seconds to update","752024971":"Reached maximum number of digits","752992217":"This block gives you the selected constant values.","753088835":"Default","753184969":"In providing our services to you, we are required to obtain information from you in order to assess whether a given product or service is appropriate for you (that is, whether you possess the experience and knowledge to understand the risks involved).<0/><1/>","753727511":"Type","756152377":"SMA places equal weight to the entire distribution of values.","758003269":"make list from text","759783233":"For more information and assistance to counselling and support services, please visit <0>begambleaware.org.","760528514":"Please note that changing the value of \"i\" won't change the value of the original item in the list","761576760":"Fund your account to start trading.","762185380":"<0>Multiply returns by <0>risking only what you put in.","762871622":"{{remaining_time}}s","763019867":"Your Gaming account is scheduled to be closed","764366329":"Trading limits","764540515":"Stopping the bot is risky","766317539":"Language","770171141":"Go to {{hostname}}","772632060":"Do not send any other currency to the following address. Otherwise, you'll lose funds.","773091074":"Stake:","773309981":"Oil/USD","773336410":"Tether is a blockchain-enabled platform designed to facilitate the use of fiat currencies in a digital manner.","775679302":"{{pending_withdrawals}} pending withdrawal(s)","776085955":"Strategies","776887587":"Our products and services may expose you to risks that can be substantial at times, including the risk of losing your entire investment. Please note that by clicking <0>Continue, you'll be accepting these risks.","781924436":"Call Spread/Put Spread","783974693":"Avoid recent years","784311461":"Exponential Moving Average (EMA)","784583814":"Linked to your computer","785969488":"Jump 75 Index","787727156":"Barrier","788005234":"NA","790168327":"Deriv X accounts","792739000":"We’ll review your document and notify you of its status within 1 to 2 hours.","793526589":"To file a complaint about our service, send an email to <0>complaints@deriv.com and state your complaint in detail. Please submit any relevant screenshots of your trading or system for our better understanding.","793531921":"Our company is one of the oldest and most reputable online trading companies in the world. We are committed to treat our clients fairly and provide them with excellent service.<0/><1/>Please provide us with feedback on how we can improve our services to you. Rest assured that you will be heard, valued, and treated fairly at all times.","794682658":"Copy the link to your phone","796845736":"To continue trading with us, you need to send us a copy of any one of these government-issued photo ID documents via <0>LiveChat.","797007873":"Follow these steps to recover camera access:","797500286":"negative","800521289":"Your personal details are incomplete","802436811":"View transaction details","802438383":"New proof of address is needed","802556390":"seconds","802989607":"Drag your XML file here","803500173":"Initial stake","807499069":"Financial commission complaints procedure","808323704":"You can also use \"Compare\" and \"Logic operation\" blocks to make test variables.","816580787":"Welcome back! Your messages have been restored.","816738009":"<0/><1/>You may also raise your unresolved dispute to the <2>Office of the Arbiter for Financial Services.","818447476":"Switch account?","820877027":"Please verify your proof of identity","823186089":"A block that can contain text.","824797920":"Is list empty?","825582207":"Tap here to upload (JPEG JPG PNG PDF GIF)","826511719":"USD/SEK","827688195":"Disable Block","828219890":"then","828602451":"Returns the list of tick values in string format","830164967":"Last name","830711697":"Driving license","830993327":"No current transactions available","832217983":"40 transactions or more in the past 12 months","832398317":"Sell Error","832588873":"Order execution","832721563":"If you select \"Low Tick\", you win the payout if the selected tick is the lowest among the next five ticks.","834966953":"1551661986 seconds since Jan 01 1970 (UTC) translates to 03/04/2019 @ 1:13am (UTC).","835058671":"Total buy price","835350845":"Add another word or two. Uncommon words are better.","837066896":"Your document is being reviewed, please check back in 1-3 days.","839618971":"ADDRESS","839805709":"To smoothly verify you, we need a better photo","841434703":"Disable stack","841543189":"View transaction on Blockchain","845213721":"Logout","845304111":"Slow EMA Period {{ input_number }}","848172194":"Trade major (standard and micro-lots) and minor currency pairs, stocks, stock indices, commodities, and cryptocurrencies with high leverage.","849805216":"Choose an agent","851054273":"If you select \"Higher\", you win the payout if the exit spot is strictly higher than the barrier.","851264055":"Creates a list with a given item repeated for a specific number of times.","851508288":"This block constrains a given number within a set range.","852583045":"Tick List String","854399751":"Digit code must only contain numbers.","854630522":"Choose a cryptocurrency account","857363137":"Volatility 300 (1s) Index","857445204":"Deriv currently supports withdrawals of Tether eUSDT to Ethereum wallet. To ensure a successful transaction, enter a wallet address compatible with the tokens you wish to withdraw. <0>Learn more","857986403":"do something","860319618":"Tourism","862283602":"Phone number*","863328851":"Proof of identity","864957760":"Math Number Positive","865424952":"High-to-Low","865642450":"2. Logged in from a different browser","866496238":"Make sure your license details are clear to read, with no blur or glare","869823595":"Function","872549975":"You have {{number}} transfers remaining for today.","872817404":"Entry Spot Time","872957901":"Dark (Coming soon to DBot)","873166343":"1. 'Log' displays a regular message.","874461655":"Scan the QR code with your phone","875532284":"Restart process on a different device","876086855":"Complete the financial assessment form","876292912":"Exit","877354242":"Trade on DTrader","879014472":"Reached maximum number of decimals","887328652":"As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our <0>Help Centre.","888274063":"Town/City","890299833":"Go to Reports","891097078":"USD Index","891337947":"Select country","892341141":"Your trading statistics since: {{date_time}}","893117915":"Variable","893963781":"Close-to-Low","893975500":"You do not have any recent bots","894191608":"<0>c.We must award the settlement within 28 days of when the decision is reached.","895890867":"Your account will be opened with Deriv (SVG) LLC, and will be subject to the laws of Saint Vincent and the Grenadines.","897687778":"Your Deriv password is for logging in to your Deriv account.","898457777":"You have added a Deriv Financial account.","902045490":"3 minutes","903429103":"In candles list read {{ candle_property }} # from end {{ input_number }}","904696726":"API token","905134118":"Payout:","905227556":"Strong passwords contain at least 8 characters, combine uppercase and lowercase letters and numbers.","909257425":"You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.","910888293":"Too many attempts","912344358":"I hereby confirm that the tax information I provided is true and complete. I will also inform Deriv Investments (Europe) Limited about any changes to this information.","915735109":"Back to {{platform_name}}","918447723":"Real","919739961":"Transfers are possible only between your fiat and cryptocurrency accounts, your Deriv account and Deriv MT5 (DMT5) account, or your Deriv account and Deriv X account.","920125517":"Add demo account","926813068":"Fixed/Variable","930346117":"Capitalization doesn't help very much","930546422":"Touch","933126306":"Enter some text here","933193610":"Only letters, periods, hyphens, apostrophes, and spaces, please.","934835052":"Potential profit","934932936":"PERSONAL","936766426":"You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit.","937237342":"Strategy name cannot be empty","937831119":"Last name*","937992258":"Table","938988777":"High barrier","940950724":"This trade type is currently not supported on {{website_name}}. Please go to <0>Binary.com for details.","943535887":"Please close your positions in the following Deriv MT5 account(s):","944499219":"Max. open positions","945532698":"Contract sold","946204249":"Read","946841802":"A white (or green) candle indicates that the open price is lower than the close price. This represents an upward movement of the market price.","946944859":"Hit the button below and we'll send you an email with a link. Click that link to verify your withdrawal request.","947046137":"Your withdrawal will be processed within 24 hours","947363256":"Create list","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948545552":"150+","949859957":"Submit","952655566":"Payment agent","956448295":"Cut-off image detected","957182756":"Trigonometric functions","958430760":"In/Out","959031082":"set {{ variable }} to MACD Array {{ dropdown }} {{ dummy }}","960201789":"3. Sell conditions","961692401":"Bot","964780376":"We couldn’t verify your personal details with our records, to enable deposit, withdrawals and trading, you need to upload proof of your identity.","966457287":"set {{ variable }} to Exponential Moving Average {{ dummy }}","968576099":"Up/Down","969987233":"Win up to maximum payout if exit spot is between lower and upper barrier, in proportion to the difference between exit spot and lower barrier.","970915884":"AN","974888153":"High-Low","975950139":"Country of Residence","977929335":"Go to my account settings","981138557":"Redirect","982402892":"First line of address","982829181":"Barriers","988361781":"You have no trading activity yet.","988934465":"When prompted, you must enable camera access to continue","992294492":"Your postal code is invalid","995563717":"not {{ boolean }}","999008199":"text","1001160515":"Sell","1004127734":"Send email","1006458411":"Errors","1006664890":"Silent","1008240921":"Choose a payment agent and contact them for instructions.","1009032439":"All time","1010198306":"This block creates a list with strings and numbers.","1012102263":"You will not be able to log in to your account until this date (up to 6 weeks from today).","1015201500":"Define your trade options such as duration and stake.","1016220824":"You need to switch to a real money account to use this feature.<0/>You can do this by selecting a real account from the <1>Account Switcher.","1018803177":"standard deviation","1019265663":"You have no transactions yet.","1019508841":"Barrier 1","1022934784":"1 minute","1023237947":"1. In the example below, the instructions are repeated as long as the value of x is less than or equal to 10. Once the value of x exceeds 10, the loop is terminated.","1023643811":"This block purchases contract of a specified type.","1023795011":"Even/Odd","1024205076":"Logic operation","1026046972":"Please enter a payout amount that's lower than {{max_payout}}.","1027098103":"Leverage gives you the ability to trade a larger position using your existing capital. Leverage varies across different symbols.","1028211549":"All fields are required","1028758659":"Citizenship*","1030021206":"change {{ variable }} by {{ number }}","1031602624":"We've sent a secure link to %{number}","1031731167":"Pound Sterling","1032173180":"Deriv","1032907147":"AUD/NZD","1035506236":"Choose a new password","1035893169":"Delete","1036867749":"The desired duration, stake, prediction, and/or barrier(s) for the contract is defined here.","1038575777":"Change password","1039755542":"Use a few words, avoid common phrases","1040677897":"To continue trading, you must also submit a proof of address.","1041001318":"This block performs the following operations on a given list: sum, minimum, maximum, average, median, mode, antimode, standard deviation, random item.","1041620447":"If you are unable to scan the QR code, you can manually enter this code instead:","1042659819":"You have an account that needs action","1043790274":"There was an error","1044540155":"100+","1044599642":"<0> has been credited into your {{platform}} {{title}} account.","1045242890":"Proof of identity verification failed","1045704971":"Jump 150 Index","1045782294":"Click the <0>Change password button to change your Deriv password.","1047389068":"Food Services","1048947317":"Sorry, this app is unavailable in {{clients_country}}.","1049384824":"Rise","1050844889":"Reports","1052137359":"Family name*","1052779010":"You are on your demo account","1053153674":"Jump 50 Index","1053159279":"Level of education","1055313820":"No document detected","1056381071":"Return to trade","1056821534":"Are you sure?","1057216772":"text {{ input_text }} is empty","1057749183":"Two-factor authentication (2FA)","1057765448":"Stop out level","1057904606":"The concept of the D’Alembert Strategy is said to be similar to the Martingale Strategy where you will increase your contract size after a loss. With the D’Alembert Strategy, you will also decrease your contract size after a successful trade.","1061308507":"Purchase {{ contract_type }}","1062536855":"Equals","1062721059":"Transfers may be unavailable when the market is closed (weekends or holidays), periods of high volatility, or when there are technical issues.","1065498209":"Iterate (1)","1069347258":"The verification link you used is invalid or expired. Please request for a new one.","1069576070":"Purchase lock","1070624871":"Check proof of address document verification status","1076006913":"Profit/loss on the last {{item_count}} contracts","1077515534":"Date to","1080068516":"Action","1080990424":"Confirm","1082158368":"*Maximum account cash balance","1082406746":"Please enter a stake amount that's at least {{min_stake}}.","1083781009":"Tax identification number*","1083826534":"Enable Block","1088138125":"Tick {{current_tick}} - ","1090191592":"Total assets in your Deriv and Deriv X demo accounts.","1090410775":"Contract Lost","1098622295":"\"i\" starts with the value of 1, and it will be increased by 2 at every iteration. The loop will repeat until \"i\" reaches the value of 12, and then the loop is terminated.","1100870148":"To learn more about account limits and how they apply, please go to the <0>Help Centre.","1101560682":"stack","1101712085":"Buy Price","1102995654":"Calculates Exponential Moving Average (EMA) list from a list of values with a period","1103309514":"Target","1103452171":"Cookies help us to give you a better experience and personalised content on our site.","1104912023":"Pending verification","1106261041":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC, Deriv (FX) Ltd, and Deriv (V) Ltd.","1107555942":"To","1109217274":"Success!","1110102997":"Statement","1112582372":"Interval duration","1113119682":"This block gives you the selected candle value from a list of candles.","1113292761":"Less than 8MB","1113808050":"Total assets in your Deriv and Deriv X real accounts.","1117863275":"Security and safety","1118294625":"You have chosen to exclude yourself from trading on our website until {{exclusion_end}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.","1119887091":"Verification","1119986999":"Your proof of address was submitted successfully","1120985361":"Terms & conditions updated","1123927492":"You have not selected your account currency","1125090693":"Must be a number","1126934455":"Length of token name must be between 2 and 32 characters.","1127149819":"Make sure§","1128404172":"Undo","1129124569":"If you select \"Under\", you will win the payout if the last digit of the last tick is less than your prediction.","1129296176":"IMPORTANT NOTICE TO RECEIVE YOUR FUNDS","1129842439":"Please enter a take profit amount.","1129984312":"Bank Wire","1130744117":"We shall try to resolve your complaint within 10 business days. We will inform you of the outcome together with an explanation of our position and propose any remedial measures we intend to take.","1130791706":"N","1133651559":"Live chat","1134879544":"Example of a document with glare","1139483178":"Enable stack","1143730031":"Direction is {{ direction_type }}","1144028300":"Relative Strength Index Array (RSIA)","1145927365":"Run the blocks inside after a given number of seconds","1146064568":"Go to Deposit page","1147269948":"Barrier cannot be zero.","1147625645":"Please proceed to withdraw all your funds from your account before <0>30 November 2021.","1149790519":"Each transaction will be confirmed once we receive three confirmations from the blockchain.","1151964318":"both sides","1154021400":"list","1154239195":"Title and name","1155011317":"This block converts the date and time to the number of seconds since the Unix Epoch (1970-01-01 00:00:00).","1158678321":"<0>b.The Head of the Dispute Resolution Committee (DRC) will contact both you and us within 5 business days to obtain all necessary information and see if there is a chance to settle the complaint during the investigation phase.","1160761178":"No payout if exit spot is below or equal to the lower barrier.","1161924555":"Please select an option","1163836811":"Real Estate","1164773983":"Take profit and/or stop loss are not available while deal cancellation is active.","1166128807":"Choose one of your accounts or add a new cryptocurrency account","1166377304":"Increment value","1168029733":"Win payout if exit spot is also equal to entry spot.","1169201692":"Create {{platform}} password","1173187492":"Deactivate account","1174542625":"- Find the chat ID property in the response, and copy the value of the id property","1174748431":"Payment channel","1176926166":"Experience with trading other financial instruments","1177396776":"If you select \"Asian Fall\", you will win the payout if the last tick is lower than the average of the ticks.","1177723589":"There are no transactions to display","1178582280":"The number of contracts you have lost since you last cleared your stats.","1178800778":"Take a photo of the back of your license","1178942276":"Please try again in a minute.","1179704370":"Please enter a take profit amount that's higher than the current potential profit.","1181396316":"This block gives you a random number from within a set range","1181770592":"Profit/loss from selling","1183007646":"- Contract type: the name of the contract type such as Rise, Fall, Touch, No Touch, etс.","1188980408":"5 minutes","1189368976":"Please complete your personal details before you verify your identity.","1191644656":"Predict the market direction and select either “Up” or “Down” to open a position. We will charge a commission when you open a position.","1192708099":"Duration unit","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1198368641":"Relative Strength Index (RSI)","1199281499":"Last Digits List","1201533528":"Contracts won","1201773643":"numeric","1203297580":"This block sends a message to a Telegram channel.","1204202371":"No open positions","1204223111":"In this example, the open prices from a list of candles are assigned to a variable called \"candle_list\".","1204919083":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC.","1206821331":"Armed Forces","1207696150":"Change","1208729868":"Ticks","1208903663":"Invalid token","1211912982":"Bot is starting","1214893428":"Account creation is currently unavailable for mobile. Please log in with your computer to create a new account.","1216408337":"Self-Employed","1218546232":"What is Fiat onramp?","1219844088":"do %1","1222096166":"Deposit via bank wire, credit card, and e-wallet","1222521778":"Making deposits and withdrawals is difficult.","1222544232":"We’ve sent you an email","1225150022":"Number of assets","1226027513":"Transfer from","1227074958":"random fraction","1227240509":"Trim spaces","1228208126":"Please Verify your address","1228534821":"Some currencies may not be supported by payment agents in your country.","1229883366":"Tax identification number","1230884443":"State/Province (optional)","1231282282":"Use only the following special characters: {{permitted_characters}}","1232291311":"Maximum withdrawal remaining","1232353969":"0-5 transactions in the past 12 months","1233300532":"Payout","1234292259":"Source of wealth","1235426525":"50%","1237330017":"Pensioner","1238311538":"Admin","1239940690":"Restarts the bot when an error is encountered.","1240027773":"Please Log in","1243064300":"Local","1245469923":"FX-majors (standard/micro lots), FX-minors, Smart-FX, Commodities, Cryptocurrencies","1246207976":"Enter the authentication code generated by your 2FA app:","1246880072":"Select issuing country","1247280835":"Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.","1248018350":"Source of income","1248940117":"<0>a.The decisions made by the DRC are binding on us. DRC decisions are binding on you only if you accept them.","1250495155":"Token copied!","1254565203":"set {{ variable }} to create list with","1255909792":"last","1255963623":"To date/time {{ input_timestamp }} {{ dummy }}","1258097139":"What could we do to improve?","1258198117":"positive","1259598687":"GBP/JPY","1260259925":"Phone is not in a proper format.","1263387702":"All {{count}} account types use market execution. This means you agree with the broker's price in advance and will place orders at the broker's price.","1264096613":"Search for a given string","1265704976":"","1270581106":"If you select \"No Touch\", you win the payout if the market never touches the barrier at any time during the contract period.","1272012156":"GBP/CHF","1272337240":"Days","1272681097":"Hours","1274819385":"3. Complaints and Disputes","1275474387":"Quick","1281045211":"Sorts the items in a given list, by their numeric or alphabetical value, in either ascending or descending order.","1281290230":"Select","1282951921":"Only Downs","1284522768":"If \"Loss\" is selected, it will return \"True\" if your last trade was unsuccessful. Otherwise, it will return an empty string.","1286094280":"Withdraw","1286507651":"Close identity verification screen","1288965214":"Passport","1289646209":"Margin call","1290525720":"Example: ","1291887623":"Digital options trading frequency","1292891860":"Notify Telegram","1293660048":"Max. total loss per day","1294756261":"This block creates a function, which is a group of instructions that can be executed at any time. Place other blocks in here to perform any kind of action that you need in your strategy. When all the instructions in a function have been carried out, your bot will continue with the remaining blocks in your strategy. Click the “do something” field to give it a name of your choice. Click the plus icon to send a value (as a named variable) to your function.","1295284664":"Please accept our <0>updated Terms and Conditions to proceed.","1299479533":"8 hours","1301668579":"We’re working to have this available for you soon. If you have another account, switch to that account to continue trading. You may add a DMT5 Financial.","1302691457":"Occupation","1303016265":"Yes","1303530014":"We’re processing your withdrawal.","1304083330":"copy","1304620236":"Enable camera","1304788377":"<0/><1/>If your complaint relates to our data processing practices, you can submit a formal complaint to the <2>Information and Data Protection Commissioner (Malta) on their website or make a complaint to any supervisory authority within the European Union.","1308625834":"Sets the default time interval for blocks that read list of candles.","1309017029":"Enabling this allows you to save your blocks as one collection which can be easily integrated into other bots.","1309044871":"Returns the value of the latest tick in string format","1310483610":"Results for \"{{ search_term }}\"","1311680770":"payout","1313167179":"Please log in","1313302450":"The bot will stop trading if your total loss exceeds this amount.","1314671947":"DMT5 Accounts","1316216284":"You can use this password for all your {{platform}} accounts.","1319217849":"Check your mobile","1320750775":"Front and back","1322804930":"Restart the process on the latest version of Google Chrome","1323327633":"Our complaints process comprises the following 4 steps:","1323476617":"Changes the capitalisation of a string of text to Upper case, Lower case, Title case.","1323996051":"Profile","1324110809":"Address information","1324922837":"2. The new variable will appear as a block under Set variable.","1327494533":"{{sell_value}} (Sell)","1329136554":"Jump 200 Index","1329325646":"The content of this block is called on every tick","1331199417":"Please enter the correct format. ","1332168410":"Learn more","1332168769":"Disconnect","1333576137":"Please update your {{details}} to continue.","1333839457":"Submit identity card (front)","1334326985":"It may take a few minutes to arrive","1335967988":"Notice","1337846406":"This block gives you the selected candle value from a list of candles within the selected time interval.","1337864666":"Photo of your document","1338496204":"Ref. ID","1340314141":"Go to SmartTrader","1341840346":"View in Journal","1346204508":"Take profit","1346339408":"Managers","1347071802":"{{minutePast}}m ago","1348009461":"Please close your positions in the following Deriv X account(s):","1349142948":"DMT5 Financial","1349289354":"Great, that's everything we need","1349295677":"in text {{ input_text }} get substring from {{ position1 }} {{ index1 }} to {{ position2 }} {{ index2 }}","1351152200":"Welcome to Deriv MT5 (DMT5) dashboard","1353197182":"Please select","1355250245":"{{ calculation }} of list {{ input_list }}","1356574493":"Returns a specific portion of a given string of text.","1356607862":"Deriv password","1357129681":"{{num_day}} days {{num_hour}} hours {{num_minute}} minutes","1357213116":"Identity card","1358543466":"Not available","1359424217":"You have sold this contract at <0 />","1360929368":"Add a Deriv account","1362578283":"High","1363060668":"Your trading statistics since:","1363675688":"Duration is a required field.","1366244749":"Limits","1367023655":"To ensure your loss does not exceed your stake, your contract will be closed automatically when your loss equals to <0/>.","1367488817":"4. Restart trading conditions","1367990698":"Volatility 10 Index","1369709538":"Our terms of use","1371193412":"Cancel","1371641641":"Open the link on your mobile","1374627690":"Max. account balance","1376329801":"Last 60 days","1378419333":"Ether","1383017005":"You have switched accounts.","1384127719":"You should enter {{min}}-{{max}} numbers.","1384222389":"Please submit valid identity documents to unlock the cashier.","1385418910":"Please set a currency for your existing real account before creating another account.","1387503299":"Log in","1389197139":"Import error","1390792283":"Trade parameters","1390897177":"To deposit cryptocurrency, switch your account.","1391174838":"Potential payout:","1392966771":"Mrs","1392985917":"This is similar to a commonly used password","1393559748":"Invalid date/time: {{ datetime_string }}","1393901361":"There’s an app for that","1393903598":"if true {{ return_value }}","1396179592":"Commission","1396294094":"Deposit with DP2P","1396417530":"Bear Market Index","1397046738":"View in statement","1397628594":"Insufficient funds","1399620764":"We're legally obliged to ask for your financial information.","1400637999":"(All fields are required)","1400732866":"View from camera","1400962248":"High-Close","1402208292":"Change text case","1403376207":"Update my details","1405584799":"with interval: {{ candle_interval_type }}","1407191858":"DTrader","1408844944":"Click the plus icon to extend the functionality of this block.","1412535872":"You can check the result of the last trade with this block. It can only be placed within the \"Restart trading conditions\" root block.","1413047745":"Assigns a given value to a variable","1413359359":"Make a new transfer","1414205271":"prime","1415006332":"get sub-list from first","1415974522":"If you select \"Differs\", you will win the payout if the last digit of the last tick is not the same as your prediction.","1417558007":"Max. total loss over 7 days","1417914636":"Login ID","1418115525":"This block repeats instructions as long as a given condition is true.","1421749665":"Simple Moving Average (SMA)","1422060302":"This block replaces a specific item in a list with another given item. It can also insert the new item in the list at a specific position.","1422129582":"All details must be clear — nothing blurry","1423082412":"Last Digit","1424741507":"See more","1424779296":"If you've recently used bots but don't see them in this list, it may be because you:","1429669335":"Indicators on the chart tab are for indicative purposes only and may vary slightly from the ones on the DBot workspace.","1430396558":"5. Restart buy/sell on error","1430632931":"To get trading, please confirm who you are, and where you live.","1433367863":"Sorry, an error occured while processing your request.","1434382099":"Displays a dialog window with a message","1434976996":"Announcement","1435363248":"This block converts the number of seconds since the Unix Epoch to a date and time format such as 2019-08-01 00:00:00.","1435380105":"Minimum deposit","1437396005":"Add comment","1438340491":"else","1438902817":"Letters, spaces, periods, hyphens and apostrophes only.","1439168633":"Stop loss:","1441208301":"Total<0 />profit/loss","1442747050":"Loss amount: <0>{{profit}}","1442840749":"Random integer","1443478428":"Selected proposal does not exist","1443544547":"Synthetic indices in the EU are offered by Deriv (Europe) Limited, W Business Centre, Level 3, Triq Dun Karm, Birkirkara BKR 9033, Malta, licensed and regulated by the Malta Gaming Authority (<0>licence no. MGA/B2C/102/2000) and by the Revenue Commissioners for clients in Ireland (<2>licence no. 1010285).","1445592224":"You accidentally gave us another email address (Usually a work or a personal one instead of the one you meant).","1447846025":"You should enter 0-25 characters.","1449462402":"In review","1452260922":"Too many failed attempts","1452941569":"This block delays execution for a given number of seconds. You can place any blocks within this block. The execution of other blocks in your strategy will be paused until the instructions in this block are carried out.","1453317405":"This block gives you the balance of your account either as a number or a string of text.","1453362009":"Deriv Accounts","1453415617":"Create a DMT5 real Financial STP account","1454648764":"deal reference id","1454865058":"Do not enter an address linked to an ICO purchase or crowdsale. If you do, the ICO tokens will not be credited into your account.","1457603571":"No notifications","1461323093":"Display messages in the developer’s console.","1464190305":"This block will transfer the control back to the Purchase conditions block, enabling you to purchase another contract without manually stopping and restarting your bot.","1464253511":"You already have an account for each of the cryptocurrencies available on {{deriv}}.","1465919899":"Pick an end date","1466430429":"Should be between {{min_value}} and {{max_value}}","1466900145":"Doe","1467421920":"with interval: %1","1467661678":"Cryptocurrency trading","1468308734":"This block repeats instructions as long as a given condition is true","1468419186":"Deriv currently supports withdrawals of Tether USDT to Omni wallet. To ensure a successful transaction, enter a wallet address compatible with the tokens you wish to withdraw. <0>Learn more","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1471070549":"Can contract be sold?","1471741480":"Severe error","1475513172":"Size","1475523125":"View the trading history.","1476301886":"Similar to SMA, this block gives you the entire SMA line containing a list of all values for a given period.","1481977420":"Please help us verify your withdrawal request.","1484336612":"This block is used to either terminate or continue a loop, and can be placed anywhere within a loop block.","1490583127":"DBot isn't quite ready for real accounts","1491392301":"<0>Sold for: {{sold_for}}","1492686447":"Your MT5 Financial STP account will be opened through Deriv (FX) Ltd. All trading in this account is subject to the regulations and guidelines of the Labuan Financial Service Authority (LFSA). None of your other accounts, including your Deriv account, is subject to the regulations and guidelines of the Labuan Financial Service Authority (LFSA).","1496810530":"GBP/AUD","1499074768":"Add a real Deriv Multipliers account","1499080621":"Tried to perform an invalid operation.","1502039206":"Over {{barrier}}","1502325741":"Your password cannot be the same as your email address.","1503618738":"- Deal reference ID: the reference ID of the contract","1505898522":"Download stack","1506251760":"Wallets","1509570124":"{{buy_value}} (Buy)","1509678193":"Education","1510075920":"Gold/USD","1510357015":"Tax residence is required.","1510735345":"This block gives you a list of the last digits of the last 1000 tick values.","1512469749":"In the above example it is assumed that variable candle_open_price is processed somewhere within other blocks.","1515034599":"This complaints policy, which may change from time to time, applies to your account registered with Deriv (MX) Ltd, having its registered office address at First Floor, Millennium House, Victoria Road, Douglas, Isle of Man, IM2 4RW, licensed and regulated respectively by (1) the Gambling Supervision Commission in the Isle of Man (current <0>licence issued on 31 August 2017) and (2) the Gambling Commission in the UK (<1>licence no. 39172).","1516676261":"Deposit","1519336051":"Try a different phone number","1520332426":"Net annual income","1524636363":"Authentication failed","1527251898":"Unsuccessful","1527906715":"This block adds the given number to the selected variable.","1531017969":"Creates a single text string from combining the text value of each attached item, without spaces in between. The number of items can be added accordingly.","1531827821":"To avoid loss of funds, please <0>do not send ERC20 tokens, and <1>do not use Binance Chain (BNB) and Binance Smart Chain (BSC) networks.","1533177906":"Fall","1534796105":"Gets variable value","1539108340":"EUR Index","1540585098":"Decline","1541969455":"Both","1544642951":"If you select \"Only Ups\", you win the payout if consecutive ticks rise successively after the entry spot. No payout if any tick falls or is equal to any of the previous ticks.","1548765374":"Verification of document number failed","1549098835":"Total withdrawn","1552080191":"Excluded from Deriv.com until","1552918367":"Send only {{currency}} ({{currency_symbol}}) to this address.","1557682012":"Account Settings","1558972889":"set {{ variable }} to Simple Moving Average {{ dummy }}","1560302445":"Copied","1561490926":"Trade server: ","1562374116":"Students","1565336048":"Contract Won","1566037033":"Bought: {{longcode}} (ID: {{transaction_id}})","1567076540":"Only use an address for which you have proof of residence - ","1567586204":"Self-exclusion","1569624004":"Dismiss alert","1570484627":"Ticks list","1572504270":"Rounding operation","1572982976":"Server","1575556189":"Tether on the Ethereum blockchain, as an ERC20 token, is a newer transport layer, which now makes Tether available in Ethereum smart contracts. As a standard ERC20 token, it can also be sent to any Ethereum address.","1577480486":"Your mobile link will expire in one hour","1577527507":"Account opening reason is required.","1577612026":"Select a folder","1580498808":"Multiple faces found","1584109614":"Ticks String List","1584936297":"XML file contains unsupported elements. Please check or modify file.","1587046102":"Documents from that country are not currently supported — try another document type","1589640950":"Resale of this contract is not offered.","1589702653":"Proof of address","1594147169":"Please come back in","1594322503":"Sell is available","1596378630":"You have added a real Gaming account.<0/>Make a deposit now to start trading.","1598009247":"<0>a.You may file a complaint with the Financial Commission up to 45 days after the incident.","1598386296":"Town/City is required.","1598443642":"Transaction hash","1602894348":"Create a password","1604916224":"Absolute","1605292429":"Max. total loss","1612105450":"Get substring","1613633732":"Interval should be between 10-60 minutes","1615897837":"Signal EMA Period {{ input_number }}","1619070150":"You are being redirected to an external website.","1620278321":"Names and surnames by themselves are easy to guess","1620346110":"Set currency","1622662457":"Date from","1630372516":"Try our Fiat onramp","1630417358":"Please go to your account settings and complete your personal details to enable withdrawals.","1634594289":"Select language","1634903642":"Only your face can be in the selfie","1634969163":"Change currency","1636605481":"Platform settings","1636782601":"Multipliers","1638321777":"Your demo account balance is low. Reset your balance to continue trading from your demo account.","1639262461":"Pending withdrawal request:","1639304182":"Please click on the link in the email to reset your password.","1641395634":"Last digits list","1641635657":"New proof of identity document needed","1641980662":"Salutation is required.","1644656085":"Buy and sell contracts, renew expired purchases, and top up demo accounts.","1644908559":"Digit code is required.","1647186767":"The bot encountered an error while running.","1651513020":"Display remaining time for each interval","1651951220":"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"","1652366857":"get and remove","1652976865":"In this example, this block is used with another block to get the open prices from a list of candles. The open prices are then assigned to the variable called \"cl\".","1653136377":"copied!","1653159197":"Payment agent withdrawal","1653180917":"We cannot verify you without using your camera","1654365787":"Unknown","1654496508":"Our system will finish any DBot trades that are running, and DBot will not place any new trades.","1654721858":"Upload anyway","1655627840":"UPPER CASE","1656155124":"Resend in <0 /> seconds","1656970322":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (Europe) Limited, having its registered office address at W Business Centre, Level 3, Triq Dun Karm, Birkirkara, BKR 9033, Malta, licensed and regulated by the Malta Gaming Authority in Malta for gambling products only, <0>licence no. MGA/B2C/102/2000, and for clients residing in the UK by the UK Gambling Commission (account number 39495).","1658954996":"Plant and Machine Operators and Assemblers","1659074761":"Reset Put","1665272539":"Remember: You cannot log in to your account until the selected date.","1665738338":"Balance","1665756261":"Go to live chat","1667395210":"Your proof of identity was submitted successfully","1670426231":"End Time","1671232191":"You have set the following limits:","1677027187":"Forex","1677990284":"My apps","1682409128":"Untitled Strategy","1682636566":"Resend email in","1683501755":"We’ll process your documents within 1-3 days. Once they are verified, we’ll notify you via email.","1684419981":"What's this?","1686800117":"{{error_msg}}","1689103988":"Second Since Epoch","1689738742":"Gold Index","1691335819":"To continue trading with us, please confirm who you are.","1691765860":"- Negation","1693614409":"Start time","1694331708":"You can switch between CFDs, digital options, and multipliers at any time.","1695807119":"Could not load Google Drive blocks","1700233813":"Transfer from {{selected_value}} is not allowed, Please choose another account from dropdown","1708413635":"For your {{currency_name}} ({{currency}}) account","1709859601":"Exit Spot Time","1711013665":"Anticipated account turnover","1711676335":"square root","1711929663":"Your funds have been transferred","1712357617":"Invalid email address.","1715011380":"Jump 25 Index","1715630945":"Returns the total profit in string format","1720968545":"Upload passport photo page from your computer","1722401148":"The amount that you may add to your stake after each successful trade.","1723398114":"A recent utility bill (e.g. electricity, water, gas, phone or internet)","1723589564":"Represents the maximum number of outstanding contracts in your portfolio. Each line in your portfolio counts for one open position. Once the maximum is reached, you will not be able to open new positions without closing an existing position first.","1724696797":"You are limited to one fiat account only.","1726472773":"Function with no return value","1728121741":"Transactions.csv","1728183781":"About Tether","1729145421":"Risk warning","1731747596":"The block(s) highlighted in red are missing input values. Please update them and click \"Run bot\".","1732891201":"Sell price","1734185104":"Balance: %1","1734264460":"Disclaimer","1736292549":"Update postal code","1737352280":"Bot.init is not called","1738504192":"E-wallet","1738681493":"Remove your glasses, if necessary","1739384082":"Unemployed","1740371444":"Underlying market is not selected","1740843997":"Buy cryptocurrencies in an instant. Enjoy easy, quick, and secure exchanges using your local payment methods.","1743448290":"Payment agents","1743902050":"Complete your financial assessment","1745523557":"- Square root","1746051371":"Download the app","1746273643":"Moving Average Convergence Divergence","1747501260":"Sell conditions","1747523625":"Go back","1747674345":"Please use `.` as a decimal separator for fractional numbers.","1747682136":"Contract was cancelled.","1748754976":"Run","1749675724":"Deriv charges no commission across all account types.","1750065391":"Login time:","1753226544":"remove","1753975551":"Upload passport photo page","1756678453":"break out","1761038852":"Let’s continue with providing proofs of address and identity.","1761762171":"Restart last trade on error (bot ignores the unsuccessful trade): {{ checkbox }}","1762707297":"Phone number","1766993323":"Only letters, numbers, and underscores are allowed.","1767726621":"Choose agent","1768861315":"Minute","1768918213":"Only letters, space, hyphen, period, and apostrophe are allowed.","1769068935":"Choose any of these exchanges to buy cryptocurrencies:","1771037549":"Add a Deriv real account","1771592738":"Conditional block","1772532756":"Create and edit","1777847421":"This is a very common password","1778815073":"{{website_name}} is not affiliated with any Payment Agent. Customers deal with Payment Agents at their sole risk. Customers are advised to check the credentials of Payment Agents, and check the accuracy of any information about Payments Agents (on Deriv or elsewhere) before transferring funds.","1778893716":"Click here","1779519903":"Should be a valid number.","1780770384":"This block gives you a random fraction between 0.0 to 1.0.","1782308283":"Quick strategy","1782395995":"Last Digit Prediction","1782690282":"Blocks menu","1782703044":"Sign up","1787135187":"Postal/ZIP code is required","1788966083":"01-07-1999","1789497185":"Make sure your passport details are clear to read, with no blur or glare","1790770969":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies","1791432284":"Search for country","1791971912":"Recent","1793913365":"To deposit money, please switch to your {{currency_symbol}} account.","1794815502":"Download your transaction history.","1801093206":"Get candle list","1803338729":"Choose what type of contract you want to trade. For example, for the Rise/Fall trade type you can choose one of three options: Rise, Fall, or Both. Selected option will determine available options for the Purchase block.","1804620701":"Expiration","1804789128":"{{display_value}} Ticks","1806355993":"No commission","1806503050":"Please note that some payment methods might not be available in your country.","1808058682":"Blocks are loaded successfully","1808393236":"Login","1808867555":"This block uses the variable “i” to control the iterations. With each iteration, the value of “i” is determined by the items in a given list.","1810217569":"Please refresh this page to continue.","1810691615":"When you set your limits, they will be aggregated across all your account types in DTrader, DBot, and SmartTrader. For example, the losses made on all three platforms will add up and be counted towards the loss limit you set.","1811972349":"Market","1811973475":"Returns a specific character from a given string","1812582011":"Connecting to server","1813700208":"Boom 300 Index","1813958354":"Remove comment","1815034361":"alphabetic","1815995250":"Buying contract","1817154864":"This block gives you a random number from within a set range.","1820242322":"e.g. United States","1820332333":"Top up","1823177196":"Most popular","1824193700":"This block gives you the last digit of the latest tick value.","1827607208":"File not uploaded.","1828994348":"DMT5 is not available in {{country}}","1832974109":"SmartTrader","1833481689":"Unlock","1837762008":"Please submit your proof of identity and proof of address to verify your account in your account settings to access the cashier.","1838639373":"Resources","1839497304":"If you have a DMT5 or Deriv X real account, go to your <0>DMT5 or <1>Deriv X dashboard to withdraw your funds","1840865068":"set {{ variable }} to Simple Moving Average Array {{ dummy }}","1841788070":"Palladium/USD","1841996888":"Daily loss limit","1842266423":"back","1842862156":"Welcome to your Deriv X dashboard","1843658716":"If you select \"Only Downs\", you win the payout if consecutive ticks fall successively after the entry spot. No payout if any tick rises or is equal to any of the previous ticks.","1844033601":"Self-exclusion on the website only applies to your Deriv.com account and does not include other companies or websites.","1845892898":"(min: {{min_stake}} - max: {{max_payout}})","1846266243":"This feature is not available for demo accounts.","1846587187":"You have not selected your country of residence","1849484058":"Any unsaved changes will be lost.","1850031313":"- Low: the lowest price","1850132581":"Country not found","1850659345":"- Payout: the payout of the contract","1850663784":"Submit proofs","1851052337":"Place of birth is required.","1851776924":"upper","1851951013":"Please switch to your demo account to run your DBot.","1854480511":"Cashier is locked","1855566768":"List item position","1855768448":"Any open positions on digital options have been closed with full payout.","1858251701":"minute","1863053247":"Please upload your identity document.","1866811212":"Deposit in your local currency via an authorised, independent payment agent in your country.","1866836018":"<0/><1/>If your complaint relates to our data processing practices, you can submit a formal complaint to your local supervisory authority.","1867217564":"Index must be a positive integer","1867783237":"High-to-Close","1869315006":"See how we protect your funds to unlock the cashier.","1869787212":"Even","1869851061":"Passwords","1870933427":"Crypto","1871196637":"True if the result of the last trade matches the selection","1871664426":"Note","1873838570":"Please verify your address","1874481756":"Use this block to purchase the specific contract you want. You may add multiple Purchase blocks together with conditional blocks to define your purchase conditions. This block can only be used within the Purchase conditions block.","1875505777":"If you have a Deriv real account, go to <0>Reports to close or sell any open positions.","1876325183":"Minutes","1877225775":"Your proof of address is verified","1877410120":"What you need to do now","1877832150":"# from end","1879042430":"Appropriateness Test, WARNING:","1879412976":"Profit amount: <0>{{profit}}","1880029566":"Australian Dollar","1880097605":"prompt for {{ string_or_number }} with message {{ input_text }}","1880875522":"Create \"get %1\"","1881018702":"hour","1881587673":"Total stake since you last cleared your stats.","1882825238":"Restart trading conditions","1883531976":"Clerks","1885708031":"#","1887852176":"Site is being updated","1889357660":"Enter a value in minutes, up to 60480 minutes (equivalent to 6 weeks).","1890171328":"By clicking Accept below and proceeding with the Account Opening you should note that you may be exposing yourself to risks (which may be significant, including the risk of loss of the entire sum invested) that you may not have the knowledge and experience to properly assess or mitigate.","1890284485":"Explore DTrader","1890332321":"Returns the number of characters of a given string of text, including numbers, spaces, punctuation marks, and symbols.","1894667135":"Please verify your proof of address","1898670234":"{{formatted_opening_time}} (GMT) on {{opening_day}},<0> {{opening_date}}.","1903437648":"Blurry photo detected","1905032541":"We're now ready to verify your identity","1906639368":"If this is the first time you try to create a password, or you have forgotten your password, please reset it.","1907884620":"Add a real Deriv Gaming account","1908239019":"Make sure all of the document is in the photo","1909647105":"TRX/USD","1909769048":"median","1913777654":"Switch account","1914014145":"Today","1914270645":"Default Candle Interval: {{ candle_interval_type }}","1917523456":"This block sends a message to a Telegram channel. You will need to create your own Telegram bot to use this block.","1918633767":"Second line of address is not in a proper format.","1918796823":"Please enter a stop loss amount.","1919030163":"Tips to take a good selfie","1920217537":"Compare","1920468180":"How to use the SMA block","1921634159":"A few personal details","1922529883":"Boom 1000 Index","1922955556":"Use a longer keyboard pattern with more turns","1923431535":"“Stop loss” is deactivated and will only be available when “Deal cancellation” expires.","1924365090":"Maybe later","1924765698":"Place of birth*","1927244779":"Use only the following special characters: . , ' : ; ( ) @ # / -","1928930389":"GBP/NOK","1929309951":"Employment Status","1929694162":"Compare accounts","1930899934":"Tether","1931659123":"Run on every tick","1934302388":"We couldn’t verify your personal details with our records, to enable deposit, withdrawals and trading, you need to upload proof of your address.","1939902659":"Signal","1941915555":"Try later","1943440862":"Calculates Bollinger Bands (BB) list from a list with a period","1944204227":"This block returns current account balance.","1947527527":"1. This link was sent by you","1948092185":"GBP/CAD","1949719666":"Here are the possible reasons:","1950413928":"Submit identity documents","1952580688":"Submit passport photo page","1955219734":"Town/City*","1957759876":"Upload identity document","1958807602":"4. 'Table' takes an array of data, such as a list of candles, and displays it in a table format.","1959678342":"Highs & Lows","1960240336":"first letter","1964097111":"USD","1964165648":"Connection lost","1965916759":"Asian options settle by comparing the last tick with the average spot over the period.","1966023998":"2FA enabled","1966281100":"Console {{ message_type }} value: {{ input_message }}","1968025770":"Bitcoin Cash","1968077724":"Agriculture","1968368585":"Employment status","1971898712":"Add or manage account","1973536221":"You have no open positions yet.","1982912252":"Relative Strength Index (RSI) from a list with a period","1983387308":"Preview","1983544897":"P.O. Box is not accepted in address","1983676099":"Please check your email for details.","1984700244":"Request an input","1985637974":"Any blocks placed within this block will be executed at every tick. If the default candle interval is set to 1 minute in the Trade Parameters root block, the instructions in this block will be executed once every minute. Place this block outside of any root block.","1986498784":"BTC/LTC","1987080350":"Demo","1987447369":"Your cashier is locked","1988153223":"Email address","1988302483":"Take profit:","1988601220":"Duration value","1990735316":"Rise Equals","1991448657":"Don't know your tax identification number? Click <0>here to learn more.","1991524207":"Jump 100 Index","1994558521":"The platforms aren’t user-friendly.","1994600896":"This block requires a list of candles as an input parameter.","1995023783":"First line of address*","1996767628":"Please confirm your tax information.","1997138507":"If the last tick is equal to the average of the ticks, you don't win the payout.","1998199587":"You can also exclude yourself entirely for a specified duration. If, at any time, you decide to trade again, you must then contact our Customer Support to remove this self-exclusion. There will be a 24-hour-cooling-off period before you can resume trading. ","2001222130":"Check your spam or junk folder. If it's not there, try resending the email.","2004792696":"If you are a UK resident, to self-exclude from all online gambling companies licensed in Great Britain, go to <0>www.gamstop.co.uk.","2006229049":"Transfers are subject to a {{transfer_fee}}% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher.","2007028410":"market, trade type, contract type","2007092908":"Trade with leverage and low spreads for better returns on successful trades.","2008809853":"Please proceed to withdraw your funds before 30 November 2021.","2009620100":"DBot will not proceed with any new trades. Any ongoing trades will be completed by our system. Any unsaved changes will be lost.<0>Note: Please check your statement to view completed transactions.","2009770416":"Address:","2010031213":"Trade on Deriv X","2010759971":"Uploads successful","2010866561":"Returns the total profit/loss","2011609940":"Please input number greater than 0","2011808755":"Purchase Time","2014590669":"Variable '{{variable_name}}' has no value. Please set a value for variable '{{variable_name}}' to notify.","2017672013":"Please select the country of document issuance.","2021037737":"Please update your details to continue.","2023659183":"Student","2023762268":"I prefer another trading website.","2024107855":"{{payment_agent}} agent contact details:","2025339348":"Move away from direct light — no glare","2027625329":"Simple Moving Average Array (SMAA)","2027696535":"Tax information","2028163119":"EOS/USD","2030018735":"RSI is a technical analysis tool that helps you identify the market trend. It will give you a value from 0 to 100. An RSI value of 70 and above means that the asset is overbought and the current trend may reverse, while a value of 30 and below means that the asset is oversold.","2030045667":"Message","2033648953":"This block gives you the specified candle value for a selected time interval.","2034803607":"You must be 18 years old and above.","2035258293":"Start trading with us","2035925727":"sort {{ sort_type }} {{ sort_direction }} {{ input_list }}","2036578466":"Should be {{value}}","2037481040":"Choose a way to fund your account","2037665157":"Expand All Blocks","2037906477":"get sub-list from #","2042050260":"- Purchase price: the purchase price (stake) of the contract","2044086432":"The close is the latest tick at or before the end time. If you selected a specific end time, the end time is the selected time.","2046273837":"Last tick","2048110615":"Email address*","2048134463":"File size exceeded.","2050170533":"Tick list","2051558666":"View transaction history","2054094740":"Transfers are possible only between your fiat and cryptocurrency accounts, or your Deriv account and Deriv MT5 (DMT5) account.","2054500647":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC and Deriv (V) Ltd.","2054889300":"Create \"%1\"","2055317803":"Copy the link to your mobile browser","2057082550":"Accept our updated <0>terms and conditions","2057419639":"Exit Spot","2062912059":"function {{ function_name }} {{ function_params }}","2063655921":"By purchasing the \"Close-to-Low\" contract, you'll win the multiplier times the difference between the close and low over the duration of the contract.","2063812316":"Text Statement","2063890788":"Cancelled","2065278286":"Spread","2070002739":"Don’t accept","2070752475":"Regulatory Information","2074235904":"Last name is required.","2074497711":"The Telegram notification could not be sent","2080553498":"3. Get the chat ID using the Telegram REST API (read more: https://core.telegram.org/bots/api#getupdates)","2080829530":"Sold for: {{sold_for}}","2081088445":"When you set your limits or self-exclusion, they will be aggregated across all your account types in DTrader and DBot. For example, the losses made on both platforms will add up and be counted towards the loss limit you set.","2084693624":"Converts a string representing a date/time string into seconds since Epoch. Example: 2019-01-01 21:03:45 GMT+0800 will be converted to 1546347825. Time and time zone offset are optional.","2084925123":"Use our fiat onramp services to buy and deposit cryptocurrency into your Deriv account.","2085387371":"Must be numbers, letters, and special characters . , ' -","2085602195":"- Entry value: the value of the first tick of the contract","2086742952":"You have added a real Options account.<0/>Make a deposit now to start trading.","2086792088":"Both barriers should be relative or absolute","2088735355":"Your session and login limits","2089299875":"Total assets in your Deriv real accounts.","2091671594":"Status","2093675079":"- Close: the closing price","2096014107":"Apply","2096456845":"Date of birth*","2097170986":"About Tether (Omni)","2097381850":"Calculates Simple Moving Average line from a list with a period","2100713124":"account","2101972779":"This is the same as the above example, using a tick list.","2102115846":"Financial products in the EU are offered by Deriv Investments (Europe) Limited, licensed as a Category 3 Investment Services provider by the Malta Financial Services Authority (<0>licence no. IS/70156).","2102572780":"Length of digit code must be 6 characters.","2104115663":"Last login","2104397115":"Please go to your account settings and complete your personal details to enable deposits and withdrawals.","2107381257":"Scheduled cashier system maintenance","2109208876":"Manage {{platform}} Demo {{account_title}} account password","2109312805":"The spread is the difference between the buy price and sell price. A variable spread means that the spread is constantly changing, depending on market conditions. A fixed spread remains constant but is subject to alteration, at the Broker's absolute discretion.","2110365168":"Maximum number of trades reached","2111015970":"This block helps you check if your contract can be sold. If your contract can be sold, it returns “True”. Otherwise, it returns an empty string.","2111528352":"Creating a variable","2112119013":"Take a selfie showing your face","2112175277":"with delimiter","2113321581":"Add a Deriv Gaming account","2115007481":"Total assets in your Deriv demo accounts.","2115223095":"Loss","2117073379":"Our cryptocurrency cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.","2117165122":"1. Create a Telegram bot and get your Telegram API token. Read more on how to create bots in Telegram here: https://core.telegram.org/bots#6-botfather","2117489390":"Auto update in {{ remaining }} seconds","2118315870":"Where do you live?","2119449126":"Example output of the below example will be:","2120617758":"Set up your trade","2121227568":"NEO/USD","2127564856":"Withdrawals are locked","2131963005":"Please withdraw your funds from the following Deriv MT5 account(s):","2133451414":"Duration","2133470627":"This block returns the potential payout for the selected trade type. This block can be used only in the \"Purchase conditions\" root block.","2133778783":"DMT5 Synthetic","2135563258":"Forex trading frequency","2136246996":"Selfie uploaded","2137901996":"This will clear all data in the summary, transactions, and journal panels. All counters will be reset to zero.","2137993569":"This block compares two values and is used to build a conditional structure.","2138861911":"Scans and photocopies are not accepted","2139171480":"Reset Up/Reset Down","2139362660":"left side","2141055709":"New {{type}} password","2143803283":"Purchase Error","2144609616":"If you select \"Reset-Down”, you win the payout if the exit spot is strictly lower than either the entry spot or the spot at reset time.","2145690912":"Income Earning","2145995536":"Create new account","2146336100":"in text %1 get %2","2146892766":"Binary options trading experience","-612174191":"First line of address is required","-242734402":"Only {{max}} characters, please.","-378415317":"State is required","-1784470716":"State is not in a proper format","-1699820408":"Please enter a {{field_name}} under {{max_number}} characters.","-1575567374":"postal/ZIP code","-755626951":"Complete your address details","-1024240099":"Address","-584911871":"Select wallet currency","-1461267236":"Please choose your currency","-1352330125":"CURRENCY","-1027595143":"Less than $25,000","-40491332":"$25,000 - $50,000","-1139806939":"$50,001 - $100,000","-626752657":"0-1 year","-532014689":"1-2 years","-1001024004":"Over 3 years","-790513277":"6-10 transactions in the past 12 months","-580085300":"11-39 transactions in the past 12 months","-654781670":"Primary","-1717373258":"Secondary","-996132458":"Construction","-915003867":"Health","-1430012453":"Information & Communications Technology","-987824916":"Science & Engineering","-146630682":"Social & Cultural","-761306973":"Manufacturing","-739367071":"Employed","-1156937070":"$500,001 - $1,000,000","-315534569":"Over $1,000,000","-2068544539":"Salaried Employee","-531314998":"Investments & Dividends","-1235114522":"Pension","-1298056749":"State Benefits","-449943381":"Savings & Inheritance","-1631552645":"Professionals","-474864470":"Personal Care, Sales and Service Workers","-1129355784":"Agricultural, Forestry and Fishery Workers","-1242914994":"Craft, Metal, Electrical and Electronics Workers","-1317824715":"Cleaners and Helpers","-1592729751":"Mining, Construction, Manufacturing and Transport Workers","-2137323480":"Company Ownership","-1590574533":"Divorce Settlement","-1667683002":"Inheritance","-1237843731":"Investment Income","-777506574":"Sale of Property","-1161338910":"First name is required.","-1161818065":"Last name should be between 2 and 50 characters.","-1281693513":"Date of birth is required.","-26599672":"Citizenship is required","-912174487":"Phone is required.","-622860301":"Letters, numbers, spaces, periods, hyphens and slashes only.","-1356204661":"This Tax Identification Number (TIN) is invalid. You may continue with account creation, but to facilitate future payment processes, valid tax information will be required.","-1823540512":"Personal details","-1227878799":"Speculative","-1174064217":"Mr","-855506127":"Ms","-204765990":"Terms of use","-931052769":"Submit verification","-1004605898":"Tips","-1938142055":"Documents uploaded","-448090287":"The link only works on mobile devices","-1244287721":"Something's gone wrong","-241258681":"You'll need to restart your verification on your computer","-929254273":"Get secure link","-2021867851":"Check back here to finish the submission","-1547069149":"Open the link and complete the tasks","-1767652006":"Here's how to do it:","-277611959":"You can now return to your computer to continue","-724178625":"Make sure full document is visible","-1519380038":"Glare detected","-1895280620":"Make sure your card details are clear to read, with no blur or glare","-1464447919":"Make sure your permit details are clear to read, with no blur or glare","-1436160506":"Make sure details are clear to read, with no blur or glare","-759124288":"Close","-759118956":"Redo","-753375398":"Enlarge image","-1042933881":"Driver's license","-1503134764":"Face photo page","-1335343167":"Sorry, no mobile phone bills","-699045522":"Documents you can use to verify your identity","-543666102":"It must be an official photo ID","-903877217":"These are the documents most likely to show your current home address","-1356835948":"Choose document","-1364375936":"Select a %{country} document","-401586196":"or upload photo – no scans or photocopies","-3110517":"Take a photo with your phone","-2033894027":"Submit identity card (back)","-20684738":"Submit license (back)","-1359585500":"Submit license (front)","-106779602":"Submit residence permit (back)","-1287247476":"Submit residence permit (front)","-1954762444":"Restart the process on the latest version of Safari","-261174676":"Must be under 10MB.","-685885589":"An error occurred while loading the component","-502539866":"Your face is needed in the selfie","-1377968356":"Please try again","-1226547734":"Try using a JPG or PNG file","-849068301":"Loading...","-1730346712":"Loading","-1849371752":"Check that your number is correct","-309848900":"Copy","-1424436001":"Send link","-1093833557":"How to scan a QR code","-1408210605":"Point your phone’s camera at the QR code","-1773802163":"If it doesn’t work, download a QR code scanner from Google Play or the App Store","-109026565":"Scan QR code","-1644436882":"Get link via SMS","-1667839246":"Enter mobile number","-1533172567":"Enter your mobile number:","-1352094380":"Send this one-time link to your phone","-28974899":"Get your secure link","-359315319":"Continue","-1279080293":"2. Your desktop window stays open","-102776692":"Continue with the verification","-89152891":"Take a photo of the back of your card","-1646367396":"Take a photo of the front of your card","-1350855047":"Take a photo of the front of your license","-2119367889":"Take a photo using the basic camera mode instead","-342915396":"Take a photo","-419040068":"Passport photo page","-1354983065":"Refresh","-1925063334":"Recover camera access to continue face verification","-54784207":"Camera access is denied","-1392699864":"Allow camera access","-269477401":"Provide the whole document page for best results","-864639753":"Upload back of card from your computer","-1309771027":"Upload front of license from your computer","-1722060225":"Take photo","-565732905":"Selfie","-1703181240":"Check that it is connected and functional. You can also continue verification on your phone","-2043114239":"Camera not working?","-2029238500":"It may be disconnected. Try using your phone instead.","-468928206":"Make sure your device's camera works","-466246199":"Camera not working","-698978129":"Remember to press stop when you're done. Redo video actions","-538456609":"Looks like you took too long","-781816433":"Photo of your face","-1471336265":"Make sure your selfie clearly shows your face","-1375068556":"Check selfie","-1914530170":"Face forward and make sure your eyes are clearly visible","-776541617":"We'll compare it with your document","-478752991":"Your link will expire in one hour","-1859729380":"Keep this window open while using your mobile","-1283761937":"Resend link","-629011256":"Don't refresh this page","-1005231905":"Once you've finished we'll take you to the next step","-542134805":"Upload photo","-1462975230":"Document example","-1472844935":"The photo should clearly show your document","-883103549":"Account deactivated","-1466827732":"Self exclusion","-1498206510":"Account limits","-241588481":"Login history","-966136867":"Connected apps","-213009361":"Two-factor authentication","-1214803297":"Dashboard-only path","-526636259":"Error 404","-1030759620":"Government Officers","-612752984":"These are default limits that we apply to your accounts.","-1598263601":"To learn more about trading limits and how they apply, please go to the <0>Help Centre.","-1411635770":"Learn more about account limits","-1340125291":"Done","-1786659798":"Trading limits - Item","-1101543580":"Limit","-858297154":"Represents the maximum amount of cash that you may hold in your account. If the maximum is reached, you will be asked to withdraw funds.","-1182362640":"Represents the maximum aggregate payouts on outstanding contracts in your portfolio. If the maximum is attained, you may not purchase additional contracts without first closing out existing positions.","-1781293089":"Maximum aggregate payouts on open positions","-1412690135":"*Any limits in your Self-exclusion settings will override these default limits.","-1598751496":"Represents the maximum volume of contracts that you may purchase in any given trading day.","-1359847094":"Trading limits - Maximum daily turnover","-1502578110":"Your account is fully authenticated and your withdrawal limits have been lifted.","-854023608":"To increase limit please verify your identity","-1500958859":"Verify","-1662154767":"a recent utility bill (e.g. electricity, water, gas, landline, or internet), bank statement, or government-issued letter with your name and this address.","-190838815":"We need this for verification. If the information you provide is fake or inaccurate, you won’t be able to deposit and withdraw.","-223216785":"Second line of address*","-594456225":"Second line of address","-1315410953":"State/Province","-1940457555":"Postal/ZIP Code*","-1964954030":"Postal/ZIP Code","-1541554430":"Next","-71696502":"Previous","-231863107":"No","-786372363":"Learn more about API token","-55560916":"To access our mobile apps and other third-party apps, you'll first need to generate an API token.","-198329198":"API Token","-763859447":"Click here to copy token","-605778668":"Never","-32386760":"Name","-1628008897":"Token","-1238499897":"Last Used","-1049724201":"Scope","-1171226355":"Length of token name must be between {{MIN_TOKEN}} and {{MAX_TOKEN}} characters.","-1803339710":"Maximum {{MAX_TOKEN}} characters.","-408613988":"Select scopes based on the access you need.","-1052849013":"View account activity such as settings, limits, balance sheets, trade purchase history, and more.","-1076138910":"Trade","-1666909852":"Payments","-147694447":"Withdraw to payment agents, and transfer funds between accounts.","-1927980053":"Open accounts, manage settings, manage token usage, and more.","-488597603":"Trading information","-1117963487":"Name your token and click on 'Create' to generate your token.","-2005211699":"Create","-2115275974":"CFDs","-988523882":"DMT5","-359091713":"You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit or created a real {{dmt5_label}} or Deriv X account.","-460645791":"You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit or created a real {{dmt5_label}} account.","-1146960797":"Fiat currencies","-1959484303":"Cryptocurrencies","-561724665":"You are limited to one fiat currency only","-1319246342":"Tether as an ERC20 token (eUSDT) is a version of Tether that is hosted on Ethereum, an open software platform where anyone can build and deploy decentralised applications.","-2087317410":"Oops, something went wrong.","-1437206131":"JPEG JPG PNG PDF GIF","-820458471":"1 - 6 months old","-155705811":"A clear colour photo or scanned image","-587941902":"Issued under your name with your current address","-433415967":"A recent bank statement or government-issued letter with your name and address","-369512256":"Drop file (JPEG JPG PNG PDF GIF) or click here to upload","-723198394":"File size should be 8MB or less","-1948369500":"File uploaded is not supported","-1040865880":"Drop files here..","-1100235269":"Industry of employment","-684388823":"Estimated net worth","-509054266":"Anticipated annual turnover","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1437017790":"Financial information","-39038029":"Trading experience","-1044962593":"Upload Document","-164448351":"Show less","-1361653502":"Show more","-2120454054":"Add a real account","-38915613":"Unsaved changes","-2137450250":"You have unsaved changes. Are you sure you want to discard changes and leave this page?","-1067082004":"Leave Settings","-1120954663":"First name*","-1659980292":"First name","-1857534296":"John","-1485480657":"Other details","-1315571766":"Place of birth","-2040322967":"Citizenship","-1692219415":"Tax residence","-1903720068":"The country in which you meet the criteria for paying taxes. Usually the country in which you physically reside.","-651516152":"Tax Identification Number","-1387062433":"Account opening reason","-1451334536":"Continue trading","-1525879032":"Your documents for proof of address is expired. Please submit again.","-1425489838":"Proof of address verification not required","-1008641170":"Your account does not need address verification at this time. We will inform you if address verification is required in the future.","-60204971":"We could not verify your proof of address","-1944264183":"To continue trading, you must also submit a proof of identity.","-2004327866":"Please select a valid country of document issuance.","-1664159494":"Country","-1552821634":"Try submitting an ID document instead.","-1176889260":"Please select a document type.","-1515286538":"Please enter your document number. ","-1785463422":"Verify your identity","-78467788":"Please select the document type and enter the ID number.","-610236127":"Please ensure all your personal details are the same as in your chosen document. If you wish to update your personal details, go to <0>account settings.","-1117345066":"Choose the document type","-651192353":"Sample:","-937707753":"Go Back","-1926456107":"The ID you submitted is expired.","-555047589":"It looks like your identity document has expired. Please try again with a valid document.","-841187054":"Try Again","-2097808873":"We were unable to verify your ID with the details you provided. ","-228284848":"We were unable to verify your ID with the details you provided.","-1034643950":"Submit proof address","-1443800801":"Your ID number was submitted successfully","-1391934478":"Your ID is verified. You will also need to submit proof of your address.","-118547687":"ID verification passed","-749870311":"Please contact us via <0>live chat.","-200989771":"Go to personal details","-1358357943":"Please check and update your postal code before submitting proof of identity.","-1401994581":"Your personal details are missing","-1084991359":"Proof of identity verification not required","-1981334109":"Your account does not need identity verification at this time. We will inform you if identity verification is required in the future.","-1909155192":"We were unable to verify your document automatically. We will try to verify your document manually. Please check back in 1-3 days.","-182918740":"Your proof of identity submission failed because:","-337979330":"We could not verify your proof of identity","-706528101":"As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our Help Center.<0>Help Centre.","-856213726":"You must also submit a proof of address.","-1389323399":"You should enter {{min_number}}-{{max_number}} characters.","-1313806160":"Please request a new password and check your email for the new token.","-329713179":"Ok","-1598167506":"Success","-1077809489":"You have a new {{platform}} password to log in to your {{platform}} accounts on the web and mobile apps.","-2068479232":"{{platform}} password","-1332137219":"Strong passwords contain at least 8 characters that include uppercase and lowercase letters, numbers, and symbols.","-1597186502":"Reset {{platform}} password","-848721396":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. If you live in the United Kingdom, Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request. If you live in the Isle of Man, Customer Support can only remove or weaken your trading limits after your trading limit period has expired.","-469096390":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request.","-42808954":"You can also exclude yourself entirely for a specified duration. This can only be removed once your self-exclusion has expired. If you wish to continue trading once your self-exclusion period expires, you must contact Customer Support by calling <0>+447723580049 to lift this self-exclusion. Requests by chat or email shall not be entertained. There will be a 24-hour cooling-off period before you can resume trading.","-135354733":"These self-exclusion limits help you control the amount of money and time you spend trading on DTrader, DBot, and SmartTrader. The limits you set here will help you exercise <0>responsible trading.","-1702324712":"These limits are optional, and you can adjust them at any time. You decide how much and how long you’d like to trade. If you don’t wish to set a specific limit, leave the field blank.","-1819875658":"You can also exclude yourself entirely for a specified duration. Once the self-exclusion period has ended, you can either extend it further or resume trading immediately. If you wish to reduce or remove the self-exclusion period, contact our <0>Customer Support.","-1031814119":"About trading limits and self-exclusion","-183468698":"Trading limits and self-exclusion","-933963283":"No, review my limits","-1759860126":"Yes, log me out immediately","-839094775":"Back","-572347855":"{{value}} mins","-313333548":"You’ll be able to adjust these limits at any time. You can reduce your limits from the <0>self-exclusion page. To increase or remove your limits, please contact our <1>Customer Support team.","-1265833982":"Accept","-2123139671":"Your stake and loss limits","-1250802290":"24 hours","-2070080356":"Max. total stake","-1545823544":"7 days","-180147209":"You will be automatically logged out from each session after this time limit.","-374553538":"Your account will be excluded from the website until this date (at least 6 months, up to 5 years).","-2121421686":"To self-exclude from all online gambling companies licensed in Great Britain, go to <0>www.gamstop.co.uk.","-2105708790":"Your maximum account balance and open positions","-1960600163":"Once your account balance reaches this amount, you will not be able to deposit funds into your account.","-1073845224":"No. of open position(s)","-288196326":"Your maximum deposit limit","-568749373":"Max. deposit limit","-1884902844":"Max. deposit limit per day","-545085253":"Max. deposit limit over 7 days","-1031006762":"Max. deposit limit over 30 days","-1116871438":"Max. total loss over 30 days","-2134714205":"Time limit per session","-1884271702":"Time out until","-1265825026":"Timeout time must be greater than current time.","-1332882202":"Timeout time cannot be more than 6 weeks.","-1635977118":"Exclude time cannot be less than 6 months.","-1617352279":"The email is in your spam folder (Sometimes things get lost there).","-547557964":"We can’t deliver the email to this address (Usually because of firewalls or filtering).","-1964320730":"Please click on the link in the email to change your <0>Deriv X password.","-976364600":"Please click on the link in the email to change your DMT5 password.","-2073934245":"The financial trading services offered on this site are only suitable for customers who accept the possibility of losing all the money they invest and who understand and have experience of the risk involved in the purchase of financial contracts. Transactions in financial contracts carry a high degree of risk. If the contracts you purchased expire as worthless, you will lose all your investment, which includes the contract premium.","-679569665":"Your account will be opened with Deriv (MX) Ltd, regulated by the UK Gaming Commission (UKGC), and will be subject to the laws of the Isle of Man.","-1970096931":"Your account will be opened with Deriv (Europe) Limited, regulated by the Malta Gaming Authority, and will be subject to the laws of Malta.","-1300699650":"Your account will be opened with Deriv Capital International Ltd and will be subject to the laws of Samoa.","-1125193491":"Add account","-2068229627":"I am not a PEP, and I have not been a PEP in the last 12 months.","-428335668":"You will need to set a password to complete the process.","-1850792730":"Unlink from {{identifier_title}}","-2139303636":"You may have followed a broken link, or the page has moved to a new address.","-1448368765":"Error code: {{error_code}} page not found","-2145244263":"This field is required","-70342544":"We’re legally obliged to ask for your financial information.","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-179005984":"Save","-789291456":"Tax residence*","-1651554702":"Only alphabet is allowed","-1094749742":"Should start with letter or number and may contain a hyphen, dot and slash.","-1458676679":"You should enter 2-50 characters.","-1166111912":"Use only the following special characters: {{ permitted_characters }}","-884768257":"You should enter 0-35 characters.","-2113555886":"Only letters, numbers, space, and hyphen are allowed.","-1037916704":"Miss","-1113902570":"Details","-634958629":"We use the information you give us only for verification purposes. All information is kept confidential.","-731992635":"Title*","-352888977":"Title","-136976514":"Country of residence*","-945104751":"We’re legally obliged to ask for your tax information.","-1702919018":"Second line of address (optional)","-1958764604":"Email preference","-2121071263":"Check this box to receive updates via email.","-2068064150":"Get updates about Deriv products, services and events.","-1558679249":"Please make sure your information is correct or it may affect your trading experience.","-862399107":"We’re sorry to see you leave. Your account is now deactivated.","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-2116332353":"Please close your positions in the following Deriv account(s):","-2048005267":"{{number_of_positions}} position(s)","-1923892687":"Please withdraw your funds from the following Deriv X account(s):","-684271315":"OK","-1248180182":"Deactivate account?","-136868676":"Deactivating your account will automatically log you out. You can reactivate your account by logging in at any time.","-1318334333":"Deactivate","-1219849101":"Please select at least one reason","-484540402":"An error occurred","-1911549768":"Inaccessible MT5 account(s)","-1869355019":"Action required","-1629894615":"I have other financial priorities.","-844051272":"I want to stop myself from trading.","-1113965495":"I’m no longer interested in trading.","-1224285232":"Customer service was unsatisfactory.","-401778324":"I’m deactivating my account for other reasons.","-9323953":"Remaining characters: {{remaining_characters}}","-1944396623":"Before you deactivate your account, you’ll need to:","-1427203041":"1. Ensure to close all your positions","-115851087":"If you have a DMT5 or Deriv X real account, log in to close any open positions.","-1191568235":"2. Withdraw your funds","-1323183253":"If you have a Deriv real account, go to <0>Cashier to withdraw your funds.","-72910365":"If you have a DMT5 real account, go to your <0>DMT5 dashboard to withdraw your funds","-249431422":"Continue to account deactivation","-1725454783":"Failed","-506510414":"Date and time","-1708927037":"IP address","-365847515":"Apps you can use with your Deriv login:","-26491905":"You're using your {{identifier_title}} account to log in to your Deriv account. To change your login method into using a username and password, click the <0>Unlink button.","-596920538":"Unlink","-1319725774":"DMT5 Password","-1403020742":"Your DMT5 password is for logging in to your Deriv MT5 accounts on the desktop, web, and mobile apps.","-340060402":"Your Deriv X password is for logging in to your Deriv X accounts on the web and mobile apps.","-872790083":"Click the <0>Change password button to change your Deriv X password.","-412891493":"Disable 2FA","-200487676":"Enable","-1840392236":"That's not the right code. Please try again.","-307075478":"6 digit code","-790444493":"Protect your account with 2FA. Each time you log in to your account, you will need to enter your password and an authentication code generated by a 2FA app on your smartphone.","-368010540":"You have enabled 2FA for your Deriv account.","-403552929":"To disable 2FA, please enter the six-digit authentication code generated by your 2FA app below:","-752939584":"How to set up 2FA for your Deriv account","-1691236701":"Scan the QR code below with your 2FA app. We recommend <0>Authy or <1>Google Authenticator. We do not support <2>Duo Mobile.","-90649785":"Click here to copy key","-206376148":"Key copied!","-650175948":"A recent bank statement or government-issued letter with your name and address.","-2006895756":"1. Address","-716361389":"An accurate and complete address helps to speed up your verification process.","-1618587698":"Please ensure that this address is the same as in your proof of address","-1115287410":"Postal/ZIP code (optional)","-97517136":"Please upload one of the following:","-890084320":"Save and submit","-1672243574":"Before uploading your document, please ensure that your <0>personal details are updated to match your proof of identity. This will help to avoid delays during the verification process.","-1517325716":"Deposit via the following payment methods:","-1547606079":"We accept the following cryptocurrencies:","-42592103":"Deposit cryptocurrencies","-639677539":"Buy cryptocurrencies","-1560098002":"Buy cryptocurrencies via fiat onramp","-541870313":"Deposit via payment agents","-72314872":"Deposit in your local currency via peer-to-peer exchange with fellow traders in your country.","-58126117":"Your simple access to crypto. Fast and secure way to exchange and purchase cryptocurrencies. 24/7 live chat support.","-1975494965":"Cashier","-1186807402":"Transfer","-543868093":"DP2P","-1705887186":"Your deposit is successful.","-142361708":"In process","-1582681840":"We’ve received your request and are waiting for more blockchain confirmations.","-1626218538":"You’ve cancelled your withdrawal request.","-1062841150":"Your withdrawal is unsuccessful due to an error on the blockchain. Please <0>contact us via live chat for more info.","-630780094":"We’re awaiting confirmation from the blockchain.","-1525882769":"Your withdrawal is unsuccessful. We've sent you an email with more information.","-298601922":"Your withdrawal is successful.","-2021135479":"This field is required.","-1870909526":"Our server cannot retrieve an address.","-1684548351":"Switch to crypto account","-1345040662":"Looking for a way to buy cryptocurrency?","-1463156905":"Learn more about payment methods","-486580863":"Transfer to","-1995606668":"Amount","-344403983":"Description","-1746825352":"Please confirm the transaction details in order to complete the transfer:","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-2024958619":"This is to protect your account from unauthorised withdrawals.","-2061807537":"Something’s not right","-1675848843":"Error","-283017497":"Retry","-1157701227":"You need at least two accounts","-1366788579":"Please create another Deriv, DMT5, or Deriv X account.","-380740368":"Please create another Deriv or DMT5 account.","-417711545":"Create account","-1321645628":"Your cashier is currently locked. Please contact us via live chat to find out how to unlock it.","-60779216":"Withdrawals are temporarily unavailable due to system maintenance. You can make your withdrawals when the maintenance is complete.","-215186732":"You’ve not set your country of residence. To access Cashier, please update your country of residence in the Personal details section in your account settings.","-1392897508":"The identification documents you submitted have expired. Please submit valid identity documents to unlock Cashier. ","-1158467524":"Your account is temporarily disabled. Please contact us via live chat to enable deposits and withdrawals again.","-929148387":"Please set your account currency to enable deposits and withdrawals.","-1318742415":"Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and request for withdrawals.","-541392118":"Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and access your cashier.","-247122507":"Your cashier is locked. Please complete the <0>financial assessment to unlock it.","-1443721737":"Your cashier is locked. See <0>how we protect your funds before you proceed.","-901712457":"Your access to Cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to <0>Self-exclusion and set your 30-day turnover limit.","-666905139":"Deposits are locked","-378858101":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits.","-166472881":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits and withdrawals.","-1037495888":"You have chosen to exclude yourself from trading on our website until {{exclude_until}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.","-127614820":"Unfortunately, you can only make deposits. Please contact us via live chat to enable withdrawals.","-759000391":"We were unable to verify your information automatically. To enable this function, you must complete the following:","-1638172550":"To enable this feature you must complete the following:","-1632668764":"I accept","-1196049878":"First line of home address","-1326406485":"Postal Code/ZIP","-939625805":"Telephone","-442575534":"Email verification failed","-1459042184":"Update your personal details","-1603543465":"We can't validate your personal details because there is some information missing.","-614516651":"Need help? <0>Contact us.","-5021563":"Back to payment agents","-1332236294":"Please verify your identity","-203002433":"Deposit now","-720315013":"You have no funds in your {{currency}} account","-2052373215":"Please make a deposit to use this feature.","-553249337":"Transfers are locked","-705272444":"Upload a proof of identity to verify your identity","-1426614746":"You have reached the withdrawal limit. Please upload your proof of identity and address to lift your withdrawal limit and proceed with your withdrawal.","-1059419768":"Notes","-464719701":"Transfer limits may vary depending on changes in exchange rates.","-1221972195":"DMT5 accounts","-1344870129":"Deriv accounts","-1156059326":"You have {{number}} transfer remaining for today.","-1593609508":"Transfer between your accounts in Deriv","-464965808":"Transfer limits: <0 /> - <1 />","-1077304626":"Amount ({{currency}})","-1559994981":"Approximate value","-190084602":"Transaction","-811190405":"Time","-2004264970":"Your wallet address should have 25 to 64 characters.","-1707299138":"Your {{currency_symbol}} wallet address","-1621877826":"30 days max total stake {{currency}}","-1339418216":"You can further control the amount of money and time you spend on your trading activities on the <0>Self-exclusion page.","-564567236":"Set","-922432739":"Please enter a valid client login ID.","-1024241603":"Insufficient balance.","-1979554765":"Please enter a valid description.","-596416199":"By name","-1169636644":"By payment agent ID","-118683067":"Withdrawal limits: <0 />-<1 />","-544232635":"Please go to the Deposit page to generate an address. Then come back here to continue with your transaction.","-1161069724":"Please copy the crypto address you see below. You'll need it to deposit your cryptocurrency.","-1388977563":"Copied!","-1962894999":"This address can only be used ONCE. Please copy a new one for your next transaction.","-451858550":"By clicking 'Continue' you will be redirected to {{ service }}, a third-party payment service provider. Please note that {{ website_name }} is not responsible for the content or services provided by {{ service }}. If you encounter any issues related to {{ service }} services, you must contact {{ service }} directly.","-1179992129":"All payment agents","-344959847":"A payment agent is authorised to process deposits and withdrawals for you if your local payment methods or currencies are not supported on {{website_name}}.","-1232852916":"We’re switching over to your {{currency}} account to view the transaction.","-38063175":"{{account_text}} wallet","-1474202916":"Make a new withdrawal","-460879294":"You're not done yet. To receive the transferred funds, you must contact the payment agent for further instruction. A summary of this transaction has been emailed to you for your records.","-299033842":"Recent transactions","-348296830":"{{transaction_type}} {{currency}}","-1929538515":"{{amount}} {{currency}} on {{submit_date}}","-1534990259":"Transaction hash:","-1612346919":"View all","-598073640":"About Tether (Ethereum)","-275902914":"Tether on Ethereum (eUSDT)","-1188009792":"Tether on Omni Layer (USDT)","-1239329687":"Tether was originally created to use the bitcoin network as its transport protocol ‒ specifically, the Omni Layer ‒ to allow transactions of tokenised traditional currency.","-2013448791":"Want to exchange between e-wallet currencies? Try <0>Ewallet.Exchange","-671415351":"To avoid loss of funds, please <0>do not send ETH, and <1>do not use Binance Chain (BNB) and Binance Smart Chain (BSC) networks.","-866628857":"Our server cannot retrieve an address","-1281245739":"This address can only be used once to make a deposit.","-17524778":"For each deposit you will have to visit here again to generate a new address.","-1403335634":"To view confirmed transactions, kindly visit the <0>statement page","-2005265642":"Fiat onramp is a cashier service that allows you to convert fiat currencies to crypto to top up your Deriv crypto accounts. Listed here are third-party crypto exchanges. You’ll need to create an account with them to use their services.","-1593063457":"Select payment channel","-1531269493":"We'll send you an email once your transaction has been processed.","-113940416":"Current stake:","-1999539705":"Deal cancel. fee:","-447037544":"Buy price:","-1342699195":"Total profit/loss:","-1511825574":"Profit/Loss:","-726626679":"Potential profit/loss:","-338379841":"Indicative price:","-1525144993":"Payout limit:","-1167474366":"Tick ","-555886064":"Won","-529060972":"Lost","-571642000":"Day","-155989831":"Decrement value","-1192773792":"Don't show this again","-1769852749":"N/A","-1572746946":"Asian Up","-686840306":"Asian Down","-2141198770":"Higher","-816098265":"Lower","-1646655742":"Spread Up","-668987427":"Spread Down","-912577498":"Matches","-1862940531":"Differs","-808904691":"Odd","-556230215":"Ends Outside","-1268220904":"Ends Between","-703542574":"Up","-1127399675":"Down","-768425113":"No Touch","-1163058241":"Stays Between","-1354485738":"Reset Call","-376148198":"Only Ups","-1337379177":"High Tick","-1940333322":"DBot is not available for this account","-1210387519":"Go to DMT5 dashboard","-1223145005":"Loss amount: {{profit}}","-1062922595":"Reference ID (buy)","-2068574600":"Reference ID (sell)","-994038153":"Start Time","-1979852400":"Entry Spot","-427802309":"Profit/Loss","-668558002":"Journal.csv","-746652890":"Notifications","-824109891":"System","-507620484":"Unsaved","-764102808":"Google Drive","-1109191651":"Must be a number higher than 0","-1917772100":"Invalid number format","-689786738":"Minimum duration: {{ min }}","-184183432":"Maximum duration: {{ max }}","-1194719174":"The multiplier amount used to increase your stake if you’re losing a trade.","-749186458":"Account switching is disabled while your bot is running. Please stop your bot before switching accounts.","-1322453991":"You need to log in to run the bot.","-1483938124":"This strategy is currently not compatible with DBot.","-1428017300":"THE","-1450728048":"OF","-255051108":"YOU","-1845434627":"IS","-931434605":"THIS","-740712821":"A","-254421190":"List: ({{message_length}})","-9461328":"Security and privacy","-418247251":"Download your journal.","-1616649196":"results","-90107030":"No results found","-984140537":"Add","-870004399":"<0>Bought: {{longcode}} (ID: {{transaction_id}})","-1211474415":"Filters","-186972150":"There are no messages to display","-558594655":"The bot is not running","-478946875":"The stats are cleared","-999254545":"All messages are filtered out","-786915692":"You are connected to Google Drive","-1150107517":"Connect","-1759213415":"Find out how this app handles your data by reviewing Deriv's <0>Privacy policy, which is part of Deriv's <1>Terms and conditions.","-934909826":"Load strategy","-1121028020":"or, if you prefer...","-254025477":"Select an XML file from your device","-1131095838":"Please upload an XML file","-523928088":"Create one or upload one from your local drive or Google Drive.","-1684205190":"Why can't I see my recent bots?","-2050879370":"1. Logged in from a different device","-811857220":"3. Cleared your browser cache","-1016171176":"Asset","-621128676":"Trade type","-671128668":"The amount that you pay to enter a trade.","-447853970":"Loss threshold","-410856998":"The bot will stop trading if your total profit exceeds this amount.","-1823621139":"Quick Strategy","-625024929":"Leaving already?","-584289785":"No, I'll stay","-1435060006":"If you leave, your current contract will be completed, but your bot will stop running immediately.","-783058284":"Total stake","-2077494994":"Total payout","-1073955629":"No. of runs","-1729519074":"Contracts lost","-42436171":"Total profit/loss","-1856204727":"Reset","-224804428":"Transactions","-1137823888":"Total payout since you last cleared your stats.","-992662695":"The number of times your bot has run since you last cleared your stats. Each run includes the execution of all the root blocks.","-1382491190":"Your total profit/loss since you last cleared your stats. It is the difference between your total payout and your total stake.","-305283152":"Strategy name","-1003476709":"Save as collection","-636521735":"Save strategy","-1373954791":"Should be a valid number","-1278608332":"Please enter a number between 0 and {{api_max_losses}}.","-287597204":"Enter limits to stop your bot from trading when any of these conditions are met.","-1445989611":"Limits your potential losses for the day across all Deriv platforms.","-152878438":"Maximum number of trades your bot will execute for this run.","-1490942825":"Apply and run","-686334932":"Build a bot from the start menu then hit the run button to run the bot.","-1696412885":"Import","-250192612":"Sort","-1566369363":"Zoom out","-2060170461":"Load","-1200116647":"Click here to start building your DBot.","-1040972299":"Purchase contract","-600546154":"Sell contract (optional)","-985351204":"Trade again","-112876186":"Analysis","-1769584466":"Stats","-1133736197":"Utility","-1682372359":"Text","-907562847":"Lists","-1646497683":"Loops","-251326965":"Miscellaneous","-1285759343":"Search","-1058262694":"Stopping the bot will prevent further trades. Any ongoing trades will be completed by our system.","-1473283434":"Please be aware that some completed transactions may not be displayed in the transaction table if the bot is stopped while placing trades.","-397015538":"You may refer to the statement page for details of all completed transactions.","-1442034178":"Contract bought","-2020280751":"Bot is stopping","-1436403979":"Contract closed","-1711732508":"Reference IDs","-386141434":"(Buy)","-482272687":"(Sell)","-1983189496":"ticks","-694277729":"(High)","-2028564707":"(Low)","-627895223":"Exit spot","-596238067":"Entry/Exit spot","-1717650468":"Online","-1825471709":"A whole new trading experience on a powerful yet easy to use platform.","-215905387":"DBot","-981017278":"Automated trading at your fingertips. No coding needed.","-1793883644":"Trade FX and CFDs on a customisable, easy-to-use trading platform.","-1368160764":"Trade the world’s markets with our popular user-friendly platform","-563774117":"Dashboard","-773544978":"Home","-1003047246":"My Apps","-2024365882":"Explore","-2038666662":"About Us","-832198631":"Credit/Debit Cards","-1787820992":"Platforms","-1246992539":"Binary Bot","-837532140":"Trade Types","-663862998":"Markets","-947407631":"Synthetic Indices","-362324454":"Commodities","-821418875":"Trader","-1309011360":"Open positions","-679102561":"Contract Details","-430118939":"Complaints policy","-744999940":"Deriv account","-568280383":"Deriv Gaming","-1936757551":"Deriv Synthetic","-1546927062":"Deriv Financial","-895331276":"Complete your proof of address","-782679300":"Complete your proof of identity","-1019903756":"Synthetic","-328128497":"Financial","-1416247163":"Financial STP","-1669418686":"AUD/CAD","-1548588249":"AUD/CHF","-1552890620":"AUD/JPY","-681231560":"AUD/PLN","-64938413":"AUD/USD","-1430522808":"EUR/AUD","-2020477069":"EUR/CAD","-1201853162":"EUR/CHF","-1318070255":"EUR/GBP","-1197505739":"EUR/JPY","-405907358":"EUR/USD","-1536293064":"NZD/JPY","-79700881":"NZD/USD","-642323838":"USD/CAD","-428199705":"USD/CHF","-424108348":"USD/JPY","-548255282":"USD/NOK","-1834131208":"USD/PLN","-524302516":"Silver/USD","-764731776":"Platinum/USD","-700966800":"Dutch Index","-1863229260":"Australian Index","-946336619":"Wall Street Index","-945048133":"French Index","-1093355162":"UK Index","-932734062":"Hong Kong Index","-2030624691":"Japanese Index","-354063409":"US Index","-232855849":"Euro 50 Index","-1925264914":"Volatility 25 Index","-708579504":"Volatility 50 Index","-975255670":"Volatility 75 Index","-1736314513":"Crash 300 Index","-342128411":"Crash 500 Index","-9704319":"Crash 1000 Index","-465860988":"Bull Market Index","-390528194":"Step Index","-1800672151":"GBP Index","-563812039":"Volatility 10 (1s) Index","-764111252":"Volatility 100 (1s) Index","-1374309449":"Volatility 200 (1s) Index","-1164978320":"Jump 10 Index","-575272887":"BCH/USD","-295406873":"BTC/ETH","-1713556301":"ZMR/USD","-2046638412":"XRP/USD","-1263203461":"BTC/USD","-1112522776":"DSH/USD","-460689370":"LTC/USD","-841561409":"Put Spread","-144803045":"Only numbers and these special characters are allowed: {{permitted_characters}}","-1450516268":"Only letters, numbers, space, hyphen, period, and apostrophe are allowed.","-1072358250":"Letters, spaces, periods, hyphens, apostrophes only","-1966032552":"The length of token should be 8.","-2128137611":"Should start with letter or number, and may contain hyphen and underscore.","-1590869353":"Up to {{decimal_count}} decimal places are allowed.","-2061307421":"Should be more than {{min_value}}","-1099941162":"Should be less than {{max_value}}","-1528188268":"Straight rows of keys are easy to guess","-1339903234":"Short keyboard patterns are easy to guess","-23980798":"Repeats like \"aaa\" are easy to guess","-235760680":"Avoid repeated words and characters","-1568933154":"Sequences like abc or 6543 are easy to guess","-725663701":"Avoid sequences","-1450768475":"Recent years are easy to guess","-1804838610":"Avoid years that are associated with you","-64849469":"Dates are often easy to guess","-2006915194":"Avoid dates and years that are associated with you","-2124205211":"A word by itself is easy to guess","-1095202689":"All-uppercase is almost as easy to guess as all-lowercase","-2137856661":"Reversed words aren't much harder to guess","-1885413063":"Predictable substitutions like '@' instead of 'a' don't help very much","-369258265":"This password is on the blacklist","-681468758":"Your web browser is out of date and may affect your trading experience. Please <0>update your browser.","-577777971":"You have reached the rate limit of requests per second. Please try later.","-206321775":"Fiat","-522767852":"DEMO","-433761292":"Switching to default account.","-705744796":"Your demo account balance has reached the maximum limit, and you will not be able to place new trades. Reset your balance to continue trading from your demo account.","-618539786":"Your account is scheduled to be closed","-1738575826":"Please switch to your real account or create one to access the cashier.","-1204063440":"Set my account currency","-1925176811":"Unable to process withdrawals in the moment","-980696193":"Withdrawals are temporarily unavailable due to system maintenance. You can make withdrawals when the maintenance is complete.","-1647226944":"Unable to process deposit in the moment","-488032975":"Deposits are temporarily unavailable due to system maintenance. You can make deposits when the maintenance is complete.","-67021419":"Our cashier is temporarily down due to system maintenance. You can access the cashier in a few minutes when the maintenance is complete.","-367759751":"Your account has not been verified","-1175685940":"Please contact us via live chat to enable withdrawals.","-1852207910":"MT5 withdrawal disabled","-764323310":"MT5 withdrawals have been disabled on your account. Please check your email for more details.","-1585069798":"Please click the following link to complete your Appropriateness Test.","-1329329028":"You’ve not set your 30-day turnover limit","-132893998":"Your access to the cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to Self-exclusion and set the limit.","-156611181":"Please complete the financial assessment in your account settings to unlock it.","-849587074":"You have not provided your tax identification number","-47462430":"This information is necessary for legal and regulatory requirements. Please go to your account settings, and fill in your latest tax identification number.","-87177461":"Please go to your account settings and complete your personal details to enable deposits.","-2087822170":"You are offline","-1669693571":"Check your connection.","-1125797291":"Password updated.","-157145612":"Please log in with your updated password.","-904632610":"Reset your balance","-470018967":"Reset balance","-1435762703":"Please Verify your identity","-1164554246":"You submitted expired identification documents","-1902997828":"Refresh now","-753791937":"A new version of Deriv is available","-1775108444":"This page will automatically refresh in 5 minutes to load the latest version.","-529038107":"Install","-87149410":"Install the DTrader web app","-1287141934":"Find out more","-1590712279":"Gaming","-16448469":"Virtual","-1998049070":"If you agree to our use of cookies, click on Accept. For more information, <0>see our policy.","-1721181859":"You’ll need a {{deriv_account}} account","-1989074395":"Please add a {{deriv_account}} account first before adding a {{dmt5_account}} account. Deposits and withdrawals for your {{dmt5_label}} account are done by transferring funds to and from your {{deriv_label}} account.","-689237734":"Proceed","-1642457320":"Help centre","-1966944392":"Network status: {{status}}","-557093123":"Virtual events based bets in the UK and the Isle of Man are offered by Deriv (MX) Ltd, Millennium House, Level 1, Victoria Road, Douglas IM2 4RW, Isle of Man, licensed and regulated in Great Britain by the Gambling Commission under <0>account no. 39172 and by the Gambling Supervision Commission in the Isle of Man (<1>view licence).","-181484419":"Responsible trading","-650505513":"Full screen","-1823504435":"View notifications","-1954045170":"No currency assigned","-583559763":"Menu","-1396326507":"Unfortunately, {{website_name}} is not available in your country.","-2094580348":"Thanks for verifying your email","-71049153":"Keep your account secure with a password","-1861974537":"Strong passwords contain at least 8 characters, combine uppercase and lowercase letters, numbers, and symbols.","-1347749021":"I want to receive updates on Deriv products, services, and events.","-1965920446":"Start trading","-288996254":"Unavailable","-1815192976":"real CFDs","-1730264949":"Total assets in your Deriv, DMT5 and Deriv X demo accounts.","-1623652567":"Total assets in your Deriv and DMT5 demo accounts.","-1650369677":"Total assets in your Deriv and DMT5 real accounts.","-1706681135":"Total assets in your Deriv, DMT5 and Deriv X real accounts.","-697343663":"Deriv X Accounts","-1740162250":"Manage account","-1277942366":"Total assets","-490100162":"As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.","-1310654342":"As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.","-168971942":"What this means for you","-139892431":"Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.","-905560792":"OK, I understand","-1197864059":"Create free demo account","-1879857830":"Warning","-1485242688":"Step {{step}}: {{step_title}} ({{step}} of {{steps}})","-1829842622":"You can open an account for each cryptocurrency.","-987221110":"Choose a currency you would like to trade with.","-1066574182":"Choose a currency","-1914534236":"Choose your currency","-2058256518":"We can't change your account currency as you've either made a deposit into your {{currency}} account or created a real account on DMT5.","-200560194":"Please switch to your {{fiat_currency}} account to change currencies.","-1829493739":"Choose the currency you would like to trade with.","-1814647553":"Add a new","-1269362917":"Add new","-650480777":"crypto account","-175638343":"Choose an account or add a new one","-1768223277":"Your account is ready","-1215717784":"<0>You have successfully changed your currency to {{currency}}.<0>Make a deposit now to start trading.","-786091297":"Trade on demo","-228099749":"Please verify your identity and address","-1041852744":"We're processing your personal information","-1775006840":"Make a deposit now to start trading.","-983734304":"We need proof of your identity and address before you can start trading.","-917733293":"To get trading, please confirm where you live.","-1282628163":"You'll be able to get trading as soon as verification is complete.","-952649119":"Log In","-3815578":"Sign Up","-1456176427":"Set a currency for your real account","-1557011219":"Add a real Deriv Options account","-259386249":"Add a Deriv Synthetic account","-241733171":"Add a Deriv Financial account","-1329687645":"Create a cryptocurrency account","-1429178373":"Create a new account","-1016775979":"Choose an account","-1369294608":"Already signed up?","-617844567":"An account with your details already exists.","-292363402":"Trading statistics report","-1656860130":"Options trading can become a real addiction, as can any other activity pushed to its limits. To avoid the danger of such an addiction, we provide a reality-check that gives you a summary of your trades and accounts on a regular basis.","-28080461":"Would like to check your statement first? <0>Check Statement","-611059051":"Please specify your preferred interval reality check in minutes:","-1876891031":"Currency","-11615110":"Turnover","-1370419052":"Profit / Loss","-437320982":"Session duration:","-3959715":"Current time:","-1534648620":"Your password has been changed","-596199727":"We will now redirect you to the login page.","-437918412":"No currency assigned to your account","-707550055":"We need this to make sure our service complies with laws and regulations in your country.","-280139767":"Set residence","-601615681":"Select theme","-1152511291":"Dark","-1428458509":"Light","-1917706589":"Your Deriv account is unlinked from {{social_identity_provider}}. Use your email and password for future log in.","-2017825013":"Got it","-505449293":"Enter a new password for your Deriv account.","-184713104":"Earn fixed payouts with options, or trade multipliers to amplify your gains with limited risk.","-1571775875":"Our flagship options and multipliers trading platform.","-1107320163":"Automate your trading, no coding needed.","-196712726":"Trade on DBot","-820028470":"Options & Multipliers","-895091803":"If you're looking for CFDs","-1447215751":"Not sure? Try this","-2338797":"<0>Maximise returns by <0>risking more than you put in.","-1682067341":"Earn <0>fixed returns by <0>risking only what you put in.","-1184094048":"Let us introduce you to trading on Deriv.","-49067150":"Not sure?","-1125272179":"This complaints policy, which may change from time to time, applies to your account registered with Deriv Investments (Europe) Limited.","-974989415":"This complaints policy, which may change from time to time, applies to your account(s) registered with Deriv (SVG) LLC and Deriv (FX) Ltd.","-1639808836":"If you are not satisfied with the outcome, you can escalate your complaint to the <0>Independent Betting Adjudication Service (IBAS) by filling the IBAS adjudication form. Please note that IBAS only deals with disputes that result from transactions.","-1505742956":"<0/><1/>You can also refer your dispute to the Malta Gaming Authority via the <2>Player Support Unit.","-1406192787":"If you are not satisfied with the outcome, you can escalate your complaint to the <0>Financial Commission.","-1776547326":"<0/><1/>If you reside in the UK and you are unhappy with our response you may escalate your complaint to the <2>Financial Ombudsman Service.","-2115348800":"1. Introduction","-744009523":"2. Fair treatment","-866831420":"3.1. Submission of a complaint","-1102904026":"3.2. Handling your complaint","-603378979":"3.3. Resolving your complaint","-697569974":"3.4. Your decision","-993572476":"<0>b.The Financial Commission has 5 days to acknowledge that your complaint was received and 14 days to answer the complaint through our Internal Dispute Resolution (IDR) procedure.","-1769159081":"<0>c.You will be able to file a complaint with the Financial Commission only if you are not satisfied with our decision or the decision wasn’t made within 14 days.","-58307244":"3. Determination phase","-356618087":"<0>b.The DRC may request additional information from you or us, who must then provide the requested information within 7 days.","-945718602":"<0>b.If you agree with a DRC decision, you will need to accept it within 14 days. If you do not respond to the DRC decision within 14 days, the complaint is considered closed.","-1500907666":"<0>d.If the decision is made in our favour, you must provide a release for us within 7 days of when the decision is made, and the complaint will be considered closed.","-429248139":"5. Disclaimer","-818926350":"The Financial Commission accepts appeals for 45 days following the date of the incident and only after the trader has tried to resolve the issue with the company directly.","-236548954":"Contract Update Error","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-337314714":"days","-442488432":"day","-175369516":"Welcome to Deriv X","-1667427537":"Run Deriv X on your browser or download the mobile app","-305915794":"Run MT5 from your browser or download the MT5 app for your devices","-1330036364":"Trade forex, commodities and cryptocurrencies at high leverage.","-811331160":"Trade CFDs on forex, stocks, stock indices, synthetic indices, and commodities with leverage.","-781132577":"Leverage","-1264604378":"Up to 1:1000","-637908996":"100%","-1420548257":"20+","-1373949478":"50+","-1686150678":"Up to 1:100","-1382029900":"70+","-1669936842":"Up to 1:500","-1493055298":"90+","-513103225":"Transaction time","-2066666313":"Credit/Debit","-2140412463":"Buy price","-1981004241":"Sell time","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-339236213":"Multiplier","-1358367903":"Stake","-700280380":"Deal cancel. fee","-3423966":"Take profit<0 />Stop loss","-2082644096":"Current stake","-1572548510":"Ups & Downs","-71301554":"Ins & Outs","-952298801":"Look Backs","-763273340":"Digits","-1790089996":"NEW!","-2050821902":"Demo Synthetic","-1434036215":"Demo Financial","-1882063886":"Demo CFDs","-590018519":"Contract Purchased","-328036042":"Please enter a stop loss amount that's higher than the current potential loss.","-2127699317":"Invalid stop loss. Stop loss cannot be more than stake.","-405439829":"Sorry, you can't view this contract because it doesn't belong to this account.","-1714959941":"This chart display is not ideal for tick contracts","-1254554534":"Please change the chart duration to tick for a better trading experience.","-1977959027":"hours","-1603581277":"minutes","-1658230823":"Contract was sold for <0 />.","-1905867404":"Contract cancelled","-922253974":"Rise/Fall","-1361254291":"Higher/Lower","-1691868913":"Touch/No Touch","-335816381":"Ends In/Ends Out","-1789807039":"Asian Up/Asian Down","-330437517":"Matches/Differs","-657360193":"Over/Under","-558031309":"High Tick/Low Tick","-1237186896":"Only Ups/Only Downs","-1386326276":"Barrier is a required field.","-1418742026":"Higher barrier must be higher than lower barrier.","-92007689":"Lower barrier must be lower than higher barrier.","-1095538960":"Please enter the start time in the format \"HH:MM\".","-1975910372":"Minute must be between 0 and 59.","-866277689":"Expiry time cannot be in the past.","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-1455298001":"Now","-529846150":"Seconds","-256210543":"Trading is unavailable at this time.","-1050725091":"DTrader is not available for this account","-402175529":"History","-902712434":"Deal cancellation","-988484646":"Deal cancellation (executed)","-444882676":"Deal cancellation (active)","-13423018":"Reference ID","-1551639437":"No history","-1214703885":"You have yet to update either take profit or stop loss","-880722426":"Market is closed","-504849554":"It will reopen at","-59803288":"In the meantime, try our synthetic indices. They simulate real-market volatility and are open 24/7.","-1278109940":"See open markets","-694105443":"This market is closed","-439389714":"We’re working on it","-732351158":"Stay on DTrader","-1530772005":"This market is not yet available on DTrader, but it is on SmartTrader.","-138538812":"Log in or create a free account to place a trade.","-2036388794":"Create free account","-590131162":"Stay on {{website_domain}}","-1444663817":"Go to Binary.com","-1526466612":"You’ve selected a trade type that is currently unsupported, but we’re working on it.","-1043795232":"Recent positions","-1572796316":"Purchase price:","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-153220091":"{{display_value}} Tick","-802374032":"Hour","-2039780875":"Purchase confirmation","-1672470173":"Require confirmation before purchasing a contract","-1342661765":"Lock contract purchase buttons","-939764287":"Charts","-1738427539":"Purchase","-1392065699":"If you select \"Rise\", you win the payout if the exit spot is strictly higher than the entry spot.","-1762566006":"If you select \"Fall\", you win the payout if the exit spot is strictly lower than the entry spot.","-1435306976":"If you select \"Allow equals\", you win the payout if exit spot is higher than or equal to entry spot for \"Rise\". Similarly, you win the payout if exit spot is lower than or equal to entry spot for \"Fall\".","-1959473569":"If you select \"Lower\", you win the payout if the exit spot is strictly lower than the barrier.","-1350745673":"If the exit spot is equal to the barrier, you don't win the payout.","-2089488446":"If you select \"Ends Between\", you win the payout if the exit spot is strictly higher than the Low barrier AND strictly lower than the High barrier.","-1876950330":"If you select \"Ends Outside\", you win the payout if the exit spot is EITHER strictly higher than the High barrier, OR strictly lower than the Low barrier.","-546460677":"If the exit spot is equal to either the Low barrier or the High barrier, you don't win the payout.","-1812957362":"If you select \"Stays Between\", you win the payout if the market stays between (does not touch) either the High barrier or the Low barrier at any time during the contract period","-220379757":"If you select \"Goes Outside\", you win the payout if the market touches either the High barrier or the Low barrier at any time during the contract period.","-1281286610":"If you select \"Matches\", you will win the payout if the last digit of the last tick is the same as your prediction.","-1929209278":"If you select \"Even\", you will win the payout if the last digit of the last tick is an even number (i.e., 2, 4, 6, 8, or 0).","-2038865615":"If you select \"Odd\", you will win the payout if the last digit of the last tick is an odd number (i.e., 1, 3, 5, 7, or 9).","-1416078023":"If you select \"Touch\", you win the payout if the market touches the barrier at any time during the contract period.","-1272255095":"If the exit spot is equal to the barrier or the new barrier (if a reset occurs), you don't win the payout.","-231957809":"Win maximum payout if the exit spot is higher than or equal to the upper barrier.","-464144986":"Win maximum payout if the exit spot is lower than or equal to the lower barrier.","-1031456093":"Win up to maximum payout if exit spot is between lower and upper barrier, in proportion to the difference between upper barrier and exit spot.","-968162707":"No payout if exit spot is above or equal to the upper barrier.","-299450697":"If you select \"High Tick\", you win the payout if the selected tick is the highest among the next five ticks.","-705681870":"By purchasing the \"High-to-Low\" contract, you'll win the multiplier times the difference between the high and low over the duration of the contract.","-420387848":"The high is the highest point ever reached by the market during the contract period.","-1666375348":"By purchasing the \"High-to-Close\" contract, you'll win the multiplier times the difference between the high and close over the duration of the contract.","-2024955268":"If you select “Up”, you will earn a profit by closing your position when the market price is higher than the entry spot.","-1598433845":"If you select “Down”, you will earn a profit by closing your position when the market price is lower than the entry spot.","-1092777202":"The Stop-out level on the chart indicates the price at which your potential loss equals your entire stake. When the market price reaches this level, your position will be closed automatically. This ensures that your loss does not exceed the amount you paid to purchase the contract.","-885323297":"These are optional parameters for each position that you open:","-584696680":"If you select “Take profit” and specify an amount that you’d like to earn, your position will be closed automatically when your profit is more than or equals to this amount. Your profit may be more than the amount you entered depending on the market price at closing.","-178096090":"“Take profit” cannot be updated. You may update it only when “Deal cancellation” expires.","-206909651":"The entry spot is the market price when your contract is processed by our servers.","-1228860600":"Add region","-785625598":"Use these credentials to log in to your {{platform}} account on the website and mobile apps.","-162753510":"Add real account","-251202291":"Broker","-860609405":"Password","-742647506":"Fund transfer","-1874242353":"Fund top up","-1352641295":"Trade CFDs on our Synthetic Indices that simulate real-world market movement.","-2040196445":"Your MT5 Financial STP account is almost ready, please set your password now.","-712681566":"Peer-to-peer exchange","-1267880283":"{{field_name}} is required","-2084509650":"{{field_name}} is not properly formatted.","-1779241732":"First line of address is not in a proper format.","-188222339":"This should not exceed {{max_number}} characters.","-1673422138":"State/Province is not in a proper format.","-1262200612":"Identity confirmation failed. You will be redirected to the previous step.","-1385484963":"Confirm to change your {{platform}} password","-1990902270":"This will change the password to all of your {{platform}} accounts.","-1357917360":"Web terminal","-1454896285":"The MT5 desktop app is not supported by Windows XP, Windows 2003, and Windows Vista.","-673424733":"Demo account","-1066565281":"Server maintenance starts at 06:00 GMT every Sunday and may last up to 2 hours. Service may be disrupted during this time.","-1481390656":"Server maintenance starting 01:00 GMT every Sunday. This process may take up to 2 hours to complete. Service may be disrupted during this time.","-1199152768":"Please explore our other platforms.","-498346912":"Explore DBot","-2042845290":"Your investor password has been changed.","-1882295407":"Your password has been changed.","-254497873":"Use this password to grant viewing access to another user. While they may view your trading account, they will not be able to trade or take any other actions.","-161656683":"Current investor password","-374736923":"New investor password","-1793894323":"Create or reset investor password","-464262734":"Manage {{platform}} Real {{account_title}} account password","-184453418":"Enter your {{platform}} password","-731759165":"Choose a region for your DMT5 real {{ account_type }} account","-1769158315":"real","-700260448":"demo","-1175356567":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} account. To start trading, transfer funds from your Deriv account into this account.","-1570793523":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} account.","-790488576":"Forgot password?","-1190393389":"Enter your {{platform}} password to add a {{platform}} {{account}} account.","-1987408434":"Your MT5 Financial STP account will be opened through Deriv (BVI) Ltd. All trading in this account is subject to the regulations and guidelines of the British Virgin Islands Financial Services Commission (BVIFSC). None of your other accounts, including your Deriv account, is subject to the regulations and guidelines of the British Virgin Islands Financial Services Commission (BVIFSC).","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1752211105":"Transfer now","-1928229820":"Reset Deriv X investor password","-1917043724":"Reset DMT5 investor password","-1087845020":"main","-1950683866":"investor","-89838213":"You can top up your demo account with an additional <0> if your balance is <1> or less.","-1211122723":"{{ platform }} {{ account_title }} account","-78895143":"Current balance","-149993085":"New current balance","-877064208":"EUR","-1302404116":"Maximum leverage","-1284221303":"You’ll get a warning, known as margin call, if your account balance drops down close to the stop out level.","-1848799829":"To understand stop out, first you need to learn about margin level, which is the ratio of your equity (the total balance you would have if you close all your positions at that point) to the margin you're using at the moment. If your margin level drops below our stop out level, your positions may be closed automatically to protect you from further losses.","-224051432":"24/7","-511301450":"Indicates the availability of cryptocurrency trading on a particular account.","-1591882610":"Synthetics","-287097947":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies (except UK)","-2102641225":"At bank rollover, liquidity in the forex markets is reduced and may increase the spread and processing time for client orders. This happens around 21:00 GMT during daylight saving time, and 22:00 GMT non-daylight saving time.","-495364248":"Margin call and stop out level will change from time to time based on market condition.","-536189739":"To protect your portfolio from adverse market movements due to the market opening gap, we reserve the right to decrease leverage on all offered symbols for financial accounts before market close and increase it again after market open. Please make sure that you have enough funds available in your {{platform}} account to support your positions at all times.","-10956371":"You need a real account (fiat currency or cryptocurrency) in Deriv to create a real DMT5 account.","-1760596315":"Create a Deriv account","-1324223697":"Use this password to log in to your DMT5 accounts on the desktop, web, and mobile apps.","-648956272":"Use this password to log in to your Deriv X accounts on the web and mobile apps.","-337314155":"Change {{platform}} password","-1814308691":"Please click on the link in the email to change your {{platform}} password.","-149836494":"Your transaction reference number is {{transaction_id}}","-1382749084":"Go back to trading","-538215347":"Net deposits","-280147477":"All transactions","-137444201":"Buy","-360975483":"You've made no transactions of this type during this period.","-1231210510":"Tick","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-8998663":"Digit: {{last_digit}} ","-1435392215":"About deal cancellation","-1280319153":"Cancel your trade anytime within a chosen time-frame. Triggered automatically if your trade reaches the stop out level within the chosen time-frame.","-471757681":"Risk management","-976258774":"Not set","-843831637":"Stop loss","-771725194":"Deal Cancellation","-945156951":"Are you sure you want to purchase this contract?","-45873457":"NEW","-127118348":"Choose {{contract_type}}","-543478618":"Try checking your spelling or use a different term","-338707425":"Minimum duration is 1 day","-1003473648":"Duration: {{duration}} day","-741395299":"{{value}}","-1527492178":"Purchase Locked","-725375562":"You can lock/unlock the purchase button from the Settings menu","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-2055106024":"Toggle between advanced and simple duration settings","-1012793015":"End time","-629549519":"Commission <0/>","-2131859340":"Stop out <0/>","-1686280757":"<0>{{commission_percentage}}% of (<1/> * {{multiplier}})","-1043117679":"When your current loss equals or exceeds {{stop_out_percentage}}% of your stake, your contract will be closed at the nearest available asset price.","-477998532":"Your contract is closed automatically when your loss is more than or equals to this amount.","-243332856":"Last digit stats for latest 1000 ticks for {{ underlying_name }}","-461955353":"purchase price","-172348735":"profit","-1624674721":"contract type","-1644154369":"entry spot time","-510792478":"entry spot price","-1974651308":"exit spot time","-1600267387":"exit spot price","-514917720":"barrier","-2004386410":"Win","-1072292603":"No Change","-1631669591":"string","-1768939692":"number","-795152863":"green","-1640576332":"blue","-804983649":"yellow","-94281841":"red","-1242470654":"Earned money","-1429914047":"Low","-1893628957":"Open Time","-1896106455":"10 minutes","-999492762":"15 minutes","-1978767852":"30 minutes","-293628675":"1 hour","-385604445":"2 hours","-1965813351":"4 hours","-525321833":"1 day","-151151292":"Asians","-1048378719":"Reset Call/Reset Put","-1282312809":"High/Low Ticks","-2035315547":"Low barrier","-1635771697":"middle","-1529389221":"Histogram","-1819860668":"MACD","-1750896349":"D'Alembert","-102980621":"The Oscar's Grind Strategy is a low-risk positive progression strategy that first appeared in 1965. By using this strategy, the size of your contract will increase after successful trades, but remains unchanged after unsuccessful trades.","-462715374":"Untitled Bot","-2002533437":"Custom function","-215053350":"with:","-1257232389":"Specify a parameter name:","-1885742588":"with: ","-188442606":"function {{ function_name }} {{ function_params }} {{ dummy }}","-313112159":"This block is similar to the one above, except that this returns a value. The returned value can be assigned to a variable of your choice.","-1783320173":"Prematurely returns a value within a function","-1485521724":"Conditional return","-1482801393":"return","-46453136":"get","-1838027177":"first","-1182568049":"Get list item","-1675454867":"This block gives you the value of a specific item in a list, given the position of the item. It can also remove the item from the list.","-381501912":"This block creates a list of items from an existing list, using specific item positions.","-426766796":"Get sub-list","-1679267387":"in list {{ input_list }} find {{ first_or_last }} occurence of item {{ input_value }}","-2087996855":"This block gives you the position of an item in a given list.","-422008824":"Checks if a given list is empty","-1343887675":"This block checks if a given list is empty. It returns “True” if the list is empty, “False” if otherwise.","-1548407578":"length of {{ input_list }}","-1786976254":"This block gives you the total number of items in a given list.","-2113424060":"create list with item {{ input_item }} repeated {{ number }} times","-1955149944":"Repeat an item","-434887204":"set","-197957473":"as","-851591741":"Set list item","-1874774866":"ascending","-1457178757":"Sorts the items in a given list","-350986785":"Sort list","-324118987":"make text from list","-155065324":"This block creates a list from a given string of text, splitting it with the given delimiter. It can also join items in a list into a string of text.","-459051222":"Create list from text","-977241741":"List Statement","-451425933":"{{ break_or_continue }} of loop","-323735484":"continue with next iteration","-1592513697":"Break out/continue","-713658317":"for each item {{ variable }} in list {{ input_list }}","-1825658540":"Iterates through a given list","-952264826":"repeat {{ number }} times","-887757135":"Repeat (2)","-1608672233":"This block is similar to the block above, except that the number of times it repeats is determined by a given variable.","-533154446":"Repeat (1)","-1059826179":"while","-1893063293":"until","-279445533":"Repeat While/Until","-1003706492":"User-defined variable","-359097473":"set {{ variable }} to {{ value }}","-1588521055":"Sets variable value","-980448436":"Set variable","-1538570345":"Get the last trade information and result, then trade again.","-222725327":"Here is where you can decide if your bot should continue trading.","-1638446329":"Result is {{ win_or_loss }}","-1968029988":"Last trade result","-1588406981":"You can check the result of the last trade with this block.","-1459154781":"Contract Details: {{ contract_detail }}","-1652241017":"Reads a selected property from contract details list","-2012970860":"This block gives you information about your last contract.","-2082345383":"These blocks transfer control to the Purchase conditions block.","-172574065":"This block will transfer the control back to the Purchase conditions block, enabling you to purchase another contract.","-403103225":"restart","-837044282":"Ask Price {{ contract_type }}","-1033917049":"This block returns the purchase price for the selected trade type.","-1863737684":"2. Purchase conditions","-228133740":"Specify contract type and purchase conditions.","-1291088318":"Purchase conditions","-1098726473":"This block is mandatory. Only one copy of this block is allowed. You can place the Purchase block (see below) here as well as conditional blocks to define your purchase conditions.","-1777988407":"Payout {{ contract_type }}","-511116341":"This block returns the potential payout for the selected trade type","-1943211857":"Potential payout","-813464969":"buy","-53668380":"True if active contract can be sold before expiration at current market price","-43337012":"Sell profit/loss","-2112866691":"Returns the profit/loss from selling at market price","-2132417588":"This block gives you the potential profit or loss if you decide to sell your contract.","-1360483055":"set {{ variable }} to Bollinger Bands {{ band_type }} {{ dummy }}","-20542296":"Calculates Bollinger Bands (BB) from a list with a period","-1951109427":"Bollinger Bands (BB)","-857226052":"BB is a technical analysis indicator that’s commonly used by traders. The idea behind BB is that the market price stays within the upper and lower bands for 95% of the time. The bands are the standard deviations of the market price, while the line in the middle is a simple moving average line. If the price reaches either the upper or lower band, there’s a possibility of a trend reversal.","-325196350":"set {{ variable }} to Bollinger Bands Array {{ band_type }} {{ dummy }}","-199689794":"Similar to BB. This block gives you a choice of returning the values of either the lower band, higher band, or the SMA line in the middle.","-920690791":"Calculates Exponential Moving Average (EMA) from a list with a period","-960641587":"EMA is a type of moving average that places more significance on the most recent data points. It’s also known as the exponentially weighted moving average. EMA is different from SMA in that it reacts more significantly to recent price changes.","-1557584784":"set {{ variable }} to Exponential Moving Average Array {{ dummy }}","-32333344":"Calculates Moving Average Convergence Divergence (MACD) from a list","-628573413":"MACD is calculated by subtracting the long-term EMA (26 periods) from the short-term EMA (12 periods). If the short-term EMA is greater or lower than the long-term EMA than there’s a possibility of a trend reversal.","-1133676960":"Fast EMA Period {{ input_number }}","-883166598":"Period {{ input_period }}","-450311772":"set {{ variable }} to Relative Strength Index {{ dummy }}","-1861493523":"Calculates Relative Strength Index (RSI) list from a list of values with a period","-880048629":"Calculates Simple Moving Average (SMA) from a list with a period","-1150972084":"Market direction","-276935417":"This block is used to determine if the market price moves in the selected direction or not. It gives you a value of “True” or “False”.","-764931948":"in candle list get # from end {{ input_number }}","-924607337":"Returns the last digit of the latest tick","-560033550":"Returns the list of last digits of 1000 recent tick values","-74062476":"Make a List of {{ candle_property }} values in candles list with interval: {{ candle_interval_type }}","-1556495906":"Returns a list of specific values from a candle list according to selected time interval","-166816850":"Create a list of candle values (1)","-1261436901":"Candles List","-1460794449":"This block gives you a list of candles within a selected time interval.","-1174859923":"Read the selected candle value","-1972165119":"Read candle value (1)","-1956100732":"You can use this block to analyze the ticks, regardless of your trades","-443243232":"The content of this block is called on every tick. Place this block outside of any root block.","-641399277":"Last Tick","-1628954567":"Returns the value of the last tick","-1332756793":"This block gives you the value of the last tick.","-2134440920":"Last Tick String","-1466340125":"Tick value","-467913286":"Tick value Description","-785831237":"This block gives you a list of the last 1000 tick values.","-1546430304":"Tick List String Description","-1788626968":"Returns \"True\" if the given candle is black","-436010611":"Make a list of {{ candle_property }} values from candles list {{ candle_list }}","-1384340453":"Returns a list of specific values from a given candle list","-584859539":"Create a list of candle values (2)","-2010558323":"Read {{ candle_property }} value in candle {{ input_candle }}","-2846417":"This block gives you the selected candle value.","-1587644990":"Read candle value (2)","-1202212732":"This block returns account balance","-1737837036":"Account balance","-1963883840":"Put your blocks in here to prevent them from being removed","-1284013334":"Use this block if you want some instructions to be ignored when your bot runs. Instructions within this block won’t be executed.","-1217253851":"Log","-1987568069":"Warn","-104925654":"Console","-1956819233":"This block displays messages in the developer's console with an input that can be either a string of text, a number, boolean, or an array of data.","-1450461842":"Load block from URL: {{ input_url }}","-1088614441":"Loads blocks from URL","-1747943728":"Loads from URL","-2105753391":"Notify Telegram {{ dummy }} Access Token: {{ input_access_token }} Chat ID: {{ input_chat_id }} Message: {{ input_message }}","-1008209188":"Sends a message to Telegram","-1218671372":"Displays a notification and optionally play selected sound","-2099284639":"This block gives you the total profit/loss of your trading strategy since your bot started running. You can reset this by clicking “Clear stats” on the Transaction Stats window, or by refreshing this page in your browser.","-683825404":"Total Profit String","-718220730":"Total Profit String Description","-1861858493":"Number of runs","-264195345":"Returns the number of runs","-303451917":"This block gives you the total number of times your bot has run. You can reset this by clicking “Clear stats” on the Transaction Stats window, or by refreshing this page in your browser.","-2132861129":"Conversion Helper Block","-74095551":"Seconds Since Epoch","-15528039":"Returns the number of seconds since January 1st, 1970","-729807788":"This block returns the number of seconds since January 1st, 1970.","-1370107306":"{{ dummy }} {{ stack_input }} Run after {{ number }} second(s)","-558838192":"Delayed run","-1975250999":"This block converts the number of seconds since the Unix Epoch (1 January 1970) into a string of text representing the date and time.","-702370957":"Convert to date/time","-982729677":"Convert to timestamp","-311268215":"This block converts a string of text that represents the date and time into seconds since the Unix Epoch (1 January 1970). The time and time zone offset are optional. Example: 2019-01-01 21:03:45 GMT+0800 will be converted to 1546347825.","-1466383897":"Duration: {{ duration_unit }} {{ duration_value }}","-440702280":"Trade options","-1193894978":"Define your trade options such as duration and stake. Some options are only applicable for certain trade types.","-625636913":"Amount must be a positive number.","-46523443":"Duration value is not allowed. To run the bot, please enter a value between {{min}} to {{max}}.","-1483427522":"Trade Type: {{ trade_type_category }} > {{ trade_type }}","-323348124":"1. Trade parameters","-1671903503":"Run once at start:","-783173909":"Trade options:","-376956832":"Here is where you define the parameters of your contract.","-1244007240":"if {{ condition }} then","-908772734":"This block evaluates a statement and will perform an action only when the statement is true.","-1577206704":"else if","-33796979":"true","-1434883449":"This is a single block that returns a boolean value, either true or false.","-1946404450":"Compares two values","-979918560":"This block converts the boolean value (true or false) to its opposite.","-2047257743":"Null","-1274387519":"Performs selected logic operation","-766386234":"This block performs the \"AND\" or the \"OR\" logic operation.","-790995537":"test {{ condition }}","-1860211657":"if false {{ return_value }}","-1643760249":"This block tests if a given value is true or false and returns “True” or “False” accordingly.","-1551875333":"Test value","-52486882":"Arithmetical operations","-1010436425":"This block adds the given number to the selected variable","-999773703":"Change variable","-1272091683":"Mathematical constants","-1396629894":"constrain {{ number }} low {{ low_number }} high {{ high_number }}","-425224412":"This block constrains a given number so that it is within a set range.","-2072551067":"Constrain within a range","-43523220":"remainder of {{ number1 }} ÷ {{ number2 }}","-1291857083":"Returns the remainder after a division","-592154850":"Remainder after division","-736665095":"Returns the remainder after the division of the given numbers.","-1266992960":"Math Number Description","-77191651":"{{ number }} is {{ type }}","-817881230":"even","-142319891":"odd","-1000789681":"whole","-1735674752":"Test a number","-1017805068":"This block tests a given number according to the selection and it returns a value of “True” or “False”. Available options: Even, Odd, Prime, Whole, Positive, Negative, Divisible","-1858332062":"Number","-1053492479":"Enter an integer or fractional number into this block. Please use `.` as a decimal separator for fractional numbers.","-927097011":"sum","-1653202295":"max","-1555878023":"average","-1748351061":"mode","-992067330":"Aggregate operations","-1691561447":"This block gives you a random fraction between 0.0 to 1.0","-523625686":"Random fraction number","-933024508":"Rounds a given number to an integer","-1656927862":"This block rounds a given number according to the selection: round, round up, round down.","-1495304618":"absolute","-61210477":"Operations on a given number","-181644914":"This block performs the selected operations to a given number.","-840732999":"to {{ variable }} append text {{ input_text }}","-1469497908":"Appends a given text to a variable","-1851366276":"Text Append","-1666316828":"Appends a given text to a variable.","-1902332770":"Transform {{ input_text }} to {{ transform_type }}","-1489004405":"Title Case","-904432685":"Changes text case accordingly","-882381096":"letter #","-1027605069":"letter # from end","-2066990284":"random letter","-337089610":"in text {{ input_text1 }} find {{ first_or_last }} occurence of text {{ input_text2 }}","-1966694141":"Searches through a string of text for a specific occurrence of a given character or word, and returns the position.","-697543841":"Text join","-141160667":"length of {{ input_text }}","-1133072029":"Text String Length","-1109723338":"print {{ input_text }}","-736668830":"Print","-1190046167":"This block displays a dialog box with a customised message. When the dialog box is displayed, your strategy is paused and will only resume after you click \"OK\".","-1821552998":"trim spaces from {{ side }} of {{ input_text }}","-801766026":"right side","-474779821":"Trims spaces","-1219239717":"One or more mandatory blocks are missing from your workspace. Please add the required block(s) and then try again.","-250761331":"One or more mandatory blocks are disabled in your workspace. Please enable the required block(s) and then try again.","-187634388":"This block is mandatory. Here is where you can decide if your bot should continue trading. Only one copy of this block is allowed.","-2105473795":"The only input parameter determines how block output is going to be formatted. In case if the input parameter is \"string\" then the account currency will be added.","-1800436138":"2. for \"number\": 1325.68","-2046396241":"This block is mandatory. Only one copy of this block is allowed. It is added to the canvas by default when you open DBot.","-530632460":"This block is used to determine if the market price moves in the selected direction or not. It gives you a value of \"True\" or \"False\".","-1875717842":"Examples:","-890079872":"1. If the selected direction is \"Rise\", and the previous tick value is less than the current tick value, the output will be \"True\". Otherwise, the output will be an empty string.","-489739641":"2. If the selected direction is \"Fall\", and the previous tick value is more than the current tick value, the output will be \"True\". Otherwise, the output will be an empty string.","-2116076360":"There are 4 message types:","-1421941045":"2. 'Warn' displays a message in yellow to highlight something that needs attention.","-277850921":"If \"Win\" is selected, it will return \"True\" if your last trade was successful. Otherwise, it will return an empty string.","-1918487001":"Example:","-2139916657":"1. In the below example the loop is terminated in case \"x\" is \"False\" even though only one iteration is complete","-1238900333":"2. In the below example the loop jumps to the next iteration without executing below block in case if \"x\" is \"False\"","-1729479576":"You can use \"i\" inside the loop, for example to access list items","-1474636594":"In this example, the loop will repeat three times, as that is the number of items in the given list. During each iteration, the variable \"i\" will be assigned a value from the list. ","-334040831":"2. In this example, the instructions are repeated as long as the value of x is greater than or equal to 10. Once the value of x drops below 10, the loop is terminated.","-444267958":"\"Seconds Since Epoch\" block returns the number of seconds since January 1st, 1970.","-447522129":"You might need it when you want to repeat an actions after certain amount of time.","-1488259879":"The term \"candle\" refers to each bar on the candlestick chart. Each candle represents four market prices for the selected time interval:","-2020693608":"Each candlestick on the chart represents 4 market prices for the selected time interval:","-62728852":"- Open price: the opening price","-1247744334":"- Low price: the lowest price","-1386365697":"- Close price: the closing price","-1498732382":"A black (or red) candle indicates that the open price is higher than the close price. This represents a downward movement of the market price.","-1871864755":"This block gives you the last digit of the latest tick value of the selected market. If the latest tick value is 1410.90, this block will return 0. It’s useful for digit-based contracts such as Even/Odd, Matches/Differs, or Higher/Lower.","-1029671512":"In case if the \"OR\" operation is selected, the block returns \"True\" in case if one or both given values are \"True\"","-210295176":"Available operations:","-1385862125":"- Addition","-983721613":"- Subtraction","-854750243":"- Multiplication","-1394815185":"In case if the given number is less than the lower boundary of the range, the block returns the lower boundary value. Similarly, if the given number is greater than the higher boundary, the block will return the higher boundary value. In case if the given value is between boundaries, the block will return the given value unchanged.","-1034564248":"In the below example the block returns the value of 10 as the given value (5) is less than the lower boundary (10)","-2009817572":"This block performs the following operations to a given number","-671300479":"Available operations are:","-514610724":"- Absolute","-1923861818":"- Euler’s number (2.71) to the power of a given number","-1556344549":"Here’s how:","-1061127827":"- Visit the following URL, make sure to replace with the Telegram API token you created in Step 1: https://api.telegram.org/bot/getUpdates","-70949308":"4. Come back to DBot and add the Notify Telegram block to the workspace. Paste the Telegram API token and chat ID into the block fields accordingly.","-311389920":"In this example, the open prices from a list of candles are assigned to a variable called \"cl\".","-1634242212":"Used within a function block, this block returns a value when a specific condition is true.","-1504783522":"You can choose to see one of the following:","-10612039":"- Profit: the profit you’ve earned","-555996976":"- Entry time: the starting time of the contract","-1391071125":"- Exit time: the contract expiration time","-1961642424":"- Exit value: the value of the last tick of the contract","-111312913":"- Barrier: the barrier value of the contract (applicable to barrier-based trade types such as stays in/out, touch/no touch, etc.)","-674283099":"- Result: the result of the last contract: \"win\" or \"loss\"","-704543890":"This block gives you the selected candle value such as open price, close price, high price, low price, and open time. It requires a candle as an input parameter.","-482281200":"In the example below, the open price is assigned to the variable \"op\".","-364621012":"This block gives you the specified candle value for a selected time interval. You can choose which value you want:","-232477769":"- Open: the opening price","-610736310":"Use this block to sell your contract at the market price. Selling your contract is optional. You may choose to sell if the market trend is unfavourable.","-1307657508":"This block gives you the potential profit or loss if you decide to sell your contract. It can only be used within the \"Sell conditions\" root block.","-1921072225":"In the example below, the contract will only be sold if the potential profit or loss is more than the stake.","-955397705":"SMA adds the market price in a list of ticks or candles for a number of time periods, and divides the sum by that number of time periods.","-1424923010":"where n is the number of periods.","-1835384051":"What SMA tells you","-749487251":"SMA serves as an indicator of the trend. If the SMA points up then the market price is increasing and vice versa. The larger the period number, the smoother SMA line is.","-1996062088":"In this example, each point of the SMA line is an arithmetic average of close prices for the last 10 days.","-1866751721":"Input list accepts a list of ticks or candles, while period is the specified time period.","-1097076512":"You may compare SMA values calculated on every bot run to identify the market trend direction. Alternatively, you may also use a variation of the SMA block, the Simple Moving Average Array block. ","-1254849504":"If a period of 10 is entered, the Simple Moving Average Array block will return a list of SMA values calculated based on period of 10.","-859028989":"In this example, the date and time will be displayed in a green notification box.","-1452086215":"In this example, a Rise contract will be purchased at midnight on 1 August 2019.","-2078588404":"Select your desired market and asset type. For example, Forex > Major pairs > AUD/JPY","-2037446013":"2. Trade Type","-533927844":"Select your desired trade type. For example, Up/Down > Rise/Fall","-1192411640":"4. Default Candle Interval","-485434772":"8. Trade Options","-1827646586":"This block assigns a given value to a variable, creating the variable if it doesn't already exist.","-1687036846":"Download block","-1266781295":"Expand","-894560707":"function","-1867119688":"Duplicate","-610728049":"Rearrange Vertically","-2033146714":"Collapse All Blocks","-958601558":"Delete Block","-1193267384":"Detach Block","-1750478127":"New variable name","-1061878051":"Y","-2047029150":"Unable to load the block file.","-1410769167":"Target must be an XML file","-609157479":"This URL is already loaded","-241945454":"Proposals are not ready","-1087890592":"Maximum loss amount reached","-1030545878":"You are rate limited for: {{ message_type }}, retrying in {{ delay }}s (ID: {{ request }})","-490766438":"You are disconnected, retrying in {{ delay }}s","-1389975609":"unknown","-1900515692":"Duration must be a positive integer","-245297595":"Please login","-1445046468":"Given candle is not valid","-1891622945":"{{hourPast}}h ago","-1723202824":"Please grant permission to view and manage Google Drive folders created with Binary Bot","-210953314":"There was an error retrieving data from Google Drive","-1521930919":"Select a Binary Bot strategy","-845301264":"There was an error listing files from Google Drive","-1452908801":"There was an error retrieving files from Google Drive","-232617824":"There was an error processing your request"} \ No newline at end of file diff --git a/packages/translations/src/translations/ach.json b/packages/translations/src/translations/ach.json index 1e76aad3e723..09428fe44bf2 100644 --- a/packages/translations/src/translations/ach.json +++ b/packages/translations/src/translations/ach.json @@ -513,6 +513,7 @@ "761576760": "crwdns123692:0crwdne123692:0", "762185380": "crwdns163408:0crwdne163408:0", "762871622": "crwdns164873:0{{remaining_time}}crwdne164873:0", + "763019867": "crwdns168079:0crwdne168079:0", "764366329": "crwdns160216:0crwdne160216:0", "764540515": "crwdns157228:0crwdne157228:0", "766317539": "crwdns80197:0crwdne80197:0", @@ -622,6 +623,7 @@ "904696726": "crwdns120946:0crwdne120946:0", "905134118": "crwdns69202:0crwdne69202:0", "905227556": "crwdns156370:0crwdne156370:0", + "909257425": "crwdns168081:0crwdne168081:0", "910888293": "crwdns162052:0crwdne162052:0", "912344358": "crwdns123718:0crwdne123718:0", "915735109": "crwdns123722:0{{platform_name}}crwdne123722:0", @@ -792,6 +794,7 @@ "1145927365": "crwdns70456:0crwdne70456:0", "1146064568": "crwdns160348:0crwdne160348:0", "1147269948": "crwdns164076:0crwdne164076:0", + "1147625645": "crwdns168083:0crwdne168083:0", "1149790519": "crwdns160350:0crwdne160350:0", "1151964318": "crwdns69276:0crwdne69276:0", "1154021400": "crwdns69280:0crwdne69280:0", @@ -1310,6 +1313,7 @@ "1851951013": "crwdns69552:0crwdne69552:0", "1854480511": "crwdns167995:0crwdne167995:0", "1855566768": "crwdns69556:0crwdne69556:0", + "1855768448": "crwdns168085:0crwdne168085:0", "1858251701": "crwdns80673:0crwdne80673:0", "1863053247": "crwdns167273:0crwdne167273:0", "1866811212": "crwdns161260:0crwdne161260:0", @@ -1327,6 +1331,7 @@ "1875505777": "crwdns163306:0crwdne163306:0", "1876325183": "crwdns69572:0crwdne69572:0", "1877225775": "crwdns80679:0crwdne80679:0", + "1877410120": "crwdns168087:0crwdne168087:0", "1877832150": "crwdns69574:0crwdne69574:0", "1879042430": "crwdns117206:0crwdne117206:0", "1879412976": "crwdns117750:0{{profit}}crwdne117750:0", @@ -1424,6 +1429,7 @@ "2006229049": "crwdns163310:0{{transfer_fee}}crwdnd163310:0{{minimum_fee}}crwdnd163310:0{{currency}}crwdne163310:0", "2007028410": "crwdns121792:0crwdne121792:0", "2007092908": "crwdns163512:0crwdne163512:0", + "2008809853": "crwdns168089:0crwdne168089:0", "2009620100": "crwdns157058:0crwdne157058:0", "2009770416": "crwdns165839:0crwdne165839:0", "2010031213": "crwdns163514:0crwdne163514:0", @@ -2333,6 +2339,7 @@ "-522767852": "crwdns81437:0crwdne81437:0", "-433761292": "crwdns81439:0crwdne81439:0", "-705744796": "crwdns158018:0crwdne158018:0", + "-618539786": "crwdns168091:0crwdne168091:0", "-1738575826": "crwdns168039:0crwdne168039:0", "-1204063440": "crwdns168041:0crwdne168041:0", "-1925176811": "crwdns168043:0crwdne168043:0", @@ -2394,6 +2401,11 @@ "-697343663": "crwdns163344:0crwdne163344:0", "-1740162250": "crwdns118064:0crwdne118064:0", "-1277942366": "crwdns81505:0crwdne81505:0", + "-490100162": "crwdns168093:0crwdne168093:0", + "-1310654342": "crwdns168095:0crwdne168095:0", + "-168971942": "crwdns168097:0crwdne168097:0", + "-139892431": "crwdns168099:0crwdne168099:0", + "-905560792": "crwdns168101:0crwdne168101:0", "-1197864059": "crwdns158966:0crwdne158966:0", "-1879857830": "crwdns167527:0crwdne167527:0", "-1485242688": "crwdns117304:0{{step}}crwdnd117304:0{{step_title}}crwdnd117304:0{{step}}crwdnd117304:0{{steps}}crwdne117304:0", diff --git a/packages/translations/src/translations/es.json b/packages/translations/src/translations/es.json index 0d761643c30b..b4c8c1f30c66 100644 --- a/packages/translations/src/translations/es.json +++ b/packages/translations/src/translations/es.json @@ -513,6 +513,7 @@ "761576760": "Financie su cuenta para comenzar a operar.", "762185380": "<0>Multiplique retornos <0>arriesgando solo lo que invirtió.", "762871622": "{{remaining_time}}s", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Límites de trading", "764540515": "Detener al bot es arriesgado", "766317539": "Idioma", @@ -622,6 +623,7 @@ "904696726": "Token API", "905134118": "Pago:", "905227556": "Las contraseñas seguras contienen al menos 8 caracteres y combinan letras mayúsculas y minúsculas con números.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Demasiados intentos", "912344358": "Por la presente declaro que la información tributaria que he proporcionado es verdadera y completa. También informaré a Deriv Investments (Europe) Limited acerca de cualquier cambio de esta información.", "915735109": "Volver a {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Ejecuta los bloques dentro tras un número determinado de segundos", "1146064568": "Diríjase a la página de depósito", "1147269948": "La barrera no puede ser cero.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Cada transacción se confirmará una vez que recibamos tres confirmaciones de la blockchain.", "1151964318": "ambos lados", "1154021400": "lista", @@ -1310,6 +1313,7 @@ "1851951013": "Cambie a su cuenta demo para ejecutar su DBot.", "1854480511": "Cashier is locked", "1855566768": "Posición del elemento de la lista", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "minuto", "1863053247": "Please upload your identity document.", "1866811212": "Deposite en su moneda local a través de un agente de pago independiente autorizado en su país.", @@ -1327,6 +1331,7 @@ "1875505777": "Si tiene una cuenta real de Deriv, vaya a <0>Informes para cerrar cualquier posición abierta.", "1876325183": "Minutos", "1877225775": "Su comprobante de dirección está verificado", + "1877410120": "What you need to do now", "1877832150": "# desde final", "1879042430": "Prueba de Idoneidad, ADVERTENCIA:", "1879412976": "Cantidad de ganancia: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "Las transferencias están sujetas a una tarifa de transferencia del {{transfer_fee}}% o {{minimum_fee}} {{currency}}, la que sea más alta.", "2007028410": "mercado, tipo de operación, tipo de contrato", "2007092908": "Opere con apalancamiento y spreads bajos para obtener mejores rendimientos en operaciones exitosas.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot no continuará con nuevas operaciones. Nuestro sistema completará todas las operaciones en curso. Se perderán todos los cambios que no se hayan guardado. <0>Nota: Consulte su estado de cuenta para ver las transacciones completadas.", "2009770416": "Dirección:", "2010031213": "Opere en Deriv X", @@ -2333,6 +2339,7 @@ "-522767852": "DEMO", "-433761292": "Cambio a cuenta predeterminada.", "-705744796": "El saldo de su cuenta demo ha alcanzado el límite máximo y no podrá realizar nuevas operaciones. Restablezca su saldo para continuar operando desde su cuenta demo.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Please switch to your real account or create one to access the cashier.", "-1204063440": "Set my account currency", "-1925176811": "Unable to process withdrawals in the moment", @@ -2394,6 +2401,11 @@ "-697343663": "Cuentas Deriv X", "-1740162250": "Gestionar cuentas", "-1277942366": "Total de activos", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Crear cuenta demo gratis", "-1879857830": "Warning", "-1485242688": "Paso {{step}}: {{step_title}} ({{step}} de {{steps}})", diff --git a/packages/translations/src/translations/fr.json b/packages/translations/src/translations/fr.json index a5021690aa28..221c25f28930 100644 --- a/packages/translations/src/translations/fr.json +++ b/packages/translations/src/translations/fr.json @@ -513,6 +513,7 @@ "761576760": "Financez votre compte pour commencer à trader.", "762185380": "<0>Multipliez les retours sur investissement en <0>ne risquant que ce que vous investissez.", "762871622": "{{remaining_time}}s", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Limites de trading", "764540515": "Arrêter le bot est risqué", "766317539": "Langue", @@ -622,6 +623,7 @@ "904696726": "API token", "905134118": "Paiement :", "905227556": "Les mots de passe forts contiennent au moins 8 caractères, combinent des lettres majuscules et minuscules et des chiffres.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Trop de tentatives", "912344358": "Je confirme par la présente que les renseignements fiscaux fournis sont véridiques et complets. J’informerai également Deriv Investments (Europe) Limited de tout changement à ces renseignements.", "915735109": "Retour à {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Exécutez les blocs à l'intérieur après un nombre donné de secondes", "1146064568": "Aller à la page de dépôt", "1147269948": "La barrière ne peut être égale à zéro.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Chaque transaction sera confirmée une fois que nous aurons reçu trois confirmations de la blockchain.", "1151964318": "des deux côtés", "1154021400": "liste", @@ -1245,7 +1248,7 @@ "1772532756": "Créer et éditer", "1777847421": "C'est un mot de passe très courant", "1778815073": "{{website_name}} n'est affilié à aucun agent de paiement. Les clients traitent avec les agents de paiement à leurs seuls risques. Il est conseillé aux clients de vérifier les informations d'identification des agents de paiement et de vérifier l'exactitude de toute information sur les agents de paiement (sur Deriv ou ailleurs) avant de transférer des fonds.", - "1778893716": "Click here", + "1778893716": "Cliquez ici", "1779519903": "La saisie doit être un nombre valide.", "1780770384": "Ce bloc vous donne une fraction aléatoire entre 0,0 et 1,0.", "1782308283": "Stratégie rapide", @@ -1308,8 +1311,9 @@ "1851052337": "Le lieu de naissance est obligatoire.", "1851776924": "supérieur", "1851951013": "Veuillez basculer vers votre compte démo pour exécuter votre DBot.", - "1854480511": "Cashier is locked", + "1854480511": "Caisse verrouillée", "1855566768": "Lister la position de l'élément", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "minute", "1863053247": "Veuillez télécharger votre pièce d'identité.", "1866811212": "Effectuez un dépôt dans votre devise locale via un agent de paiement agréé et indépendant dans votre pays.", @@ -1327,6 +1331,7 @@ "1875505777": "Si vous avez un compte réel Deriv, accédez à <0>Rapports pour fermer ou vendre les positions ouvertes.", "1876325183": "Minutes", "1877225775": "Votre justificatif de domicile est vérifié", + "1877410120": "What you need to do now", "1877832150": "# à partir de la fin", "1879042430": "Test de pertinence, AVERTISSEMENT:", "1879412976": "Montant du profit: <0>{{profit}}", @@ -1406,7 +1411,7 @@ "1985637974": "Tous les blocs placés dans ce bloc seront exécutés à chaque tick. Si l'intervalle de bougie par défaut est défini sur 1 minute dans le bloc racine Paramètres du trade, les instructions de ce bloc seront exécutées toutes les minutes. Placez ce bloc en dehors de tout bloc racine.", "1986498784": "BTC/LTC", "1987080350": "Démo", - "1987447369": "Your cashier is locked", + "1987447369": "Votre caisse est verrouillée", "1988153223": "Adresse e-mail", "1988302483": "Take profit:", "1988601220": "Valeur de durée", @@ -1424,6 +1429,7 @@ "2006229049": "Les transferts sont soumis à des frais de transfert de {{transfer_fee}}% ou {{minimum_fee}} {{currency}}, selon le montant le plus élevé.", "2007028410": "marché, type de trade, type de contrat", "2007092908": "Tradez avec un effet de levier et des spreads faibles pour de meilleurs rendements sur les trades réussis.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot ne procèdera à aucune nouvelle transaction. Toutes les transactions en cours seront complétées par notre système. Toutes les modifications non enregistrées seront perdues. <0>Remarque: veuillez vérifier votre relevé pour voir les transactions terminées.", "2009770416": "Adresse :", "2010031213": "Tradez sur Deriv X", @@ -2333,6 +2339,7 @@ "-522767852": "DEMO", "-433761292": "Passage au compte par défaut.", "-705744796": "Le solde de votre compte démo a atteint la limite maximale et vous ne pourrez pas effectuer de nouvelles transactions. Réinitialisez votre solde pour continuer à trader depuis votre compte démo.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Please switch to your real account or create one to access the cashier.", "-1204063440": "Set my account currency", "-1925176811": "Unable to process withdrawals in the moment", @@ -2394,6 +2401,11 @@ "-697343663": "Comptes Deriv X", "-1740162250": "Gérer le compte", "-1277942366": "Total des actifs", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Ouvrir un compte démo", "-1879857830": "Avertissement", "-1485242688": "Step {{step}}: {{step_title}} ({{step}} of {{steps}})", diff --git a/packages/translations/src/translations/id.json b/packages/translations/src/translations/id.json index 33bcf754cdb4..17e0db02e16e 100644 --- a/packages/translations/src/translations/id.json +++ b/packages/translations/src/translations/id.json @@ -40,7 +40,7 @@ "71563326": "Layanan pembayaran dari fiat ke kripto dengan cepat dan aman. Deposit mata uang kripto dari mana saja menggunakan kartu kredit/debit dan transfer bank.", "71853457": "$100.001-$500.000", "72500774": "Mohon isi pajak residensi.", - "73086872": "You have self-excluded from trading", + "73086872": "Anda telah mengecualikan diri dari trading", "73326375": "Nilai rendah adalah titik terendah yang pernah dicapai oleh pasar selama periode kontrak.", "74963864": "Under", "81450871": "Kami tidak dapat menemukan halaman tersebut", @@ -90,13 +90,13 @@ "160863687": "Kamera tidak terdeteksi", "162727973": "Masukkan ID agen pembayaran yang valid.", "164112826": "Blok ini memberi Anda fasilitas untuk memuat blok dari URL jika Anda menyimpannya pada remote server dan hanya akan dimuat ketika bot Anda beroperasi.", - "164564432": "Deposits are temporarily unavailable due to system maintenance. You can make your deposits when the maintenance is complete.", - "165294347": "Please set your country of residence in your account settings to access the cashier.", + "164564432": "Deposit tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat melakukan deposit kembali setelah perbaikan selesai.", + "165294347": "Pilih negara domisili Anda pada bagian pengaturan akun untuk mengakses bagian kasir.", "165312615": "Lanjutkan di telepon", "165682516": "Trading platform lain apakah yang biasa anda gunakan?", "170185684": "Abaikan", "171307423": "Pemulihan", - "171579918": "Go to Self-exclusion", + "171579918": "Kunjungi Pengecualian Diri", "171638706": "Variabel", "173991459": "Kami mengirimkan permintaan Anda ke blockchain.", "176319758": "Maks. total modal dalam 30 hari", @@ -123,9 +123,9 @@ "211224838": "Investasi", "211461880": "Nama umum dan nama keluarga mudah ditebak", "211823569": "Trading di Deriv MetaTrader 5 (DMT5), platform trading semua dalam satu untuk FX dan CFD.", - "211847965": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.", - "214700904": "Please contact us via live chat to enable deposits.", - "216650710": "You are using a demo account", + "211847965": "<0>Data pribadi Anda tidak lengkap. Kunjungi bagian pengaturan akun dan lengkapi data pribadi Anda untuk mengaktifkan penarikan.", + "214700904": "Mohon hubungi kami melalui obrolan langsung.", + "216650710": "Anda sedang menggunakan akun demo", "217504255": "Penilaian keuangan telah berhasil dikirim", "220014242": "Mengunggah selfie dari komputer Anda", "220186645": "Teks kosong", @@ -191,7 +191,7 @@ "312142140": "Simpan batas baru?", "312300092": "Potong spasi dalam string atau teks tertentu.", "312318161": "Kontrak Anda akan ditutup secara otomatis pada harga aset yang tersedia berikutnya ketika durasi melebihi <0>.", - "313298169": "Our cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.", + "313298169": "Kasir tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat mengakses bagian Kasir kembali setelah perbaikan selesai.", "313741895": "Blok ini akan menampilkan \"benar\" jika candle terakhir berwarna hitam. Dapat ditempatkan di mana saja pada kanvas kecuali dalam blok trading parameter root.", "315306603": "Akun Anda belum memiliki mata uang yang ditetapkan. Silakan pilih mata uang untuk bertrading menggunakan akun ini.", "316694303": "Apakah candle berwarna hitam?", @@ -220,7 +220,7 @@ "343873723": "Blok ini menampilkan pesan. Anda dapat menentukan warna pesan dan memilih 6 pilihan suara yang berbeda.", "345320063": "Timestamp tidak valid", "347039138": "Pengulangan (2)", - "348951052": "Your cashier is currently locked", + "348951052": "Kasir Anda sedang terkunci", "349047911": "Over", "351744408": "Uji jika string teks tertentu kosong", "353731490": "Pekerjaan selasai", @@ -270,7 +270,7 @@ "420072489": "Frekuensi trading CFD", "422055502": "Dari", "423608897": "Batasi total modal Anda selama 30 hari di semua platform Deriv.", - "425729324": "You are using a demo account. Please <0>switch to your real account or <1>create one to access Cashier.", + "425729324": "Anda menggunakan akun demo. <0>Pindah ke akun riil atau <1>daftar akun untuk mengakses Kasir.", "426031496": "Stop", "427134581": "Coba gunakan jenis file lain.", "427617266": "Bitcoin", @@ -299,8 +299,8 @@ "457020083": "Akan memerlukan waktu lebih lama untuk memverifikasi Anda jika kami tidak dapat membacanya", "457494524": "1. Dari perpustakaan blok, masukkan nama untuk variabel baru dan klik Buat.", "459817765": "Tertunda", - "460975214": "Complete your Appropriateness Test", - "461795838": "Please contact us via live chat to unlock it.", + "460975214": "Lengkapi Ujian Kesesuaian Anda", + "461795838": "Hubungi kami via obrolan langsung untuk pengaktifan.", "462079779": "Penjualan ulang tidak ditawarkan", "463361726": "Pilih item", "465993338": "Oscar Grind", @@ -325,7 +325,7 @@ "499522484": "1. untuk \"string\": USD 1325,68", "500855527": "Kepala Eksekutif, Pejabat Senior dan Legislator", "500920471": "Blok ini melakukan operasi aritmatika antara dua angka.", - "501401157": "You are only allowed to make deposits", + "501401157": "Anda hanya dapat mendeposit", "501537611": "*Jumlah maksimum posisi berjalan", "502041595": "Blok ini memberi Anda candle tertentu pada interval waktu yang dipilih.", "503137339": "Batas hasil", @@ -409,7 +409,7 @@ "618520466": "Contoh dokumen yang dipotong", "619268911": "<0>a. Komisi keuangan akan menyelidiki keabsahan pengaduan dalam tempo 5 hari kerja.", "619407328": "Yakin ingin membatalkan tautan dari {{identifier_title}}?", - "623192233": "Please complete the <0>Appropriateness Test to access your cashier.", + "623192233": "Mohon lengkapi <0>Ujian Kesesuaian untuk mengakses bagian kasir Anda.", "623542160": "Exponential Moving Average Array (EMAA)", "626175020": "Standar Deviasi Atas Multiplier {{ input_number }}", "626809456": "Kirim ulang", @@ -417,7 +417,7 @@ "627814558": "Blok ini akan menampilkan nilai ketika kondisi adalah benar. Gunakan blok ini pada salah satu blok fungsi di atas.", "629145209": "Jika pengoperasian \"DAN\" dipilih, maka blok hanya akan menampilkan \"Benar\" jika kedua nilai yang diberikan adalah \"Benar\"", "632398049": "Blok ini menetapkan nilai nol pada item atau pernyataan.", - "634219491": "You have not provided your tax identification number. This information is necessary for legal and regulatory requirements. Please go to <0>Personal details in your account settings, and fill in your latest tax identification number.", + "634219491": "Anda belum menginformasikan nomer NPWP Anda. Informasi ini diperlukan untuk memenuhi persyaratan hukum dan peraturan yang berlaku. Akses <0>Data pribadi pada bagian pengaturan akun Anda, dan isi nomor NPWP terbaru.", "636219628": "<0>c. Jika tidak terdapat penyelesaian dari pengaduan Anda maka pengaduan tersebut akan dilanjutkan ke tahap penentuan yang akan ditangani oleh DRC.", "639382772": "Silakan unggah jenis file yang tersedia.", "640596349": "Anda belum menerima pemberitahuan", @@ -513,6 +513,7 @@ "761576760": "Danai akun Anda untuk memulai trading.", "762185380": "<0>Gandakan keuntungan dengan <0>risiko terbatas pada modal Anda.", "762871622": "{{remaining_time}}", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Batas trading", "764540515": "Memberhentikan bot akan berisiko", "766317539": "Bahasa", @@ -539,7 +540,7 @@ "796845736": "Untuk melanjutkan bertrading dengan kami, Anda perlu mengirim salinan salah satu dari dokumen berisi foto identitas yang dikeluarkan oleh pemerintah melalui <0>Obrolan Langsung.", "797007873": "Ikuti langkah-langkah berikut untuk memulihkan akses kamera:", "797500286": "negatif", - "800521289": "Your personal details are incomplete", + "800521289": "Data pribadi Anda tidak lengkap", "802436811": "Lihat detail transaksi", "802438383": "Bukti alamat baru diperlukan", "802556390": "detik", @@ -622,6 +623,7 @@ "904696726": "Token API", "905134118": "Hasil:", "905227556": "Kata sandi kuat harus terdiri dari minimal 8 karakter, merupakan gabungan huruf besar dan kecil dan angka.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Terlalu banyak percobaan", "912344358": "Dengan ini saya mengkonfirmasikan bahwa informasi pajak yang saya berikan adalah benar dan lengkap. Saya juga akan menginformasikan kepada Deriv Investments (Europe) Limited jika terdapat perubahan pada informasi ini.", "915735109": "Kembali ke {{platform_name}}", @@ -668,7 +670,7 @@ "970915884": "SEBUAH", "974888153": "High-Low", "975950139": "Negara Domisili", - "977929335": "Go to my account settings", + "977929335": "Kunjungi pengaturan akun", "981138557": "Mengarahkan", "982402892": "Baris pertama alamat", "982829181": "Barrier", @@ -724,7 +726,7 @@ "1049384824": "Rise", "1050844889": "Laporan", "1052137359": "Nama keluarga*", - "1052779010": "You are on your demo account", + "1052779010": "Anda menggunakan akun demo", "1053153674": "Indeks Jump 50", "1053159279": "Tingkat pendidikan", "1055313820": "Dokumen tidak terdeteksi", @@ -769,11 +771,11 @@ "1113292761": "Kurang dari 8MB", "1113808050": "Total aset pada akun riil Deriv dan Deriv X Anda.", "1117863275": "Keamanan dan keselamatan", - "1118294625": "You have chosen to exclude yourself from trading on our website until {{exclusion_end}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.", + "1118294625": "Anda telah memilih untuk berhenti bertrading sementara waktu hingga {{exclusion_end}}. Jika Anda masih tidak dapat bertrading atau mendeposit setelah periode pengecualian diri berakhir, hubungi kami melalui obrolan langsung.", "1119887091": "Verifikasi", "1119986999": "Bukti alamat Anda telah berhasil dikirim", "1120985361": "Syarat & ketentuan telah diperbarui", - "1123927492": "You have not selected your account currency", + "1123927492": "Anda belum memilih mata uang akun Anda", "1125090693": "Harus berupa angka", "1126934455": "Panjang nama token harus antara 2 hingga 32 karakter.", "1127149819": "Pastikan§", @@ -792,6 +794,7 @@ "1145927365": "Operasikan blok setelah beberapa detik tertentu", "1146064568": "Kunjungi halaman Deposit", "1147269948": "Barrier tidak boleh nol.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Setiap transaksi akan dikonfirmasi setelah kami menerima tiga konfirmasi dari blockchain.", "1151964318": "kedua belah pihak", "1154021400": "daftar", @@ -867,7 +870,7 @@ "1245469923": "FX-mayor (standar/lot mikro), FX-minor, Smart-FX, Komoditas, Mata uang kripto", "1246207976": "Masukkan kode autentikasi yang dihasilkan oleh aplikasi 2FA Anda:", "1246880072": "Pilih negara pengeluar", - "1247280835": "Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.", + "1247280835": "Bagian kasir mata uang kripto tidak tersedia berhubung perbaikan sistem. Anda dapat mendeposit dan menarik dana kembali beberapa menit setelah perbaikan selesai.", "1248018350": "Sumber penghasilan", "1248940117": "<0>a.Keputusan yang dibuat oleh DRC adalah mengikat pada kami. Keputusan DRC hanya mengikat pada Anda jika Anda menerimanya.", "1250495155": "Token disalin!", @@ -973,7 +976,7 @@ "1378419333": "Ether", "1383017005": "Anda telah berpindah akun.", "1384127719": "Anda harus memasukkan angka {{min}}-{{max}}.", - "1384222389": "Please submit valid identity documents to unlock the cashier.", + "1384222389": "Mohon kirim dokumen identitas yang masih berlaku untuk pengaktifan kasir.", "1385418910": "Harap tetapkan mata uang pada akun riil yang sudah ada sebelum mendaftar akun lain.", "1387503299": "Masuk", "1389197139": "Impor error", @@ -1138,7 +1141,7 @@ "1620346110": "Tentukan mata uang", "1622662457": "Tanggal dari", "1630372516": "Coba Fiat onramp kami", - "1630417358": "Please go to your account settings and complete your personal details to enable withdrawals.", + "1630417358": "Kunjungi bagian pengaturan akun dan lengkapi data pribadi Anda untuk mengaktifkan penarikan.", "1634594289": "Pilih bahasa", "1634903642": "Hanya wajah Anda yang bisa berada pada kolom selfie", "1634969163": "Tukar mata uang", @@ -1170,7 +1173,7 @@ "1659074761": "Reset Put", "1665272539": "Ingat: Anda tidak dapat mengakses akun Anda hingga tanggal yang dipilih tercapai.", "1665738338": "Saldo", - "1665756261": "Go to live chat", + "1665756261": "Kunjungi obrolan langsung", "1667395210": "Bukti identitas Anda telah berhasil dikirim", "1670426231": "Waktu Akhir", "1671232191": "Anda telah menetapkan batas berikut ini:", @@ -1245,7 +1248,7 @@ "1772532756": "Buat dan edit", "1777847421": "Ini adalah kata sandi yang sangat umum", "1778815073": "{{website_name}} tidak berafiliasi dengan agen pembayaran manapun. Pelanggan yang berurusan dengan agen pembayaran adalah atas risiko mereka sendiri. Pelanggan disarankan untuk memeriksa kredensial agen pembayaran, dan memeriksa keakuratan informasi apapun tentang agen pembayaran (pada Deriv atau di tempat lain) sebelum mentransfer dana.", - "1778893716": "Click here", + "1778893716": "Klik di sini", "1779519903": "Harus nomor yang valid.", "1780770384": "Blok ini memberi Anda pecahan acak antara 0,0 hingga 1,0.", "1782308283": "Strategi cepat", @@ -1287,7 +1290,7 @@ "1828994348": "DBot tidak tersedia di {{country}}", "1832974109": "SmartTrader", "1833481689": "Membuka", - "1837762008": "Please submit your proof of identity and proof of address to verify your account in your account settings to access the cashier.", + "1837762008": "Kirimkan bukti identitas dan bukti alamat untuk memverifikasi akun Anda melalui bagian pengaturan untuk mengakses bagian kasir.", "1838639373": "Sumber", "1839497304": "Jika Anda memiliki akun riil DMT5 atau Deriv X, kunjungi dashboard <0>DMT5 Anda atau <1>Deriv X untuk menarik dana", "1840865068": "set {{ variable }} ke Simple Moving Average Array {{ dummy }}", @@ -1299,7 +1302,7 @@ "1844033601": "Pengecualian diri pada situs web hanya berlaku untuk akun Deriv.com Anda dan tidak termasuk perusahaan atau situs web lain.", "1845892898": "(min: {{min_stake}} - mak: {{max_payout}})", "1846266243": "Fitur ini tidak tersedia untuk akun demo.", - "1846587187": "You have not selected your country of residence", + "1846587187": "Anda belum memilih negara domisili Anda", "1849484058": "Perubahan yang belum tersimpan akan hilang.", "1850031313": "- Low: harga terendah", "1850132581": "Negara tidak ditemukan", @@ -1308,15 +1311,16 @@ "1851052337": "Tempat lahir diperlukan.", "1851776924": "atas", "1851951013": "Silakan tukar ke akun demo Anda untuk menjalankan DBot Anda.", - "1854480511": "Cashier is locked", + "1854480511": "Kasir terkunci", "1855566768": "Daftar posisi item", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "menit", "1863053247": "Silakan unggah dokumen identitas Anda.", "1866811212": "Deposit dalam mata uang lokal menggunakan agen pembayaran yang tersedia di negara Anda.", "1866836018": "<0/><1/>Jika keluhan Anda berkaitan dengan praktik pemrosesan data kami, Anda dapat mengajukan keluhan resmi ke otoritas pengawas setempat.", "1867217564": "Indeks harus berupa angka genap positif", "1867783237": "High-to-Close", - "1869315006": "See how we protect your funds to unlock the cashier.", + "1869315006": "Lihat bagaimana kami melindungi dana Anda untuk mengaktifkan bagian kasir.", "1869787212": "Even", "1869851061": "Kata sandi", "1870933427": "Kripto", @@ -1327,8 +1331,9 @@ "1875505777": "Jika Anda memiliki akun riil Deriv, kunjungi <0>Laporan untuk menutup atau menjual posisi berjalan.", "1876325183": "Menit", "1877225775": "Bukti alamat Anda telah terverifikasi", + "1877410120": "What you need to do now", "1877832150": "# dari akhir", - "1879042430": "Tes kelayakan, PERINGATAN:", + "1879042430": "Ujian kesesuaian, PERINGATAN:", "1879412976": "Jumlah keuntungan: <0>{{profit}}", "1880029566": "Dolar Australia", "1880097605": "tampilkan untuk {{ string_or_number }} dengan pesan {{ input_text }}", @@ -1381,7 +1386,7 @@ "1947527527": "1. Anda yang mengirim tautan", "1948092185": "GBP/CAD", "1949719666": "Berikut beberapa alasan yang mungkin:", - "1950413928": "Submit identity documents", + "1950413928": "Kirim dokumen identitas", "1952580688": "Kirim halaman foto paspor", "1955219734": "Kota*", "1957759876": "Unggah dokumen Identitas", @@ -1406,7 +1411,7 @@ "1985637974": "Setiap blok yang ditempatkan pada blok ini akan dieksekusi pada setiap tik. Jika interval candle secara otomatis diatur 1 menit pada blok trading parameter root, instruksi pada blok ini akan dieksekusi setiap menit. Tempatkan blok ini di luar blok root manapun.", "1986498784": "BTC/LTC", "1987080350": "Demo", - "1987447369": "Your cashier is locked", + "1987447369": "Kasir Anda terkunci", "1988153223": "Alamat email", "1988302483": "Batas keuntungan:", "1988601220": "Nilai durasi", @@ -1424,6 +1429,7 @@ "2006229049": "Transfer dikenakan biaya sebesar {{transfer_fee}}% atau {{minimum_fee}} {{currency}}, salah satu nilai yang lebih tinggi.", "2007028410": "pasar, jenis trading, jenis kontrak", "2007092908": "Trading dengan leverage dan spread rendah untuk memperoleh hasil lebih baik.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot tidak akan melanjutkan trading baru. Setiap trading yang sedang berlangsung akan diselesaikan oleh sistem. Setiap perubahan yang belum tersimpan akan hilang.<0>Catatan: Periksa pernyataan anda untuk melihat transaksi lebih lengkap.", "2009770416": "Alamat:", "2010031213": "Trading pada Deriv X", @@ -1495,8 +1501,8 @@ "2102115846": "Di Uni Eropa, produk keuangan ditawarkan oleh Deriv Investments (Europe) Limited, berlisensi sebagai sebagai penyedia Layanan Investasi Kategori 3 oleh Otoritas Jasa Keuangan Malta (<0>no. lisensi IS/70156).", "2102572780": "Panjang kode digit harus 6 karakter.", "2104115663": "Akses terakhir", - "2104397115": "Please go to your account settings and complete your personal details to enable deposits and withdrawals.", - "2107381257": "Scheduled cashier system maintenance", + "2104397115": "Kunjungi bagian pengaturan akun dan lengkapi data pribadi Anda untuk mengaktifkan deposit dan penarikan.", + "2107381257": "Pemeliharaan sistem kasir terjadwal", "2109208876": "Kelola kata sandi akun Demo {{platform}} {{account_title}}", "2109312805": "Spread adalah perbedaan antara harga beli dan harga jual. Spread variabel berarti bahwa spread terus berubah, tergantung pada kondisi pasar. Spread tetap akan tetap konstan tetapi tunduk pada perubahan, pada kebijaksanaan mutlak broker.", "2110365168": "Jumlah maksimum trading tercapai", @@ -1507,7 +1513,7 @@ "2113321581": "Tambahkan akun riil Gaming Deriv", "2115007481": "Total aset pada akun demo Deriv Anda.", "2115223095": "Rugi", - "2117073379": "Our cryptocurrency cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.", + "2117073379": "Kasir mata uang kripto tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat mengakses kembali bagian Kasir beberapa menit lagi setelah perbaikan selesai.", "2117165122": "1. Membuat bot Telegram dan dapatkan token API Telegram Anda. Baca lebih lanjut tentang cara membuat bots pada telegram di sini: https://core.telegram.org/bots#6-botfather", "2117489390": "Update otomatis dalam {{ remaining }} detik ", "2118315870": "Di mana Anda tinggal?", @@ -1996,22 +2002,22 @@ "-1366788579": "Silakan daftar akun Deriv, DMT5, atau Deriv X lainnya.", "-380740368": "Silakan daftar akun Deriv atau akun DMT5.", "-417711545": "Daftar akun", - "-1321645628": "Your cashier is currently locked. Please contact us via live chat to find out how to unlock it.", - "-60779216": "Withdrawals are temporarily unavailable due to system maintenance. You can make your withdrawals when the maintenance is complete.", - "-215186732": "You’ve not set your country of residence. To access Cashier, please update your country of residence in the Personal details section in your account settings.", - "-1392897508": "The identification documents you submitted have expired. Please submit valid identity documents to unlock Cashier. ", - "-1158467524": "Your account is temporarily disabled. Please contact us via live chat to enable deposits and withdrawals again.", - "-929148387": "Please set your account currency to enable deposits and withdrawals.", - "-1318742415": "Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and request for withdrawals.", - "-541392118": "Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and access your cashier.", - "-247122507": "Your cashier is locked. Please complete the <0>financial assessment to unlock it.", - "-1443721737": "Your cashier is locked. See <0>how we protect your funds before you proceed.", - "-901712457": "Your access to Cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to <0>Self-exclusion and set your 30-day turnover limit.", + "-1321645628": "Bagian kasir Anda terkunci. Hubungi kami melalui obrolan langsung untuk mengaktifkan kembali.", + "-60779216": "Penarikan tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat melakukan penarikan kembali setelah perbaikan selesai.", + "-215186732": "Anda belum memilih negara domisili. Untuk mengakses bagian Kasir, mohon perbarui negara domisili pada bagian data pribadi pengaturan akun Anda.", + "-1392897508": "Dokumen identitas yang Anda kirimkan sebelumnya sudah tidak berlaku. Mohon kirim dokumen identitas yang berlaku. ", + "-1158467524": "Akun Anda untuk sementara dibatalkan. Hubungi kami melalui obrolan langsung untuk mengaktifkan deposit dan penarikan kembali.", + "-929148387": "Pilih mata uang akun Anda untuk mengaktifkan deposit dan penarikan.", + "-1318742415": "Akun Anda belum diautentikasi. Kirim <0>bukti identitas dan <1>bukti alamat untuk mengautentikasi akun dan mengajukan penarikan.", + "-541392118": "Akun Anda belum diautentikasi. Kirim <0>bukti identitas dan <1>bukti alamat untuk mengautentikasi akun dan mengakses bagian kasir Anda.", + "-247122507": "Bagian kasir Anda terkunci. Lengkapi <0>penilaian keuanganuntuk mengaktifkan kembali.", + "-1443721737": "Bagian kasir Anda terkunci. Lihat <0>bagaimana kami melindungi dana Anda sebelum melanjutkan.", + "-901712457": "Bagian Kasir akun Anda untuk sementara dibatakan berhubung Anda belum memilih batasan total pembelian 30 hari. Kunjungi <0>Pengecualian diri dan pilih batas pembelian 30 hari Anda.", "-666905139": "Deposit terkunci", - "-378858101": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits.", - "-166472881": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits and withdrawals.", - "-1037495888": "You have chosen to exclude yourself from trading on our website until {{exclude_until}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.", - "-127614820": "Unfortunately, you can only make deposits. Please contact us via live chat to enable withdrawals.", + "-378858101": "<0>Data pribadi Anda tidak lengkap. Kunjungi bagian pengaturan akun dan lengkapi data pribadi Anda untuk mengaktifkan deposit.", + "-166472881": "<0>Data pribadi Anda tidak lengkap. Kunjungi bagian pengaturan akun dan lengkapi data pribadi Anda untuk mengaktifkan deposit dan penarikan.", + "-1037495888": "Anda telah memilih untuk berhenti bertrading sementara waktu hingga {{exclude_until}}. Jika Anda masih tidak dapat bertrading atau mendeposit setelah periode pengecualian diri berakhir, hubungi kami melalui obrolan langsung.", + "-127614820": "Anda hanya dapat melakukan deposit. Hubungi kami melalui obrolan langsung untuk mengaktifkan penarikan.", "-759000391": "Kami tidak dapat memverifikasi informasi Anda secara otomatis. Untuk mengaktifkan fasilitas ini, Anda harus menyelesaikan hal berikut ini:", "-1638172550": "Untuk mengaktifkan fitur ini Anda harus menyelesaikan hal berikut ini:", "-1632668764": "Saya menerima", @@ -2333,24 +2339,25 @@ "-522767852": "DEMO", "-433761292": "Pindah ke akun sebelumnya.", "-705744796": "Saldo akun demo Anda telah mencapai batas maksimum, dan Anda tidak dapat melakukan trading baru. Reset saldo Anda untuk melanjutkan trading dari akun demo Anda.", - "-1738575826": "Please switch to your real account or create one to access the cashier.", - "-1204063440": "Set my account currency", - "-1925176811": "Unable to process withdrawals in the moment", - "-980696193": "Withdrawals are temporarily unavailable due to system maintenance. You can make withdrawals when the maintenance is complete.", - "-1647226944": "Unable to process deposit in the moment", - "-488032975": "Deposits are temporarily unavailable due to system maintenance. You can make deposits when the maintenance is complete.", - "-67021419": "Our cashier is temporarily down due to system maintenance. You can access the cashier in a few minutes when the maintenance is complete.", - "-367759751": "Your account has not been verified", - "-1175685940": "Please contact us via live chat to enable withdrawals.", + "-618539786": "Your account is scheduled to be closed", + "-1738575826": "Pindah ke akun riil Anda atau daftar akun untuk mengakses kasir.", + "-1204063440": "Pilih mata uang akun saya", + "-1925176811": "Tidak dapat memproses penarikan untuk saat ini", + "-980696193": "Penarikan tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat melakukan penarikan kembali setelah perbaikan selesai.", + "-1647226944": "Tidak dapat memproses deposit untuk saat ini", + "-488032975": "Deposit tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat melakukan deposit kembali setelah perbaikan selesai.", + "-67021419": "Kasir tidak tersedia untuk sementara waktu berhubung perbaikan sistem. Anda dapat mengakses bagian kasir kembali setelah perbaikan selesai.", + "-367759751": "Akun Anda belum diverifikasi", + "-1175685940": "Hubungi kami melalui obrolan langsung untuk mengaktifkan penarikan.", "-1852207910": "Penarikan MT5 dinonaktifkan", "-764323310": "Penarikan MT5 tidak tersedia pada akun Anda. Silahkan cek email untuk informasi lebih lanjut.", - "-1585069798": "Please click the following link to complete your Appropriateness Test.", - "-1329329028": "You’ve not set your 30-day turnover limit", - "-132893998": "Your access to the cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to Self-exclusion and set the limit.", - "-156611181": "Please complete the financial assessment in your account settings to unlock it.", - "-849587074": "You have not provided your tax identification number", - "-47462430": "This information is necessary for legal and regulatory requirements. Please go to your account settings, and fill in your latest tax identification number.", - "-87177461": "Please go to your account settings and complete your personal details to enable deposits.", + "-1585069798": "Klik tautan berikut untuk melengkapi Ujian Kesesuaian Anda.", + "-1329329028": "Anda belum menetapkan batas 30 hari total pembelian Anda", + "-132893998": "Bagian kasir akun Anda untuk sementara dibatakan berhubung Anda belum memilih batasan total pembelian 30 hari. Kunjungi Pengecualian Diri dan pilih batas pembelian 30 hari Anda.", + "-156611181": "Lengkapi penilaian keuangan pada pengaturan akun Anda untuk mengaktifkannya.", + "-849587074": "Anda belum menginformasikan NPWP", + "-47462430": "Informasi ini diperlukan untuk memenuhi persyaratan hukum dan peraturan yang berlaku. Kunjungi bagian pengaturan akun Anda, dan isi nomor NPWP terbaru.", + "-87177461": "Kunjungi bagian pengaturan akun dan lengkapi data pribadi Anda untuk mengaktifkan deposit.", "-2087822170": "Anda sedang offline", "-1669693571": "Periksa koneksi Anda.", "-1125797291": "Kata sandi diperbarui.", @@ -2358,13 +2365,13 @@ "-904632610": "Mereset saldo Anda", "-470018967": "Mereset saldo", "-1435762703": "Silakan verifikasi identitas Anda", - "-1164554246": "You submitted expired identification documents", + "-1164554246": "Anda mengirimkan dokumen identitas yang sudah tidak berlaku", "-1902997828": "Refresh sekarang", "-753791937": "Versi baru dari Deriv sudah tersedia", "-1775108444": "Halaman ini akan secara otomatis direfresh dalam tempo 5 menit untuk memuat versi terbaru.", "-529038107": "Menginstal", "-87149410": "Menginstal aplikasi web DTrader", - "-1287141934": "Find out more", + "-1287141934": "Info lebih lanjut", "-1590712279": "Gaming", "-16448469": "Virtual", "-1998049070": "Jika Anda menyetujui penggunaan cookies kami, klik pada tombol Menerima. Untuk informasi lebih lanjut, <0>lihat halaman kebijakan kami.", @@ -2394,6 +2401,11 @@ "-697343663": "Akun Deriv X", "-1740162250": "Kelola akun", "-1277942366": "Total aset", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Daftar akun demo gratis", "-1879857830": "Peringatan", "-1485242688": "Langkah {{step}}: {{step_title}} ({{step}} dari {{steps}})", diff --git a/packages/translations/src/translations/it.json b/packages/translations/src/translations/it.json index 3fd48d82a1ea..0cddc413a84e 100644 --- a/packages/translations/src/translations/it.json +++ b/packages/translations/src/translations/it.json @@ -513,6 +513,7 @@ "761576760": "Trasferisci fondi sul conto per fare trading.", "762185380": "<0>Moltiplica i rendimenti <0>rischiando solo l'importo iniziale.", "762871622": "{{remaining_time}}s", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Limiti sul trading", "764540515": "Interrompere il bot è rischioso", "766317539": "Lingua", @@ -622,6 +623,7 @@ "904696726": "Token API", "905134118": "Payout:", "905227556": "Una password efficace contiene almeno 8 caratteri e una combinazione di lettere maiuscole, minuscole e numeri.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Troppi tentativi", "912344358": "Con la presente confermo che le informazioni fiscali fornite sono veritiere e complete. Informerò inoltre Deriv Investments (Europe) Limited di eventuali modifiche a queste informazioni.", "915735109": "Torna su {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Attiva i blocchi interni dopo un determinato numero di secondi", "1146064568": "Vai alla pagina Depositi", "1147269948": "La barriera non può essere zero.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Ogni operazione sarà confermata dopo aver ricevuto tre conferme dalla blockchain.", "1151964318": "entrambi i lati", "1154021400": "elenco", @@ -1310,6 +1313,7 @@ "1851951013": "Passa al conto demo per attivare il DBot.", "1854480511": "La cassa è bloccata", "1855566768": "Posizione elemento nell'elenco", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "minuto", "1863053247": "Carica il documento d'identità.", "1866811212": "Deposita fondi nella tua valuta locale tramite un agente di pagamento autorizzato e indipendente del tuo Paese.", @@ -1327,6 +1331,7 @@ "1875505777": "Se hai un conto Deriv, vai su <0>Report e chiudi o vendi eventuali posizioni aperte.", "1876325183": "Minuti", "1877225775": "La verifica dell'indirizzo è andata a buon fine", + "1877410120": "What you need to do now", "1877832150": "# dalla fine", "1879042430": "Test di adeguatezza, ATTENZIONE:", "1879412976": "Totale profitto: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "I trasferimenti sono soggetti a una commissione del {{transfer_fee}}% o {{minimum_fee}}{{currency}}, con applicazione dell'importo più elevato.", "2007028410": "mercato, tipo di trade, tipo di contratto", "2007092908": "Fai trading con leva e spread bassi per avere un ritorno maggiore sui trade che vanno a buon fine.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot non processerà nuovi trade. Eventuali trade aperti verranno conclusi dal sistema, mentre le modifiche non salvate andranno perse.<0>Attenzione: controlla l'estratto conto per visualizzare le operazioni completate.", "2009770416": "Indirizzo:", "2010031213": "Fai trading su Deriv X", @@ -2333,6 +2339,7 @@ "-522767852": "DEMO", "-433761292": "Passaggio al conto default in corso.", "-705744796": "Il saldo del conto di prova ha raggiunto il limite massimo, pertanto non potrai effettuare nuovi trade. Ripristina il saldo per continuare a fare trading con il conto di prova.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Passa al conto reale oppure crea un conto reale per accedere alla cassa.", "-1204063440": "Imposta la valuta del conto", "-1925176811": "Impossibile prelevare fondi al momento", @@ -2394,6 +2401,11 @@ "-697343663": "Conti Deriv X", "-1740162250": "Gestisci conto", "-1277942366": "Asset totali", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Crea un conto di prova gratuito", "-1879857830": "Attenzione", "-1485242688": "Passaggio {{step}}: {{step_title}} {{step}} su {{steps}}", diff --git a/packages/translations/src/translations/ko.json b/packages/translations/src/translations/ko.json index 02698870d766..92e53ef28e3c 100644 --- a/packages/translations/src/translations/ko.json +++ b/packages/translations/src/translations/ko.json @@ -40,7 +40,7 @@ "71563326": "빠르고 안전한 fiat-to-crypto 결제 서비스입니다. 귀하의 신용/직불카드와 은행송금을 활용하여 전세계 어디에서나 암호화폐를 입금하세요.", "71853457": "$100,001 - $500,000", "72500774": "과세목적상 거주지를 입력해주시기 바랍니다.", - "73086872": "You have self-excluded from trading", + "73086872": "귀하께서는 트레이딩에서 귀하를 직접 제외시켰습니다", "73326375": "저점은 해당 계약 기간 동안에 시장에 의해 도달된 가장 낮은 포인트를 의미합니다.", "74963864": "언더", "81450871": "우리는 해당 페이지를 찾을 수 없었습니다", @@ -90,13 +90,13 @@ "160863687": "카메라가 발견되지 않았습니다", "162727973": "유효한 지불 에이전트 ID를 입력해주세요.", "164112826": "귀하께서 원격 서버에 저장하신 블록들을 보유하고 있으시면 이 블록은 저장되어 있는 블록들을 귀하께서 하나의 URL로부터 로드하실 수 있도록 해주며, 이러한 블록들은 오직 귀하께서 봇을 구동할 때에만 로드될 것입니다.", - "164564432": "Deposits are temporarily unavailable due to system maintenance. You can make your deposits when the maintenance is complete.", - "165294347": "Please set your country of residence in your account settings to access the cashier.", + "164564432": "현재 시스템 관리로 인해 예금은 일시적으로 불가능합니다. 시스템 관리가 완료되면 예금을 진행하실 수 있습니다.", + "165294347": "캐셔에 접근하기 위해 귀하의 계좌 설정에서 귀하의 거주국가를 설정해 주시기 바랍니다.", "165312615": "휴대폰에서 계속 하기", "165682516": "혹시 괜찮으시다면, 귀하께서는 다른 어떤 플랫폼을 또한 사용하고 계시는지 알려주실 수 있나요?", "170185684": "무시하기", "171307423": "회복", - "171579918": "Go to Self-exclusion", + "171579918": "자가제한으로 가기", "171638706": "변수", "173991459": "우리는 귀하의 요청을 블록체인으로 전송하고 있습니다.", "176319758": "30일간에 대한 최대 총 지분", @@ -123,9 +123,9 @@ "211224838": "투자", "211461880": "일반적인 이름과 성은 추측하기 쉽습니다", "211823569": "올인원 FX 및 CFD 트레이딩 플랫폼인 Deriv MetaTrader 5 (DMT5)에서 거래하세요.", - "211847965": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.", - "214700904": "Please contact us via live chat to enable deposits.", - "216650710": "You are using a demo account", + "211847965": "귀하의 <0>세부 개인정보가 아직 완료되지 않았습니다. 인출이 가능할 수 있도록 귀하의 계좌 설정으로 가셔서 인적 세부정보를 완료해주시기 바랍니다.", + "214700904": "예금을 활성화시키기 위해 라이브챗을 통해 우리에게 연락해주시기 바랍니다.", + "216650710": "귀하께서는 데모 계좌를 사용하시고 계십니다", "217504255": "금융 평가가 성공적으로 제출되었습니다", "220014242": "귀하의 컴퓨터에서 자가촬영사진을 업로드하세요", "220186645": "텍스트가 비어 있습니다", @@ -145,7 +145,7 @@ "245005091": "로우어", "245187862": "DRC가 <0>불만사항에 대한 결정을 내릴 것입니다 (DRC는 이러한 결정을 발표하는 데에 있어서 기간에 대한 언급이 없을 것입니다).", "245812353": "{{ condition }} 이면 {{ value }} 를 불러옵니다", - "247418415": "Gaming trading can become a real addiction, as can any other activity pushed to its limits. To avoid the danger of such an addiction, we provide a reality-check that gives you a summary of your trades and accounts on a regular basis.", + "247418415": "여타 다른 행동들이 지나치면 아주 중독적일 수 있는 것처럼 게임 트레이딩 또한 아주 중독적일 수 있습니다. 이러한 중독의 위험을 피하기 위해서, 우리는 귀하에게 귀하의 거래들과 계좌들에 대한 요약을 정기적으로 제공해 드리는 현실인식 검사를 제공해드립니다.", "248565468": "귀하의 {{ identifier_title }} 계좌 이메일을 확인하시고 진행하기 위해 이메일에 있는 해당 링크를 클릭하세요.", "248909149": "귀하의 휴대폰으로 안전한 링크 보내기", "251134918": "계좌 정보", @@ -191,7 +191,7 @@ "312142140": "새로운 제한을 저장하시겠습니까?", "312300092": "주어진 문자열 또는 문자 내의 띄어쓰기들을 잘라냅니다.", "312318161": "해당 기간이 초과되면 귀하의 계약은 다음의 가능한 자산 가격으로 자동으로 종료될 것입니다 <0>.", - "313298169": "Our cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.", + "313298169": "저희의 캐셔는 현재 시스템 관리로 인하여 일시적으로 다운되어 있습니다. 몇 분 후 시스템 관리가 완료되면 귀하께서는 캐셔에 접근하실 수 있습니다.", "313741895": "만약 직전의 캔들이 검정이었다면 블록은 \"참\"으로 불러옵니다. 이 블록은 트레이드 파라미터 루트 블록 내를 제외하고는 캔버스의 그 어떤 곳이든 간에 위치 될 수 있습니다.", "315306603": "귀하께서는 통화가 할당되지 않은 계좌를 한 개 보유하고 있습니다. 이 계좌를 통해 거래하실 통화를 선택해주시기 바랍니다.", "316694303": "캔들은 검정인가요?", @@ -220,7 +220,7 @@ "343873723": "이 블록은 메시지를 보여줍니다. 귀하께서는 해당 메시지의 색깔과 6가지의 다른 소리 옵션들 중에서 선택하실 수 있습니다.", "345320063": "유효하지 않은 타임 스탬프", "347039138": "반복 (2)", - "348951052": "Your cashier is currently locked", + "348951052": "귀하의 캐셔는 현재 잠겨져 있습니다", "349047911": "오버", "351744408": "주어진 문자열이 비어 있는 지를 검사합니다", "353731490": "작업 완료", @@ -270,7 +270,7 @@ "420072489": "CFD 거래 빈도", "422055502": "으로부터", "423608897": "Deriv의 모든 플랫폼에 걸쳐 귀하의 총 지분을 30일간 제한합니다.", - "425729324": "You are using a demo account. Please <0>switch to your real account or <1>create one to access Cashier.", + "425729324": "귀하께서는 데모 계좌를 사용하고 계십니다. 캐셔에 접근하기 위해 귀하의 실제계좌로 <0>변경하시거나 또는 실제계좌를 <1>생성하세요", "426031496": "스탑", "427134581": "다른 파일 종류를 이용 해보세요.", "427617266": "비트코인", @@ -299,8 +299,8 @@ "457020083": "해당 부분을 우리가 읽을 수 없는 경우 귀하를 검증하는 데에 시간이 더 걸릴 것입니다", "457494524": "1. 블록 라이브러리에서 새로운 변수를 위한 이름을 입력하시고 생성하기를 클릭하세요.", "459817765": "보류중입니다", - "460975214": "Complete your Appropriateness Test", - "461795838": "Please contact us via live chat to unlock it.", + "460975214": "귀하의 적합성 검사를 완료하세요", + "461795838": "잠금을 해제하시기 위해 라이브챗을 통해 우리에게 연락해주시기 바랍니다.", "462079779": "재판매는 제공되지 않습니다", "463361726": "아이템을 선택하세요", "465993338": "오스카의 그라인드", @@ -325,7 +325,7 @@ "499522484": "1. \"string\"의 예시: 1325.68 USD", "500855527": "최고 경영자, 시니어 임원 및 입법자", "500920471": "이 블록은 두 숫자 사이에 산술연산을 수행합니다.", - "501401157": "You are only allowed to make deposits", + "501401157": "귀하께서는 오직 예금만 진행 하실 수 있습니다", "501537611": "* 오픈 포지션 최대 수", "502041595": "이 블록은 선택되어진 시간 간격내의 명시된 캔들을 귀하에게 제공합니다.", "503137339": "지불 제한", @@ -409,7 +409,7 @@ "618520466": "수락되지 않은 문서의 예시", "619268911": "<0>a.금융 위원회가 해당 불만 사항의 유효성을 영업일 5일 이내로 조사할 것입니다.", "619407328": "귀하께서는 {{identifier_title}} 로부터 연결을 해제하시고 싶으신것이 확실한가요?", - "623192233": "Please complete the <0>Appropriateness Test to access your cashier.", + "623192233": "귀하의 캐셔에 접근하시기 위해 <0>적합성 검사를 완료해주시기 바랍니다.", "623542160": "지수함수 이동평균 배열 (EMAA)", "626175020": "표준편차 업 승수 {{ input_number }}", "626809456": "다시 제출", @@ -417,7 +417,7 @@ "627814558": "이 블록은 조건이 참일 경우 값을 불러옵니다. 상기 기능블록들 내에서 이 블록을 사용하세요.", "629145209": "만약 \"AND\" 연산이 선택된 경우, 주어진 값들이 \"참\"일 경우에만 \"참\"을 불러옵니다", "632398049": "이 블록은 한개의 아이템 또는 내역서에 널값을 할당합니다.", - "634219491": "You have not provided your tax identification number. This information is necessary for legal and regulatory requirements. Please go to <0>Personal details in your account settings, and fill in your latest tax identification number.", + "634219491": "귀하께서는 귀하의 세금 식별번호를 제공하지 않으셨습니다. 세금 식별번호는 법적 및 규정적인 요구사항에 따라 필요한 정보입니다. 귀하의 계좌설정의 <0>개인 세부정보로 가셔서 귀하의 가장 최근 세금 식별 번호를 입력해 주시기 바랍니다.", "636219628": "<0>c.합의 기회가 발견되지 않으면, 해당 불만은 DRC에서 다루어질 수 있는 결정 단계로 넘어갈 것입니다.", "639382772": "지원되는 파일 종류를 업로드해주세요.", "640596349": "귀하께서는 아직 아무 공지도 받지 않으셨습니다", @@ -443,7 +443,7 @@ "655937299": "우리는 귀하의 제한을 업데이트 할 것입니다다. 귀하의 행동에 대하여 귀하께서 모든 책임이 있다는 것과 중독 또는 손실에 대해 우리에게 책임이 없다는 것을 인정하시기 위해 <0>동의하기 버튼을 클릭하세요.", "657325150": "이 블록은 거래 파라미터 루트 블록 내의 트레이드 옵션들을 정의하는데에 사용됩니다. 몇몇의 옵션들은 특정 거래 종류들에만 적용됩니다. 기간 및 지분같은 파라미터들은 가장 대중적인 거래 종류들 사이에서 흔합니다. 장벽 오프셋은 터치/노터치, 내부 종류/외부 종류 등같은 장벽들을 포함하는 거래 종류들을 위한것인 반면 예측은 숫자같은 거래 종류들을 위해 이용됩니다.", "657444253": "죄송합니다, 귀하의 지역에서는 계좌개설이 불가합니다.", - "659482342": "Please remember that it is your responsibility to keep your answers accurate and up to date. You can update your personal details at any time in your account settings.", + "659482342": "귀하의 답변이 정확하고 최신인 상태로 유지하는 것은 귀하의 책임이라는 것을 기억해 주시기 바랍니다. 귀하께서는 계좌 설정에서 귀하의 개인 세부정보를 언제든지 업데이트 하실 수 있습니다.", "660481941": "귀하의 모바일 앱과 다른 제 3자 앱들에 접근하기 위해서, 귀하꼐서는 먼저 API 토큰을 생성하셔야 합니다.", "660991534": "종료", "662609119": "MT5앱을 다운받으세요", @@ -490,7 +490,7 @@ "720519019": "비밀번호 재설정", "721011817": "- 밑을 첫번째 숫자로 하고 두번째 숫자를 지수로 하는 거듭제곱", "723961296": "비밀번호 관리", - "724203548": "You can send your complaint to the <0>European Commission's Online Dispute Resolution (ODR) platform. This is not applicable to UK clients.", + "724203548": "귀하께서는 귀하의 불만을 <0>유럽 위원회의 온라인 분쟁해결 (ODR) 플랫폼으로 보내실 수 있습니다. 이는 영국 고객분들께는 적용되지 않습니다.", "728042840": "우리를 통해 거래를 계속하기 위해서는, 귀하께서 어디에 거주하시는지를 확인해주세요.", "728824018": "Spanish 지수", "730473724": "이 블록은 주어진 값들로 \"AND\" 또는 \"OR\" 논리 연산을 수행합니다.", @@ -513,6 +513,7 @@ "761576760": "거래를 시작하기 위해 귀하의 계좌에 자금을 충전하세요.", "762185380": "귀하께서 투자하신 만큼의 <0>위험만을 감수하심으로써 <0>보상을 증가시키세요.", "762871622": "{{remaining_time}}초", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "거래 한도", "764540515": "봇을 중지시키는것은 위험합니다", "766317539": "언어", @@ -523,7 +524,7 @@ "773336410": "테더는 디지털 방식으로 피아트 화폐의 이용을 할 수 있도록 디자인된 블록체인 활성화 플랫폼입니다.", "775679302": "{{pending_withdrawals}} 대기중인 인출(들)", "776085955": "전략", - "776887587": "Our products and services may expose you to risks that can be substantial at times, including the risk of losing your entire investment. Please note that by clicking <0>Continue, you'll be accepting these risks.", + "776887587": "우리의 상품들과 서비스로 인해 귀하의 투자금액 전체를 잃을 수 있는 위험을 포함하여 때때로 상당한 수준의 위험에 노출 될 수 있습니다. <0>계속하기를 클릭함으로써 귀하께서는 이러한 위험들에 대해 동의하시는 것임을 아시기 바랍니다.", "781924436": "콜 스프레드/풋 스프레드", "783974693": "최근의 해는 피해주세요", "784311461": "지수함수 이동평균 (EMA)", @@ -532,14 +533,14 @@ "787727156": "장벽", "788005234": "이용할 수 없음", "790168327": "Deriv X 계좌", - "792739000": "We’ll review your document and notify you of its status within 1 to 2 hours.", + "792739000": "우리는 귀하의 문서를 검토할 것이며 이에 대한 상태를 귀하에게 1시간에서 2시간 내로 공지해 드릴 것입니다.", "793526589": "우리의 서비스에 대한 불만사항을 접수하시기 위해서는, <0>complaints@deriv.com으로 이메일을 보내셔서 귀하의 불만사항에 대해 상세히 서술해주세요. 저희가 이해를 더 잘 할 수 있도록 귀하의 트레이딩 또는 시스템의 관련 스크린샷들을 제출해주시기 바랍니다.", "793531921": "저희 회사는 세계적으로 가장 평판이 좋고 역사가 긴 온라인 트레이딩 회사들 중 하나입니다. 저희는 저희의 고객분들을 공정하게 대하고 훌륭한 서비스를 제공하기 위해 전념합니다.<0/><1/>귀하에게 제공하는 저희의 서비스를 어떻게 더 향상시킬 수 있는지에 대한 피드백을 저희에게 알려주세요. 귀하의 목소리는 저희에게 항상 들릴 것이며 또한 항상 존중받으시고 공정하게 대해지실 것을 확신합니다.", "794682658": "귀하의 폰으로 해당 링크를 복사하세요", "796845736": "저희와 함께 트레이딩을 계속 하기 위해서, 귀하께서는 <0>라이브챗을 통해 정부에서 발급된 다음의 신분증명서류중 (사진이 포함되어 있어야 함) 하나를 복사하셔서 저희에게 보내주시기 바랍니다.", "797007873": "카메라 접근을 불러오기 위해 이 단계들을 따라주세요:", "797500286": "음수", - "800521289": "Your personal details are incomplete", + "800521289": "귀하의 세부인적사항이 완료되지 않았습니다", "802436811": "거래 세부내역 보기", "802438383": "새로운 주소증명이 필요합니다", "802556390": "초", @@ -622,6 +623,7 @@ "904696726": "API 토큰", "905134118": "지불금:", "905227556": "강력한 비밀번호는 대문자 및 소문자, 그리고 숫자를 포함하여 적어도 8개의 문자로 이루어져 있습니다.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "너무 많은 시도가 있습니다", "912344358": "저는 이로써 제가 제공해드린 세금 정보가 참이고 완전하다는 것을 확신합니다. 저는 또한 이 정보에 대하여 그 어떠한 변경이라도 Deriv Investments (Europe) Limited에 알려드릴 것입니다.", "915735109": "{{platform_name}}으로 되돌아가기", @@ -668,7 +670,7 @@ "970915884": " ", "974888153": "고가-저가", "975950139": "거주 국가", - "977929335": "Go to my account settings", + "977929335": "나의 계좌 설정으로 가기", "981138557": "리다이렉트", "982402892": "주소의 첫째 줄", "982829181": "장벽", @@ -724,7 +726,7 @@ "1049384824": "상승", "1050844889": "보고서", "1052137359": "성*", - "1052779010": "You are on your demo account", + "1052779010": "귀하께서는 데모 계좌를 사용하시고 계십니다", "1053153674": "Jump 50 지수", "1053159279": "교육 수준", "1055313820": "발견된 문서가 없습니다", @@ -769,11 +771,11 @@ "1113292761": "8MB 이하", "1113808050": "귀하의 Deriv 및 Deriv X 실제 계좌에 있는 총 자산.", "1117863275": "보안 및 안전", - "1118294625": "You have chosen to exclude yourself from trading on our website until {{exclusion_end}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.", + "1118294625": "귀하께서는 {{exclusion_end}} 까지 우리의 웹사이트에서 트레이딩 하는 것으로부터 자가제한을 하시기로 선택하셨습니다. 만약 자가 제한 기간이 지난 이후에도 거래를 주문하거나 또는 예금을 하실 수 없다면 라이브 챗을 통해 우리에게 연락해주시기 바랍니다.", "1119887091": "검증", "1119986999": "귀하의 주소 증명이 성공적으로 제출되었습니다", "1120985361": "이용약관이 업데이트되었습니다", - "1123927492": "You have not selected your account currency", + "1123927492": "귀하께서는 귀하의 계좌 통화를 선택하지 않으셨습니다", "1125090693": "반드시 숫자여야 합니다", "1126934455": "토큰 이름의 길이는 반드시 문자 수가 2에서 32 사이여야 합니다.", "1127149819": "확인해주세요§", @@ -792,6 +794,7 @@ "1145927365": "주어진 초가 지난 이후 내부에서 블록을 구동하세요", "1146064568": "입금 페이지로 가기", "1147269948": "장벽은 0일수 없습니다.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "해당 블록체인으로부터 세번의 확정을 받게 되면 각 거래가 확정 될 것입니다.", "1151964318": "양쪽면", "1154021400": "목록", @@ -802,7 +805,7 @@ "1161924555": "하나를 선택해주시기 바랍니다", "1163836811": "부동산", "1164773983": "거래 취소가 활성화되어 있는동안에는 이윤 취득 및/또는 손실 취하기는 적용되지 않습니다.", - "1166128807": "Choose one of your accounts or add a new cryptocurrency account", + "1166128807": "귀하의 계좌들 중 하나를 선택하시거나 새로운 암호화폐 계좌를 추가하세요", "1166377304": "증가값", "1168029733": "출구부가 입구부와 같은 경우에도 지불금을 받으세요.", "1169201692": "{{platform}} 비밀번호 생성하기", @@ -850,7 +853,7 @@ "1227074958": "무작위 분수", "1227240509": "띄어쓰기 제거", "1228208126": "귀하의 주소를 확인해주세요", - "1228534821": "Some currencies may not be supported by payment agents in your country.", + "1228534821": "몇몇 통화들의 경우 귀하의 국가에 있는 결제 에이전트들에 의해 지원되지 않을 수 있습니다.", "1229883366": "납세 식별 번호", "1230884443": "주/지방 (선택사항입니다)", "1231282282": "다음의 특수 문자들만을 사용하세요: {{permitted_characters}}", @@ -867,7 +870,7 @@ "1245469923": "FX-메이저 (스탠다드/마이크로 랏), FX-마이너, Smart-FX, 원자재, 암호화폐", "1246207976": "귀하의 2FA 앱에 의해 생성된 인증 코드를 입력하세요:", "1246880072": "발급 국가를 선택하세요", - "1247280835": "Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.", + "1247280835": "저희 암호화폐 캐셔는 시스템 관리로 인해 일시적으로 다운되어 있습니다. 몇 분 후 시스템 관리가 완료되면 귀하께서는 암호화폐의 예금 및 인출을 하실 수 있습니다.", "1248018350": "소득원천", "1248940117": "<0>a.DRC에 의해 결정되어진 사항들은 저희에게 적용됩니다. DRC의 결정들은 귀하께서 받아들이는 경우에만 귀하에게 적용됩니다.", "1250495155": "토큰이 복사되었습니다!", @@ -973,7 +976,7 @@ "1378419333": "이더", "1383017005": "귀하께서는 계좌를 바꾸셨습니다.", "1384127719": "귀하께서는 {{min}}-{{max}} 의 숫자들을 입력하셔야 합니다.", - "1384222389": "Please submit valid identity documents to unlock the cashier.", + "1384222389": "캐셔를 활성화하기 위해 유효한 신분증을 제출해 주시기 바랍니다.", "1385418910": "다른 계좌를 생성하기 이전에 귀하께서 현재 가지고 계시는 실제 계좌에 대해 통화를 설정해주시기 바랍니다.", "1387503299": "로그인", "1389197139": "불러오기 오류", @@ -1030,7 +1033,7 @@ "1442747050": "손실액: <0>{{profit}}", "1442840749": "무작위 정수", "1443478428": "선택된 제안은 존재하지 않습니다", - "1443544547": "Synthetic indices in the EU are offered by Deriv (Europe) Limited, W Business Centre, Level 3, Triq Dun Karm, Birkirkara BKR 9033, Malta, licensed and regulated by the Malta Gaming Authority (<0>licence no. MGA/B2C/102/2000) and by the Revenue Commissioners for clients in Ireland (<2>licence no. 1010285).", + "1443544547": "유럽연합의 합성 지수들은 몰타 게임 규제당국 (<0>licence no. MGA/B2C/102/2000) 에 의해 인가되고 규제되며 W Business Centre, Level 3, Triq Dun Karm, Birkirkara BKR 9033, Malta에 위치한 Deriv (Europe) Limited로부터 제공되고 아일랜드에 있는 고객분들의 경우 국세청에 의해 인가되고 규제됩니다 (<2>라이센스 번호 1010285).", "1445592224": "귀하께서는 실수로 다른 이메일 주소를 우리에게 주셨습니다 (귀하께서 의도하셨던 것과는 달리 직장 및 개인적인 이메일 주소).", "1447846025": "문자수는 0에서 25개 사이로 입력하셔야 합니다.", "1449462402": "검토중입니다", @@ -1138,7 +1141,7 @@ "1620346110": "통화 설정", "1622662457": "확인기준날짜", "1630372516": "우리의 피아트 온램프를 이용해 보세요", - "1630417358": "Please go to your account settings and complete your personal details to enable withdrawals.", + "1630417358": "인출을 활성화 하시기 위해 귀하의 계좌설정으로 가셔서 귀하의 세부인적사항을 완료해주시기 바랍니다.", "1634594289": "언어를 선택하세요", "1634903642": "오직 귀하의 얼굴만 자가촬영사진에 있을 수 있습니다", "1634969163": "통화 변경", @@ -1170,7 +1173,7 @@ "1659074761": "리셋 풋", "1665272539": "기억하세요: 귀하께서는 선택된 날짜까지 귀하의 계좌로 로그인 하실 수 없습니다.", "1665738338": "잔액", - "1665756261": "Go to live chat", + "1665756261": "라이브챗으로 가기", "1667395210": "귀하의 신분 증명이 성공적으로 제출되었습니다", "1670426231": "종료 시간", "1671232191": "귀하께서는 다음의 제한을 설정하셨습니다:", @@ -1239,13 +1242,13 @@ "1767726621": "에이전트를 선택하세요", "1768861315": "분", "1768918213": "오직 문자, 띄어쓰기, 하이픈, 온점 및 아포스트로피만 허용됩니다.", - "1769068935": "Choose any of these exchanges to buy cryptocurrencies:", + "1769068935": "암호화폐들을 구매하기 위해 다음의 거래소들 중에서 선택하세요:", "1771037549": "Deriv 실제 계좌를 추가하세요", "1771592738": "조건부 블록", "1772532756": "생성 및 편집하기", "1777847421": "너무 흔한 비밀번호입니다", "1778815073": "{{website_name}} 은 그 어떠한 지불 에이전트와도 연계되어 있지 않습니다. 고객분들은 그들의 단독적인 위험을 감수하고 지불 에이전트와 거래 합니다. 자금을 송금하기 이전에 고객분들은 지불 에이전트에 대한 신용을 확인하고 해당 지불 에이전트 (Deriv 또는 다른 어디든) 에 대한 정보의 정확성을 확인하도록 조언을 받습니다.", - "1778893716": "Click here", + "1778893716": "여기를 클릭하세요", "1779519903": "유효한 숫자여야 합니다.", "1780770384": "이 블록은 귀하에게 0.0과 1.0 사이에 있는 한 무작위 분수를 제공합니다.", "1782308283": "빠른 전략", @@ -1265,7 +1268,7 @@ "1804620701": "만료", "1804789128": "{{display_value}} 틱", "1806355993": "수수료는 없습니다", - "1806503050": "Please note that some payment methods might not be available in your country.", + "1806503050": "몇몇 지불 방식들은 귀하의 국가에서 이용가능하지 않을 수도 있다는 것을 아시기 바랍니다.", "1808058682": "블록들이 성공적으로 로드되었습니다", "1808393236": "로그인", "1808867555": "이 블록은 반복을 컨트롤하기 위해 변수 “i”를 사용합니다. 각 반복과 함께, “i”의 값은 주어진 목록에 있는 아이템들에 의해 결정됩니다.", @@ -1287,7 +1290,7 @@ "1828994348": "DMT5는 {{country}}에서는 만나실 수 없습니다", "1832974109": "SmartTrader", "1833481689": "잠금해제", - "1837762008": "Please submit your proof of identity and proof of address to verify your account in your account settings to access the cashier.", + "1837762008": "캐셔로 접근하시기 위해 귀하의 계좌 설정에서 귀하의 계좌를 검증하기 위한 신분증 및 주소증명을 제출해 주시기 바랍니다.", "1838639373": "자원", "1839497304": "귀하께서 DMT5 또는 Deriv X 실제 계좌가 있으시면, 귀하의 자금을 인출하기 위해서 <0>DMT5 또는 <1>Deriv X 대시보드로 가세요", "1840865068": "{{ variable }} 을 단순이동평균 {{ dummy }} 으로 설정하기", @@ -1299,7 +1302,7 @@ "1844033601": "본 웹사이트에서의 자가 제한은 단지 귀하의 Deriv.com 계좌에만 적용되며 다른 회사들 또는 웹사이트들은 포함하지 않습니다.", "1845892898": "(최소: {{min_stake}} - 최대: {{max_payout}})", "1846266243": "이 기능은 데모 계좌에서는 활용할 수 없습니다.", - "1846587187": "You have not selected your country of residence", + "1846587187": "귀하께서는 귀하의 거주국가를 선택하지 않으셨습니다", "1849484058": "저장되지 않은 변경들은 없어집니다.", "1850031313": "- 저: 가장 낮은 가격", "1850132581": "국가가 발견되지 않았습니다", @@ -1308,15 +1311,16 @@ "1851052337": "출생지의 정보가 요구됩니다.", "1851776924": "상위", "1851951013": "귀하의 DBot을 실행하기 위해 귀하의 데모 계좌로 변경해 주세요.", - "1854480511": "Cashier is locked", + "1854480511": "캐셔가 잠겨 있습니다", "1855566768": "목록 항목 포지션", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "분", "1863053247": "귀하의 신분 문서를 업로드해주시기 바랍니다.", "1866811212": "귀하의 국가에서 허가되며 독립적인 지불 에이전트를 통해 귀하의 지역 통화로 예금하세요.", "1866836018": "<0/><1/>만약 귀하의 불만사항이 우리의 데이터 처리 방식과 연관되어 있다면 귀하께서는 귀하의 현지 감독 기관에 공식적으로 불만을 접수하실 수 있습니다.", "1867217564": "지수는 반드시 양의 정수여야 합니다", "1867783237": "고가-종가", - "1869315006": "See how we protect your funds to unlock the cashier.", + "1869315006": "캐셔를 활성화하기 위해 우리가 어떻게 귀하의 자금을 보호하는지를 확인하세요.", "1869787212": "짝", "1869851061": "비밀번호", "1870933427": "크립토", @@ -1327,6 +1331,7 @@ "1875505777": "귀하께서 Deriv 실제 계좌를 가지고 계시면, 오픈 포지션을 종료 또는 판매하시기 위해 <0>리포트로 가주시기 바랍니다.", "1876325183": "분", "1877225775": "귀하의 주소증명이 인증되었습니다", + "1877410120": "What you need to do now", "1877832150": "끝에서부터의 #", "1879042430": "적절성 시험, 경고:", "1879412976": "이윤 금액: <0>{{profit}}", @@ -1381,7 +1386,7 @@ "1947527527": "1. 이 링크는 귀하에 의해 보내졌습니다", "1948092185": "GBP/CAD", "1949719666": "가능한 이유는 다음과 같습니다:", - "1950413928": "Submit identity documents", + "1950413928": "신분증을 제출하세요", "1952580688": "여권사진 페이지를 제출해주세요", "1955219734": "타운/도시*", "1957759876": "신분증을 업로드하세요", @@ -1406,7 +1411,7 @@ "1985637974": "이 블록 내에서 놓여져 있는 모든 블록은 모든 틱마다 실행되어질 것입니다. 만약 기본값으로 정해진 캔들 기간이 트레이드 파라미터 루트 블록에서 1분으로 설정되어 있다면, 이 블록의 지침은 매 분마다 한번씩 실행되어질 것입니다. 모든 루트 블록의 외부에 이 블록을 위치시켜주세요.", "1986498784": "BTC/LTC", "1987080350": "데모", - "1987447369": "Your cashier is locked", + "1987447369": "귀하의 캐셔가 잠겨져 있습니다", "1988153223": "이메일 주소", "1988302483": "이윤 취하기:", "1988601220": "기간 값", @@ -1424,6 +1429,7 @@ "2006229049": "송금에 대해서는 {{transfer_fee}}% 의 송금료 또는 {{minimum_fee}} {{currency}}, 에서 더 높은 부분으로 청구됩니다.", "2007028410": "시장, 거래 종류, 계약 종류", "2007092908": "성공적인 거래에 대해서 더 나은 보상을 위해 낮은 스프레드와 레버리지로 거래하세요.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot은 새로운 거래를 더 이상 처리하지 않을 것입니다. 현재 진행되고 있는 거래는 우리의 시스템에 의해 완료될 것입니다. 저장되지 않은 변경 사항은 사라질 것입니다.<0>공지: 완료된 거래를 확인하기 위해 귀하의 내역을 확인해주시기 바랍니다.", "2009770416": "주소:", "2010031213": "Deriv X에서 거래하세요", @@ -1480,7 +1486,7 @@ "2084925123": "귀하의 Deriv 계좌로 암호화폐를 구매하고 예금하기 위해 우리의 피아트 온램프를 이용하세요.", "2085387371": "반드시 숫자, 문자 및 특수문자. , ' - 여야 합니다", "2085602195": "- 진입 값: 계약의 첫째 틱의 값", - "2086742952": "You have added a real Options account.<0/>Make a deposit now to start trading.", + "2086742952": "귀하께서는 실제 옵션 계좌를 추가하셨습니다.<0/>트레이딩을 시작하시기 위해 지금 예금하세요.", "2086792088": "두 장벽들은 상대적이거나 절대적이여야 합니다", "2088735355": "귀하의 세션 및 로그인 제한", "2089299875": "귀하의 Deriv 실제 계좌에 있는 총 자산.", @@ -1495,8 +1501,8 @@ "2102115846": "유럽 연합에서의 금융 상품들은 몰타 금융 감독청에 의해 카테고리 3 투자 서비스 제공자로 인가된 (<0>라이센스 번호. IS/70156) Deriv Investments (Europe) Limited에 의해 제공됩니다.", "2102572780": "숫자 코드의 길이는 반드시 6 문자여야 합니다.", "2104115663": "지난 로그인", - "2104397115": "Please go to your account settings and complete your personal details to enable deposits and withdrawals.", - "2107381257": "Scheduled cashier system maintenance", + "2104397115": "예금 및 인출을 활성화하기 위해 귀하의 계좌설정으로 가셔서 세부인적사항을 완료해주시기 바랍니다.", + "2107381257": "예정된 캐셔 시스템 관리", "2109208876": "{{platform}} 데모 {{account_title}} 계좌 비밀번호 관리하기", "2109312805": "스프레드는 구매가격 및 판매가격간의 차이입니다. 변수 스프레드는 스프레드가 계속 변한다는 의미이며, 시장 조건에 따라 다릅니다. 고정 스프레드는 변함없이 남아있지만 브로커의 전적인 재량으로 변경될 수 있습니다.", "2110365168": "도달된 거래의 최대 수", @@ -1507,7 +1513,7 @@ "2113321581": "Deriv 게이밍 계좌를 추가하세요", "2115007481": "귀하의 Deriv 데모계좌에 있는 총 자산.", "2115223095": "손실", - "2117073379": "Our cryptocurrency cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.", + "2117073379": "저희의 암호화폐 캐셔는 시스템 관리로 인해 일시적으로 다운되어 있습니다. 몇 분 후에 시스템 관리가 완료되면 귀하께서는 캐셔에 접근하실 수 있습니다.", "2117165122": "1. 텔레그램 봇을 생성하시고 귀하의 텔레그램 API 토큰을 가지세요. 텔레그램에서 어떻게 봇을 생성하는지에 대해서는 다음의 링크에서 더 읽어보세요: https://core.telegram.org/bots#6-botfather", "2117489390": "{{ remaining }}초 후에 자동으로 업데이트 됩니다", "2118315870": "귀하께서는 어디에 사시나요?", @@ -1739,8 +1745,8 @@ "-2005211699": "생성하기", "-2115275974": "차액거래", "-988523882": "DMT5", - "-359091713": "You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit or created a real {{dmt5_label}} or Deriv X account.", - "-460645791": "You are limited to one fiat account. You won’t be able to change your account currency if you have already made your first deposit or created a real {{dmt5_label}} account.", + "-359091713": "귀하께서 보유하실 수 있는 명목화폐 계좌는 하나로 제한되어 있습니다. 귀하께서는 이미 귀하의 첫 예금을 하셨거나 또는 실제 {{dmt5_label}} 또는 Deriv X 계좌를 생성하셨다면 귀하의 계좌 통화를 변경하실 수 없습니다.", + "-460645791": "귀하께서 보유하실 수 있는 명목화폐 계좌는 하나로 제한되어 있습니다. 귀하께서는 이미 첫 예금을 진행하셨거나 실제 {{dmt5_label}} 계좌를 생성하셨다면 귀하의 계좌 통화를 변경하실 수 없습니다.", "-1146960797": "명목화폐", "-1959484303": "암호화폐", "-561724665": "귀하께서는 하나의 피아트 통화만 소유하실 수 있습니다", @@ -1785,7 +1791,7 @@ "-1008641170": "귀하의 계좌는 지금은 주소인증이 필요하지 않습니다. 추후에 만약 주소인증이 필요하게 되면 우리가 귀하에게 공지해 드리겠습니다.", "-60204971": "우리는 귀하의 주소증명을 인증하지 못했습니다", "-1944264183": "거래를 계속 진행하기 위해서, 귀하께서는 반드시 신분증명을 제출하셔야 합니다.", - "-2004327866": "Please select a valid country of document issuance.", + "-2004327866": "문서가 발급된 유효한 국가를 선택해 주시기 바랍니다.", "-1664159494": "국가", "-1552821634": "대안으로 신분증을 제출해 보시기 바랍니다.", "-1176889260": "문서의 종류를 선택해 주시기 바랍니다.", @@ -2333,6 +2339,7 @@ "-522767852": "데모", "-433761292": "기본 계좌로 전환합니다.", "-705744796": "귀하의 데모 계좌 잔액이 최대 한도에 도달 되었으며 귀하께서는 더이상 새로운 거래를 주문하실 수 없습니다. 귀하의 데모 계좌로부터 거래를 계속하기 위해 귀하의 잔액을 재설정하세요.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Please switch to your real account or create one to access the cashier.", "-1204063440": "Set my account currency", "-1925176811": "Unable to process withdrawals in the moment", @@ -2394,6 +2401,11 @@ "-697343663": "Deriv X 계좌", "-1740162250": "계좌 관리", "-1277942366": "총 자산", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "무료 데모 계좌를 생성하세요", "-1879857830": "주의사항", "-1485242688": "{{step}} 단계: {{step_title}} ({{steps}} 의 {{step}})", diff --git a/packages/translations/src/translations/pl.json b/packages/translations/src/translations/pl.json index 2841e09c9605..d4d4575ba062 100644 --- a/packages/translations/src/translations/pl.json +++ b/packages/translations/src/translations/pl.json @@ -513,6 +513,7 @@ "761576760": "Zasil swoje konto, aby rozpocząć inwestowanie.", "762185380": "<0>Zwiększ swoje zyski , <0>ryzykując tylko wpłacaną kwotę.", "762871622": "{{remaining_time}}s", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Limity handlowe", "764540515": "Zatrzymanie botu jest ryzykowne", "766317539": "Język", @@ -622,6 +623,7 @@ "904696726": "Token API", "905134118": "Wypłata:", "905227556": "Silne hasła zawierają co najmniej 8 znaków, w tym małe i wielkie litery oraz cyfry.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Zbyt wiele prób", "912344358": "Niniejszym potwierdzam, że podane informacje podatkowe są prawdziwe i kompletne. Ponadto poinformuję Deriv Investments (Europe) Limited o wszelkich zmianach tych informacji.", "915735109": "Powrót do {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Uruchom bloki wewnętrzne po określonej liczbie sekund", "1146064568": "Przejdź do strony wpłat", "1147269948": "Limit nie może wynosić zero.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Każda z transakcji będzie potwierdzona, gdy otrzymamy trzy potwierdzenia z blockchain.", "1151964318": "obie strony", "1154021400": "lista", @@ -1310,6 +1313,7 @@ "1851951013": "Przejdź na konto demo, aby uruchomić DBot.", "1854480511": "Cashier is locked", "1855566768": "Pozycja elementu na liście", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "minuta", "1863053247": "Prześlij swój dokument tożsamości.", "1866811212": "Wpłacaj w swojej lokalnej walucie przez autoryzowanego i niezależnego pośrednika płatności w Twoim kraju.", @@ -1327,6 +1331,7 @@ "1875505777": "Jeśli masz prawdziwe konto Deriv, przejdź do sekcji <0>Raporty, aby zamknąć lub sprzedać otwarte pozycje.", "1876325183": "Minuty", "1877225775": "Twoje potwierdzenie adresu zostało zweryfikowane", + "1877410120": "What you need to do now", "1877832150": "# od końca", "1879042430": "Ocena zdolności, OSTRZEŻENIE:", "1879412976": "Kwota zysku: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "Przelewy podlegają opłacie: {{transfer_fee}}% lub {{minimum_fee}} {{currency}}, w zależności od tego, która kwota będzie wyższa.", "2007028410": "rynek, rodzaj zakładu, rodzaj kontraktu", "2007092908": "Korzystaj z dźwigni i niskich spreadów, aby uzyskać wyższe zwroty z wygranych zakładów.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot nie będzie realizować żadnych nowych zakładów. Wszelkie trwające zakłady zostaną zakończone przez nasz system. Wszelkie niezapisane zmiany zostaną utracone.<0>Uwaga: Sprawdź swoje zestawienie, aby zobaczyć zakończone transakcje.", "2009770416": "Adres:", "2010031213": "Inwestuj na Deriv X", @@ -2333,6 +2339,7 @@ "-522767852": "DEMO", "-433761292": "Przechodzenie na domyślne konto.", "-705744796": "Saldo na Twoim koncie demo osiągnęło maksymalny limit i nie będzie już możliwe zawieranie nowych zakładów. Zresetuj swoje konto, aby kontynuować inwestowanie ze swojego konta demo.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Please switch to your real account or create one to access the cashier.", "-1204063440": "Set my account currency", "-1925176811": "Unable to process withdrawals in the moment", @@ -2394,6 +2401,11 @@ "-697343663": "Konta Deriv X", "-1740162250": "Zarządzaj kontem", "-1277942366": "Całkowite aktywa", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Otwórz darmowe konto demonstracyjne", "-1879857830": "Ostrzeżenie", "-1485242688": "Krok {{step}}: {{step_title}} ({{step}} z {{steps}})", diff --git a/packages/translations/src/translations/pt.json b/packages/translations/src/translations/pt.json index 37a1fbb1ebb0..91ddd334d246 100644 --- a/packages/translations/src/translations/pt.json +++ b/packages/translations/src/translations/pt.json @@ -513,6 +513,7 @@ "761576760": "Deposite em sua conta para começar a negociar.", "762185380": "<0>Multiplique os retornos <0> arriscando apenas o que você entrou.", "762871622": "{{remaining_time}}s", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Limites de Negociação", "764540515": "Parar o bot é arriscado", "766317539": "Idioma", @@ -622,6 +623,7 @@ "904696726": "Token de API", "905134118": "Retorno:", "905227556": "Senhas fortes contêm pelo menos 8 caracteres, combinam letras e números em maiúsculas e minúsculas.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Muitas tentativas falhas", "912344358": "Confirmo, pela presente, que as informações fiscais que forneci são verdadeiras e completas. Também irei informar a Deriv Investments (Europe) Limited sobre quaisquer alterações a estas informações.", "915735109": "Voltar para {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Execute os blocos dentro de um determinado número de segundos", "1146064568": "Vá para a página de depósito", "1147269948": "Barreira não pode ser zero.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Cada transação será confirmada assim que recebermos três confirmações do blockchain.", "1151964318": "ambos os lados", "1154021400": "lista", @@ -1310,6 +1313,7 @@ "1851951013": "Por favor, mude para sua conta demo para executar seu DBot.", "1854480511": "Cashier is locked", "1855566768": "Listar posição do item", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "minuto", "1863053247": "Por favor, envie seu documento de identidade.", "1866811212": "Deposite em sua moeda local por meio de um agente de pagamento independente e autorizado em seu país.", @@ -1327,6 +1331,7 @@ "1875505777": "Se você tiver uma conta Deriv real, vá para <0>Relatórios para fechar todas as posições em aberto.", "1876325183": "Minutos", "1877225775": "Seu comprovante de endereço foi verificado", + "1877410120": "What you need to do now", "1877832150": "# do fim", "1879042430": "Teste de adequação, AVISO:", "1879412976": "Valor do lucro: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "As transferências estão sujeitas a uma taxa de transferência de {{transfer_fee}}% ou {{minimum_fee}} {{currency}}, o que for maior.", "2007028410": "mercado, tipo de negociação, tipo de contrato", "2007092908": "Negocie com alavancagem e spreads baixos para obter melhores retornos em negociações bem-sucedidas.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot não prosseguirá com nenhuma nova negociação. Porém todas as negociações em andamento serão concluídas por nosso sistema. Todas as alterações não salvas serão perdidas. <0>Observação: verifique seu extrato para ver as transações concluídas.", "2009770416": "Endereço:", "2010031213": "Negocie na Deriv X", @@ -2333,6 +2339,7 @@ "-522767852": "DEMO", "-433761292": "Mudando para a conta padrão.", "-705744796": "O saldo da sua conta demo atingiu o limite máximo e você não poderá fazer novas negociações. Redefina seu saldo para continuar negociando a partir de sua conta demo.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Please switch to your real account or create one to access the cashier.", "-1204063440": "Set my account currency", "-1925176811": "Unable to process withdrawals in the moment", @@ -2394,6 +2401,11 @@ "-697343663": "Contas Deriv X", "-1740162250": "Gerenciar contas", "-1277942366": "Total de ativos", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Crie uma conta demo gratuita", "-1879857830": "Warning", "-1485242688": "Passo {{step}}: {{step_title}} ({{step}} de {{steps}})", diff --git a/packages/translations/src/translations/ru.json b/packages/translations/src/translations/ru.json index 4a9e48e4c299..b1d3eebc5799 100644 --- a/packages/translations/src/translations/ru.json +++ b/packages/translations/src/translations/ru.json @@ -96,7 +96,7 @@ "165682516": "Если вы не против, поделитесь, какие другие торговые платформы вы используете?", "170185684": "Игнорировать", "171307423": "Восстановление", - "171579918": "Go to Self-exclusion", + "171579918": "К самоисключению", "171638706": "Переменные", "173991459": "Мы отправляем ваш запрос в блокчейн.", "176319758": "Макс. общая ставка за 30 дней", @@ -325,7 +325,7 @@ "499522484": "1. в формате строки: 1325.68 USD", "500855527": "Руководители, высокопоставленные чиновники и работники законодательных органов", "500920471": "Этот блок выполняет арифметические операции с двумя числами.", - "501401157": "You are only allowed to make deposits", + "501401157": "Вы можете только пополнять счет", "501537611": "*Максимальное количество открытых позиций", "502041595": "Этот блок выдает конкретную свечу из выбранного временного интервала.", "503137339": "Лимит выплаты", @@ -513,6 +513,7 @@ "761576760": "Пополните счет, чтобы начать торговать.", "762185380": "<0>Многократно увеличьте доход , <0>рискуя только тем, что вы вложили.", "762871622": "{{remaining_time}}с", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Торговые лимиты", "764540515": "Останавливать бота рискованно", "766317539": "Язык", @@ -622,6 +623,7 @@ "904696726": "Ключ API", "905134118": "Выплата:", "905227556": "Надежный пароль состоит как минимум из 8 знаков и комбинации чисел, строчных и заглавных букв.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Слишком много попыток.", "912344358": "Настоящим я подтверждаю, что предоставленная мной налоговая информация является точной и достоверной. Также я обязуюсь уведомить Deriv Investments (Europe) Limited о любых изменениях в данной информации.", "915735109": "Вернуться на {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Запустить блоки, находящиеся внутри, через указанное количество секунд", "1146064568": "Перейти на страницу пополнения", "1147269948": "Барьер не может быть нулевым.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Каждая транзакция будет подтверждена, как только мы получим три подтверждения от блокчейна.", "1151964318": "обе стороны", "1154021400": "список", @@ -973,7 +976,7 @@ "1378419333": "Ether", "1383017005": "Вы поменяли счет.", "1384127719": "Вы должны ввести {{min}}-{{max}} чисел.", - "1384222389": "Please submit valid identity documents to unlock the cashier.", + "1384222389": "Предоставьте действительные документы, удостоверяющие личность, чтобы разблокировать кассу.", "1385418910": "Пожалуйста, установите валюту для существующего реального счета, прежде чем открыть другой счет.", "1387503299": "Вход", "1389197139": "Ошибка импорта", @@ -1138,7 +1141,7 @@ "1620346110": "Установить валюту", "1622662457": "Дата, с", "1630372516": "Открыть Fiat onramp", - "1630417358": "Please go to your account settings and complete your personal details to enable withdrawals.", + "1630417358": "Пожалуйста, перейдите в настройки счета и введите недостающие личные данные, чтобы активировать вывод средств.", "1634594289": "Выберите язык", "1634903642": "На селфи может быть только ваше лицо", "1634969163": "Изменить валюту", @@ -1287,7 +1290,7 @@ "1828994348": "DMT5 недоступен в {{country}}", "1832974109": "SmartTrader", "1833481689": "Разблокировать", - "1837762008": "Please submit your proof of identity and proof of address to verify your account in your account settings to access the cashier.", + "1837762008": "Пожалуйста, предоставьте удостоверение личности и подтверждение адреса в настройках счета, чтобы подтвердить свой счет и получить доступ к кассе.", "1838639373": "Полезное", "1839497304": "Если у вас есть реальный счет DMT5 или Deriv X, перейдите на панель <0>DMT5 или <1>Deriv X, чтобы вывести средства", "1840865068": "установить {{ variable }} в массив простых СС {{ dummy }}", @@ -1310,6 +1313,7 @@ "1851951013": "Чтобы запустить DBot, пожалуйста, перейдите на демо-счет.", "1854480511": "Касса заблокирована", "1855566768": "Позиция элемента списка", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "минут(ы)", "1863053247": "Загрузите документ, удостоверяющий личность.", "1866811212": "Пополняйте счет в местной валюте через авторизованного независимого платежного агента в вашей стране.", @@ -1327,6 +1331,7 @@ "1875505777": "Если у вас есть реальный счет Deriv, перейдите в <0>Отчеты, чтобы закрыть открытые позиции.", "1876325183": "Минуты", "1877225775": "Ваше подтверждение адреса принято", + "1877410120": "What you need to do now", "1877832150": "# с конца", "1879042430": "Тест на целесообразность, ПРЕДУПРЕЖДЕНИЕ:", "1879412976": "Размер прибыли: <0>{{profit}}", @@ -1381,7 +1386,7 @@ "1947527527": "1. Эта ссылка была отправлена вами", "1948092185": "GBP/CAD", "1949719666": "Вот возможные причины:", - "1950413928": "Submit identity documents", + "1950413928": "Отправить удостоверение личности", "1952580688": "Отправить страницу паспорта с фотографией", "1955219734": "Город*", "1957759876": "Загрузить удостоверение личности", @@ -1424,6 +1429,7 @@ "2006229049": "За переводы взимается комиссия в размере {{transfer_fee}}% или {{minimum_fee}} {{currency}}, в зависимости от того, что больше.", "2007028410": "рынок, тип сделки, тип контракта", "2007092908": "Кредитное плечо и низкие спреды могут принести более значительную прибыль от успешных сделок.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot не будет открывать новые контракты. Все текущие контракты будут завершены нашей системой. Все несохраненные изменения будут потеряны. <0>Примечание: проверьте свою выписку, чтобы просмотреть завершенные транзакции.", "2009770416": "Адрес:", "2010031213": "Перейти на Deriv X", @@ -1798,7 +1804,7 @@ "-937707753": "Назад", "-1926456107": "Срок действия отправленного удостоверения личности истек.", "-555047589": "Похоже, срок действия вашего удостоверения личности истек. Пожалуйста, попробуйте еще раз с действующим документом.", - "-841187054": "Try Again", + "-841187054": "Повторить", "-2097808873": "Нам не удалось подтвердить вашу личность по предоставленным вами данным. ", "-228284848": "Нам не удалось подтвердить вашу личность по предоставленным вами данным.", "-1034643950": "Отправить подтверждение адреса", @@ -2333,24 +2339,25 @@ "-522767852": "ДЕМО", "-433761292": "Переключение на счет по умолчанию.", "-705744796": "Баланс вашего демо-счета достиг максимального лимита, и вы не сможете совершать новые сделки. Сбросьте баланс, чтобы продолжить торговлю с демо-счета.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Переключитесь на реальный счет или создайте его, чтобы получить доступ к кассе.", "-1204063440": "Установить валюту счета", - "-1925176811": "Unable to process withdrawals in the moment", + "-1925176811": "Сейчас мы не можем обработать вывод средств", "-980696193": "Вывод средств временно недоступен из-за технического обслуживания системы. Вы можете вывести средства после завершения работ.", - "-1647226944": "Unable to process deposit in the moment", + "-1647226944": "Сейчас мы не можем обработать пополнение счета", "-488032975": "Пополнение счета временно недоступно из-за технического обслуживания системы. Вы можете пополнить счет после завершения работ.", "-67021419": "Касса временно не работает из-за технического обслуживания системы. Вы сможете получить доступ к кассе через несколько минут после завершения обслуживания.", - "-367759751": "Your account has not been verified", - "-1175685940": "Please contact us via live chat to enable withdrawals.", + "-367759751": "Ваш счет не подтвержден", + "-1175685940": "Свяжитесь с нами через чат, чтобы активировать вывод средств.", "-1852207910": "Вывод средств MT5 отключен", "-764323310": "На вашем счете MT5 отключен вывод средств. Проверьте свою электронную почту для получения более подробной информации.", - "-1585069798": "Please click the following link to complete your Appropriateness Test.", - "-1329329028": "You’ve not set your 30-day turnover limit", + "-1585069798": "Перейдите по следующей ссылке, чтобы пройти тест на соответствие.", + "-1329329028": "Вы не установили 30-дневный лимит на оборот счета.", "-132893998": "Ваш доступ к кассе был временно заблокирован, так как вы не установили 30-дневный лимит на оборот счета. Перейдите на страницу самоисключения и установите этот лимит.", "-156611181": "Пройдите финансовую оценку в настройках счета, чтобы разблокировать ее.", "-849587074": "Вы не указали свой идентификационный номер налогоплательщика", "-47462430": "Эта информация необходима для соблюдения правовых и нормативных требований. Перейдите в настройки счета и введите свой актуальный ИНН.", - "-87177461": "Пожалуйста, перейдите в настройки счета и введите недостающие личные данные, чтобы активировать пополнение и счета.", + "-87177461": "Пожалуйста, перейдите в настройки счета и введите недостающие личные данные, чтобы активировать пополнение счета.", "-2087822170": "Вы оффлайн", "-1669693571": "Проверьте подключение к интернету.", "-1125797291": "Пароль обновлен.", @@ -2394,6 +2401,11 @@ "-697343663": "Счета Deriv X", "-1740162250": "Управление счетом", "-1277942366": "Всего активов", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Открыть демо-счёт", "-1879857830": "Предупреждение", "-1485242688": "Шаг {{step}}: {{step_title}} ({{step}} из {{steps}})", diff --git a/packages/translations/src/translations/th.json b/packages/translations/src/translations/th.json index 3dbbb47f817e..3789a69dfd68 100644 --- a/packages/translations/src/translations/th.json +++ b/packages/translations/src/translations/th.json @@ -40,7 +40,7 @@ "71563326": "บริการชำระเงินที่รวดเร็วและปลอดภัยแบบสกุลเงิน fiat ไปยังสกุลเงินดิจิทัล ฝากเงินดิจิทัลจากทุกที่ในโลกโดยใช้บัตรเครดิต/บัตรเดบิตและการโอนเงินผ่านธนาคารของคุณ", "71853457": "$100,001 - $500,000", "72500774": "โปรดกรอกถิ่นที่อยู่ที่เสียภาษี", - "73086872": "You have self-excluded from trading", + "73086872": "คุณได้กีดกันตนเองจากการซื้อขาย", "73326375": "จุดต่ำ คือ จุดที่ต่ำที่สุดที่ตลาดได้ไปถึงในช่วงระยะเวลาของสัญญา\n\n", "74963864": "ต่ำกว่า", "81450871": "เราไม่พบหน้าเว็บนั้น\n", @@ -90,13 +90,13 @@ "160863687": "ตรวจจับไม่พบกล้อง", "162727973": "โปรดใส่หมายเลข รหัสตัวแทนชำระเงินที่ถูกต้อง", "164112826": "บล็อกนี้อนุญาตให้คุณโหลดบล็อกจาก URL หากคุณทำการเก็บไว้ในเซิร์ฟเวอร์ระยะไกล และจะถูกโหลดได้ก็ต่อเมื่อบอทของคุณกำลังทำงาน", - "164564432": "Deposits are temporarily unavailable due to system maintenance. You can make your deposits when the maintenance is complete.", - "165294347": "Please set your country of residence in your account settings to access the cashier.", + "164564432": "เงินฝากไม่สามารถใช้ได้ชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถฝากเงินได้เมื่อการบำรุงรักษาเสร็จสิ้น", + "165294347": "โปรดตั้งค่าประเทศที่คุณพำนักในการตั้งค่าบัญชีของคุณเพื่อเข้าถึงแคชเชียร์", "165312615": "ดำเนินการต่อในโทรศัพท์", "165682516": "หากคุณไม่ว่าอะไร ช่วยบอกได้ไหมว่ามีแพลตฟอร์มอื่นอีกไหมที่คุณใช้ในการซื้อขาย?", "170185684": "ละเลย", "171307423": "กู้คืน", - "171579918": "Go to Self-exclusion", + "171579918": "ไปที่การยกเว้นตนเอง", "171638706": "ตัวแปร", "173991459": "เรากําลังส่งคําขอของคุณไปยังบล็อกเชน", "176319758": "รวมเงินเดิมพันสูงสุด 30 วัน", @@ -123,9 +123,9 @@ "211224838": "การลงทุน", "211461880": "ชื่อและนามสกุลทั่วไปสามารถคาดเดาได้ง่าย", "211823569": "การซื้อขายใน Deriv MetaTrader 5 (DMT5) เป็นแพลตฟอร์มการซื้อขาย FX และ CFD แบบครบวงจร", - "211847965": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.", - "214700904": "Please contact us via live chat to enable deposits.", - "216650710": "You are using a demo account", + "211847965": "<0>รายละเอียดส่วนบุคคลของคุณไม่สมบูรณ์ โปรดไปที่การตั้งค่าบัญชีของคุณและกรอกรายละเอียดส่วนบุคคลของคุณเพื่อเปิดใช้งานการถอน", + "214700904": "โปรดติดต่อเราผ่านการแชทสดเพื่อเปิดใช้งานการฝากเงิน", + "216650710": "คุณกำลังใช้บัญชีทดลอง", "217504255": "ส่งรายละเอียดประเมิณข้อมูลทางการเงินเรียบร้อยแล้ว", "220014242": "อัปโหลดภาพเซลฟี่จากคอมพิวเตอร์ของคุณ", "220186645": "ข้อความว่าง", @@ -191,7 +191,7 @@ "312142140": "บันทึกขีดจํากัดใหม่หรือไม่?", "312300092": "ตัดแต่งช่องว่างภายในสตริงหรือข้อความที่กำหนด", "312318161": "สัญญาของคุณจะถูกปิดโดยอัตโนมัติในราคาสินทรัพย์ถัดไปที่มีอยู่เมื่อระยะเวลาเกิน <0>", - "313298169": "Our cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.", + "313298169": "แคชเชียร์ของเราหยุดให้บริการชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถเข้าถึงแคชเชียร์ได้ภายในไม่กี่นาทีเมื่อการบำรุงรักษาเสร็จสิ้น", "313741895": "บล็อกนี้ส่งคืน “จริง” หากแท่งเทียนสุดท้ายเป็นสีดำ สามารถวางที่ใดก็ได้บนผืนผ้าใบ ยกเว้นภายในบล็อกรูทพารามิเตอร์การซื้อขาย", "315306603": "คุณมีบัญชีที่ไม่มีการกำหนดสกุลเงิน โปรดเลือกสกุลเงินเพื่อจะทำการซื้อขายกับบัญชีนี้", "316694303": "แท่งเทียนเป็นสีดำหรือไม่", @@ -220,7 +220,7 @@ "343873723": "บล็อกแสดงข้อความนี้ คุณสามารถกำหนดสีของข้อความและเลือกเสียงแจ้งเตือนจาก 6 รูปแบบเสียง", "345320063": "ประทับเวลาไม่ถูกต้อง", "347039138": "ทำซ้ำ (2)", - "348951052": "Your cashier is currently locked", + "348951052": "แคชเชียร์ของคุณถูกล็อคอยู่ในขณะนี้", "349047911": "สูงกว่า", "351744408": "ทดสอบถ้าให้สตริงข้อความว่างเปล่า", "353731490": "งานที่เสร็จแล้ว", @@ -270,7 +270,7 @@ "420072489": "ความถี่ในการซื้อขาย CFD", "422055502": "จาก", "423608897": "จำกัด การเดิมพันทั้งหมดของคุณเป็นเวลา 30 วันในทุกแพลตฟอร์ม Deriv", - "425729324": "You are using a demo account. Please <0>switch to your real account or <1>create one to access Cashier.", + "425729324": "คุณกำลังใช้บัญชีทดลอง โปรด <0>สลับ เป็นบัญชีจริงของคุณ หรือ <1>สร้าง เพื่อเข้าถึงแคชเชียร์", "426031496": "หยุด", "427134581": "ลองใช้ไฟล์ประเภทอื่น", "427617266": "Bitcoin", @@ -299,8 +299,8 @@ "457020083": "มันจะใช้เวลานานกว่าที่จะยืนยันคุณถ้าเราไม่สามารถอ่านได้", "457494524": "1. จากไลบรารีบล็อก ให้ใส่ชื่อสําหรับตัวแปรใหม่ แล้วคลิก สร้าง", "459817765": "ค้างอยู่", - "460975214": "Complete your Appropriateness Test", - "461795838": "Please contact us via live chat to unlock it.", + "460975214": "ทำแบบทดสอบความเหมาะสมของคุณให้เสร็จ", + "461795838": "โปรดติดต่อเราผ่านแชทสดเพื่อปลดล็อก", "462079779": "การขายไม่ได้ถูกนำเสนอ", "463361726": "เลือกรายการ", "465993338": "ออสการ์บด", @@ -325,7 +325,7 @@ "499522484": "1. สำหรับ \"สตริง\": 1325.68 USD", "500855527": "ผู้บริหารระดับสูง เจ้าหน้าที่อาวุโส และสมาชิกของสภานิติบัญญัติ", "500920471": "บล็อกนี้เป็นการดำเนินการทางเลขคณิตระหว่าง 2 ตัวเลข", - "501401157": "You are only allowed to make deposits", + "501401157": "อนุญาตให้ฝากได้เท่านั้น", "501537611": "*จำนวนสูงสุดของโพซิชั่นที่เปิด", "502041595": "บล็อกนี้จะให้ค่าของแท่งเทียนจากช่วงเวลาที่คุณเลือกระบุ", "503137339": "ขีดจำกัดการชำระเงิน", @@ -409,7 +409,7 @@ "618520466": "ตัวอย่างเอกสารที่ตัดออก", "619268911": "<0>a คณะกรรมการการเงินจะตรวจสอบความถูกต้องของการร้องเรียนภายใน 5 วันทําการ", "619407328": "คุณแน่ใจหรือไม่ว่าคุณต้องการยกเลิกการเชื่อมโยงจาก {{identifier_title}}?", - "623192233": "Please complete the <0>Appropriateness Test to access your cashier.", + "623192233": "โปรดทำ <0>การทดสอบความเหมาะสม เพื่อเข้าถึงแคชเชียร์ของคุณ", "623542160": "Exponential Moving Average Array (EMAA)", "626175020": "ส่วนเบี่ยงเบนมาตรฐานตัวคูณขึ้น {{ input_number }}", "626809456": "ส่งอีกครั้ง", @@ -417,7 +417,7 @@ "627814558": "บล็อกนี้ส่งคืนค่าเมื่อเงื่อนไขเป็นจริง ใช้บล็อกนี้ภายในบล็อกฟังก์ชันด้านบน", "629145209": "ในกรณีที่เลือก \"AND\" การดำเนินการบล็อกจะส่งกลับ \"จริง\" เฉพาะเมื่อทั้งสองค่าที่ระบุเป็น \"จริง\"", "632398049": "บล็อกนี้กำหนดค่า Null ให้กับรายการหรือข้อความ", - "634219491": "You have not provided your tax identification number. This information is necessary for legal and regulatory requirements. Please go to <0>Personal details in your account settings, and fill in your latest tax identification number.", + "634219491": "คุณยังไม่ได้ระบุหมายเลขประจำตัวผู้เสียภาษีของคุณ ข้อมูลนี้จำเป็นสำหรับข้อกำหนดทางกฎหมายและระเบียบข้อบังคับ โปรดไปที่ <0>รายละเอียดส่วนบุคคล ในการตั้งค่าบัญชีของคุณ และกรอกหมายเลขประจำตัวผู้เสียภาษีล่าสุดของคุณ", "636219628": "<0>c หากไม่พบโอกาสในการยุติข้อร้องเรียนจะดำเนินการต่อไปยังขั้นตอนการพิจารณาเพื่อให้ DRC ดำเนินการในการจัดการ", "639382772": "โปรดอัปโหลดประเภทไฟล์ที่รองรับ", "640596349": "คุณยังไม่ได้รับ การแจ้งเตื่อน", @@ -513,6 +513,7 @@ "761576760": "ฝากเงินเข้าบัญชีของคุณเพื่อเริ่มการซื้อขาย", "762185380": "<0>ทวีคูณผลตอบแทน โดย <0>เสี่ยงเท่านั้น สิ่งที่คุณใส่ใน", "762871622": "{{remaining_time}}", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "วงเงินในการซื้อขาย", "764540515": "การหยุดบอทมีความเสี่ยง", "766317539": "ภาษา", @@ -539,7 +540,7 @@ "796845736": "เพื่อซื้อขายต่อกับเรา คุณจะต้องส่งสำเนาเอกสารประจำตัวที่มีรูปถ่าย ซึ่งออกโดยรัฐบาลผ่าน <0>LiveChat", "797007873": "ทำตามขั้นตอนต่อไปนี้เพื่อกู้คืนการเข้าถึงกล้อง:", "797500286": "เชิงลบ", - "800521289": "Your personal details are incomplete", + "800521289": "รายละเอียดส่วนบุคคลของคุณไม่สมบูรณ์", "802436811": "ดูรายละเอียดธุรกรรม", "802438383": "ต้องการหลักฐานยืนยันที่อยู่ใหม่", "802556390": "วินาที", @@ -622,6 +623,7 @@ "904696726": "API โทเคน", "905134118": "การชำระเงิน:", "905227556": "รหัสผ่านที่คาดเดาได้ยากประกอบด้วยอย่างน้อย 8 ตัวอักษร รวมตัวอักษรตัวพิมพ์ใหญ่และตัวพิมพ์เล็ก และตัวเลข", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "มีความพยายามมากเกินไป", "912344358": "ข้าพเจ้าขอยืนยันว่าข้อมูลภาษีที่ให้ไว้เป็นความจริงและครบถ้วนสมบูรณ์ ข้าพเจ้าได้แจ้ง Deriv Investments (Europe) Limited เกี่ยวกับการเปลี่ยนแปลงข้อมูลนี้", "915735109": "กลับไปที่ {{platform_name}}", @@ -668,7 +670,7 @@ "970915884": "AN", "974888153": "สูง-ต่ำ", "975950139": "ประเทศที่พำนัก", - "977929335": "Go to my account settings", + "977929335": "ไปที่การตั้งค่าบัญชีของฉัน", "981138557": "เปลี่ยนเส้นทาง", "982402892": "บรรทัดแรกของที่อยู่", "982829181": "Barriers", @@ -724,7 +726,7 @@ "1049384824": "ขึ้น", "1050844889": "รายงาน", "1052137359": "นามสกุล*", - "1052779010": "You are on your demo account", + "1052779010": "คุณอยู่ในบัญชีทดลองของคุณ", "1053153674": "ดัชนีข้าม 50", "1053159279": "ระดับการศึกษา", "1055313820": "ไม่พบเอกสาร", @@ -769,11 +771,11 @@ "1113292761": "น้อยกว่า 8MB", "1113808050": "รวมสินทรัพย์ในบัญชีจริง Deriv และ Deriv X ของคุณ", "1117863275": "ความปลอดภัยและการรักษาความปลอดภัย", - "1118294625": "You have chosen to exclude yourself from trading on our website until {{exclusion_end}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.", + "1118294625": "คุณได้เลือกที่จะแยกตัวเองออกจากการซื้อขายบนเว็บไซต์ของเราจนถึง {{exclusion_end}} หากคุณไม่สามารถทำการซื้อขายหรือฝากเงินได้หลังจากระยะเวลาการยกเว้นตัวเอง โปรดติดต่อเราผ่านแชทสด", "1119887091": "การตรวจสอบ", "1119986999": "หลักฐานยืนยันที่อยู่ของคุณถูกนำส่งเรียบร้อยแล้ว", "1120985361": "ข้อตกลงและเงื่อนไขล่าสุด", - "1123927492": "You have not selected your account currency", + "1123927492": "คุณยังไม่ได้เลือกสกุลเงินในบัญชีของคุณ", "1125090693": "ต้องเป็นตัวเลข", "1126934455": "ความยาวของชื่อโทเค็นจะต้องอยู่ระหว่าง 2 ถึง 32 ตัวอักษร", "1127149819": "โปรดตรวจสอบให้แน่ใจว่า§", @@ -792,6 +794,7 @@ "1145927365": "รันบล็อกข้างในหลังจากจำนวนวินาทีที่กำหนด", "1146064568": "ไปที่หน้าฝากเงิน", "1147269948": "Barrier ไม่สามารถเป็นศูนย์ได้", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "แต่ละธุรกรรมจะได้รับการยืนยัน เมื่อเราได้รับการยืนยันสามครั้งจากบล็อกเชน", "1151964318": "ทั้งสองด้าน", "1154021400": "รายการ", @@ -867,7 +870,7 @@ "1245469923": "FX-majors (มาตรฐาน/ไมโครล็อต), FX-minors, Smart-FX, สินค้าโภคภัณฑ์, คริปโตเคอเรนซี่", "1246207976": "ป้อนรหัสการรับรองความถูกต้องที่สร้างโดยแอพ 2FA ของคุณ", "1246880072": "เลือกประเทศที่ออก", - "1247280835": "Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.", + "1247280835": "แคชเชียร์สกุลเงินดิจิทัลของเราหยุดให้บริการชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถทำการฝากและถอนเงินดิจิตอลได้ในเวลาไม่กี่นาทีเมื่อการบำรุงรักษาเสร็จสิ้น", "1248018350": "แหล่งที่มาของรายได้", "1248940117": "<0>a การตัดสินใจของ DRC มีผลผูกพันกับเรา การตัดสินใจของ DRC จะมีผลผูกพันกับคุณก็ต่อเมื่อคุณยอมรับ", "1250495155": "คัดลอกโทเคนแล้ว", @@ -973,7 +976,7 @@ "1378419333": "อีเธอร์", "1383017005": "คุณได้เปลี่ยนบัญชี", "1384127719": "คุณควรป้อนตัวเลข {{min}}-{{max}}", - "1384222389": "Please submit valid identity documents to unlock the cashier.", + "1384222389": "กรุณาส่งเอกสารประจำตัวที่ถูกต้องเพื่อปลดล็อกแคชเชียร์", "1385418910": "โปรดกำหนดสกุลเงินสำหรับบัญชีจริงที่มีอยู่ของคุณ ก่อนที่จะสร้างบัญชีอื่น", "1387503299": "เข้าสู่ระบบ", "1389197139": "เกิดข้อผิดพลาดในการนำเข้า", @@ -1138,7 +1141,7 @@ "1620346110": "กำหนดสกุลเงิน", "1622662457": "จากวันที่", "1630372516": "ลอง Fiat onramp ของเรา", - "1630417358": "Please go to your account settings and complete your personal details to enable withdrawals.", + "1630417358": "โปรดไปที่การตั้งค่าบัญชีของคุณและกรอกรายละเอียดส่วนบุคคลของคุณเพื่อเปิดใช้งานการถอน", "1634594289": "เลือกภาษา", "1634903642": "ภาพเซลฟี่เฉพาะใบหน้าของคุณเท่านั้น", "1634969163": "เปลี่ยนสกุลเงิน", @@ -1170,7 +1173,7 @@ "1659074761": "Reset Put", "1665272539": "โปรดจําไว้ว่า: คุณไม่สามารถเข้าสู่ระบบบัญชีของคุณได้จนกว่าจะถึงวันที่เลือก", "1665738338": "ยอดคงเหลือ", - "1665756261": "Go to live chat", + "1665756261": "ไปที่แชทสด", "1667395210": "หลักฐานยืนยันตัวตนของคุณถูกนำส่งเรียบร้อยแล้ว", "1670426231": "เวลาสิ้นสุด", "1671232191": "คุณได้กำหนดขีดจำกัดต่อไปนี้:", @@ -1245,7 +1248,7 @@ "1772532756": "สร้างและแก้ไข", "1777847421": "นี่คือรหัสผ่านที่พบใช้บ่อยทั่วไป", "1778815073": "{{website_name}} ไม่มีส่วนเกี่ยวข้องกับตัวแทนชำระเงินใดๆ ลูกค้าที่ใช้บริการตัวแทนชำระเงินจะมีความเสี่ยง ควรตรวจสอบข้อมูลประจำตัวของตัวแทนชำระเงิน และตรวจสอบความถูกต้องของข้อมูลเกี่ยวกับตัวแทนชำระเงิน (ใน Deriv หรือที่อื่นๆ) ก่อนที่จะโอนเงิน", - "1778893716": "Click here", + "1778893716": "คลิกที่นี่", "1779519903": "ควรเป็นตัวเลขที่ถูกต้อง", "1780770384": "บล็อกนี้ช่วยให้คุณเป็นเศษส่วนแบบสุ่มระหว่าง 0.0 ถึง 1.0", "1782308283": "กลยุทธ์ด่วน", @@ -1287,7 +1290,7 @@ "1828994348": "DMT5 ไม่พร้อมใช้งานใน {{country}}", "1832974109": "SmartTrader", "1833481689": "ปลดล็อค", - "1837762008": "Please submit your proof of identity and proof of address to verify your account in your account settings to access the cashier.", + "1837762008": "โปรดส่งหลักฐานยืนยันตัวตนและหลักฐานที่อยู่เพื่อยืนยันบัญชีของคุณในการตั้งค่าบัญชีเพื่อเข้าถึงแคชเชียร์", "1838639373": "แหล่งข้อมูล", "1839497304": "หากคุณมีบัญชีจริง DMT5 หรือ Deriv X ให้ไปที่แผงควบคุม <0>DMT5 หรือ <1>Deriv X เพื่อถอนเงินของคุณ", "1840865068": "กำหนด {{ variable }} เป็น Simple Moving Average Array {{ dummy }}", @@ -1299,7 +1302,7 @@ "1844033601": "การป้องกันตนเองในเว็บไซต์จะใช้กับบัญชี Deriv.com ของคุณเท่านั้น และไม่รวมถึงบริษัทหรือเว็บไซต์อื่นๆ", "1845892898": "(ขั้นต่ำ: {{min_stake}} - สูงสุด: {{max_payout}})", "1846266243": "คุณสมบัตินี้ไม่สามารถใช้ได้กับบัญชีทดลอง", - "1846587187": "You have not selected your country of residence", + "1846587187": "คุณยังไม่ได้เลือกประเทศที่พำนักของคุณ", "1849484058": "รายการที่ยังไม่ถูกบันทึกจะหายไปทั้งหมด", "1850031313": "- ต่ำ: ราคาต่ำสุด", "1850132581": "ไม่พบประเทศ", @@ -1308,15 +1311,16 @@ "1851052337": "โปรดระบุสถานที่เกิด", "1851776924": "สูงกว่า", "1851951013": "โปรดสลับไปที่บัญชีทดลองของคุณเพื่อเริ่มทำงาน Dbot", - "1854480511": "Cashier is locked", + "1854480511": "แคชเชียร์ถูกล็อค", "1855566768": "ตําแหน่งรายการ", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "นาที", "1863053247": "โปรดอัปโหลดเอกสารระบุตัวตนของคุณ", "1866811212": "ฝากเงินในสกุลเงินท้องถิ่นของคุณผ่านตัวแทนการชำระเงินอิสระที่ได้รับอนุญาตในประเทศของคุณ", "1866836018": "<0/><1/> หากการร้องเรียนของคุณเกี่ยวข้องกับแนวทางปฏิบัติในการประมวลผลข้อมูลของเรา คุณสามารถส่งข้อร้องเรียนอย่างเป็นทางการที่หน่วยงานกำกับดูแลในพื้นที่ของคุณ", "1867217564": "ดัชนีต้องเป็นจำนวนเต็มบวก", "1867783237": "สูง-ถึง-ปิด", - "1869315006": "See how we protect your funds to unlock the cashier.", + "1869315006": "ดูวิธีที่เราปกป้องเงินของคุณเพื่อปลดล็อกแคชเชียร์", "1869787212": "คู่", "1869851061": "รหัส ผ่าน", "1870933427": "การเข้ารหัสลับ", @@ -1327,6 +1331,7 @@ "1875505777": "หากคุณมีบัญชีจริง Deriv ให้ไปที่ <0>รายงาน เพื่อปิดหรือขายตําแหน่งที่เปิดอยู่", "1876325183": "นาที", "1877225775": "หลักฐานยืนยันที่อยู่ของคุณได้รับการยืนยันแล้ว", + "1877410120": "What you need to do now", "1877832150": "# จากสุดท้าย", "1879042430": "การทดสอบความเหมาะสม คำเตือน:", "1879412976": "จำนวนกำไร: <0>{{profit}}", @@ -1381,7 +1386,7 @@ "1947527527": "1. ลิงก์นี้ถูกส่งโดยคุณ", "1948092185": "GBP/CAD", "1949719666": "นี่คือเหตุผลที่เป็นไปได้:", - "1950413928": "Submit identity documents", + "1950413928": "ส่งเอกสารแสดงตน", "1952580688": "ส่งหนังสือเดินทางหน้าที่มีรูปภาพ", "1955219734": "เมือง*", "1957759876": "อัพโหลดเอกสารประจำตัว", @@ -1406,7 +1411,7 @@ "1985637974": "บล็อกต่างๆ ที่วางในบล็อกนี้จะถูกดำเนินการในทุก tick หากช่วงเวลาเริ่มต้นของแท่งเทียนถูกตั้งค่าเป็น 1 นาทีในบล็อกรูทพารามิเตอร์ การซื้อขายในบล็อกนี้จะถูกดำเนินการทุกๆนาที วางบล็อกนี้ไว้นอกบล็อกรูทใดๆ", "1986498784": "BTC/LTC", "1987080350": "ทดลอง", - "1987447369": "Your cashier is locked", + "1987447369": "แคชเชียร์ของคุณถูกล็อค", "1988153223": "ที่อยู่อีเมล", "1988302483": "ทำกำไร:", "1988601220": "ค่าระยะเวลา", @@ -1424,6 +1429,7 @@ "2006229049": "การโอนย้ายจะขึ้นอยู่กับค่าธรรมเนียมการโอนย้าย {{transfer_fee}}% หรือ {{minimum_fee}} {{currency}} แล้วแต่ว่าค่าใดจะสูงกว่า", "2007028410": "ตลาด ประเภทการซื้อขาย ประเภทสัญญา", "2007092908": "ซื้อขายด้วยเลเวอเรจและสเปรดที่ต่ำ เพื่อผลตอบแทนที่ดีขึ้นในการซื้อขายที่ประสบความสำเร็จ", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot จะไม่ดำเนินการซื้อขายใหม่ใดๆ การซื้อขายที่กำลังดำเนินอยู่จะเสร็จสมบูรณ์โดยระบบของเรา การเปลี่ยนแปลงที่ไม่ได้ทำการบันทึกไว้จะสูญหาย <0>หมายเหตุ: โปรดตรวจสอบใบแจ้งยอดของคุณเพื่อดูธุรกรรมที่เสร็จสมบูรณ์", "2009770416": "ที่อยู่:", "2010031213": "เทรดบน Deriv X", @@ -1495,8 +1501,8 @@ "2102115846": "ผลิตภัณฑ์ทางการเงินในสหภาพยุโรปมีให้บริการโดย Deriv Investments (Europe) Limited ได้รับอนุญาตโดยผู้ให้บริการการลงทุนประเภทที่ 3 โดย Malta Financial Services Authority (<0>ใบอนุญาตหมายเลข IS/70156)", "2102572780": "ความยาวของรหัสหลักจะต้องเป็น 6 ตัวอักษร", "2104115663": "การเข้าระบบครั้งล่าสุด", - "2104397115": "Please go to your account settings and complete your personal details to enable deposits and withdrawals.", - "2107381257": "Scheduled cashier system maintenance", + "2104397115": "โปรดไปที่การตั้งค่าบัญชีของคุณและกรอกรายละเอียดส่วนบุคคลของคุณเพื่อเปิดใช้งานการฝากและถอนเงิน", + "2107381257": "กำหนดการบำรุงรักษาระบบแคชเชียร์", "2109208876": "จัดการ {{platform}} สาธิต {{account_title}} รหัสผ่านบัญชี", "2109312805": "สเปรดคือความแตกต่างระหว่างราคาซื้อและราคาขาย ตัวแปรสเปรดหมายถึงสเปรดที่เปลี่ยนแปลงตลอดเวลา ขึ้นอยู่กับสภาวะตลาด สเปรดที่คงที่อาจมีการเปลี่ยนแปลงได้ตามดุลยพินิจของโบรกเกอร์", "2110365168": "จำนวนการซื้อขายถึงขีดจำกัดสูงสุดแล้ว", @@ -1507,7 +1513,7 @@ "2113321581": "เพิ่มบัญชี การพนัน Deriv", "2115007481": "สินทรัพย์ทั้งหมดในบัญชีทดลอง Deriv ของคุณ", "2115223095": "ขาดทุน", - "2117073379": "Our cryptocurrency cashier is temporarily down due to system maintenance. You can access the Cashier in a few minutes when the maintenance is complete.", + "2117073379": "แคชเชียร์สกุลเงินดิจิทัลของเราหยุดให้บริการชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถเข้าถึงแคชเชียร์ได้ภายในไม่กี่นาทีเมื่อการบำรุงรักษาเสร็จสิ้น", "2117165122": "1. สร้างเทเลแกรมบอท และรับโทเค็นเทเลแกรม API ของคุณ อ่านเพิ่มเติมเกี่ยวกับวิธีการสร้างบอทในเทเลแกรมได้ที่นี่: https://core.telegram.org/bots#6-botfather", "2117489390": "อัพเดทอัตโนมัติใน {{ remaining }} วินาที", "2118315870": "คุณอาศัยอยู่ที่ไหน?", @@ -1996,22 +2002,22 @@ "-1366788579": "โปรดสร้างบัญชี Deriv, DMT5 หรือ Deriv X อื่น", "-380740368": "โปรดสร้างบัญชี Deriv หรือ DMT5 อื่น", "-417711545": "สร้างบัญชี", - "-1321645628": "Your cashier is currently locked. Please contact us via live chat to find out how to unlock it.", - "-60779216": "Withdrawals are temporarily unavailable due to system maintenance. You can make your withdrawals when the maintenance is complete.", - "-215186732": "You’ve not set your country of residence. To access Cashier, please update your country of residence in the Personal details section in your account settings.", - "-1392897508": "The identification documents you submitted have expired. Please submit valid identity documents to unlock Cashier. ", - "-1158467524": "Your account is temporarily disabled. Please contact us via live chat to enable deposits and withdrawals again.", - "-929148387": "Please set your account currency to enable deposits and withdrawals.", - "-1318742415": "Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and request for withdrawals.", - "-541392118": "Your account has not been authenticated. Please submit your <0>proof of identity and <1>proof of address to authenticate your account and access your cashier.", - "-247122507": "Your cashier is locked. Please complete the <0>financial assessment to unlock it.", - "-1443721737": "Your cashier is locked. See <0>how we protect your funds before you proceed.", - "-901712457": "Your access to Cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to <0>Self-exclusion and set your 30-day turnover limit.", + "-1321645628": "แคชเชียร์ของคุณถูกล็อคอยู่ในขณะนี้ โปรดติดต่อเราผ่านแชทสดเพื่อดูวิธีปลดล็อก", + "-60779216": "การถอนเงินจะไม่สามารถใช้ได้ชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถถอนเงินได้เมื่อการบำรุงรักษาเสร็จสิ้น", + "-215186732": "คุณยังไม่ได้กำหนดประเทศที่พำนักของคุณ ในการเข้าถึงแคชเชียร์ โปรดอัปเดตประเทศที่พำนักของคุณในส่วนรายละเอียดส่วนบุคคลในการตั้งค่าบัญชีของคุณ", + "-1392897508": "เอกสารแสดงตนที่คุณส่งมาหมดอายุแล้ว กรุณาส่งเอกสารยืนยันตัวตนที่ถูกต้องเพื่อปลดล็อคแคชเชียร์ ", + "-1158467524": "บัญชีของคุณถูกปิดใช้งานชั่วคราว โปรดติดต่อเราผ่านการแชทสดเพื่อเปิดใช้งานการฝากและถอนอีกครั้ง", + "-929148387": "โปรดตั้งค่าสกุลเงินในบัญชีของคุณเพื่อเปิดใช้งานการฝากและถอนเงิน", + "-1318742415": "บัญชีของคุณยังไม่ได้รับการยืนยัน โปรดส่ง <0>หลักฐานระบุตัวตน และ <1>หลักฐานแสดงที่อยู่ เพื่อตรวจสอบบัญชีและขอถอนเงิน", + "-541392118": "บัญชีของคุณยังไม่ได้รับการยืนยัน โปรดส่ง<0>หลักฐานระบุตัวตนและ<1>หลักฐานที่อยู่เพื่อยืนยันตัวตนและเข้าถึงแคชเชียร์ของคุณ", + "-247122507": "แคชเชียร์ของคุณถูกล็อค โปรดกรอก <0>การประเมินทางการเงิน เพื่อปลดล็อก", + "-1443721737": "แคชเชียร์ของคุณถูกล็อค ดู<0>วิธีที่เราปกป้องเงินของคุณก่อนดำเนินการต่อ", + "-901712457": "การเข้าถึงแคชเชียร์ของคุณถูกปิดใช้งานชั่วคราว เนื่องจากคุณยังไม่ได้กำหนดวงเงินหมุนเวียน 30 วันของคุณ โปรดไปที่ <0>การยกเว้นตนเอง และกำหนดวงเงินหมุนเวียนใน 30 วันของคุณ", "-666905139": "การฝากเงินถูกล็อค", - "-378858101": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits.", - "-166472881": "Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits and withdrawals.", - "-1037495888": "You have chosen to exclude yourself from trading on our website until {{exclude_until}}. If you are unable to place a trade or deposit after your self-exclusion period, please contact us via live chat.", - "-127614820": "Unfortunately, you can only make deposits. Please contact us via live chat to enable withdrawals.", + "-378858101": "<0>รายละเอียดส่วนบุคคล ของคุณไม่ครบถ้วน โปรดไปที่การตั้งค่าบัญชีของคุณและกรอกรายละเอียดส่วนบุคคลของคุณเพื่อเปิดใช้งานการฝากเงิน", + "-166472881": "<0>รายละเอียดส่วนบุคคล ของคุณไม่ครบถ้วน โปรดไปที่การตั้งค่าบัญชีของคุณและกรอกรายละเอียดส่วนบุคคลของคุณเพื่อเปิดใช้งานการฝากและถอนเงิน", + "-1037495888": "คุณได้เลือกที่จะแยกตัวเองออกจากการซื้อขายบนเว็บไซต์ของเราจนถึง {{exclude_until}} หากคุณไม่สามารถทำการซื้อขายหรือฝากเงินได้หลังจากระยะเวลาการยกเว้นตัวเอง โปรดติดต่อเราผ่านแชทสด", + "-127614820": "ขออภัย คุณสามารถฝากเงินได้เท่านั้น โปรดติดต่อเราผ่านแชทสดเพื่อเปิดใช้งานการถอนเงิน", "-759000391": "เราไม่สามารถยืนยันข้อมูลของคุณโดยอัตโนมัติ ในการเปิดใช้งานฟังก์ชันนี้ คุณต้องดำเนินการดังต่อไปนี้:", "-1638172550": "ในการเปิดใช้งานคุณสมบัตินี้คุณต้องดำเนินการดังต่อไปนี้:", "-1632668764": "ฉันยอมรับ", @@ -2333,24 +2339,25 @@ "-522767852": "ทดลอง", "-433761292": "สลับไปยังบัญชีเริ่มต้น", "-705744796": "ยอดเงินในบัญชีทดลองของคุณถึงขีด จำกัด สูงสุดแล้วและคุณจะไม่สามารถทำการซื้อขายใหม่ได้ รีเซ็ตยอดเงินของคุณเพื่อทำการซื้อขายต่อจากบัญชีทดลองของคุณ", - "-1738575826": "Please switch to your real account or create one to access the cashier.", - "-1204063440": "Set my account currency", - "-1925176811": "Unable to process withdrawals in the moment", - "-980696193": "Withdrawals are temporarily unavailable due to system maintenance. You can make withdrawals when the maintenance is complete.", - "-1647226944": "Unable to process deposit in the moment", - "-488032975": "Deposits are temporarily unavailable due to system maintenance. You can make deposits when the maintenance is complete.", - "-67021419": "Our cashier is temporarily down due to system maintenance. You can access the cashier in a few minutes when the maintenance is complete.", - "-367759751": "Your account has not been verified", - "-1175685940": "Please contact us via live chat to enable withdrawals.", + "-618539786": "Your account is scheduled to be closed", + "-1738575826": "โปรดเปลี่ยนไปใช้บัญชีจริงของคุณหรือสร้างบัญชีใหม่เพื่อเข้าถึงแคชเชียร์", + "-1204063440": "ตั้งค่าสกุลเงินในบัญชีของฉัน", + "-1925176811": "ไม่สามารถดำเนินการถอนได้ในขณะนี้", + "-980696193": "การถอนเงินจะไม่สามารถใช้ได้ชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถถอนเงินได้เมื่อการบำรุงรักษาเสร็จสิ้น", + "-1647226944": "ไม่สามารถดำเนินการฝากเงินได้ในขณะนี้", + "-488032975": "เงินฝากไม่สามารถใช้ได้ชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถฝากเงินเมื่อการบำรุงรักษาเสร็จสิ้น", + "-67021419": "แคชเชียร์ของเราหยุดให้บริการชั่วคราวเนื่องจากการบำรุงรักษาระบบ คุณสามารถเข้าถึงแคชเชียร์ได้ภายในไม่กี่นาทีเมื่อการบำรุงรักษาเสร็จสิ้น", + "-367759751": "บัญชีของคุณยังไม่ได้รับการยืนยัน", + "-1175685940": "โปรดติดต่อเราผ่านแชทสดเพื่อเปิดใช้งานการถอนเงิน", "-1852207910": "การถอนเงิน MT5 ถูกปิดการใช้งาน", "-764323310": "การถอนเงิน MT5 ถูกปิดการใช้งานในบัญชีของคุณ โปรดตรวจสอบอีเมลของคุณสำหรับรายละเอียดเพิ่มเติม", - "-1585069798": "Please click the following link to complete your Appropriateness Test.", - "-1329329028": "You’ve not set your 30-day turnover limit", - "-132893998": "Your access to the cashier has been temporarily disabled as you have not set your 30-day turnover limit. Please go to Self-exclusion and set the limit.", - "-156611181": "Please complete the financial assessment in your account settings to unlock it.", - "-849587074": "You have not provided your tax identification number", - "-47462430": "This information is necessary for legal and regulatory requirements. Please go to your account settings, and fill in your latest tax identification number.", - "-87177461": "Please go to your account settings and complete your personal details to enable deposits.", + "-1585069798": "โปรดคลิกลิงก์ต่อไปนี้เพื่อทำการทดสอบความเหมาะสมของคุณ", + "-1329329028": "คุณไม่ได้กำหนดวงเงินหมุนเวียน 30 วันของคุณ", + "-132893998": "การเข้าถึงแคชเชียร์ของคุณถูกปิดใช้งานชั่วคราว เนื่องจากคุณยังไม่ได้กำหนดขีดจำกัดการหมุนเวียน 30 วันของคุณ โปรดไปที่การยกเว้นตนเองและตั้งค่าขีดจำกัด", + "-156611181": "โปรดทำการประเมินทางการเงินให้เสร็จสิ้นในการตั้งค่าบัญชีของคุณเพื่อปลดล็อก", + "-849587074": "คุณยังไม่ได้ระบุหมายเลขประจำตัวผู้เสียภาษีของคุณ", + "-47462430": "ข้อมูลนี้จำเป็นสำหรับข้อกำหนดทางกฎหมายและระเบียบข้อบังคับ โปรดไปที่การตั้งค่าบัญชีของคุณ และกรอกหมายเลขประจำตัวผู้เสียภาษีล่าสุดของคุณ", + "-87177461": "โปรดไปที่การตั้งค่าบัญชีของคุณและกรอกรายละเอียดส่วนบุคคลของคุณเพื่อเปิดใช้งานการฝากเงิน", "-2087822170": "คุณออฟไลน์", "-1669693571": "ตรวจสอบการเชื่อมต่อของคุณ", "-1125797291": "อัพเดทรหัสผ่านแล้ว", @@ -2358,13 +2365,13 @@ "-904632610": "รีเซ็ตยอดเงินของคุณ", "-470018967": "รีเซ็ตความสมดุล", "-1435762703": "โปรดยืนยันตัวตนของคุณ", - "-1164554246": "You submitted expired identification documents", + "-1164554246": "คุณส่งเอกสารประจำตัวที่หมดอายุแล้ว", "-1902997828": "รีเฟรชตอนนี้", "-753791937": "Deriv เวอร์ชั่นใหม่พร้อมใช้งานแล้ว", "-1775108444": "หน้านี้จะรีเฟรชโดยอัตโนมัติภายใน 5 นาทีเพื่อโหลดเวอร์ชั่นล่าสุด", "-529038107": "ติดตั้ง", "-87149410": "ติดตั้งเว็บแอป DTrader", - "-1287141934": "Find out more", + "-1287141934": "ดูข้อมูลเพิ่มเติม", "-1590712279": "การพนัน", "-16448469": "เสมือน", "-1998049070": "หากคุณยอมรับการใช้งานคุกกี้ของเราให้คลิกที่ยอมรับ สำหรับข้อมูลเพิ่มเติม <0>ดูนโยบายของเรา", @@ -2394,6 +2401,11 @@ "-697343663": "บัญชี Deriv X", "-1740162250": "จัดการบัญชี", "-1277942366": "สินทรัพย์ทั้งหมด", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "สร้างบัญชีทดลองฟรี", "-1879857830": "คำเตือน", "-1485242688": "Step {{step}}: {{step_title}} ({{step}} ของ {{steps}})", diff --git a/packages/translations/src/translations/vi.json b/packages/translations/src/translations/vi.json index d0931e99b163..8b6093193228 100644 --- a/packages/translations/src/translations/vi.json +++ b/packages/translations/src/translations/vi.json @@ -513,6 +513,7 @@ "761576760": "Nạp tiền vào tài khoản và bắt đầu giao dịch.", "762185380": "<0>Nhân lợi nhuận với việc<0> chỉ mạo hiểm những gì bạn đưa vào.", "762871622": "{{remaining_time}} giây", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "Giới hạn giao dịch", "764540515": "Dừng bot là rủi ro", "766317539": "Ngôn ngữ", @@ -622,6 +623,7 @@ "904696726": "Mã API Token", "905134118": "Thanh toán:", "905227556": "Mật khẩu mạnh chứa ít nhất 8 ký tự, bao gồm chữ viết hoa, chữ viết thường và số.", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "Có quá nhiều lần thử", "912344358": "Tôi xin xác nhận rằng thông tin thuế tôi cung cấp là đúng sự thật và đầy đủ. Tôi cũng sẽ thông báo cho Công ty Tnhh Đầu tư Deriv Limited (Châu Âu) về bất kỳ thay đổi nào để thông tin này.", "915735109": "Quay lại {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "Chạy các khung bên trong sau một số giây nhất định", "1146064568": "Đến trang Gửi tiền", "1147269948": "Khoảng giới hạn không thể là 0.", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "Mỗi giao dịch sẽ được xác nhận khi chúng tôi nhận được ba xác nhận từ blockchain.", "1151964318": "cả hai bên", "1154021400": "danh sách", @@ -1310,6 +1313,7 @@ "1851951013": "Vui lòng chuyển sang tài khoản demo để chạy DBot của bạn.", "1854480511": "Cashier is locked", "1855566768": "Vị trí danh sách mục", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "phút", "1863053247": "Hãy tải lên văn bản định danh của bạn.", "1866811212": "Nạp tiền theo đơn vị tiền tệ tại nơi bạn sống bằng một đại lý thanh khoản độc lập, đã được ủy quyền tại quốc gia của bạn.", @@ -1327,6 +1331,7 @@ "1875505777": "Nếu bạn có một tài khoản thực Deriv, đi tới <0>Báo cáo để đóng các giao dịch mở.", "1876325183": "Phút", "1877225775": "Chứng minh địa chỉ của bạn đã được phê duyệt", + "1877410120": "What you need to do now", "1877832150": "# từ điểm kết thúc", "1879042430": "Bài kiểm tra thích hợp, CẢNH BÁO:", "1879412976": "Tiền lãi: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "Việc chuyển tiền phải chịu {{transfer_fee}}% phí chuyển tiền hoặc {{minimum_fee}} {{currency}}, tùy theo mức nào cao hơn.", "2007028410": "thị trường, loại giao dịch, loại hợp đồng", "2007092908": "Giao dịch với đòn bẩy và chênh lệch thấp để thu về lợi nhuận cao hơn cho các giao dịch thành công.", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot sẽ không tiếp tục với bất kỳ giao dịch mới nào. Mọi giao dịch đang diễn ra sẽ được hoàn thành bởi hệ thống của chúng tôi. Mọi thay đổi chưa được lưu sẽ bị mất. <0>Lưu ý: Vui lòng kiểm tra bảng sao kê của bạn để xem các giao dịch đã hoàn thành.", "2009770416": "Địa chỉ:", "2010031213": "Giao dịch trên Deriv X", @@ -2333,6 +2339,7 @@ "-522767852": "DEMO", "-433761292": "Chuyển sang tài khoản mặc định.", "-705744796": "Số dư tài khoản demo của bạn đã đạt đến giới hạn tối đa và bạn sẽ không thể thực hiện các giao dịch mới. Đặt lại số dư để tiếp tục giao dịch từ tài khoản demo của bạn.", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "Please switch to your real account or create one to access the cashier.", "-1204063440": "Set my account currency", "-1925176811": "Unable to process withdrawals in the moment", @@ -2394,6 +2401,11 @@ "-697343663": "Tài khoản Deriv X", "-1740162250": "Quản lý tài khoản", "-1277942366": "Tổng tài sản", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "Tạo tài khoản dùng thử miễn phí", "-1879857830": "Cảnh báo", "-1485242688": "Bước {{step}}: {{step_title}} ({{step}} của {{steps}})", diff --git a/packages/translations/src/translations/zh_cn.json b/packages/translations/src/translations/zh_cn.json index 07ba2cf06540..06c18782a4ba 100644 --- a/packages/translations/src/translations/zh_cn.json +++ b/packages/translations/src/translations/zh_cn.json @@ -513,6 +513,7 @@ "761576760": "存款入账户并开始交易。", "762185380": "<0>唯一的风险是您的<0>投注金额,但可能获取高达数倍的回报。", "762871622": "{{remaining_time}}秒", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "交易限制", "764540515": "停用机器人存在风险", "766317539": "语言", @@ -622,6 +623,7 @@ "904696726": "API 令牌", "905134118": "赔付额:", "905227556": "强密码须至少8个字符,及包含大小写字母和数字。", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "尝试次数太多", "912344358": "我特此确认, 我提供的税务信息是真实和完整的。将来如果此信息有任何更改,我将会通知 Deriv 投资 (欧洲) 有限公司。", "915735109": "返回 {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "在指定秒数后运行内部程序块", "1146064568": "前往存款页面", "1147269948": "障碍不能为零。", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "一旦我们从区块链收到三次确认,便会确认每笔交易。", "1151964318": "两边", "1154021400": "列表", @@ -1310,6 +1313,7 @@ "1851951013": "请切换到模拟账户以运行DBot。", "1854480511": "收银台已锁定", "1855566768": "列出项目头寸", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "分钟", "1863053247": "请上传身份证明文件。", "1866811212": "通过您所在国家/地区的授权独立付款代理以当地的货币存款。", @@ -1327,6 +1331,7 @@ "1875505777": "如您有 Deriv 真实账户,请前往<0>报表将全部持仓头寸平仓或售出。", "1876325183": "分钟", "1877225775": "您的地址证明已通过验证", + "1877410120": "What you need to do now", "1877832150": "从最终端获得 #", "1879042430": "合适性测试,警告:", "1879412976": "盈利金额: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "转账需支付{{transfer_fee}}%的转账费或{{minimum_fee}}{{currency}}, 以较高者为准。", "2007028410": "市场、交易类型、合约类型", "2007092908": "利用杠杆和低价差进行交易,以在成功交易时获得更高回报。", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot将不会进行任何新交易。任何正在进行的交易将由我们的系统完成。所有未保存的更改都将丢失。<0>注意:请检查对账单以查看已完成的交易。", "2009770416": "地址:", "2010031213": "在 Deriv X 交易", @@ -2333,6 +2339,7 @@ "-522767852": "模拟", "-433761292": "转换至默认账户。", "-705744796": "您的模拟账户余额已达到最大限额,您将无法进行新交易。重设余额以继续用模拟账户交易。", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "请切换到或开立真实账户以访问收银台。", "-1204063440": "设置账户币种", "-1925176811": "暂时无法处理提款", @@ -2394,6 +2401,11 @@ "-697343663": "Deriv X 账户", "-1740162250": "账户管理", "-1277942366": "总资产", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "开立免费模拟账户", "-1879857830": "警告", "-1485242688": "步骤 {{step}}: {{step_title}} ({{step}} 共 {{steps}})", diff --git a/packages/translations/src/translations/zh_tw.json b/packages/translations/src/translations/zh_tw.json index ce621da43d75..74d73fbfecc8 100644 --- a/packages/translations/src/translations/zh_tw.json +++ b/packages/translations/src/translations/zh_tw.json @@ -513,6 +513,7 @@ "761576760": "存款入帳戶並開始交易。", "762185380": "<0>唯一的風險是您的<0>投注金額,但可能獲取高達數倍的回報。", "762871622": "{{remaining_time}}秒", + "763019867": "Your Gaming account is scheduled to be closed", "764366329": "交易限制", "764540515": "停用機器人存在風險", "766317539": "語言", @@ -622,6 +623,7 @@ "904696726": "API權杖", "905134118": "賠付:", "905227556": "強密碼須至少8個字元,及包含大小寫字母和數字。", + "909257425": "You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.", "910888293": "嘗試次數太多", "912344358": "我特此確認, 我提供的稅務資訊是真實和完整的。將來如果此資訊有任何更改,我將會通知Deriv投資 (歐洲) 有限公司。", "915735109": "返回 {{platform_name}}", @@ -792,6 +794,7 @@ "1145927365": "指定秒數後運行內部區塊", "1146064568": "前往存款頁面", "1147269948": "障礙不能為零。", + "1147625645": "Please proceed to withdraw all your funds from your account before <0>30 November 2021.", "1149790519": "一旦我們從區塊鏈收到三次確認,便會確認每筆交易。", "1151964318": "兩邊", "1154021400": "清單", @@ -1310,6 +1313,7 @@ "1851951013": "請切換到模擬帳戶以運行DBot。", "1854480511": "收銀台已鎖定", "1855566768": "列出項目頭寸", + "1855768448": "Any open positions on digital options have been closed with full payout.", "1858251701": "分鐘", "1863053247": "請上傳身份證明文件。", "1866811212": "通過您所在國家/地區的授權獨立付款代理以當地的貨幣存款。", @@ -1327,6 +1331,7 @@ "1875505777": "如您有 Deriv 真實帳戶,請前往<0>報表將全部持倉頭寸平倉或售出。", "1876325183": "分鐘", "1877225775": "您的地址證明已通過驗證", + "1877410120": "What you need to do now", "1877832150": "從結束端獲得 #", "1879042430": "合適性測試,警告:", "1879412976": "盈利金額: <0>{{profit}}", @@ -1424,6 +1429,7 @@ "2006229049": "轉帳需支付{{transfer_fee}}%的轉帳費或{{minimum_fee}}{{currency}}, 以較高者為準。", "2007028410": "市場、交易類型、合約類型", "2007092908": "利用槓桿和低價差進行交易,以在成功交易時獲得更高回報。", + "2008809853": "Please proceed to withdraw your funds before 30 November 2021.", "2009620100": "DBot將不會進行任何新交易。任何正在進行的交易將由我們的系統完成。所有未儲存的更改都將丟失。 <0>注意:請檢查對帳單以檢視已完成的交易。 ", "2009770416": "地址:", "2010031213": "在 Deriv X 交易", @@ -2333,6 +2339,7 @@ "-522767852": "模擬", "-433761292": "轉換至預設帳戶。", "-705744796": "您的模擬帳戶餘額已達到最大限額,您將無法進行新交易。重設餘額以繼續用模擬帳戶交易。", + "-618539786": "Your account is scheduled to be closed", "-1738575826": "請切換到或開立真實帳戶以存取收銀台。", "-1204063440": "設定帳戶幣種", "-1925176811": "暫時無法處理提款", @@ -2394,6 +2401,11 @@ "-697343663": "Deriv X 帳戶", "-1740162250": "帳戶管理", "-1277942366": "總資產", + "-490100162": "As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.", + "-1310654342": "As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.", + "-168971942": "What this means for you", + "-139892431": "Please proceed to withdraw all your funds from your Gaming account before <0>30 November 2021.", + "-905560792": "OK, I understand", "-1197864059": "開設免費模擬帳戶", "-1879857830": "警告", "-1485242688": "步驟 {{step}}: {{step_title}} ({{step}} 共 {{steps}})",