From 3a09393c55f987f6780c4a42fecc529c49e519c4 Mon Sep 17 00:00:00 2001 From: mahdiyeh-fs <82078941+mahdiyeh-fs@users.noreply.github.com> Date: Tue, 13 Dec 2022 13:18:04 +0330 Subject: [PATCH 01/22] feat: use BE flag for traders hub ui (#7120) --- .../PlatformContainer/PlatformContainer.jsx | 12 +++++------ .../core/src/Modules/Endpoint/Endpoint.jsx | 19 ----------------- packages/core/src/Stores/client-store.js | 21 ++++++++++++++++++- 3 files changed, 26 insertions(+), 26 deletions(-) diff --git a/packages/core/src/App/Containers/PlatformContainer/PlatformContainer.jsx b/packages/core/src/App/Containers/PlatformContainer/PlatformContainer.jsx index 89238573b7bb..ca946c84bc10 100644 --- a/packages/core/src/App/Containers/PlatformContainer/PlatformContainer.jsx +++ b/packages/core/src/App/Containers/PlatformContainer/PlatformContainer.jsx @@ -1,18 +1,15 @@ import React from 'react'; import { PlatformContext } from '@deriv/shared'; +import { connect } from 'Stores/connect'; const DERIV_APPSTORE_KEY = 'is_appstore'; const DERIV_PRE_APPSTORE_KEY = 'is_pre_appstore'; -const PlatformContainer = ({ ...props }) => { +const PlatformContainer = ({ is_pre_appstore, setIsPreAppStore, ...props }) => { // TODO: set is_appstore based on a flag from BE. const is_appstore_storage = window.localStorage.getItem(DERIV_APPSTORE_KEY) === 'true'; const [is_appstore, setIsAppStore] = React.useState(is_appstore_storage); - // TODO: set is_pre_appstore based on a flag from BE. - const is_pre_appstore_storage = window.localStorage.getItem(DERIV_PRE_APPSTORE_KEY) === 'true'; - const [is_pre_appstore, setIsPreAppStore] = React.useState(is_pre_appstore_storage); - React.useEffect(() => { window.localStorage.setItem(DERIV_PRE_APPSTORE_KEY, is_pre_appstore); }, [is_pre_appstore]); @@ -29,4 +26,7 @@ const PlatformContainer = ({ ...props }) => { return ; }; -export default PlatformContainer; +export default connect(({ client }) => ({ + is_pre_appstore: client.is_pre_appstore, + setIsPreAppStore: client.setIsPreAppStore, +}))(PlatformContainer); diff --git a/packages/core/src/Modules/Endpoint/Endpoint.jsx b/packages/core/src/Modules/Endpoint/Endpoint.jsx index f7fa2a6a4d8c..6129d8e3c88c 100644 --- a/packages/core/src/Modules/Endpoint/Endpoint.jsx +++ b/packages/core/src/Modules/Endpoint/Endpoint.jsx @@ -32,7 +32,6 @@ const Endpoint = () => { app_id: getAppId(), server: getSocketURL(), is_appstore_enabled: platform_store.is_appstore, - is_pre_appstore_enabled: platform_store.is_pre_appstore, show_dbot_dashboard: dbot_dashboard_storage !== undefined && dbot_dashboard_storage !== 'false', is_debug_service_worker_enabled: !!getDebugServiceWorker(), }} @@ -56,11 +55,9 @@ const Endpoint = () => { localStorage.setItem('config.app_id', values.app_id); localStorage.setItem('config.server_url', values.server); localStorage.setItem(platform_store.DERIV_APPSTORE_KEY, values.is_appstore_enabled); - localStorage.setItem(platform_store.DERIV_PRE_APPSTORE_KEY, values.is_pre_appstore_enabled); LocalStore.set('show_dbot_dashboard', values.show_dbot_dashboard); localStorage.setItem('debug_service_worker', values.is_debug_service_worker_enabled ? 1 : 0); platform_store.setIsAppStore(values.is_appstore_enabled); - platform_store.setIsPreAppStore(values.is_pre_appstore_enabled); window.localStorage.removeItem('config.platform'); location.reload(); }} @@ -110,21 +107,6 @@ const Endpoint = () => { )} - - {({ field }) => ( -
- { - handleChange(e); - setFieldTouched('is_pre_appstore_enabled', true); - }} - /> -
- )} -
{({ field }) => (
@@ -162,7 +144,6 @@ const Endpoint = () => { (!touched.server && !touched.app_id && !touched.is_appstore_enabled && - !touched.is_pre_appstore_enabled && !touched.show_dbot_dashboard && !touched.is_debug_service_worker_enabled) || !values.server || diff --git a/packages/core/src/Stores/client-store.js b/packages/core/src/Stores/client-store.js index 0f7e3bc88644..d92fb5db4bd5 100644 --- a/packages/core/src/Stores/client-store.js +++ b/packages/core/src/Stores/client-store.js @@ -286,6 +286,7 @@ export default class ClientStore extends BaseStore { is_eu_country: computed, is_options_blocked: computed, is_multipliers_only: computed, + is_pre_appstore: computed, resetLocalStorageValues: action.bound, getBasicUpgradeInfo: action.bound, setMT5DisabledSignupTypes: action.bound, @@ -375,6 +376,7 @@ export default class ClientStore extends BaseStore { isEuropeCountry: action.bound, setPrevRealAccountLoginid: action.bound, switchAccountHandlerForAppstore: action.bound, + setIsPreAppStore: action.bound, }); reaction( @@ -934,6 +936,11 @@ export default class ClientStore extends BaseStore { return this.isBotAllowed(); } + get is_pre_appstore() { + const { trading_hub } = this.account_settings; + return !!trading_hub; + } + getIsMarketTypeMatching = (account, market_type) => market_type === 'synthetic' ? account.market_type === market_type || account.market_type === 'gaming' @@ -2030,7 +2037,7 @@ export default class ClientStore extends BaseStore { const is_client_logging_in = login_new_user ? login_new_user.token1 : obj_params.token1; if (is_client_logging_in) { - const is_pre_appstore = window.localStorage.getItem('is_pre_appstore'); + const is_pre_appstore = !!this.account_settings.trading_hub; const redirect_url = sessionStorage.getItem('redirect_url'); if ( is_pre_appstore === 'true' && @@ -2507,5 +2514,17 @@ export default class ClientStore extends BaseStore { await this.switchAccount(this.virtual_account_loginid); } } + + setIsPreAppStore(is_pre_appstore) { + const trading_hub = is_pre_appstore ? 1 : 0; + WS.setSettings({ + set_settings: 1, + trading_hub, + }).then(response => { + if (!response.error) { + this.account_settings = { ...this.account_settings, trading_hub }; + } + }); + } } /* eslint-enable */ From c2a526d40756a9cc2f5bf167ce83e11f9c844ffa Mon Sep 17 00:00:00 2001 From: ashraf-deriv <97999159+ashraf-deriv@users.noreply.github.com> Date: Tue, 13 Dec 2022 17:57:00 +0800 Subject: [PATCH 02/22] bugfix: refactor menu links in trade hub as memoise component (#7127) * bugfix: refactor menu links in trade hub as memoise component * bugfix: revert the preappstore access back to trading hub header * bugfix: revert some line spaces * bugfix: 83184 memoize default header menuitem child component * bugfix: 83184 memoize dtrader header menuitem child component and revert default header * refactor: revert code --- .../core/src/App/Containers/Layout/header/dtrader-header.jsx | 4 ++-- .../src/App/Containers/Layout/header/trading-hub-header.jsx | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/packages/core/src/App/Containers/Layout/header/dtrader-header.jsx b/packages/core/src/App/Containers/Layout/header/dtrader-header.jsx index 5efe2b8e2ce7..b44b2c3d3000 100644 --- a/packages/core/src/App/Containers/Layout/header/dtrader-header.jsx +++ b/packages/core/src/App/Containers/Layout/header/dtrader-header.jsx @@ -56,7 +56,7 @@ const RedirectToOldInterface = () => {
); }; - +const MemoizedMenuLinks = React.memo(MenuLinks); const DTraderHeader = ({ acc_switcher_disabled_message, account_status, @@ -190,7 +190,7 @@ const DTraderHeader = ({ )} {menu_items && is_logged_in && replaceCashierMenuOnclick()} - +
); }; - +const MemoizedMenuLinks = React.memo(MenuLinks); const TradingHubHeader = ({ account_status, app_routing_history, @@ -169,7 +169,7 @@ const TradingHubHeader = ({ )} {menu_items && is_logged_in && replaceCashierMenuOnclick()} - +
From a8f07005e985ddf83a8c832c483febc478bfaa94 Mon Sep 17 00:00:00 2001 From: hirad-rewok <91878582+hirad-rewok@users.noreply.github.com> Date: Tue, 13 Dec 2022 13:27:44 +0330 Subject: [PATCH 03/22] Hirad/80671/user keeps clicking next button of onboarding (#7105) * fix: fixed the issue where onboarding was shown on every visit * fix: merged set and unset functioned --- .../appstore/src/modules/trading-hub/index.tsx | 18 ++++++++++++++---- .../Layout/header/trading-hub-header.jsx | 8 ++++++-- packages/core/src/Stores/tradinghub-store.js | 4 ++++ 3 files changed, 24 insertions(+), 6 deletions(-) diff --git a/packages/appstore/src/modules/trading-hub/index.tsx b/packages/appstore/src/modules/trading-hub/index.tsx index c22bf79e2e7f..d7fe1d49a9f9 100644 --- a/packages/appstore/src/modules/trading-hub/index.tsx +++ b/packages/appstore/src/modules/trading-hub/index.tsx @@ -57,7 +57,7 @@ const TradingHub: React.FC = () => { } = modules.cfd; const { platform } = common; const { is_dark_mode_on } = ui; - const { is_tour_open, toggleIsTourOpen } = tradinghub; + const { is_tour_open, toggleIsTourOpen, is_onboarding_visited, setIsOnboardingVisited } = tradinghub; /*TODO: We need to show this component whenever user click on tour guide button*/ const login_id = window.localStorage.getItem('active_loginid') ?? ''; const real_active = !/^VRT/.test(login_id); @@ -143,13 +143,23 @@ const TradingHub: React.FC = () => { ]; tour_step_locale.last = ( -
toggleIsTourOpen(false)}> +
{ + setIsOnboardingVisited(true); + toggleIsTourOpen(false); + }} + >
); eu_tour_step_locale.last = ( -
toggleIsTourOpen(false)}> +
{ + setIsOnboardingVisited(true); + toggleIsTourOpen(false); + }} + >
); @@ -256,7 +266,7 @@ const TradingHub: React.FC = () => {
{ ); }; -const TradingHubOnboarding = ({ is_dark_mode }) => { +const TradingHubOnboarding = ({ is_dark_mode, setIsOnboardingVisited }) => { const history = useHistory(); return (
@@ -62,6 +62,7 @@ const TradingHubOnboarding = ({ is_dark_mode }) => { size={20} onClick={() => { history.push(routes.onboarding); + setIsOnboardingVisited(false); }} /> @@ -91,6 +92,7 @@ const TradingHubHeader = ({ loginid, is_eu, is_eu_country, + setIsOnboardingVisited, header_extension, is_dark_mode, is_logged_in, @@ -175,7 +177,7 @@ const TradingHubHeader = ({
- + Date: Tue, 13 Dec 2022 18:42:48 +0800 Subject: [PATCH 04/22] Revert "Vinu/79411/derivez cashier transfer (#6896)" (#7156) This reverts commit 5d9c9430ad9dcaadf8d09f59231f12dc9b07c212. --- .../__tests__/account-transfer-form.spec.tsx | 19 ----- .../account-transfer-form-side-note.tsx | 61 +-------------- .../account-transfer-form.scss | 6 +- .../account-transfer-form.tsx | 50 +++--------- .../account-transfer-receipt.tsx | 16 ++-- .../__tests__/account-transfer-store.spec.js | 38 --------- .../src/stores/account-transfer-store.js | 77 ++++--------------- packages/cashier/src/stores/general-store.js | 3 +- .../cashier/src/types/shared/account.types.ts | 1 - .../components/icon/derivez/ic-derivez.svg | 1 - packages/core/src/Constants/cfd-text.js | 1 - packages/shared/brand.config.json | 4 - packages/shared/src/utils/brand/brand.ts | 1 - packages/shared/src/utils/cfd/cfd.ts | 5 +- .../shared/src/utils/platform/platform.ts | 1 - 15 files changed, 36 insertions(+), 248 deletions(-) delete mode 100644 packages/components/src/components/icon/derivez/ic-derivez.svg diff --git a/packages/cashier/src/pages/account-transfer/account-transfer-form/__tests__/account-transfer-form.spec.tsx b/packages/cashier/src/pages/account-transfer/account-transfer-form/__tests__/account-transfer-form.spec.tsx index 5318e1e6e849..1865140239ed 100644 --- a/packages/cashier/src/pages/account-transfer/account-transfer-form/__tests__/account-transfer-form.spec.tsx +++ b/packages/cashier/src/pages/account-transfer/account-transfer-form/__tests__/account-transfer-form.spec.tsx @@ -89,9 +89,6 @@ describe('', () => { }, }, }, - common: { - is_from_derivgo: false, - }, }; }); beforeAll(() => { @@ -324,22 +321,6 @@ describe('', () => { ).toBeInTheDocument(); }); - it('should show proper note if transfer fee is 2%, is_derivez_transfer, and is_dxtrade_allowed is false', () => { - (isMobile as jest.Mock).mockReturnValue(true); - mockRootStore.modules.cashier.account_transfer.selected_from.is_derivez = true; - mockRootStore.modules.cashier.account_transfer.selected_to.is_derivez = true; - mockRootStore.modules.cashier.account_transfer.transfer_fee = 2; - mockRootStore.common.is_from_derivgo = true; - - renderAccountTransferForm(); - - expect( - screen.getByText( - 'We’ll charge a 2% transfer fee or 0 USD, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and Deriv EZ accounts, and your Deriv cryptocurrency and Deriv X accounts. Please bear in mind that some transfers may not be possible.' - ) - ).toBeInTheDocument(); - }); - it('should show proper note if transfer fee is 2% and is_mt_transfer is false', () => { (isMobile as jest.Mock).mockReturnValue(true); mockRootStore.modules.cashier.account_transfer.transfer_fee = 2; diff --git a/packages/cashier/src/pages/account-transfer/account-transfer-form/account-transfer-form-side-note.tsx b/packages/cashier/src/pages/account-transfer/account-transfer-form/account-transfer-form-side-note.tsx index 32d71ab28eee..a547892e9ce7 100644 --- a/packages/cashier/src/pages/account-transfer/account-transfer-form/account-transfer-form-side-note.tsx +++ b/packages/cashier/src/pages/account-transfer/account-transfer-form/account-transfer-form-side-note.tsx @@ -18,8 +18,6 @@ type TAccountTransferNoteProps = { is_mt_transfer: boolean; minimum_fee: string | number; transfer_fee: string | number; - is_from_derivgo: boolean; - is_derivez_transfer: boolean; }; const AccountTransferBullet = ({ children }: TAccountTransferBulletProps) => ( @@ -38,24 +36,12 @@ const AccountTransferNote = ({ is_mt_transfer, minimum_fee, transfer_fee, - is_from_derivgo, - is_derivez_transfer, }: TAccountTransferNoteProps) => { const platform_name_dxtrade = getPlatformSettings('dxtrade').name; const platform_name_mt5 = getPlatformSettings('mt5').name; - const platform_name_derivez = getPlatformSettings('derivez').name; - //TODO to refactor derivez notes once this account is used in deriv app and not only from derivgo const getTransferFeeNote = () => { if (transfer_fee === 0) { - if (is_from_derivgo && is_derivez_transfer) { - return ( - - ); - } return is_dxtrade_allowed ? ( ); } else if (transfer_fee === 1) { - if (is_from_derivgo && is_derivez_transfer) { - return ( - - ); - } return is_dxtrade_allowed ? ( ); - } else if (transfer_fee === 2 && (is_mt_transfer || is_dxtrade_transfer || is_derivez_transfer)) { - if (is_from_derivgo && is_derivez_transfer) { - return ( - - ); - } + } else if (transfer_fee === 2 && (is_mt_transfer || is_dxtrade_transfer)) { return is_dxtrade_allowed ? ( ); - } else if (transfer_fee === 2 && !is_mt_transfer && !is_dxtrade_transfer && !is_derivez_transfer) { + } else if (transfer_fee === 2 && !is_mt_transfer && !is_dxtrade_transfer) { return ( - {is_from_derivgo && is_derivez_transfer ? ( - - ) : is_dxtrade_allowed ? ( + {is_dxtrade_allowed ? ( - {is_from_derivgo && is_derivez_transfer ? ( - - ) : is_dxtrade_allowed ? ( + {is_dxtrade_allowed ? ( { return ( {(account.currency || account.platform_icon) && ( -
+
{
- {account.is_dxtrade || account.is_mt || account.is_derivez - ? account.text - : getCurrencyName(account.currency)} + {account.is_dxtrade || account.is_mt ? account.text : getCurrencyName(account.currency)} + + + {account.value} - {!account.is_derivez && ( - - {account.value} - - )}
@@ -69,16 +65,13 @@ let remaining_transfers: boolean | undefined; let accounts_from: Array = []; let mt_accounts_from: Array = []; let dxtrade_accounts_from: Array = []; -let derivez_accounts_from: Array = []; let accounts_to: Array = []; let mt_accounts_to: Array = []; let dxtrade_accounts_to: Array = []; -let derivez_accounts_to: Array = []; const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) => { const { client, - common: { is_from_derivgo }, modules: { cashier }, } = useStore(); @@ -121,12 +114,10 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) const { daily_transfers } = account_limits; const mt5_remaining_transfers = daily_transfers?.mt5; const dxtrade_remaining_transfers = daily_transfers?.dxtrade; - const derivez_remaining_transfers = daily_transfers?.derivez; const internal_remaining_transfers = daily_transfers?.internal; const is_mt_transfer = selected_to.is_mt || selected_from.is_mt; const is_dxtrade_transfer = selected_to.is_dxtrade || selected_from.is_dxtrade; - const is_derivez_transfer = selected_to.is_derivez || selected_from.is_derivez; const platform_name_dxtrade = getPlatformSettings('dxtrade').name; @@ -154,17 +145,14 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) return selected_from.currency === selected_to.currency ? !amount : !converter_from_amount; }; - const getAccounts = (type: string, { is_mt, is_dxtrade, is_derivez }: TAccount) => { + const getAccounts = (type: string, { is_mt, is_dxtrade }: TAccount) => { if (type === 'from') { if (is_mt) return mt_accounts_from; if (is_dxtrade) return dxtrade_accounts_from; - if (is_derivez) return derivez_accounts_from; - return accounts_from; } else if (type === 'to') { if (is_mt) return mt_accounts_to; if (is_dxtrade) return dxtrade_accounts_to; - if (is_derivez) return derivez_accounts_to; return accounts_to; } return []; @@ -178,54 +166,44 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) accounts_from = []; mt_accounts_from = []; dxtrade_accounts_from = []; - derivez_accounts_from = []; accounts_to = []; mt_accounts_to = []; dxtrade_accounts_to = []; - derivez_accounts_to = []; accounts_list.forEach((account, idx) => { const text = ; const value = account.value; - const is_cfd_account = account.is_mt || account.is_dxtrade || account.is_derivez; + const is_cfd_account = account.is_mt || account.is_dxtrade; getAccounts('from', account).push({ text, value, is_mt: account.is_mt, is_dxtrade: account.is_dxtrade, - is_derivez: account.is_derivez, nativepicker_text: `${is_cfd_account ? account.market_type : getCurrencyName(account.currency)} (${ account.balance } ${is_cfd_account ? account.currency : account.text})`, }); const is_selected_from = account.value === selected_from.value; - if ( - (selected_from.is_mt && (account.is_dxtrade || account.is_derivez)) || - (selected_from.is_dxtrade && (account.is_mt || account.is_derivez)) || - (selected_from.is_derivez && (account.is_mt || account.is_dxtrade)) - ) - return; + if ((selected_from.is_mt && account.is_dxtrade) || (selected_from.is_dxtrade && account.is_mt)) return; // account from and to cannot be the same if (!is_selected_from) { const is_selected_from_mt = selected_from.is_mt && account.is_mt; const is_selected_from_dxtrade = selected_from.is_dxtrade && account.is_dxtrade; - const is_selected_from_derivez = selected_from.is_derivez && account.is_derivez; // cannot transfer to MT account from MT // cannot transfer to Dxtrade account from Dxtrade - const is_disabled = is_selected_from_mt || is_selected_from_dxtrade || is_selected_from_derivez; + const is_disabled = is_selected_from_mt || is_selected_from_dxtrade; getAccounts('to', account).push({ text, value, is_mt: account.is_mt, is_dxtrade: account.is_dxtrade, - is_derivez: account.is_derivez, disabled: is_disabled, nativepicker_text: `${is_cfd_account ? account.market_type : getCurrencyName(account.currency)} (${ account.balance @@ -239,7 +217,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) ...(dxtrade_accounts_from.length && { [localize('{{platform_name_dxtrade}} accounts', { platform_name_dxtrade })]: dxtrade_accounts_from, }), - ...(derivez_accounts_from.length && { [localize('Deriv EZ accounts')]: derivez_accounts_from }), ...(accounts_from.length && { [localize('Deriv accounts')]: accounts_from }), }); @@ -248,7 +225,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) ...(dxtrade_accounts_to.length && { [localize('{{platform_name_dxtrade}} accounts', { platform_name_dxtrade })]: dxtrade_accounts_to, }), - ...(derivez_accounts_to.length && { [localize('Deriv EZ accounts')]: derivez_accounts_to }), ...(accounts_to.length && { [localize('Deriv accounts')]: accounts_to }), }); }, [accounts_list, selected_to, selected_from]); // eslint-disable-line react-hooks/exhaustive-deps @@ -265,7 +241,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) internal: internal_remaining_transfers?.allowed, mt5: mt5_remaining_transfers?.allowed, dxtrade: dxtrade_remaining_transfers?.allowed, - derivez: derivez_remaining_transfers?.allowed, }} transfer_fee={transfer_fee} currency={selected_from.currency} @@ -275,8 +250,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) is_dxtrade_allowed={is_dxtrade_allowed} is_dxtrade_transfer={is_dxtrade_transfer} is_mt_transfer={is_mt_transfer} - is_from_derivgo={is_from_derivgo} - is_derivez_transfer={is_derivez_transfer} /> ); setSideNotes([ @@ -293,8 +266,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) return mt5_remaining_transfers?.available; } else if (is_dxtrade_transfer) { return dxtrade_remaining_transfers?.available; - } else if (is_derivez_transfer) { - return derivez_remaining_transfers?.available; } return internal_remaining_transfers?.available; }; @@ -553,7 +524,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) internal: internal_remaining_transfers?.allowed, mt5: mt5_remaining_transfers?.allowed, dxtrade: dxtrade_remaining_transfers?.allowed, - derivez: derivez_remaining_transfers?.allowed, }} transfer_fee={transfer_fee} currency={selected_from.currency} @@ -562,8 +532,6 @@ const AccountTransferForm = ({ error, setSideNotes }: TAccountTransferFormProps) is_dxtrade_allowed={is_dxtrade_allowed} is_dxtrade_transfer={is_dxtrade_transfer} is_mt_transfer={is_mt_transfer} - is_from_derivgo={is_from_derivgo} - is_derivez_transfer={is_derivez_transfer} /> diff --git a/packages/cashier/src/pages/account-transfer/account-transfer-receipt/account-transfer-receipt.tsx b/packages/cashier/src/pages/account-transfer/account-transfer-receipt/account-transfer-receipt.tsx index 5ddefb998bfa..a0bf742e3f29 100644 --- a/packages/cashier/src/pages/account-transfer/account-transfer-receipt/account-transfer-receipt.tsx +++ b/packages/cashier/src/pages/account-transfer/account-transfer-receipt/account-transfer-receipt.tsx @@ -94,11 +94,9 @@ const AccountTransferReceipt = ({ history }: RouteComponentProps) => {
- {!(is_from_derivgo && selected_from.is_derivez) && ( - - {selected_from.value} - - )} + + {selected_from.value} +
@@ -111,11 +109,9 @@ const AccountTransferReceipt = ({ history }: RouteComponentProps) => {
- {!(is_from_derivgo && selected_to.is_derivez) && ( - - {selected_to.value} - - )} + + {selected_to.value} +
diff --git a/packages/cashier/src/stores/__tests__/account-transfer-store.spec.js b/packages/cashier/src/stores/__tests__/account-transfer-store.spec.js index 2bd05a16bcb0..ac33b0ce14b7 100644 --- a/packages/cashier/src/stores/__tests__/account-transfer-store.spec.js +++ b/packages/cashier/src/stores/__tests__/account-transfer-store.spec.js @@ -42,14 +42,6 @@ const DXR_USD_account = { market_type: 'financial', }; -const DEZ_USD_account = { - account_type: 'derivez', - balance: '10.00', - currency: 'USD', - loginid: 'EZR10001', - market_type: 'all', -}; - beforeEach(() => { accounts = [ CR_USD_account, @@ -59,7 +51,6 @@ beforeEach(() => { { ...MT_USD_account, loginid: 'MTR40000265' }, { ...DXR_USD_account, loginid: 'DXR1002' }, { ...DXR_USD_account, loginid: 'DXR1003' }, - { ...DEZ_USD_account, loginid: 'EZR10001' }, ]; WS = { authorized: { @@ -115,15 +106,6 @@ beforeEach(() => { market_type: 'financial', platform: 'dxtrade', }, - { - account_id: 'EZR10001', - account_type: 'real', - balance: 0, - currency: 'USD', - login: 'EZR10001', - market_type: 'all', - platform: 'derivez', - }, ], }), wait: jest.fn(), @@ -147,9 +129,6 @@ beforeEach(() => { setAccountStatus: jest.fn(), setBalanceOtherAccounts: jest.fn(), }, - common: { - is_from_derivgo: false, - }, modules: { cashier: { general_store: { @@ -456,23 +435,6 @@ describe('AccountTransferStore', () => { expect(account_transfer_store.accounts_list.length).toBe(9); }); - it('should sort and set accounts when calling sortAccountsTransfer method when from derivgo', async () => { - await account_transfer_store.sortAccountsTransfer( - { - accounts: [...accounts, MT_USD_account, DXR_USD_account], - }, - true - ); - - expect(account_transfer_store.accounts_list[0].text).toMatch(/^Deriv X(.)*$/); - expect(account_transfer_store.accounts_list[1].text).toMatch(/^Deriv X(.)*$/); - expect(account_transfer_store.accounts_list[2].text).toMatch(/^Deriv X(.)*$/); - expect(account_transfer_store.accounts_list[3].text).toMatch(/^Deriv EZ(.)*$/); - expect(account_transfer_store.accounts_list[8].text).toBe('USD'); - expect(account_transfer_store.accounts_list[9].text).toBe('eUSDT'); - expect(account_transfer_store.accounts_list.length).toBe(10); - }); - it('should set current logged in client as the default transfer from account when calling sortAccountsTransfer method', async () => { await account_transfer_store.sortAccountsTransfer({ accounts }); diff --git a/packages/cashier/src/stores/account-transfer-store.js b/packages/cashier/src/stores/account-transfer-store.js index 77f8e1a763ad..5c83f800574d 100644 --- a/packages/cashier/src/stores/account-transfer-store.js +++ b/packages/cashier/src/stores/account-transfer-store.js @@ -143,10 +143,9 @@ export default class AccountTransferStore { // 2. fiat to mt & vice versa // 3. crypto to mt & vice versa async onMountAccountTransfer() { - const { client, modules, common } = this.root_store; + const { client, modules } = this.root_store; const { onMountCommon, setLoading, setOnRemount } = modules.cashier.general_store; const { active_accounts, is_logged_in } = client; - const { is_from_derivgo } = common; setLoading(true); setOnRemount(this.onMountAccountTransfer); @@ -175,17 +174,11 @@ export default class AccountTransferStore { return; } - if (!is_from_derivgo) { - transfer_between_accounts.accounts = transfer_between_accounts.accounts.filter( - account => account.account_type !== CFD_PLATFORMS.DERIVEZ - ); - } - if (!this.canDoAccountTransfer(transfer_between_accounts.accounts)) { return; } - await this.sortAccountsTransfer(transfer_between_accounts, is_from_derivgo); + await this.sortAccountsTransfer(transfer_between_accounts); this.setTransferFee(); this.setMinimumFee(); this.setTransferLimit(); @@ -255,15 +248,12 @@ export default class AccountTransferStore { setTransferLimit() { const is_mt_transfer = this.selected_from.is_mt || this.selected_to.is_mt; const is_dxtrade_transfer = this.selected_from.is_dxtrade || this.selected_to.is_dxtrade; - const is_derivez_transfer = this.selected_from.is_derivez || this.selected_to.is_derivez; let limits_key; if (is_mt_transfer) { limits_key = 'limits_mt5'; } else if (is_dxtrade_transfer) { limits_key = 'limits_dxtrade'; - } else if (is_derivez_transfer) { - limits_key = 'limits_derivez'; } else { limits_key = 'limits'; } @@ -285,7 +275,7 @@ export default class AccountTransferStore { }; } - async sortAccountsTransfer(response_accounts, is_from_derivgo) { + async sortAccountsTransfer(response_accounts) { const transfer_between_accounts = response_accounts || (await this.WS.authorized.transferBetweenAccounts()); if (!this.accounts_list.length) { if (transfer_between_accounts.error) { @@ -293,20 +283,11 @@ export default class AccountTransferStore { } } - if (!is_from_derivgo && transfer_between_accounts && Array.isArray(transfer_between_accounts.accounts)) { - transfer_between_accounts.accounts = transfer_between_accounts.accounts.filter( - account => account.account_type !== CFD_PLATFORMS.DERIVEZ - ); - } - const mt5_login_list = (await this.WS.storage.mt5LoginList())?.mt5_login_list; // TODO: move `tradingPlatformAccountsList` to deriv-api to use storage const dxtrade_accounts_list = (await this.WS.tradingPlatformAccountsList(CFD_PLATFORMS.DXTRADE)) ?.trading_platform_accounts; - const derivez_accounts_list = (await this.WS.tradingPlatformAccountsList(CFD_PLATFORMS.DERIVEZ)) - ?.trading_platform_accounts; - // TODO: remove this temporary mapping when API adds market_type and sub_account_type to transfer_between_accounts const accounts = transfer_between_accounts.accounts.map(account => { if (account.account_type === CFD_PLATFORMS.MT5 && Array.isArray(mt5_login_list) && mt5_login_list.length) { @@ -333,17 +314,6 @@ export default class AccountTransferStore { return { ...account, ...found_account, account_type: CFD_PLATFORMS.DXTRADE }; } - if ( - account.account_type === CFD_PLATFORMS.DERIVEZ && - Array.isArray(derivez_accounts_list) && - derivez_accounts_list.length - ) { - const found_account = derivez_accounts_list.find(acc => acc.login === account.loginid); - - if (found_account === undefined) return account; - - return { ...account, ...found_account, account_type: CFD_PLATFORMS.DERIVEZ }; - } return account; }); // sort accounts as follows: @@ -354,8 +324,6 @@ export default class AccountTransferStore { accounts.sort((a, b) => { const a_is_mt = a.account_type === CFD_PLATFORMS.MT5; const b_is_mt = b.account_type === CFD_PLATFORMS.MT5; - const a_is_derivez = a.account_type === CFD_PLATFORMS.DERIVEZ; - const b_is_derivez = b.account_type === CFD_PLATFORMS.DERIVEZ; const a_is_crypto = !a_is_mt && isCryptocurrency(a.currency); const b_is_crypto = !b_is_mt && isCryptocurrency(b.currency); const a_is_fiat = !a_is_mt && !a_is_crypto; @@ -368,8 +336,6 @@ export default class AccountTransferStore { return b.market_type === 'gaming' || b.market_type === 'synthetic' ? 1 : -1; } return 1; - } else if ((a_is_crypto && b_is_derivez) || (a_is_fiat && b_is_derivez) || (a_is_derivez && b_is_mt)) { - return -1; } else if ((a_is_crypto && b_is_crypto) || (a_is_fiat && b_is_fiat)) { return a.currency < b.currency ? -1 : 1; } else if ((a_is_crypto && b_is_mt) || (a_is_fiat && b_is_crypto) || (a_is_fiat && b_is_mt)) { @@ -385,19 +351,15 @@ export default class AccountTransferStore { const cfd_platforms = { mt5: { name: 'Deriv MT5', icon: 'IcMt5' }, dxtrade: { name: 'Deriv X', icon: 'IcDxtrade' }, - derivez: { name: 'Deriv EZ', icon: 'IcDerivez' }, }; const is_cfd = Object.keys(cfd_platforms).includes(account.account_type); const cfd_text_display = cfd_platforms[account.account_type]?.name; - const cfd_icon_display = - account.account_type === CFD_PLATFORMS.DERIVEZ - ? `${cfd_platforms[account.account_type]?.icon}` - : `${cfd_platforms[account.account_type]?.icon}-${getCFDAccount({ - market_type: account.market_type, - sub_account_type: account.sub_account_type, - platform: account.account_type, - is_eu: this.root_store.client.is_eu, - })}`; + const cfd_icon_display = `${cfd_platforms[account.account_type]?.icon}-${getCFDAccount({ + market_type: account.market_type, + sub_account_type: account.sub_account_type, + platform: account.account_type, + is_eu: this.root_store.client.is_eu, + })}`; const non_eu_accounts = account.landing_company_short && account.landing_company_short !== 'svg' && @@ -432,7 +394,6 @@ export default class AccountTransferStore { is_crypto: isCryptocurrency(account.currency), is_mt: account.account_type === CFD_PLATFORMS.MT5, is_dxtrade: account.account_type === CFD_PLATFORMS.DXTRADE, - is_derivez: account.account_type === CFD_PLATFORMS.DERIVEZ, ...(is_cfd && { platform_icon: cfd_icon_display, status: account?.status, @@ -513,17 +474,13 @@ export default class AccountTransferStore { } else if ( (selected_from.is_mt && this.selected_to.is_mt) || (selected_from.is_dxtrade && this.selected_to.is_dxtrade) || - (selected_from.is_dxtrade && (this.selected_to.is_mt || this.selected_to.is_derivez)) || - (selected_from.is_mt && (this.selected_to.is_dxtrade || this.selected_to.is_derivez)) || - (selected_from.is_derivez && this.selected_to.is_derivez) || - (selected_from.is_derivez && (this.selected_to.is_dxtrade || this.selected_to.is_mt)) + (selected_from.is_dxtrade && this.selected_to.is_mt) || + (selected_from.is_mt && this.selected_to.is_dxtrade) ) { // not allowed to transfer from MT to MT // not allowed to transfer from Dxtrade to Dxtrade // not allowed to transfer between MT and Dxtrade - const first_non_cfd = this.accounts_list.find( - account => !account.is_mt && !account.is_dxtrade && !account.is_derivez - ); + const first_non_cfd = this.accounts_list.find(account => !account.is_mt && !account.is_dxtrade); this.onChangeTransferTo({ target: { value: first_non_cfd.value } }); } @@ -552,10 +509,8 @@ export default class AccountTransferStore { } requestTransferBetweenAccounts = async ({ amount }) => { - const { client, modules, common } = this.root_store; + const { client, modules } = this.root_store; const { setLoading } = modules.cashier.general_store; - const { is_from_derivgo } = common; - const { is_logged_in, responseMt5LoginList, @@ -583,12 +538,6 @@ export default class AccountTransferStore { amount ); - if (!is_from_derivgo && transfer_between_accounts && Array.isArray(transfer_between_accounts.accounts)) { - transfer_between_accounts.accounts = transfer_between_accounts.accounts.filter( - account => account.account_type !== CFD_PLATFORMS.DERIVEZ - ); - } - if (is_mt_transfer) this.setIsMT5TransferInProgress(false); if (transfer_between_accounts.error) { diff --git a/packages/cashier/src/stores/general-store.js b/packages/cashier/src/stores/general-store.js index 0be0ee2a9c83..a23e101044fa 100644 --- a/packages/cashier/src/stores/general-store.js +++ b/packages/cashier/src/stores/general-store.js @@ -331,7 +331,6 @@ export default class GeneralStore extends BaseStore { async onMountCommon(should_remount) { const { client, common, modules } = this.root_store; - const { is_from_derivgo } = common; const { account_transfer, onramp, payment_agent, payment_agent_transfer, transaction_history } = modules.cashier; @@ -360,7 +359,7 @@ export default class GeneralStore extends BaseStore { } if (!account_transfer.accounts_list.length) { - account_transfer.sortAccountsTransfer(null, is_from_derivgo); + account_transfer.sortAccountsTransfer(); } if (!payment_agent.is_payment_agent_visible && window.location.pathname.endsWith(routes.cashier_pa)) { diff --git a/packages/cashier/src/types/shared/account.types.ts b/packages/cashier/src/types/shared/account.types.ts index 5532bda220ab..0db8e9af6b07 100644 --- a/packages/cashier/src/types/shared/account.types.ts +++ b/packages/cashier/src/types/shared/account.types.ts @@ -8,7 +8,6 @@ export type TAccount = { currency?: string; disabled?: boolean; is_dxtrade?: boolean; - is_derivez?: boolean; is_mt?: boolean; market_type?: string; nativepicker_text: string; diff --git a/packages/components/src/components/icon/derivez/ic-derivez.svg b/packages/components/src/components/icon/derivez/ic-derivez.svg deleted file mode 100644 index 3b596acb30d3..000000000000 --- a/packages/components/src/components/icon/derivez/ic-derivez.svg +++ /dev/null @@ -1 +0,0 @@ - \ No newline at end of file diff --git a/packages/core/src/Constants/cfd-text.js b/packages/core/src/Constants/cfd-text.js index ba455f536b8a..add82c24894d 100644 --- a/packages/core/src/Constants/cfd-text.js +++ b/packages/core/src/Constants/cfd-text.js @@ -13,5 +13,4 @@ export const CFD_TEXT = { financial_fx: () => localize('Financial Labuan'), financial_v: () => localize('Financial Vanuatu'), financial_svg: () => localize('Financial SVG'), - derivez: () => localize('Deriv EZ'), }; diff --git a/packages/shared/brand.config.json b/packages/shared/brand.config.json index c5f9b7e5288d..773ff3543140 100644 --- a/packages/shared/brand.config.json +++ b/packages/shared/brand.config.json @@ -27,10 +27,6 @@ "name": "Deriv X", "icon": "IcBrandDxtrade" }, - "derivez": { - "name": "Deriv EZ", - "icon": "IcDerivez" - }, "smarttrader": { "name": "SmartTrader", "icon": "IcBrandSmarttrader" diff --git a/packages/shared/src/utils/brand/brand.ts b/packages/shared/src/utils/brand/brand.ts index e3f9dd786e95..35c18b62079f 100644 --- a/packages/shared/src/utils/brand/brand.ts +++ b/packages/shared/src/utils/brand/brand.ts @@ -20,7 +20,6 @@ type TPlatforms = { dbot: TPlatform; mt5: TPlatform; dxtrade: TPlatform; - derivez: TPlatform; smarttrader: TPlatform; bbot: TPlatform; go: TPlatform; diff --git a/packages/shared/src/utils/cfd/cfd.ts b/packages/shared/src/utils/cfd/cfd.ts index b8a3f0d071a5..c84a4369729a 100644 --- a/packages/shared/src/utils/cfd/cfd.ts +++ b/packages/shared/src/utils/cfd/cfd.ts @@ -20,7 +20,7 @@ const CFD_text: { [key: string]: string } = { financial_svg: 'Financial SVG', } as const; -type TPlatform = 'dxtrade' | 'mt5' | 'derivez'; +type TPlatform = 'dxtrade' | 'mt5'; type TMarketType = 'financial' | 'synthetic' | 'gaming' | 'all' | undefined; type TShortcode = 'svg' | 'bvi' | 'labuan' | 'vanuatu'; type TGetAccount = { @@ -39,7 +39,7 @@ type TGetCFDAccountKey = TGetAccount & { // sub_account_type financial_stp only happens in "financial" market_type export const getCFDAccountKey = ({ market_type, sub_account_type, platform, shortcode }: TGetCFDAccountKey) => { if (market_type === 'all') { - return platform === CFD_PLATFORMS.DERIVEZ ? 'derivez' : 'dxtrade'; + return 'dxtrade'; } if (market_type === 'gaming' || market_type === 'synthetic') { @@ -152,7 +152,6 @@ export const getCFDAccountDisplay = ({ // TODO condition will be changed when card 74063 is merged if (market_type === 'synthetic' && platform === CFD_PLATFORMS.DXTRADE) return localize('Synthetic'); if (market_type === 'all' && platform === CFD_PLATFORMS.DXTRADE && is_transfer_form) return ''; - if (platform === CFD_PLATFORMS.DERIVEZ) return ''; return cfd_account_display; }; diff --git a/packages/shared/src/utils/platform/platform.ts b/packages/shared/src/utils/platform/platform.ts index 59192e8c8142..99b3009f81b3 100644 --- a/packages/shared/src/utils/platform/platform.ts +++ b/packages/shared/src/utils/platform/platform.ts @@ -25,7 +25,6 @@ export const platform_name = Object.freeze({ export const CFD_PLATFORMS = Object.freeze({ MT5: 'mt5', DXTRADE: 'dxtrade', - DERIVEZ: 'derivez', }); export const isBot = () => From 4ca33f2305f54fb8c7cf1c4b7390ca8df0905f92 Mon Sep 17 00:00:00 2001 From: thisyahlen <104053934+thisyahlen-deriv@users.noreply.github.com> Date: Wed, 14 Dec 2022 10:35:33 +0800 Subject: [PATCH 05/22] thisyahlen/ chore: change options and multiplers descriptions & onboarding (#7089) * chore: change descriptions * chore: add full stop Co-authored-by: Thisyahlen --- .../src/components/CFDs/cfd-demo-accounts.tsx | 12 ++++-------- .../src/components/CFDs/cfd-real-accounts.tsx | 12 ++++-------- .../src/components/onboarding/static-dashboard.tsx | 10 +++++----- .../src/components/options/options-accounts.tsx | 2 +- 4 files changed, 14 insertions(+), 22 deletions(-) diff --git a/packages/appstore/src/components/CFDs/cfd-demo-accounts.tsx b/packages/appstore/src/components/CFDs/cfd-demo-accounts.tsx index 6849414a0029..3d532dd3e7cd 100644 --- a/packages/appstore/src/components/CFDs/cfd-demo-accounts.tsx +++ b/packages/appstore/src/components/CFDs/cfd-demo-accounts.tsx @@ -11,14 +11,12 @@ const CFDDemoAccounts = ({ isDerivedVisible, isFinancialVisible, current_list }: const { is_eu } = client; const account_name = is_eu ? 'CFDs' : 'Financial'; const account_desc = is_eu - ? 'Trade CFDs on forex, stocks, stock indices, synthetic indices, cryptocurrencies, and commodities with leverage.' - : 'Trade CFDs on Deriv MT5 with forex, stocks & indices, commodities, and cryptocurrencies.'; + ? 'Trade CFDs on MT5 with forex, stocks, stock indices, synthetics, cryptocurrencies, and commodities.' + : 'Trade CFDs on MT5 with forex, stocks, stock indices, commodities, and cryptocurrencies.'; const available_demo_accounts: TStaticAccountProps[] = [ { name: 'Derived', - description: localize( - 'Trade CFDs on Deriv MT5 with Derived indices that simulate real-world market movements.' - ), + description: localize('Trade CFDs on MT5 with synthetics, baskets, and derived FX.'), is_visible: isDerivedVisible(CFD_PLATFORMS.MT5), disabled: false, platform: CFD_PLATFORMS.MT5, @@ -35,9 +33,7 @@ const CFDDemoAccounts = ({ isDerivedVisible, isFinancialVisible, current_list }: { name: 'Deriv X', is_visible: isDerivedVisible(CFD_PLATFORMS.DXTRADE), - description: localize( - 'Trade CFDs on Deriv X with Derived indices, forex, stocks & indices, commodities and cryptocurrencies.' - ), + description: localize('Trade CFDs on Deriv X with financial markets and our Derived indices.'), disabled: false, platform: CFD_PLATFORMS.DXTRADE, type: 'all', diff --git a/packages/appstore/src/components/CFDs/cfd-real-accounts.tsx b/packages/appstore/src/components/CFDs/cfd-real-accounts.tsx index 64316a83d69c..8937455729f8 100644 --- a/packages/appstore/src/components/CFDs/cfd-real-accounts.tsx +++ b/packages/appstore/src/components/CFDs/cfd-real-accounts.tsx @@ -38,14 +38,12 @@ const CFDRealAccounts = ({ const history = useHistory(); const account_name = is_eu ? 'CFDs' : 'Financial'; const account_desc = is_eu - ? 'Trade CFDs on forex, stocks, stock indices, synthetic indices, cryptocurrencies, and commodities with leverage.' - : 'Trade CFDs on Deriv MT5 with forex, stocks & indices, commodities, and cryptocurrencies.'; + ? 'Trade CFDs on MT5 with forex, stocks, stock indices, synthetics, cryptocurrencies, and commodities.' + : 'Trade CFDs on MT5 with forex, stocks, stock indices, commodities, and cryptocurrencies.'; const available_real_accounts: TStaticAccountProps[] = [ { name: 'Derived', - description: localize( - 'Trade CFDs on Deriv MT5 with Derived indices that simulate real-world market movements.' - ), + description: localize('Trade CFDs on MT5 with synthetics, baskets, and derived FX.'), is_visible: isDerivedVisible(CFD_PLATFORMS.MT5), disabled: has_cfd_account_error(CFD_PLATFORMS.MT5), platform: CFD_PLATFORMS.MT5, @@ -61,9 +59,7 @@ const CFDRealAccounts = ({ }, { name: 'Deriv X', - description: localize( - 'Trade CFDs on Deriv X with Derived indices, forex, stocks & indices, commodities and cryptocurrencies.' - ), + description: localize('Trade CFDs on Deriv X with financial markets and our Derived indices.'), is_visible: isDerivedVisible(CFD_PLATFORMS.DXTRADE), disabled: has_cfd_account_error(CFD_PLATFORMS.DXTRADE), platform: CFD_PLATFORMS.DXTRADE, diff --git a/packages/appstore/src/components/onboarding/static-dashboard.tsx b/packages/appstore/src/components/onboarding/static-dashboard.tsx index 2c2e72291db2..e0fa1c091d45 100644 --- a/packages/appstore/src/components/onboarding/static-dashboard.tsx +++ b/packages/appstore/src/components/onboarding/static-dashboard.tsx @@ -186,7 +186,7 @@ const StaticDashboard = ({ type='synthetic' platform='mt5' appname={has_account ? 'Derived SVG' : 'Derived'} - description='Trade CFDs on Deriv MT5 with Derived indices that simulate real-world market movements.' + description='Trade CFDs on MT5 with synthetics, baskets, and derived FX.' loginid={loginid} currency={currency} has_account={has_account} @@ -221,7 +221,7 @@ const StaticDashboard = ({ type='financial' platform='mt5' appname={'CFDs'} - description='Trade CFDs on forex, stocks, stock indices, synthetics, cryptocurrencies, and commodities with leverage.' + description='Trade CFDs on MT5 with forex, stocks, stock indices, synthetics, cryptocurrencies, and commodities.' loginid={loginid} currency={is_eu_user ? mf_currency : currency} has_account={has_account} @@ -239,7 +239,7 @@ const StaticDashboard = ({ type='financial' platform='mt5' appname={has_account ? 'Financial BVI' : 'Financial'} - description='Trade CFDs on Deriv MT5 with forex, stocks & indices, commodities, and cryptocurrencies.' + description='Trade CFDs on MT5 with forex, stocks, stock indices, commodities, and cryptocurrencies.' financial_amount={financial_amount} derived_amount={derived_amount} loginid={loginid} @@ -277,7 +277,7 @@ const StaticDashboard = ({ type='all' platform='dxtrade' appname='Deriv X' - description='Trade CFDs on Deriv X with Derived indices, forex, stocks & indices, commodities and cryptocurrencies.' + description='Trade CFDs on Deriv X with financial markets and our Derived indices.' loginid={loginid} currency={currency} has_account={has_account} @@ -352,7 +352,7 @@ const StaticDashboard = ({ /> ) : ( , , From f35c4399e0467ce752d59f26db273c490d04f834 Mon Sep 17 00:00:00 2001 From: aizad-deriv <103104395+aizad-deriv@users.noreply.github.com> Date: Wed, 14 Dec 2022 10:36:09 +0800 Subject: [PATCH 06/22] chore: restructure account.tsx file and stylings (#7125) --- .../src/components/account/account.scss | 48 ++++--- .../src/components/account/account.tsx | 117 +++++++++--------- .../components/options/options-accounts.scss | 1 - 3 files changed, 93 insertions(+), 73 deletions(-) diff --git a/packages/appstore/src/components/account/account.scss b/packages/appstore/src/components/account/account.scss index 1025bce90e69..df1fcea08331 100644 --- a/packages/appstore/src/components/account/account.scss +++ b/packages/appstore/src/components/account/account.scss @@ -3,6 +3,7 @@ flex-direction: row; align-items: center; padding: 0.4rem 2rem; + grid-template-columns: auto 1fr; position: relative; border-radius: 0.6rem 0.6rem 0 0; flex-shrink: 0; @@ -11,11 +12,16 @@ &-active { background: var(--general-section-5); } + &-modal { + width: 100%; + padding: 0.4rem 1rem; + } @include mobile { - gap: 0.4rem; + gap: 0.6rem; border-radius: 0.4rem 0.4rem 0 0; padding: 0.8rem 1.6rem; + grid-template-columns: 1fr auto 0.5fr; } &__dropdown { @include mobile { @@ -32,20 +38,38 @@ } } &__details-wrapper { - display: flex; - flex-direction: column; - align-items: flex-start; - padding: 0; + display: grid; width: 100%; - @include mobile { - width: 100%; - } - &--number { - color: var(--text-less-prominent); + grid-template-areas: + 'txt btn btn' + 'txt btn btn' + 'bal bal bal'; + grid-template-rows: repeat(2, 1fr) auto; + grid-template-columns: repeat(2, auto) 1fr; + gap: 0.5rem; + &--text { + grid-area: txt; + display: flex; + flex-direction: column; + align-items: flex-start; + &-id { + color: var(--text-less-prominent); + } } &--balance { + grid-area: bal; color: var(--text-general); } + &--btn { + grid-area: btn; + justify-self: end; + align-self: center; + font-size: 1.2rem; + border-radius: 0.4rem; + @include mobile { + justify-self: center; + } + } } &__button-wrapper { font-size: 1.2rem; @@ -59,9 +83,5 @@ @include mobile { padding: 0 3.1rem; } - &-modal { - width: 100%; - padding: 0.4rem 1rem; - } } } diff --git a/packages/appstore/src/components/account/account.tsx b/packages/appstore/src/components/account/account.tsx index f0e7a81f303a..0d73a20cfc13 100644 --- a/packages/appstore/src/components/account/account.tsx +++ b/packages/appstore/src/components/account/account.tsx @@ -220,43 +220,44 @@ const OptionsAccount = ({ />
- - {display_type === 'currency' ? ( - - ) : ( - - )} - - {!is_modal && ( +
- {loginid_text} + {display_type === 'currency' ? ( + + ) : ( + + )} - )} + {!is_modal && ( + + {loginid_text} + + )} +
)} -
- {!is_modal && ( -
- {is_virtual && has_reset_balance ? ( - - ) : ( - !is_virtual && - has_balance && ( - - ) - )} -
- )} + ) : ( + !is_virtual && + has_balance && ( + + ) + )} +
+ )} +
{!is_modal && isMobile() && !is_virtual && (
diff --git a/packages/appstore/src/components/options/options-accounts.scss b/packages/appstore/src/components/options/options-accounts.scss index b4fe9120ebed..99951760c766 100644 --- a/packages/appstore/src/components/options/options-accounts.scss +++ b/packages/appstore/src/components/options/options-accounts.scss @@ -21,7 +21,6 @@ position: relative; } .account-container { - width: 20%; min-width: 26rem; @include mobile { width: 80%; From d86d7c01c5223be3c59815d312f9a779b6c237f3 Mon Sep 17 00:00:00 2001 From: thisyahlen <104053934+thisyahlen-deriv@users.noreply.github.com> Date: Wed, 14 Dec 2022 11:35:36 +0800 Subject: [PATCH 07/22] thisyahlen/fix: change text and add beta tag in menu drawer (#7073) * fix: change text and add beta tag * fix: change text and add beta tag Co-authored-by: Thisyahlen --- .../Layout/Header/toggle-menu-drawer.jsx | 97 +++++++++++-------- .../src/sass/app/_common/layout/header.scss | 31 ++++-- 2 files changed, 76 insertions(+), 52 deletions(-) diff --git a/packages/core/src/App/Components/Layout/Header/toggle-menu-drawer.jsx b/packages/core/src/App/Components/Layout/Header/toggle-menu-drawer.jsx index f43aef9db770..27c2cad3ab00 100644 --- a/packages/core/src/App/Components/Layout/Header/toggle-menu-drawer.jsx +++ b/packages/core/src/App/Components/Layout/Header/toggle-menu-drawer.jsx @@ -375,25 +375,29 @@ const ToggleMenuDrawer = React.forwardRef( })} > ) : ( @@ -411,29 +415,31 @@ const ToggleMenuDrawer = React.forwardRef( id='mobile_platform_switcher' /> {is_logged_in && !is_trading_hub_category && ( - + )} @@ -442,7 +448,7 @@ const ToggleMenuDrawer = React.forwardRef( @@ -593,15 +599,22 @@ const ToggleMenuDrawer = React.forwardRef( large onClick={tradingHubRedirect} > - - {localize("Trader's hub beta")} - - +
+ + {localize("Explore Trader's hub")} + + + +
diff --git a/packages/core/src/sass/app/_common/layout/header.scss b/packages/core/src/sass/app/_common/layout/header.scss index c19878a046ec..017198b0b6a7 100644 --- a/packages/core/src/sass/app/_common/layout/header.scss +++ b/packages/core/src/sass/app/_common/layout/header.scss @@ -201,21 +201,20 @@ } &__menu--trading-hub { - padding: 0 2rem 2.5rem; + padding: 1.5rem; } - &__menu--explore-trading-hub { + &__menu--trading-hub-container { display: flex; - padding: 1rem; - margin: 0 auto; + justify-content: space-between; + align-items: center; + } + + &__menu--explore-trading-hub { border-radius: 1rem; width: 25.5rem; &--dark { - display: flex; - padding: 1rem; - margin: 0 auto; - border-radius: 1rem; background-color: var(--general-main-1); } .dc-btn__text { @@ -225,8 +224,20 @@ } } - &__menu--trading-hub-text { - align-items: flex-start; + &__menu--exit-trading-hub { + border-radius: 1rem; + width: 90%; + &--dark { + background-color: var(--general-main-1); + } + } + + &__menu--trading-hub-beta-icon { + margin: 0 4rem 0 1rem; + } + + &__menu--exit-trading-hub-beta-icon { + margin: 0 7rem 0 1rem; } &__menu--back-to-ui-text { From 7622871d63a183b73599a19790d54d93a0a07914 Mon Sep 17 00:00:00 2001 From: amina-deriv <84661147+amina-deriv@users.noreply.github.com> Date: Wed, 14 Dec 2022 09:50:19 +0400 Subject: [PATCH 08/22] fix: invalid array_length_console_error (#7126) --- packages/cfd/src/Components/cfd-account-card.tsx | 2 +- packages/cfd/src/sass/cfd-dashboard.scss | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/packages/cfd/src/Components/cfd-account-card.tsx b/packages/cfd/src/Components/cfd-account-card.tsx index 08d74fac61be..5e85daba4c1c 100644 --- a/packages/cfd/src/Components/cfd-account-card.tsx +++ b/packages/cfd/src/Components/cfd-account-card.tsx @@ -199,7 +199,6 @@ const CFDAccountCardComponent = ({ setShouldShowCooldownModal, }: TCFDAccountCard) => { const existing_data = existing_accounts_data?.length ? existing_accounts_data?.[0] : existing_accounts_data; - const all_svg_acc: DetailsOfEachMT5Loginid[] = []; const should_show_extra_add_account_button = is_logged_in && @@ -240,6 +239,7 @@ const CFDAccountCardComponent = ({ }; const checkMultipleSvgAcc = () => { + const all_svg_acc: DetailsOfEachMT5Loginid[] = []; existing_accounts_data?.map(acc => { if (acc.landing_company_short === 'svg') { if (all_svg_acc.length) { diff --git a/packages/cfd/src/sass/cfd-dashboard.scss b/packages/cfd/src/sass/cfd-dashboard.scss index 9c0c1d65a5e8..2431f273a6ec 100644 --- a/packages/cfd/src/sass/cfd-dashboard.scss +++ b/packages/cfd/src/sass/cfd-dashboard.scss @@ -671,6 +671,7 @@ border-radius: 1rem; background-color: #2a3052; padding: 0.2rem 0.8rem; + margin-left: 0.8rem; } &--value { @include typeface(--title-left-bold-black); From 29a5b646694b5329960f89dbcf5b775a4ff86aba Mon Sep 17 00:00:00 2001 From: Bahar Date: Wed, 14 Dec 2022 13:53:53 +0800 Subject: [PATCH 09/22] bahar/81197/pa-infobox (#6972) * feat: pa infobox * fix: scroll issue * fix: remove : * fix: mobile issue --- .../src/containers/cashier/cashier.scss | 3 ++- .../missing-payment-method-note/index.ts | 3 +++ .../missing-payment-method-note.scss | 12 ++++++++++++ .../missing-payment-method-note.tsx | 19 +++++++++++++++++++ .../payment-agent-card.scss | 5 +++++ .../payment-agent-container.jsx | 6 +++++- .../payment-agent-container.scss | 7 +++++++ .../payment-agent-disclaimer.jsx | 4 ++-- .../payment-agent-list/payment-agent-list.tsx | 4 ++++ .../components/src/components/icon/icons.js | 1 + packages/components/stories/icon/icons.js | 3 +++ 11 files changed, 63 insertions(+), 4 deletions(-) create mode 100644 packages/cashier/src/pages/payment-agent/missing-payment-method-note/index.ts create mode 100644 packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.scss create mode 100644 packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.tsx create mode 100644 packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.scss diff --git a/packages/cashier/src/containers/cashier/cashier.scss b/packages/cashier/src/containers/cashier/cashier.scss index 662b4ba9f5b6..ad4708462eea 100644 --- a/packages/cashier/src/containers/cashier/cashier.scss +++ b/packages/cashier/src/containers/cashier/cashier.scss @@ -328,9 +328,10 @@ } } - .dc-vertical-tab__content-side-note-item { + .dc-vertical-tab__content-side-note { position: sticky; top: calc(2.4rem + 4.1rem); + height: fit-content; } } diff --git a/packages/cashier/src/pages/payment-agent/missing-payment-method-note/index.ts b/packages/cashier/src/pages/payment-agent/missing-payment-method-note/index.ts new file mode 100644 index 000000000000..2c0fad2b3620 --- /dev/null +++ b/packages/cashier/src/pages/payment-agent/missing-payment-method-note/index.ts @@ -0,0 +1,3 @@ +import MissingPaymentMethodNote from './missing-payment-method-note'; + +export default MissingPaymentMethodNote; diff --git a/packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.scss b/packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.scss new file mode 100644 index 000000000000..daebb3302b4d --- /dev/null +++ b/packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.scss @@ -0,0 +1,12 @@ +.missing-payment-method-note { + &__title { + margin-bottom: 0.8rem; + } + @include mobile { + background-color: var(--general-section-1); + border-radius: $BORDER_RADIUS * 2; + padding: 1.6rem 2.4rem; + color: var(--text-general); + line-height: 1.5; + } +} diff --git a/packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.tsx b/packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.tsx new file mode 100644 index 000000000000..24c230dd9def --- /dev/null +++ b/packages/cashier/src/pages/payment-agent/missing-payment-method-note/missing-payment-method-note.tsx @@ -0,0 +1,19 @@ +import React from 'react'; +import { Text } from '@deriv/components'; +import { Localize } from '@deriv/translations'; +import './missing-payment-method-note.scss'; + +const MissingPaymentMethodNote = () => { + return ( +
+ + + + + + +
+ ); +}; + +export default MissingPaymentMethodNote; diff --git a/packages/cashier/src/pages/payment-agent/payment-agent-card/payment-agent-card.scss b/packages/cashier/src/pages/payment-agent/payment-agent-card/payment-agent-card.scss index ed2c0b69d1dc..46004d6303d9 100644 --- a/packages/cashier/src/pages/payment-agent/payment-agent-card/payment-agent-card.scss +++ b/packages/cashier/src/pages/payment-agent/payment-agent-card/payment-agent-card.scss @@ -5,6 +5,11 @@ box-shadow: 0 0 20px rgba(0, 0, 0, 0.05), 0 16px 20px rgba(0, 0, 0, 0.05); border-radius: $BORDER_RADIUS * 2; margin-bottom: 1.6rem; + + @include mobile { + width: auto; + } + & .dc-expansion-panel__header-container { align-items: flex-start; } diff --git a/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.jsx b/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.jsx index 803cafd8d50a..df403281cdf6 100644 --- a/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.jsx +++ b/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.jsx @@ -5,12 +5,14 @@ import { DesktopWrapper, Dropdown, Icon, Loading, MobileWrapper, SelectNative, T import { localize, Localize } from '@deriv/translations'; import SideNote from 'Components/side-note'; import { connect } from 'Stores/connect'; +import MissingPaymentMethodNote from '../missing-payment-method-note'; import PaymentAgentCard from '../payment-agent-card'; import PaymentAgentDisclaimer from '../payment-agent-disclaimer'; import PaymentAgentReceipt from '../payment-agent-receipt'; import PaymentAgentSearchBox from '../payment-agent-search-box'; import PaymentAgentUnlistedWithdrawForm from '../payment-agent-unlisted-withdraw-form'; import PaymentAgentWithdrawConfirm from '../payment-agent-withdraw-confirm'; +import './payment-agent-container.scss'; const PaymentAgentSearchWarning = () => { return ( @@ -25,7 +27,6 @@ const PaymentAgentSearchWarning = () => {
); }; - const PaymentAgentContainer = ({ app_contents_scroll_ref, has_payment_agent_search_warning, @@ -91,6 +92,9 @@ const PaymentAgentContainer = ({ )} + + +
{is_deposit ? ( diff --git a/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.scss b/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.scss new file mode 100644 index 000000000000..a6d2a8383725 --- /dev/null +++ b/packages/cashier/src/pages/payment-agent/payment-agent-container/payment-agent-container.scss @@ -0,0 +1,7 @@ +.payment-agent-list { + &__side-note { + &-second { + margin-top: 1.6rem !important; + } + } +} diff --git a/packages/cashier/src/pages/payment-agent/payment-agent-disclaimer/payment-agent-disclaimer.jsx b/packages/cashier/src/pages/payment-agent/payment-agent-disclaimer/payment-agent-disclaimer.jsx index 68928b4a911a..2a4f68b0be47 100644 --- a/packages/cashier/src/pages/payment-agent/payment-agent-disclaimer/payment-agent-disclaimer.jsx +++ b/packages/cashier/src/pages/payment-agent/payment-agent-disclaimer/payment-agent-disclaimer.jsx @@ -7,10 +7,10 @@ import './payment-agent-disclaimer.scss'; const PaymentAgentDisclaimer = () => { return (
- + - + { , + + + , ]); } else { setSideNotes?.([]); diff --git a/packages/components/src/components/icon/icons.js b/packages/components/src/components/icon/icons.js index 37c6fe57fc47..55beb147ef80 100644 --- a/packages/components/src/components/icon/icons.js +++ b/packages/components/src/components/icon/icons.js @@ -567,6 +567,7 @@ import './currency/ic-currency-usdc.svg'; import './currency/ic-currency-usdk.svg'; import './currency/ic-currency-ust.svg'; import './currency/ic-currency-virtual.svg'; +import './derivez/ic-derivez.svg'; import './dxtrade/ic-dxtrade-deriv-x.svg'; import './dxtrade/ic-dxtrade-derived.svg'; import './dxtrade/ic-dxtrade-derivx-platform.svg'; diff --git a/packages/components/stories/icon/icons.js b/packages/components/stories/icon/icons.js index 78d460ba1866..8a6ce7efa518 100644 --- a/packages/components/stories/icon/icons.js +++ b/packages/components/stories/icon/icons.js @@ -581,6 +581,9 @@ export const icons = 'IcCurrencyUst', 'IcCurrencyVirtual', ], + 'derivez': [ + 'IcDerivez', + ], 'dxtrade': [ 'IcDxtradeDerivX', 'IcDxtradeDerived', From 4b1a0509269821c38f62a54c58d7e953beb87c0e Mon Sep 17 00:00:00 2001 From: yauheni-kryzhyk-deriv <103182683+yauheni-kryzhyk-deriv@users.noreply.github.com> Date: Wed, 14 Dec 2022 09:28:50 +0300 Subject: [PATCH 10/22] Yauheni/74158/unused unverified component delete (#7155) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * refactor: poi unverified unused component delete * empty: trigger build * refactor: unused unverified component delete Co-authored-by: “yauheni-kryzhyk-deriv” <“yauheni@deriv.me”> --- packages/account/build/webpack.config.js | 1 - .../unverified/__tests__/unverified.spec.js | 72 ------------------- .../Components/poi/status/unverified/index.js | 3 - .../poi/status/unverified/unverified.jsx | 31 -------- 4 files changed, 107 deletions(-) delete mode 100644 packages/account/src/Components/poi/status/unverified/__tests__/unverified.spec.js delete mode 100644 packages/account/src/Components/poi/status/unverified/index.js delete mode 100644 packages/account/src/Components/poi/status/unverified/unverified.jsx diff --git a/packages/account/build/webpack.config.js b/packages/account/build/webpack.config.js index 34013034768a..56557a377493 100644 --- a/packages/account/build/webpack.config.js +++ b/packages/account/build/webpack.config.js @@ -42,7 +42,6 @@ module.exports = function (env) { 'poi-expired': 'Components/poi/status/expired', 'poi-missing-personal-details': 'Components/poi/missing-personal-details', 'poi-unsupported': 'Components/poi/status/unsupported', - 'poi-unverified': 'Components/poi/status/unverified', 'poi-upload-complete': 'Components/poi/status/upload-complete', 'poi-verified': 'Components/poi/status/verified', 'proof-of-address-container': 'Sections/Verification/ProofOfAddress/proof-of-address-container.jsx', diff --git a/packages/account/src/Components/poi/status/unverified/__tests__/unverified.spec.js b/packages/account/src/Components/poi/status/unverified/__tests__/unverified.spec.js deleted file mode 100644 index 45d9ca64bd45..000000000000 --- a/packages/account/src/Components/poi/status/unverified/__tests__/unverified.spec.js +++ /dev/null @@ -1,72 +0,0 @@ -import React from 'react'; -import { render, screen, fireEvent } from '@testing-library/react'; -import { PlatformContext } from '@deriv/shared'; -import { Unverified } from '../unverified.jsx'; - -jest.mock('@deriv/components', () => { - const original_module = jest.requireActual('@deriv/components'); - return { - ...original_module, - Icon: jest.fn(() =>
), - }; -}); - -describe('Unverified', () => { - const renderWithRouter = component => - render({component}); - it('should render unverified component', () => { - renderWithRouter(); - - expect(screen.getByText(/We could not verify your proof of identity/i)).toBeInTheDocument(); - expect(screen.getByTestId(/dt_mocked_icon/)).toBeInTheDocument(); - }); - - it('should show description message', () => { - renderWithRouter(); - - expect( - screen.getByText( - /As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our Help Center/i - ) - ).toBeInTheDocument(); - expect(screen.getByTestId(/dt_mocked_icon/)).toBeInTheDocument(); - }); - - it('should not show description message', () => { - renderWithRouter(); - - expect( - screen.queryByText( - /As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our Help Center/i - ) - ).not.toBeInTheDocument(); - expect(screen.getByTestId(/dt_mocked_icon/)).toBeInTheDocument(); - }); - - it('should render Icon component when is_appstore is false', () => { - render( - - - - ); - - expect(screen.getByText(/We could not verify your proof of identity/i)).toBeInTheDocument(); - expect(screen.getByTestId(/dt_mocked_icon/)).toBeInTheDocument(); - }); - - it('should bring user to the Help Center', () => { - renderWithRouter(); - - expect( - screen.queryByText( - /As a precaution, we have disabled trading, deposits and withdrawals for this account. If you have any questions, please go to our Help Center/i - ) - ).toBeInTheDocument(); - expect(screen.getByTestId(/dt_mocked_icon/)).toBeInTheDocument(); - fireEvent.click(screen.getByText(/Help Center/)); - expect(screen.getByRole('link', { name: 'Help Centre' }).closest('a')).toHaveAttribute( - 'href', - 'https://deriv.com/help-centre' - ); - }); -}); diff --git a/packages/account/src/Components/poi/status/unverified/index.js b/packages/account/src/Components/poi/status/unverified/index.js deleted file mode 100644 index 24715ed730fc..000000000000 --- a/packages/account/src/Components/poi/status/unverified/index.js +++ /dev/null @@ -1,3 +0,0 @@ -import { Unverified } from './unverified.jsx'; - -export default Unverified; diff --git a/packages/account/src/Components/poi/status/unverified/unverified.jsx b/packages/account/src/Components/poi/status/unverified/unverified.jsx deleted file mode 100644 index f8180dad9bd5..000000000000 --- a/packages/account/src/Components/poi/status/unverified/unverified.jsx +++ /dev/null @@ -1,31 +0,0 @@ -import { Localize, localize } from '@deriv/translations'; -import React from 'react'; -import { PlatformContext } from '@deriv/shared'; -import { Icon, StaticUrl } from '@deriv/components'; -import IconMessageContent from 'Components/icon-message-content'; - -export const Unverified = ({ is_description_enabled }) => { - const { is_appstore } = React.useContext(PlatformContext); - - return ( - ]} - /> - ) : null - } - icon={ - is_appstore ? ( - - ) : ( - - ) - } - className={is_appstore && 'account-management-dashboard'} - /> - ); -}; From 9d925eedd7431b3a322725fb55c9e81b803ae042 Mon Sep 17 00:00:00 2001 From: ameerul-deriv <103412909+ameerul-deriv@users.noreply.github.com> Date: Wed, 14 Dec 2022 14:29:33 +0800 Subject: [PATCH 11/22] Ameerul /Bug 64530 Scrolling issue for android--create ad screen (#7045) * chore: footer no longer fixed * chore: fixed desktop view * fix: the alignment issue in responsive for edit ad, and fixed payment card padding --- .../buy-sell/buy-sell-form-receive-amount.jsx | 4 +- .../components/buy-sell/buy-sell-modal.jsx | 51 +- .../components/buy-sell/buy-sell-modal.scss | 24 +- .../src/components/my-ads/create-ad-form.jsx | 433 ++++++++--------- .../src/components/my-ads/edit-ad-form.jsx | 458 +++++++++--------- .../p2p/src/components/my-ads/my-ads.scss | 18 +- .../my-ads/sell-ad-payment-methods-list.scss | 4 + 7 files changed, 512 insertions(+), 480 deletions(-) diff --git a/packages/p2p/src/components/buy-sell/buy-sell-form-receive-amount.jsx b/packages/p2p/src/components/buy-sell/buy-sell-form-receive-amount.jsx index a1460a71e749..8de1f76d8d93 100644 --- a/packages/p2p/src/components/buy-sell/buy-sell-form-receive-amount.jsx +++ b/packages/p2p/src/components/buy-sell/buy-sell-form-receive-amount.jsx @@ -9,7 +9,7 @@ const BuySellFormReceiveAmount = () => { const { buy_sell_store } = useStores(); return ( - +
{buy_sell_store?.is_sell_advert ? ( @@ -23,7 +23,7 @@ const BuySellFormReceiveAmount = () => { buy_sell_store?.advert?.local_currency )} - +
); }; diff --git a/packages/p2p/src/components/buy-sell/buy-sell-modal.jsx b/packages/p2p/src/components/buy-sell/buy-sell-modal.jsx index dbf9ac6d9cf3..7731b7d98dbf 100644 --- a/packages/p2p/src/components/buy-sell/buy-sell-modal.jsx +++ b/packages/p2p/src/components/buy-sell/buy-sell-modal.jsx @@ -41,8 +41,15 @@ const LowBalanceMessage = () => ( ); const BuySellModalFooter = ({ onCancel, is_submit_disabled, onSubmit }) => { + const { my_profile_store } = useStores(); return ( - +
- +
); }; @@ -107,13 +114,7 @@ const BuySellModal = ({ table_type, selected_ad, should_show_popup, setShouldSho const submitForm = React.useRef(() => {}); const [error_message, setErrorMessage] = useSafeState(null); const [is_submit_disabled, setIsSubmitDisabled] = useSafeState(true); - const [page_footer_parent, setPageFooterParent] = useSafeState( - - ); + const [is_account_balance_low, setIsAccountBalanceLow] = React.useState(false); const [show_market_rate_change_error_modal, setShowMarketRateChangeErrorModal] = React.useState(false); const [has_rate_changed_recently, setHasRateChangedRecently] = React.useState(false); @@ -247,24 +248,9 @@ const BuySellModal = ({ table_type, selected_ad, should_show_popup, setShouldSho page_header_className='buy-sell__modal-header' page_header_text={generateModalTitle(formik_ref, my_profile_store, table_type, selected_ad)} pageHeaderReturnFn={onCancel} - page_footer_parent={my_profile_store.should_show_add_payment_method_form ? '' : page_footer_parent} - renderPageFooterChildren={() => - !my_profile_store.should_show_add_payment_method_form && ( - - ) - } - page_footer_className={ - my_profile_store.should_show_add_payment_method_form - ? 'add-payment-method__footer' - : 'buy-sell__modal-footer' - } > {table_type === buy_sell.SELL && is_account_balance_low && } - + {!!error_message && } {my_profile_store.should_show_add_payment_method_form ? ( ) : ( @@ -275,9 +261,22 @@ const BuySellModal = ({ table_type, selected_ad, should_show_popup, setShouldSho setIsSubmitDisabled={setIsSubmitDisabled} setErrorMessage={setErrorMessage} setSubmitForm={setSubmitForm} - setPageFooterParent={setPageFooterParent} /> )} + {!my_profile_store.should_show_add_payment_method_form && ( + + + + + )} diff --git a/packages/p2p/src/components/buy-sell/buy-sell-modal.scss b/packages/p2p/src/components/buy-sell/buy-sell-modal.scss index fa2f8bd680d9..620bd808cdba 100644 --- a/packages/p2p/src/components/buy-sell/buy-sell-modal.scss +++ b/packages/p2p/src/components/buy-sell/buy-sell-modal.scss @@ -63,11 +63,22 @@ } } + &-footer { + @include mobile { + border-top: 2px solid var(--general-section-1); + display: flex; + flex-direction: row; + justify-content: flex-end; + margin-top: auto; + padding: 1.6rem; + } + } + &--input { display: flex; gap: 2rem; flex-direction: column; - padding: 0 2.4rem 1.4rem; + padding: 0 2.4rem 2rem; .dc-input__wrapper { margin-bottom: unset; } @@ -128,6 +139,14 @@ } } + &-receive-amount { + @include mobile { + border-top: 1px solid var(--general-section-2); + padding: 0.8rem 1.6rem; + background-color: var(--general-main-1); + } + } + &--sell-payment-methods { display: flex; flex-wrap: wrap; @@ -189,3 +208,6 @@ border-top: 2px solid var(--general-section-5); } } +.dc-mobile-full-page-modal form { + height: fit-content; +} diff --git a/packages/p2p/src/components/my-ads/create-ad-form.jsx b/packages/p2p/src/components/my-ads/create-ad-form.jsx index cd5207b6c213..ca62baa2051e 100644 --- a/packages/p2p/src/components/my-ads/create-ad-form.jsx +++ b/packages/p2p/src/components/my-ads/create-ad-form.jsx @@ -1,5 +1,4 @@ import * as React from 'react'; -import classNames from 'classnames'; import { Formik, Field, Form } from 'formik'; import { Button, @@ -11,7 +10,7 @@ import { Text, ThemedScrollbars, } from '@deriv/components'; -import { formatMoney, isDesktop, isMobile, mobileOSDetect } from '@deriv/shared'; +import { formatMoney, isDesktop, isMobile } from '@deriv/shared'; import { reaction } from 'mobx'; import { observer } from 'mobx-react-lite'; import FloatingRate from 'Components/floating-rate'; @@ -33,7 +32,6 @@ const CreateAdFormWrapper = ({ children }) => { const CreateAdForm = () => { const { floating_rate_store, general_store, my_ads_store, my_profile_store } = useStores(); - const os = mobileOSDetect(); const { currency, local_currency_config } = general_store.client; const should_not_show_auto_archive_message_again = React.useRef(false); @@ -128,131 +126,184 @@ const CreateAdForm = () => { return (
-
+ - - {({ field }) => ( - onChangeAdTypeHandler(event.target.value)} - selected={values.type} - required - > - - - - )} - -
- -
-
- +
+ {({ field }) => ( - - {currency} - - } - onChange={e => { - my_ads_store.restrictLength(e, handleChange); - }} - hint={ - // Using two "==" is intentional as we're checking for nullish - // rather than falsy values. - !is_sell_advert || - general_store.advertiser_info.balance_available == null - ? undefined - : localize( - 'Your Deriv P2P balance is {{ dp2p_balance }}', - { - dp2p_balance: `${formatMoney( - currency, - general_store.advertiser_info - .balance_available, - true - )} ${currency}`, - } - ) - } - is_relative_hint + className='p2p-my-ads__form-radio-group' + name='type' + onToggle={event => onChangeAdTypeHandler(event.target.value)} + selected={values.type} required - /> + > + + + )} - - {({ field }) => - floating_rate_store.rate_type === ad_type.FLOAT ? ( - + +
+
+ + {({ field }) => ( + + {currency} + + } + onChange={e => { + my_ads_store.restrictLength(e, handleChange); }} + hint={ + // Using two "==" is intentional as we're checking for nullish + // rather than falsy values. + !is_sell_advert || + general_store.advertiser_info.balance_available == null + ? undefined + : localize( + 'Your Deriv P2P balance is {{ dp2p_balance }}', + { + dp2p_balance: `${formatMoney( + currency, + general_store.advertiser_info + .balance_available, + true + )} ${currency}`, + } + ) + } + is_relative_hint required - change_handler={e => { - my_ads_store.restrictDecimalPlace(e, handleChange); - }} + /> + )} + + + {({ field }) => + floating_rate_store.rate_type === ad_type.FLOAT ? ( + { + my_ads_store.restrictDecimalPlace(e, handleChange); + }} + {...field} + /> + ) : ( + + {local_currency_config.currency} + + } + onChange={e => { + my_ads_store.restrictLength(e, handleChange); + }} + required + /> + ) + } + +
+
+ + {({ field }) => ( + + {currency} + + } + onChange={e => { + my_ads_store.restrictLength(e, handleChange); + }} + required /> - ) : ( + )} + + + {({ field }) => ( { line_height='m' size={isDesktop() ? 'xxs' : 's'} > - {local_currency_config.currency} + {currency} } onChange={e => { @@ -268,130 +319,76 @@ const CreateAdForm = () => { }} required /> - ) - } - -
-
- - {({ field }) => ( - - {currency} - - } - onChange={e => { - my_ads_store.restrictLength(e, handleChange); - }} - required - /> - )} - - - {({ field }) => ( - - {currency} - - } - onChange={e => { - my_ads_store.restrictLength(e, handleChange); - }} - required - /> - )} - -
- {is_sell_advert && ( - + )} + +
+ {is_sell_advert && ( + + {({ field }) => ( + + + + } + error={touched.contact_info && errors.contact_info} + className='p2p-my-ads__form-field p2p-my-ads__form-field--textarea' + initial_character_count={general_store.contact_info.length} + required + has_character_counter + max_characters={300} + /> + )} + + )} + {({ field }) => ( - + } - error={touched.contact_info && errors.contact_info} + hint={localize('This information will be visible to everyone.')} className='p2p-my-ads__form-field p2p-my-ads__form-field--textarea' - initial_character_count={general_store.contact_info.length} - required + initial_character_count={ + general_store.default_advert_description.length + } has_character_counter max_characters={300} + required /> )} - )} - - {({ field }) => ( - - - - } - hint={localize('This information will be visible to everyone.')} - className='p2p-my-ads__form-field p2p-my-ads__form-field--textarea' - initial_character_count={ - general_store.default_advert_description.length - } - has_character_counter - max_characters={300} - required - /> - )} - -
- - - - - {is_sell_advert ? ( - - ) : ( - - )} - +
+ + + + + {is_sell_advert ? ( + + ) : ( + + )} + +
+
-
diff --git a/packages/p2p/src/components/my-ads/edit-ad-form.jsx b/packages/p2p/src/components/my-ads/edit-ad-form.jsx index 8f3b18a91cd6..c63d4be7848c 100644 --- a/packages/p2p/src/components/my-ads/edit-ad-form.jsx +++ b/packages/p2p/src/components/my-ads/edit-ad-form.jsx @@ -118,7 +118,9 @@ const EditAdForm = () => { !!Object.values({ ...payment_method_names }).length; setIsPaymentMethodTouched(is_payment_method_available); } - return () => my_ads_store.setApiErrorCode(null); + return () => { + my_ads_store.setApiErrorCode(null); + }; // eslint-disable-next-line react-hooks/exhaustive-deps }, []); @@ -457,7 +459,8 @@ const EditAdForm = () => { !isValid || !check_dirty || selected_methods.length === 0 || - !(!!payment_method_names || !!payment_method_details) + !(!!payment_method_names || !!payment_method_details) || + my_ads_store.current_method.is_deleted } > diff --git a/packages/p2p/src/stores/my-ads-store.js b/packages/p2p/src/stores/my-ads-store.js index 9d09de4d1eb2..8e88dc497788 100644 --- a/packages/p2p/src/stores/my-ads-store.js +++ b/packages/p2p/src/stores/my-ads-store.js @@ -18,6 +18,7 @@ export default class MyAdsStore extends BaseStore { api_error_message = ''; api_table_error_message = ''; available_balance = null; + current_method = { key: null, is_deleted: false }; delete_error_message = ''; edit_ad_form_error = ''; error_message = ''; @@ -62,6 +63,7 @@ export default class MyAdsStore extends BaseStore { api_error_message: observable, api_table_error_message: observable, available_balance: observable, + current_method: observable, delete_error_message: observable, edit_ad_form_error: observable, error_message: observable, @@ -116,6 +118,7 @@ export default class MyAdsStore extends BaseStore { setApiTableErrorMessage: action.bound, setAvailableBalance: action.bound, setApiErrorCode: action.bound, + setCurrentMethod: action.bound, setDeleteErrorMessage: action.bound, setEditAdFormError: action.bound, setErrorMessage: action.bound, @@ -516,6 +519,10 @@ export default class MyAdsStore extends BaseStore { this.error_code = error_code; } + setCurrentMethod(current_method) { + this.current_method = current_method; + } + setDeleteErrorMessage(delete_error_message) { this.delete_error_message = delete_error_message; } From 96aca506141ec79cb71269c7b1943cae2f3dee56 Mon Sep 17 00:00:00 2001 From: Hamid Date: Fri, 16 Dec 2022 09:03:43 +0330 Subject: [PATCH 21/22] hamid/75900/hide-sidenote-when-switch-account (#6441) * Empty side notes when switching * Resolve PR comments * WIP: update on-ramp.tsx * Prevent page to be called twice * Enhance tests * Remove duplicate setLoading call * Revert loading test * Check sidenote function before execute * Add loading when is_loading is true in cashier container * trigger tests * trigger tests * fix: remove infinite loading of the cashier page --- packages/cashier/src/pages/on-ramp/on-ramp.tsx | 7 ++++++- packages/cashier/src/stores/deposit-store.ts | 1 - 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/packages/cashier/src/pages/on-ramp/on-ramp.tsx b/packages/cashier/src/pages/on-ramp/on-ramp.tsx index 598c3b5696b2..6791da62279b 100644 --- a/packages/cashier/src/pages/on-ramp/on-ramp.tsx +++ b/packages/cashier/src/pages/on-ramp/on-ramp.tsx @@ -87,7 +87,12 @@ const OnRamp = ({ menu_options, setSideNotes }: TOnRampProps) => { setSideNotes([]); } - return () => onUnmountOnramp(); + return () => { + onUnmountOnramp(); + if (typeof setSideNotes === 'function') { + setSideNotes([]); + } + }; // eslint-disable-next-line react-hooks/exhaustive-deps }, [onMountOnramp, onUnmountOnramp, is_cashier_onboarding, is_switching, is_loading, cashier_route_tab_index]); diff --git a/packages/cashier/src/stores/deposit-store.ts b/packages/cashier/src/stores/deposit-store.ts index cedb70d151af..e8de170d8d2f 100644 --- a/packages/cashier/src/stores/deposit-store.ts +++ b/packages/cashier/src/stores/deposit-store.ts @@ -40,7 +40,6 @@ export default class DepositStore { this.error.setErrorMessage({ code: '', message: '' }, null, false); setContainerHeight(0); - setLoading(true); if (!is_session_timeout) { checkIframeLoaded(); From a60ddf20ba722aae726c2b510e0bd35404f55860 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Fri, 16 Dec 2022 14:01:26 +0800 Subject: [PATCH 22/22] =?UTF-8?q?translations:=20=F0=9F=93=9A=20sync=20tra?= =?UTF-8?q?nslations=20with=20crowdin=20(#7179)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Co-authored-by: DerivFE <80095553+DerivFE@users.noreply.github.com> --- packages/p2p/src/translations/es.json | 24 ++--- packages/p2p/src/translations/fr.json | 20 ++-- packages/p2p/src/translations/id.json | 20 ++-- packages/p2p/src/translations/it.json | 20 ++-- packages/p2p/src/translations/pl.json | 20 ++-- packages/p2p/src/translations/pt.json | 20 ++-- packages/p2p/src/translations/ru.json | 20 ++-- packages/p2p/src/translations/th.json | 102 +++++++++--------- packages/p2p/src/translations/tr.json | 20 ++-- packages/p2p/src/translations/vi.json | 20 ++-- packages/p2p/src/translations/zh_cn.json | 20 ++-- packages/p2p/src/translations/zh_tw.json | 20 ++-- packages/translations/crowdin/messages.json | 2 +- .../translations/src/translations/ach.json | 15 +-- .../translations/src/translations/ar.json | 15 +-- .../translations/src/translations/es.json | 33 +++--- .../translations/src/translations/fr.json | 31 ++---- .../translations/src/translations/id.json | 31 ++---- .../translations/src/translations/it.json | 99 ++++++++--------- .../translations/src/translations/ko.json | 31 ++---- .../translations/src/translations/pl.json | 31 ++---- .../translations/src/translations/pt.json | 29 ++--- .../translations/src/translations/ru.json | 31 ++---- .../translations/src/translations/th.json | 41 +++---- .../translations/src/translations/tr.json | 15 +-- .../translations/src/translations/vi.json | 15 +-- .../translations/src/translations/zh_cn.json | 31 ++---- .../translations/src/translations/zh_tw.json | 31 ++---- 28 files changed, 336 insertions(+), 471 deletions(-) diff --git a/packages/p2p/src/translations/es.json b/packages/p2p/src/translations/es.json index e36a56c65cd1..77df8726aa30 100644 --- a/packages/p2p/src/translations/es.json +++ b/packages/p2p/src/translations/es.json @@ -7,7 +7,7 @@ "50672601": "Comprado", "51881712": "Ya tiene un anuncio con el mismo tipo de cambio para este par de divisas y tipo de pedido.

Por favor, establezca un tipo de cambio diferente para su anuncio.", "55916349": "Todo", - "68867477": "ID del pedido {{ id }}", + "68867477": "ID de la orden {{ id }}", "121738739": "Enviar", "122280248": "Tiempo promedio de lanzamiento <0>30d", "134205943": "Sus anuncios con tasas fijas han sido desactivados. Establezca las tasas flotantes para reactivarlos.", @@ -47,7 +47,7 @@ "531912261": "Nombre del banco, número de cuenta, nombre del beneficiario", "554135844": "Editar", "560402954": "Valoración de usuarios", - "565060416": "Exchange rate", + "565060416": "Tasa de cambio", "580715136": "¡Por favor regístrese con nosotros!", "587882987": "Anunciantes", "611376642": "Limpiar", @@ -58,7 +58,7 @@ "662578726": "Disponible", "671582270": "La cantidad máx disponible es {{value}}", "683273691": "Tasa (1 {{ account_currency }})", - "707324095": "Visto hace {{ duration }} minuto{{ plural }}", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "He recibido más de la cantidad acordada.", "733311523": "Las transacciones P2P están bloqueadas. Esta característica no está disponible para agentes de pago.", "767789372": "Esperar el pago", @@ -110,7 +110,7 @@ "1303016265": "Sí", "1313218101": "Valore esta transacción", "1314266187": "Se unió hoy", - "1326475003": "Activate", + "1326475003": "Activar", "1328352136": "Vender {{ account_currency }}", "1337027601": "Ha vendido {{offered_amount}} {{offered_currency}}", "1347322213": "¿Cómo valoraría esta transacción?", @@ -137,7 +137,7 @@ "1620858613": "Está editando un anuncio para vender <0>{{ target_amount }} {{ target_currency }} por <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "No pude realizar el pago completo.", "1654365787": "Desconocido", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "El anunciante ha cambiado la tarifa antes de que confirmase la orden.", "1671725772": "Si decide cancelar, los datos que haya introducido se perderán.", "1675716253": "Límite mín.", "1678804253": "Comprar {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "He realizado el pago completo, pero el vendedor no ha liberado los fondos.", "1794474847": "He recibido el pago", "1798116519": "Cantidad disponible", - "1809099720": "Expand all", + "1809099720": "Expandir todo", "1842172737": "Ha recibido {{offered_amount}} {{offered_currency}}", "1848044659": "No tiene anuncios.", "1859308030": "Dar su opinión", @@ -292,7 +292,7 @@ "-1600783504": "Establezca una tasa flotante para su anuncio.", "-372210670": "Tasa (1 {{account_currency}})", "-1400835517": "{{ad_type}}{{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Desactivar", "-1667041441": "Tasa (1 {{ offered_currency }})", "-1886565882": "Sus anuncios con tasas flotantes han sido desactivados. Establezca las tasas fijas para reactivarlos.", "-792015701": "El cajero Deriv P2P no está disponible en su país.", @@ -315,9 +315,9 @@ "-231863107": "No", "-532709160": "Su alias", "-1117584385": "Visto hace más de 6 meses", - "-258178741": "Visto hace {{ duration }} mes{{ prural }}", - "-1740895160": "Visto hace {{ duration }} día{{ plural }}", - "-2107857873": "Visto hace {{ duration }} hora{{ plural }}", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "En línea", "-2008992756": "¿Desea cancelar este pedido?", "-1666369246": "Si cancela su pedido {{cancellation_limit}} veces en {{cancellation_period}} horas, no podrá usar Deriv P2P durante {{block_duration}} horas.
({{number_of_cancels_remaining}} cancelaciones restantes.)", @@ -341,7 +341,7 @@ "-727273667": "Reclamar", "-2016990049": "Vender el pedido {{offered_currency}}", "-811190405": "Tiempo", - "-961632398": "Collapse all", + "-961632398": "Colapsar todo", "-415476028": "Sin calificar", "-26434257": "Tiene hasta {{remaining_review_time}} GMT para valorar esta transacción.", "-768709492": "Su experiencia de transacción", @@ -351,7 +351,7 @@ "-1797318839": "En caso de disputa, solo consideraremos la comunicación a través del canal de chat de Deriv P2P.", "-283017497": "Reintentar", "-979459594": "Comprar/Vender", - "-2052184983": "ID del pedido", + "-2052184983": "ID de la orden", "-2096350108": "Contraparte", "-750202930": "Pedidos activos", "-1626659964": "He recibido {{amount}} {{currency}}.", diff --git a/packages/p2p/src/translations/fr.json b/packages/p2p/src/translations/fr.json index c8ee588c520a..40efc4cc3e5e 100644 --- a/packages/p2p/src/translations/fr.json +++ b/packages/p2p/src/translations/fr.json @@ -47,7 +47,7 @@ "531912261": "Nom de la banque, numéro de compte, nom du bénéficiaire", "554135844": "Édition", "560402954": "Note de l'utilisateur", - "565060416": "Exchange rate", + "565060416": "Taux de change", "580715136": "Inscrivez-vous avec nous!", "587882987": "Annonceurs", "611376642": "Supprimer", @@ -58,7 +58,7 @@ "662578726": "Disponible", "671582270": "Le montant maximum disponible est de {{value}}", "683273691": "Taux (1 {{ account_currency }})", - "707324095": "Vu il y a {{ duration }} minute{{ plural }}", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Je n'ai reçu plus que le montant convenu.", "733311523": "Les transactions P2P sont verrouillées. Cette fonction n'est pas disponible pour les agents de paiement.", "767789372": "Attendez pour le paiement", @@ -110,7 +110,7 @@ "1303016265": "Oui", "1313218101": "Notez cette transaction", "1314266187": "A rejoint aujourd'hui", - "1326475003": "Activate", + "1326475003": "Activer", "1328352136": "Vendre {{ account_currency }}", "1337027601": "Vous avez vendu {{offered_amount}} {{offered_currency}}", "1347322213": "Comment évaluez-vous cette transaction ?", @@ -137,7 +137,7 @@ "1620858613": "Vous modifiez une annonce pour vendre <0>{{ target_amount }} {{ target_currency }} pour <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Je n'ai pas pu effectuer le paiement intégral.", "1654365787": "Inconnu", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "L'annonceur a modifié le taux avant que vous ne confirmiez l'ordre.", "1671725772": "Si vous choisissez d'annuler, les détails modifiés seront perdus.", "1675716253": "Limite minimale", "1678804253": "Acheter {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "J'ai effectué le paiement intégral, mais le vendeur n'a pas débloqué les fonds.", "1794474847": "J'ai reçu des fonds", "1798116519": "Montant disponible", - "1809099720": "Expand all", + "1809099720": "Tout afficher", "1842172737": "Vous avez reçu {{offered_amount}} {{offered_currency}}", "1848044659": "Vous n'avez aucune annonce.", "1859308030": "Donnez votre avis", @@ -292,7 +292,7 @@ "-1600783504": "Définissez un taux flottant pour votre annonce.", "-372210670": "Taux (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Désactiver", "-1667041441": "Taux (1 {{ offered_currency }})", "-1886565882": "Vos annonces avec des taux flottants ont été désactivées. Définissez des taux fixes pour les réactiver.", "-792015701": "La caisse Deriv P2P n'est pas disponible dans votre pays.", @@ -315,9 +315,9 @@ "-231863107": "Non", "-532709160": "Votre pseudo", "-1117584385": "Vu il y a plus de 6 mois", - "-258178741": "Vu il y a {{ duration }} mois{{ prural }}", - "-1740895160": "Vu il y a {{ duration }} jour{{ plural }}", - "-2107857873": "Vu il y a {{ duration }} heure{{ plural }}", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "En ligne", "-2008992756": "Voulez-vous annuler cette commande?", "-1666369246": "Si vous annulez votre demande {{cancellation_limit}} fois en {{cancellation_period}} heures, vous serez bloqué pour utiliser Deriv P2P pendant {{block_duration}} heures. .
({{number_of_cancels_remaining}} annulations restantes.)", @@ -341,7 +341,7 @@ "-727273667": "Se plaindre", "-2016990049": "Vendre ordre {{offered_currency}}", "-811190405": "Heure", - "-961632398": "Collapse all", + "-961632398": "Tout réduire", "-415476028": "Non évalué", "-26434257": "Vous avez jusqu'à {{remaining_review_time}} heure GMT pour évaluer cette transaction.", "-768709492": "Votre expérience de la transaction", diff --git a/packages/p2p/src/translations/id.json b/packages/p2p/src/translations/id.json index 40e57f78fb01..290cafb0f287 100644 --- a/packages/p2p/src/translations/id.json +++ b/packages/p2p/src/translations/id.json @@ -47,7 +47,7 @@ "531912261": "Nama bank, nomor rekening, nama penerima", "554135844": "Edit", "560402954": "Penilaian pengguna", - "565060416": "Exchange rate", + "565060416": "Nilai tukar", "580715136": "Mendaftarlah dengan kami!", "587882987": "Pengiklan", "611376642": "Hapus", @@ -58,7 +58,7 @@ "662578726": "Tersedia", "671582270": "Jumlah maksimum yang tersedia adalah {{value}}", "683273691": "Harga (1 {{ account_currency }})", - "707324095": "Terlihat {{ duration }} menit yang lalu", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Dana yang saye terima lebih dari jumlah yang disepakati.", "733311523": "Transaksi P2P dibatalkan. Fitur ini tidak tersedia untuk agen pembayaran.", "767789372": "Tunggu pembayaran", @@ -110,7 +110,7 @@ "1303016265": "Ya", "1313218101": "Nilai transaksi ini", "1314266187": "Bergabung hari ini", - "1326475003": "Activate", + "1326475003": "Mengaktifkan", "1328352136": "Jual {{ account_currency }}", "1337027601": "Anda telah menjual sejumlah {{offered_amount}} {{offered_currency}}", "1347322213": "Bagaimana Anda menilai transaksi ini?", @@ -137,7 +137,7 @@ "1620858613": "Anda mengedit iklan untuk menjual <0>{{ target_amount }} {{ target_currency }} untuk <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Saya tidak dapat melakukan pembayaran penuh.", "1654365787": "Tidak diketahui", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "Pengiklan mengubah tarif sebelum Anda mengkonfirmasi order.", "1671725772": "Jika Anda memilih untuk membatalkan, detail yang diedit akan hilang.", "1675716253": "Batasan minimum", "1678804253": "Beli {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Saya telah melakukan pembayaran penuh, tetapi penjual belum mentransfer dana.", "1794474847": "Pembayaran diterima", "1798116519": "Jumlah yang tersedia", - "1809099720": "Expand all", + "1809099720": "Tampilkan semua", "1842172737": "Anda telah menerima {{offered_amount}} {{offered_currency}}", "1848044659": "Anda tidak memiliki iklan.", "1859308030": "Berikan kritik dan saran", @@ -292,7 +292,7 @@ "-1600783504": "Tetapkan harga floating untuk iklan Anda.", "-372210670": "Harga (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Menonaktifkan", "-1667041441": "Harga (1 {{ offered_currency }})", "-1886565882": "Iklan menggunakan harga floating telah dinonaktifkan. Pilih harga tetap untuk mengaktifkannya kembali.", "-792015701": "Kasir Deriv P2P tidak tersedia di negara Anda.", @@ -315,9 +315,9 @@ "-231863107": "Tidak", "-532709160": "Nama panggilan Anda", "-1117584385": "Terlihat lebih dari 6 bulan yang lalu", - "-258178741": "Terlihat {{ duration }} bulan yang lalu", - "-1740895160": "Terlihat {{ duration }} hari yang lalu", - "-2107857873": "Terlihat {{ duration }} jam yang lalu", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Online", "-2008992756": "Apakah Anda ingin membatalkan order ini?", "-1666369246": "Jika Anda membatalkan order {{cancellation_limit}} kali dalam {{cancellation_period}} jam, Anda akan diblokir dari penggunaan Deriv P2P selama {{block_duration}} jam.
({{number_of_cancels_remaining}} pembatalan tersisa.)", @@ -341,7 +341,7 @@ "-727273667": "Komplain", "-2016990049": "Jual order {{offered_currency}}", "-811190405": "Waktu", - "-961632398": "Collapse all", + "-961632398": "Tutup semua", "-415476028": "Tidak dinilai", "-26434257": "Anda memiliki waktu hingga {{remaining_review_time}} GMT untuk menilai transaksi ini.", "-768709492": "Pengalaman transaksi Anda", diff --git a/packages/p2p/src/translations/it.json b/packages/p2p/src/translations/it.json index 7051b3bbc2b3..7629d158a573 100644 --- a/packages/p2p/src/translations/it.json +++ b/packages/p2p/src/translations/it.json @@ -47,7 +47,7 @@ "531912261": "Nome della banca, numero di conto, nome del beneficiario", "554135844": "Modifica", "560402954": "Valutazione degli utenti", - "565060416": "Exchange rate", + "565060416": "Tasso di cambio", "580715136": "Registrati subito!", "587882987": "Annunci", "611376642": "Cancella", @@ -58,7 +58,7 @@ "662578726": "Disponibile", "671582270": "L'importo massimo disponibile è {{value}}", "683273691": "Tasso (1 {{ account_currency }})", - "707324095": "Visto {{ duration }} minuti{{ plural }} fa", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Ho ricevuto un importo superiore a quello stabilito.", "733311523": "Le transazioni P2P sono bloccate. Questa funzionalità non è disponibile per agenti di pagamento.", "767789372": "Attendi il termine del pagamento", @@ -110,7 +110,7 @@ "1303016265": "Sì", "1313218101": "Valuta questa transazione", "1314266187": "Registrato oggi", - "1326475003": "Activate", + "1326475003": "Attiva", "1328352136": "Vendi {{ account_currency }}", "1337027601": "Hai venduto {{offered_amount}} {{offered_currency}}", "1347322213": "Come valuteresti questa transazione?", @@ -137,7 +137,7 @@ "1620858613": "Stai modificando un annuncio per vendere <0>{{ target_amount }} {{ target_currency }} per <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Non ho potuto effettuare il pagamento completo.", "1654365787": "Sconosciuto", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "L'inserzionista ha modificato il tasso prima che tu confermassi l'ordine.", "1671725772": "Se scegli di annullare l'operazione, i dati andranno persi.", "1675716253": "Limite minimo", "1678804253": "Acquista {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Ho effettuato il pagamento completo ma il venditore non ha emesso fondi.", "1794474847": "Ho ricevuto il pagamento", "1798116519": "Importo disponibile", - "1809099720": "Expand all", + "1809099720": "Espandi", "1842172737": "Hai ricevuto {{offered_amount}} {{offered_currency}}", "1848044659": "Non hai annunci.", "1859308030": "Fornire feedback", @@ -292,7 +292,7 @@ "-1600783504": "Imposta un tasso variabile per l'annuncio.", "-372210670": "Tasso (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Disattiva", "-1667041441": "Tasso (1 {{ offered_currency }})", "-1886565882": "Gli annunci con tassi variabili sono stati disattivati. Imposta i tassi fissi per riattivarli.", "-792015701": "La cassa Deriv P2P non è disponibile nel tuo Paese.", @@ -315,9 +315,9 @@ "-231863107": "No", "-532709160": "Soprannome", "-1117584385": "Visto più di 6 mesi fa", - "-258178741": "Visto {{ duration }} mesi{{ prural }} fa", - "-1740895160": "Visto {{ duration }} giorni{{ plural }} fa", - "-2107857873": "Visto {{ duration }} ore{{ plural }} fa", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Online", "-2008992756": "Vuoi annullare l'ordine?", "-1666369246": "Se annulli l'ordine {{cancellation_limit}} volte in {{cancellation_period}} ore, non potrai usare Deriv P2P per {{block_duration}} ore.
({{number_of_cancels_remaining}} cancellazioni rimanenti.)", @@ -341,7 +341,7 @@ "-727273667": "Invia reclamo", "-2016990049": "Vendi ordine in {{offered_currency}}", "-811190405": "Orario", - "-961632398": "Collapse all", + "-961632398": "Comprimi", "-415476028": "Non valutato", "-26434257": "Hai tempo fino a {{remaining_review_time}} GMT per valutare questa transazione.", "-768709492": "La tua esperienza di transazione", diff --git a/packages/p2p/src/translations/pl.json b/packages/p2p/src/translations/pl.json index 876117b60b00..7e0d5b43ad33 100644 --- a/packages/p2p/src/translations/pl.json +++ b/packages/p2p/src/translations/pl.json @@ -47,7 +47,7 @@ "531912261": "Nazwa banku, numer rachunku i nazwa odbiorcy", "554135844": "Edytuj", "560402954": "Ocena użytkownika", - "565060416": "Exchange rate", + "565060416": "Kurs wymiany", "580715136": "Zarejestruj się!", "587882987": "Reklamodawcy", "611376642": "Wyczyść", @@ -58,7 +58,7 @@ "662578726": "Dostępne", "671582270": "Maksymalna dostępna kwota to {{value}}", "683273691": "Opłata (1 {{ account_currency }})", - "707324095": "Widziany {{ duration }} minuta{{ plural }} temu", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Otrzymano więcej niż ustalona kwota.", "733311523": "Transakcje P2P są zablokowane. Funkcja ta nie jest dostępna dla pośredników płatności.", "767789372": "Poczekaj na płatność", @@ -110,7 +110,7 @@ "1303016265": "Tak", "1313218101": "Oceń tę transakcję", "1314266187": "Dołączył(a) dziś", - "1326475003": "Activate", + "1326475003": "Aktywuj", "1328352136": "Sprzedaj {{ account_currency }}", "1337027601": "Sprzedano {{offered_currency}} {{offered_amount}}", "1347322213": "Jak oceniasz tę transakcję?", @@ -137,7 +137,7 @@ "1620858613": "Edytujesz reklamę, aby sprzedać <0>{{ target_amount }} {{ target_currency }} za <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Nie udało się dokonać pełnej płatności.", "1654365787": "Nieznany", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "Reklamodawca zmienił stawkę przed potwierdzeniem zamówienia.", "1671725772": "Jeśli anulujesz, wprowadzone zmiany zostaną utracone.", "1675716253": "Min. limit", "1678804253": "Kup {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Dokonano pełnej płatności, ale sprzedający nie przekazał środków.", "1794474847": "Otrzymano płatność", "1798116519": "Dostępna kwota", - "1809099720": "Expand all", + "1809099720": "Rozwiń wszystko", "1842172737": "Otrzymano {{offered_amount}} {{offered_currency}}", "1848044659": "Nie masz żadnych reklam.", "1859308030": "Przekaż opinię", @@ -292,7 +292,7 @@ "-1600783504": "Ustaw zmienną stawkę dla swojego ogłoszenia.", "-372210670": "Opłata (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Deaktywuj", "-1667041441": "Opłata (1 {{ offered_currency }})", "-1886565882": "Twoje ogłoszenia ze zmienne stawkami zostały dezaktywowane. Ustaw stałymi stawki, aby reaktywować ogłoszenia.", "-792015701": "Kasjer Deriv P2P nie jest dostępny w Twoim kraju.", @@ -315,9 +315,9 @@ "-231863107": "Nie", "-532709160": "Twój pseudonim", "-1117584385": "Widziałem ponad 6 miesięcy temu", - "-258178741": "Widziany {{ duration }} miesiąc{{ prural }} temu", - "-1740895160": "Widziany {{ duration }} dzień{{ plural }} temu", - "-2107857873": "Widziany {{ duration }} godzina{{ plural }} temu", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Online", "-2008992756": "Chcesz anulować to zlecenie?", "-1666369246": "Jeśli anulujesz swoje zlecenie {{cancellation_limit}} razy w ciągu {{cancellation_period}} godzin, korzystanie z Deriv P2P zostanie zablokowane na {{block_duration}} godzin(y). (Pozostało anulowań: {{number_of_cancels_remaining}}).", @@ -341,7 +341,7 @@ "-727273667": "Skarga", "-2016990049": "Sprzedaj {{offered_currency}} zlecenie", "-811190405": "Czas", - "-961632398": "Collapse all", + "-961632398": "Zwiń wszystko", "-415476028": "Nieoceniona", "-26434257": "Masz czas do {{remaining_review_time}} GMT, aby ocenić tę transakcję.", "-768709492": "Twoje doświadczenia związane z transakcją", diff --git a/packages/p2p/src/translations/pt.json b/packages/p2p/src/translations/pt.json index b4e033598f0c..81a44a8ea0a0 100644 --- a/packages/p2p/src/translations/pt.json +++ b/packages/p2p/src/translations/pt.json @@ -47,7 +47,7 @@ "531912261": "Nome do banco, número da conta, nome do beneficiário", "554135844": "Editar", "560402954": "Avaliação do usuário", - "565060416": "Exchange rate", + "565060416": "Taxa de câmbio", "580715136": "Por favor, registre-se conosco!", "587882987": "Anunciantes", "611376642": "Limpar", @@ -58,7 +58,7 @@ "662578726": "Disponível", "671582270": "O valor máximo disponível é {{value}}", "683273691": "Taxa (1 {{ account_currency }})", - "707324095": "Visto há {{ duration }} minutos{{ plural }}", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Eu recebi mais do que o valor combinado.", "733311523": "As transacções P2P são bloqueadas. Esta característica não está disponível para agentes de pagamento.", "767789372": "Aguarde pagamento", @@ -110,7 +110,7 @@ "1303016265": "Sim", "1313218101": "Avalie esta transação", "1314266187": "Ingressou hoje", - "1326475003": "Activate", + "1326475003": "Ativar", "1328352136": "Vender {{ account_currency }}", "1337027601": "Você vendeu {{offered_amount}} {{offered_currency}}", "1347322213": "Como você classificaria esta transação?", @@ -137,7 +137,7 @@ "1620858613": "Você está editando um anúncio para vender <0>{{ target_amount }} {{ target_currency }} por <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Não consegui fazer o pagamento integral.", "1654365787": "Desconhecido", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "O anunciante alterou a tarifa antes de você confirmar o pedido.", "1671725772": "Se você decidir cancelar, os detalhes editados serão perdidos.", "1675716253": "Limite mín", "1678804253": "Comprar {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Fiz o pagamento integral, mas o vendedor não liberou os fundos.", "1794474847": "Recebi o pagamento", "1798116519": "Quantia disponível", - "1809099720": "Expand all", + "1809099720": "Mostrar tudo", "1842172737": "Você irá receber {{offered_amount}} {{offered_currency}}", "1848044659": "Você não tem anúncios.", "1859308030": "Dê feedback", @@ -292,7 +292,7 @@ "-1600783504": "Defina uma taxa flutuante para seu anúncio.", "-372210670": "Taxa (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Desativar", "-1667041441": "Taxa (1 {{ offered_currency }})", "-1886565882": "Seus anúncios com tarifas flutuantes foram desativados. Defina taxas fixas para reativá-los.", "-792015701": "O caixa Deriv P2P não está disponível em seu país.", @@ -315,9 +315,9 @@ "-231863107": "Não", "-532709160": "Seu apelido", "-1117584385": "Visto há mais de 6 meses", - "-258178741": "Visto há {{ duration }} meses{{ prural }}", - "-1740895160": "Visto há {{ duration }} dias{{ plural }}", - "-2107857873": "Visto há {{ duration }} horas{{ plural }}", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Online", "-2008992756": "Quer cancelar este pedido?", "-1666369246": "Se você cancelar seu pedido {{cancellation_limit}} vezes em {{cancellation_period}} horas, você será bloqueado de usar o Deriv P2P durante {{block_duration}} horas.
({{number_of_cancels_remaining}} cancelamentos restantes.)", @@ -341,7 +341,7 @@ "-727273667": "Reclamar", "-2016990049": "Pedido de Venda de {{offered_currency}}", "-811190405": "Data", - "-961632398": "Collapse all", + "-961632398": "Esconder tudo", "-415476028": "Não avaliado", "-26434257": "Você tem até {{remaining_review_time}} GMT para avaliar esta transação.", "-768709492": "Sua experiência em transações", diff --git a/packages/p2p/src/translations/ru.json b/packages/p2p/src/translations/ru.json index e3a9fd99577c..ffadb45b7f9c 100644 --- a/packages/p2p/src/translations/ru.json +++ b/packages/p2p/src/translations/ru.json @@ -47,7 +47,7 @@ "531912261": "Название банка, номер счета, имя получателя", "554135844": "Изменить", "560402954": "Рейтинг", - "565060416": "Exchange rate", + "565060416": "Обменный курс", "580715136": "Пожалуйста, зарегистрируйтесь!", "587882987": "Адверты", "611376642": "Очистить", @@ -58,7 +58,7 @@ "662578726": "Доступно", "671582270": "Макс. доступная сумма: {{value}}", "683273691": "Курс (1 {{ account_currency }})", - "707324095": "Просмотрено {{ duration }} минут{{ plural }} назад", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Я получил(а) больше оговоренной суммы.", "733311523": "Транзакции P2P заблокированы. Эта функция недоступна для платежных агентов.", "767789372": "Дождитесь оплаты", @@ -110,7 +110,7 @@ "1303016265": "Да", "1313218101": "Оцените транзакцию", "1314266187": "Присоединился сегодня", - "1326475003": "Activate", + "1326475003": "Активировать", "1328352136": "Продать {{ account_currency }}", "1337027601": "Вы продали {{offered_amount}} {{offered_currency}}", "1347322213": "Как бы вы оценили эту транзакцию?", @@ -137,7 +137,7 @@ "1620858613": "Вы редактируете объявление о продаже <0>{{ target_amount }} {{ target_currency }} за <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Мне не удалось произвести полную оплату.", "1654365787": "Неизвестный", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "Адвертайзер изменил курс до того, как вы подтвердили ордер.", "1671725772": "В случае отмены все изменения будут потеряны.", "1675716253": "Мин. лимит", "1678804253": "Купить {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Я произвел(а) полную оплату, но продавец не отправил средства.", "1794474847": "Я получил(а) платеж", "1798116519": "Доступная сумма", - "1809099720": "Expand all", + "1809099720": "Развернуть все", "1842172737": "Вы получили {{offered_amount}} {{offered_currency}}", "1848044659": "У вас нет объявлений.", "1859308030": "Оставить отзыв", @@ -292,7 +292,7 @@ "-1600783504": "Установите плавающий курс для объявления.", "-372210670": "Курс (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Деактивировать", "-1667041441": "Курс (1 {{ offered_currency }})", "-1886565882": "Объявления с плавающими курсами отключены. Установите фиксированные курсы, чтобы активировать их.", "-792015701": "Касса Deriv P2P недоступна в вашей стране.", @@ -315,9 +315,9 @@ "-231863107": "Нет", "-532709160": "Ваш псевдоним", "-1117584385": "Замечен более 6 месяцев назад", - "-258178741": "Просмотрено {{ duration }} месяцев{{ prural }} назад", - "-1740895160": "Замечено {{ duration }} дней{{ plural }} назад", - "-2107857873": "Просмотрено {{ duration }} часов{{ plural }} назад", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Онлайн", "-2008992756": "Хотите отменить этот ордер?", "-1666369246": "Если вы отмените ордер {{cancellation_limit}} раз за {{cancellation_period}} ч., ваш доступ на Deriv P2P будет заблокирован на {{block_duration}} ч.
\n(осталось отмен: {{number_of_cancels_remaining}}.)", @@ -341,7 +341,7 @@ "-727273667": "Пожаловаться", "-2016990049": "Продать ордер {{offered_currency}}", "-811190405": "Время", - "-961632398": "Collapse all", + "-961632398": "Свернуть все", "-415476028": "Нет оценки", "-26434257": "Вы можете оценить эту транзакцию до {{remaining_review_time}} GMT.", "-768709492": "Оценка транзакции", diff --git a/packages/p2p/src/translations/th.json b/packages/p2p/src/translations/th.json index 49b70956d5d7..a5ad955a2145 100644 --- a/packages/p2p/src/translations/th.json +++ b/packages/p2p/src/translations/th.json @@ -10,7 +10,7 @@ "68867477": "หมายเลขคำสั่งซื้อ {{ id }}", "121738739": "ส่ง", "122280248": "เวลาปล่อยโดยเฉลี่ย <0>30d", - "134205943": "โฆษณาของคุณซึ่งมีอัตราคงที่ได้ถูกปิดการใช้งาน ขอให้คุณตั้งค่าอัตราลอยตัวเพื่อจะเปิดใช้งานใหม่", + "134205943": "โฆษณาของคุณซึ่งมีอัตราคงที่ได้ถูกปิดใช้งาน ขอให้คุณตั้งค่าเป็นอัตราลอยตัวเพื่อจะเปิดใช้งานใหม่", "140800401": "ลอยตัว", "145959105": "เลือกชื่อเล่น", "150156106": "บันทึกการเปลี่ยนแปลง", @@ -32,7 +32,7 @@ "407600801": "คุณได้จ่าย {{amount}} {{currency}} ให้กับ {{other_user_name}} แล้วหรือยัง", "416167062": "คุณจะได้รับ", "424668491": "หมดอายุ", - "439264204": "โปรดกำหนดขีดจำกัดการสั่งซื้อขั้นต่ำ และ/หรือ ขั้นสูงสุดที่มีมูลค่าแตกต่างกัน

ช่วงของโฆษณาของคุณไม่ควรทับซ้อนกับโฆษณาที่กำลังทำงานอยู่ของคุณ", + "439264204": "โปรดกำหนดขีดจำกัดคำสั่งซื้อขั้นต่ำ และ/หรือ ขั้นสูงสุดที่มีมูลค่าแตกต่างกัน

ช่วงของโฆษณาของคุณไม่ควรทับซ้อนกับช่วงที่ระบุในโฆษณาใดๆ ที่กำลังเปิดใช้งานอยู่ของคุณ", "452752527": "อัตรา (1 {{ currency }})", "460477293": "ป้อนข้อความ", "464044457": "ชื่อเล่นของผู้ซื้อ", @@ -47,24 +47,24 @@ "531912261": "ชื่อธนาคาร หมายเลขบัญชี ชื่อผู้ได้รับผลประโยชน์", "554135844": "แก้ไข", "560402954": "การให้คะแนนของผู้ใช้", - "565060416": "Exchange rate", + "565060416": "อัตราแลกเปลี่ยน", "580715136": "โปรดลงทะเบียนกับเรา", "587882987": "ผู้โฆษณา", "611376642": "ล้าง", - "612069973": "คุณจะแนะนำผู้ขายรายนี้ให้คนอื่นๆหรือไม่", + "612069973": "คุณจะแนะนำผู้ขายรายนี้ให้แก่คนอื่นๆหรือไม่", "628581263": "อัตราตลาด {{local_currency}} ได้มีการเปลี่ยนแปลง", "649549724": "ฉันยังไม่ได้รับการชำระเงินใดๆ", "661808069": "ส่งอีเมล์อีกครั้งใน {{remaining_time}}", "662578726": "ที่มีอยู่", "671582270": "จำนวนสูงสุดที่ใช้ได้คือ {{value}}", "683273691": "อัตรา (1 {{ account_currency }})", - "707324095": "เห็นเมื่อ {{ duration }} นาที{{ plural }} ที่แล้ว", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "ฉันได้รับจำนวนเงินมากกว่าที่ตกลงกัน", - "733311523": "ธุรกรรม P2P ได้ถูกล็อค คุณลักษณะนี้ไม่สามารถใช้ได้สำหรับตัวแทนการชำระเงิน", + "733311523": "ธุรกรรม P2P ได้ถูกล็อก ฟีเจอร์ลูกเล่นนี้ไม่สามารถใช้ได้สำหรับตัวแทนการชำระเงิน", "767789372": "รอการชำระเงิน", "782834680": "เหลือเวลาอีก", "783454335": "ใช่ ให้เอาออกไป", - "830703311": "ประวัติของฉัน", + "830703311": "โปรไฟล์ของฉัน", "834075131": "ผู้ลงโฆษณาที่ถูกปิดกั้น", "838024160": "รายละเอียดข้อมูลธนาคาร", "842911528": "อย่าแสดงข้อความนี้อีก", @@ -74,20 +74,20 @@ "887667868": "คำสั่งซื้อ", "949859957": "ส่ง", "954233511": "ถูกขายแล้ว", - "957529514": "หากต้องการสั่งซื้อ ให้คุณเพิ่มหนึ่งในวิธีการชำระเงินที่ผู้โฆษณาต้องการดังต่อไปนี้:", + "957529514": "หากต้องการสั่งซื้อ ให้คุณใช้หนึ่งในบรรดาวิธีการชำระเงินที่ผู้โฆษณาต้องการดังต่อไปนี้:", "988380202": "คำสั่งของคุณ", "1001160515": "คำสั่งขาย", "1002264993": "ชื่อจริงของผู้ขาย", "1020552673": "คุณกำลังสร้างโฆษณาสำหรับซื้อ <0>{{ target_amount }} {{ target_currency }}...", - "1030390916": "คุณมีโฆษณาที่มีช่วงนี้อยู่แล้ว", + "1030390916": "คุณมีโฆษณาที่ใช้ช่วงนี้อยู่แล้ว", "1035893169": "ลบ", - "1052094244": "คำสั่งซื้อ สูงสุด", + "1052094244": "คำสั่งซื้อจำนวนสูงสุด", "1057127276": "{{- avg_release_time_in_minutes}} นาที", "1065551550": "กำหนดอัตราลอยตัว", "1080990424": "ยืนยัน", - "1089110190": "คุณได้ให้ที่อยู่อีเมล์อื่นแก่เราโดยบังเอิญ (โดยปกติแล้ว มักจะเป็นอีเมล์ของที่ทำงานหรือของส่วนตัว แทนที่จะเป็นอีเมล์อันที่คุณตั้งใจจะส่งให้เรา)", - "1091533736": "อย่าเอาเงินทุนของคุณมาเสี่ยงกับการทำธุรกรรมเงินสด ขอให้คุณใช้การโอนเงินผ่านธนาคารหรือผ่านกระเป๋าเงินอิเล็กทรอนิกส์แทน", - "1103731601": "โฆษณาของคุณ ถูกระงับชั่วคราว", + "1089110190": "คุณได้บังเอิญให้ที่อยู่อีเมล์อื่นแก่เรา (ปกติแล้ว มักจะเป็นอีเมล์ของที่ทำงานหรือของส่วนตัว แทนที่จะเป็นอีเมล์อันที่คุณตั้งใจจะส่งให้เรา)", + "1091533736": "อย่าเอาเงินทุนของคุณมาเสี่ยงกับการทำธุรกรรมเงินสด ขอให้ใช้การโอนเงินผ่านธนาคารหรืออีวอลเล็ทแทน", + "1103731601": "โฆษณาของคุณถูกระงับชั่วคราว", "1106073960": "คุณได้สร้างโฆษณา", "1106485202": "ยอดดุล Deriv P2P ที่มีอยู่", "1119887091": "การตรวจสอบยืนยัน", @@ -100,8 +100,8 @@ "1163072833": "<0>ID ได้รับการตรวจสอบยืนยันแล้ว", "1191941618": "ป้อนมูลค่าที่อยู่ภายใน -{{limit}}% ถึง {{limit}}%", "1202500203": "จ่ายตอนนี้", - "1228352589": "ยังไม่ได้รับการจัดอันดับ", - "1229976478": "คุณจะสามารถมองเห็นโฆษณาของ {{ advertiser_name }} ได้ และพวกเขาจะสามารถส่งคำสั่งซื้อขายเกี่ยวกับโฆษณาของคุณได้อีกด้วย", + "1228352589": "ยังไม่ได้รับการให้คะแนน", + "1229976478": "คุณจะสามารถมองเห็นโฆษณาของ {{ advertiser_name }} ได้ และพวกเขาจะสามารถส่งคำสั่งซื้อเกี่ยวกับโฆษณาของคุณได้ด้วย", "1236083813": "รายละเอียดการชำระเงินของคุณ", "1258285343": "อ๊ะ มีบางอย่างผิดปกติ", "1265751551": "ยอดดุล Deriv P2P", @@ -110,7 +110,7 @@ "1303016265": "ใช่", "1313218101": "ให้คะแนนธุรกรรมนี้", "1314266187": "เข้าร่วมวันนี้", - "1326475003": "Activate", + "1326475003": "เปิดใช้งาน", "1328352136": "ขาย {{ account_currency }}", "1337027601": "คุณขาย {{offered_amount}} {{offered_currency}}\n", "1347322213": "คุณจะให้คะแนนธุรกรรมนี้อย่างไร?", @@ -119,7 +119,7 @@ "1370999551": "อัตราลอยตัว", "1371193412": "ยกเลิก", "1381949324": "<0>ที่อยู่ ได้รับการยืนยันแล้ว", - "1398938904": "เราไม่สามารถส่งอีเมล์ไปยังที่อยู่นี้ได้ (โดยปกติแล้ว เนื่องจากมีการตั้งไฟร์วอลล์หรือมีตัวคัดกรอง)", + "1398938904": "เราไม่สามารถส่งอีเมล์ไปยังที่อยู่นี้ได้ (ปกติแล้ว เนื่องจากมีการตั้งไฟร์วอลล์หรือมีตัวคัดกรอง)", "1422356389": "ไม่พบผลลัพธ์สำหรับ \"{{text}}\"", "1430413419": "จำนวนสูงสุด คือ {{value}} {{currency}}", "1438103743": "เปิดใช้อัตราแบบลอยตัวสำหรับ {{local_currency}} โฆษณาที่มีอัตราคงที่จะถูกปิดการใช้งานไว้ ขอให้เปลี่ยนเป็นอัตราลอยตัวภายในวันที่ {{end_date}}", @@ -130,14 +130,14 @@ "1480915523": "ข้าม", "1505293001": "พันธมิตรธุรกรรม", "1529843851": "ลิงก์ยืนยันจะหมดอายุภายในเวลา 10 นาที", - "1583335572": "ถ้าโฆษณาไม่ได้รับออร์เดอร์หรือคําสั่งซื้อขายเลยในช่วงเวลา {{adverts_archive_period}} วัน โฆษณานั้นจะถูกปิดใช้งาน", + "1583335572": "ถ้าโฆษณาไม่ได้รับคําสั่งซื้อเลยในช่วง {{adverts_archive_period}} วัน โฆษณานั้นจะถูกปิดใช้งาน", "1587250288": "หมายเลขโฆษณา {{advert_id}} ", "1607051458": "ค้นหาตามชื่อเล่น", "1615530713": "มีบางอย่างไม่ถูกต้อง", "1620858613": "คุณกำลังแก้ไขโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }} ในราคา <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "ฉันไม่สามารถชำระเงินเต็มจำนวนได้", "1654365787": "ที่ไม่รู้จัก", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "ผู้ลงโฆษณาเปลี่ยนอัตราก่อนที่คุณจะยืนยันคำสั่งซื้อ", "1671725772": "หากคุณเลือกที่จะยกเลิก รายละเอียดที่แก้ไขจะสูญหายไป", "1675716253": "จำนวนขั้นต่ำ", "1678804253": "ซื้อ {{ currency }}", @@ -145,16 +145,16 @@ "1703154819": "คุณกำลังแก้ไขโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "แสดงชื่อจริงของฉัน", "1734661732": "ยอดดุล DP2P ของคุณคือ {{ dp2p_balance }}", - "1738504192": "กระเป๋าเงินอิเล็กทรอนิกส์", + "1738504192": "อีวอลเล็ท", "1747523625": "ย้อนกลับ", - "1752096323": "{{field_name}} ไม่ควรน้อยกว่าจำนวนขีดจำกัดขั้นต่ำสุด", + "1752096323": "{{field_name}} ไม่ควรน้อยกว่าจำนวนขั้นต่ำสุด", "1767817594": "การเสร็จสมบูรณ์ของธุรกรรมการซื้อ <0>30d", "1784151356": "ที่", "1791767028": "กำหนดอัตราคงที่สำหรับโฆษณาของคุณ", - "1794470010": "ฉันได้ชําระเงินเต็มจํานวนแล้ว แต่ผู้ขายยังไม่ได้ปล่อยนำเงินออกมา", + "1794470010": "ฉันได้ชําระเงินเต็มจํานวนแล้ว แต่ผู้ขายยังไม่ได้ปล่อยเงินออกมา", "1794474847": "ฉันได้รับการชำระเงินแล้ว", - "1798116519": "ยอดจำนวณที่สามารถใช้งาน", - "1809099720": "Expand all", + "1798116519": "ยอดจำนวนที่สามารถใช้งาน", + "1809099720": "ขยายทั้งหมด", "1842172737": "คุณได้รับ {{offered_amount}} {{offered_currency}}", "1848044659": "คุณยังไม่มีโฆษณา", "1859308030": "ให้ข้อเสนอแนะ", @@ -176,31 +176,31 @@ "2121837513": "จำนวนขั้นต่ำสุด คือ {{value}} {{currency}}", "2142425493": "รหัสของโฆษณา", "2144972362": "โปรดใช้การแชทสดเพื่อติดต่อทีมสนับสนุนลูกค้าของเราเพื่อขอความช่วยเหลือ", - "2145292295": "ประเมินค่า", + "2145292295": "ให้คะแนน", "-1540251249": "ซื้อ {{ account_currency }}", "-1267880283": "{{field_name}} นั้นจำเป็นต้องมี", "-2019083683": "{{field_name}} สามารถใช้ได้เฉพาะตัวอักษร ตัวเลข ช่องว่าง และสัญลักษณ์เหล่านี้: -+.,'#@():;", "-222920564": "{{field_name}} นั้นเกินขีดความยาวขั้นสูงสุดแล้ว", "-2093768906": "{{name}} ได้ปล่อยเงินของคุณแล้ว
คุณต้องการจะให้ความคิดเห็นของคุณหรือไม่?", - "-857786650": "ตรวจสอบสถานะการยืนยันของคุณ", + "-857786650": "ตรวจสอบสถานะการตรวจสอบยืนยันของคุณ", "-612892886": "เราจำเป็นต้องให้คุณอัปโหลดเอกสารเพื่อยืนยันตัวตนของคุณ", - "-2090325029": "การยืนยันตัวตนเสร็จสมบูรณ์", + "-2090325029": "การยืนยันตัวตนเสร็จสมบูรณ์แล้ว", "-1101273282": "โปรดระบุชื่อเล่นของคุณ", "-919203928": "ชื่อเล่นของคุณ สั้นเกินไป", "-1907100457": "ไม่สามารถเริ่มต้น หรือลงท้าย หรือใช้ซ้ำด้วยตัวอักขระพิเศษ", "-270502067": "ไม่สามารถใส่ตัวอักษรซ้ำเกิน 4 ครั้ง", - "-499872405": "คุณได้รับออร์เดอร์คำสั่งซื้อขายสำหรับโฆษณานี้ โปรดดำเนินการตามคำสั่งซื้อที่เปิดอยู่ทั้งหมดนี้ก่อนที่จะลบโฆษณานี้", + "-499872405": "คุณได้รับคำสั่งซื้อสำหรับโฆษณานี้ โปรดดำเนินการตามคำสั่งซื้อที่เปิดอยู่ทั้งหมดนี้ก่อนจะลบโฆษณานี้", "-2125702445": "คำแนะนำ", "-1274358564": "จำนวนขั้นสูงสุด", "-1995606668": "จำนวน", "-1965472924": "อัตราคงที่", "-1081775102": "{{field_name}} ไม่ควรเกินค่าจำกัดขั้นสูงสุด", - "-885044836": "{{field_name}} ไม่ควรเกิน ค่าจำกัดสูงสุด", + "-885044836": "{{field_name}} ไม่ควรเกินค่าจำกัดขั้นสูงสุด", "-1764050750": "รายละเอียดการชําระเงิน", "-2021135479": "ข้อมูลในช่องนี้จำเป็นต้องมี", - "-2005205076": "ช่อง {{field_name}} นี้มีความยาวเกินความยาวสูงสุดที่ตั้งไว้เป็น 200 อักขระ", - "-480724783": "คุณมีโฆษณาที่มีอัตรานี้อยู่แล้ว", - "-1207312691": "เสร็จ", + "-2005205076": "ช่อง {{field_name}} นี้ยาวเกินความยาวสูงสุดที่ตั้งไว้เป็น 200 อักขระ", + "-480724783": "คุณมีโฆษณาที่ใช้อัตรานี้อยู่แล้ว", + "-1207312691": "เสร็จสิ้น", "-688728873": "หมดอายุ", "-1951641340": "ยังอยู่ภายใต้ข้อพิพาท", "-1738697484": "ยืนยันการชำระเงิน", @@ -244,7 +244,7 @@ "-2035037071": "ยอดดุล Deriv P2P ของคุณนั้นไม่เพียงพอ โปรดเพิ่มยอดเงินของคุณก่อนจะลองอีกครั้ง", "-412680608": "เพิ่มวิธีการชําระเงิน", "-1657433201": "ไม่มีโฆษณาที่ตรงกัน", - "-1862812590": "จำกัด {{ min_order }}–{{ max_order }} {{ currency }}", + "-1862812590": "ขีดจำกัด {{ min_order }}–{{ max_order }} {{ currency }}", "-375836822": "ซื้อ {{account_currency}}", "-1035421133": "ขาย {{account_currency}}", "-1325806155": "ยังไม่มีโฆษณา", @@ -258,7 +258,7 @@ "-559300364": "แคชเชียร์ Deriv P2P ของคุณได้ถูกปิดกั้น", "-2124584325": "เราได้ตรวจสอบยืนยันคำสั่งซื้อของคุณแล้ว", "-878014035": "โปรดทำให้แน่ใจว่าคุณได้รับ {{amount}} {{currency}} ในบัญชีของคุณและกดยืนยันเพื่อทำธุรกรรมให้เสร็จสิ้นสมบูรณ์", - "-1968971120": "เราได้ส่งอีเมล์ให้คุณที่ {{email_address}} <0 />กรุณาคลิกลิงก์ยืนยันในอีเมล์นั้นเพื่อยืนยันออร์เดอร์คำสั่งซื้อของคุณ", + "-1968971120": "เราได้ส่งอีเมล์ให้คุณที่ {{email_address}} <0 />กรุณาคลิกลิงก์ยืนยันในอีเมล์นั้นเพื่อยืนยันคำสั่งซื้อของคุณ", "-142727028": "อีเมล์นั้นไปอยู่ในกล่องจดหมายขยะ (บางครั้งบางอย่างก็หลงเข้าไปในนั้นได้)", "-740038242": "อัตราของคุณคือ", "-1728351486": "ลิงก์ยืนยันไม่ถูกต้องหรือเป็นโมฆะ", @@ -274,7 +274,7 @@ "-1654157453": "อัตราคงที่ (1 {{currency}})", "-379708059": "คำสั่งซื้อขั้นต่ำ", "-1459289144": "ทุกคนสามารถมองเห็นข้อมูลนี้ได้", - "-207756259": "คุณสามารถแตะปุ่มและเลือกได้ถึง 3", + "-207756259": "คุณสามารถแตะปุ่มและเลือกได้ถึง 3 อย่าง", "-1282343703": "คุณกำลังสร้างโฆษณาเพื่อซื้อ <0>{{ target_amount }} {{ target_currency }} สำหรับ <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-2139632895": "คุณกำลังสร้างโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }} สำหรับ <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "คุณกำลังสร้างโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }}...", @@ -292,13 +292,13 @@ "-1600783504": "ตั้งค่าอัตราลอยตัวสำหรับโฆษณาของคุณ", "-372210670": "อัตรา (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", - "-1667041441": "อัตรา (1 {{ offered_currency }})\n", + "-1318334333": "ปิดใช้งาน", + "-1667041441": "อัตรา (1 {{ offered_currency }})", "-1886565882": "โฆษณาของคุณที่มีอัตราลอยตัวถูกปิดใช้งาน กรุณาตั้งอัตราคงที่เพื่อเปิดใช้งานอีกครั้ง", "-792015701": "แคชเชียร์ Deriv P2P นั้นไม่สามารถใช้ได้ในประเทศของคุณ", "-1220275347": "คุณสามารถเลือกวิธีการชำระเงินได้ถึง 3 วิธีสำหรับโฆษณานี้", "-1889014820": "<0>มองไม่เห็นวิธีการชำระเงินของคุณใช่หรือไม่? <1>เพิ่มใหม่", - "-806152028": "โฆษณาของคุณ กำลังทำงาน", + "-806152028": "โฆษณาของคุณกำลังทำงาน", "-1007339977": "ไม่มีชื่อที่ตรงกัน", "-179005984": "บันทึก", "-2059312414": "รายละเอียดโฆษณา", @@ -315,16 +315,16 @@ "-231863107": "ไม่ใช่", "-532709160": "ชื่อเล่นของคุณ", "-1117584385": "เห็นมาแล้วมากกว่า 6 เดือนก่อน", - "-258178741": "เห็นเมื่อ {{ duration }} เดือน{{ prural }} ที่แล้ว", - "-1740895160": "เห็นเมื่อ {{ duration }} วัน{{ plural }} ที่แล้ว", - "-2107857873": "เห็นเมื่อ {{ duration }} ชั่วโมง{{ plural }} ที่แล้ว", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "ทางออนไลน์", "-2008992756": "คุณต้องการยกเลิกคำสั่งซื้อนี้หรือไม่?", "-1666369246": "ถ้าคุณยกเลิกคำสั่งซื้อของคุณจำนวน {{cancellation_limit}} ครั้งในระยะเวลา {{cancellation_period}} ชั่วโมง คุณจะถูกบล็อกการเข้าใช้ Deriv P2P เป็นเวลา {{block_duration}} ชั่วโมง
ทั้งนี้มีจำนวนการยกเลิกเหลืออยู่ ({{number_of_cancels_remaining}} ครั้ง)", "-1618084450": "หากคุณยกเลิกคำสั่งซื้อนี้ คุณจะถูกปิดกั้นไม่ให้เข้าใช้งาน Deriv P2P เป็นเวลา {{block_duration}} ชั่วโมง", "-2026176944": "โปรดอย่ายกเลิกหากคุณชําระเงินแล้ว", "-1989544601": "ยกเลิกคำสั่งซื้อนี้", - "-492996224": "อย่าทำการยกเลิก\n", + "-492996224": "อย่าทำการยกเลิก", "-510341549": "ฉันได้รับจำนวนเงินน้อยกว่าที่ตกลงกัน", "-650030360": "ฉันจ่ายเงินเกินกว่าจำนวนเงินที่ตกลงกัน", "-1192446042": "หากข้อร้องเรียนของคุณไม่ได้แสดงอยู่ที่นี่ โปรดติดต่อทีมฝ่ายบริการลูกค้าของเรา", @@ -332,30 +332,30 @@ "-792338456": "คุณร้องเรียนเรื่องอะไร?", "-1447732068": "การยืนยันการชำระเงิน", "-1485778481": "คุณได้รับการชำระเงินแล้วหรือไม่?", - "-403938778": "โปรดยืนยันหลังจากได้ตรวจสอบบัญชีธนาคารหรือบัญชี e-wallet ของคุณแล้วเท่านั้น เพื่อให้แน่ใจว่าคุณได้รับการชำระเงินเรียบร้อยแล้ว", + "-403938778": "โปรดยืนยันหลังจากได้ตรวจสอบบัญชีธนาคารหรือบัญชีอีวอลเล็ทของคุณแล้วเท่านั้น เพื่อให้แน่ใจว่าคุณได้รับการชำระเงินเรียบร้อยแล้ว", "-1875011752": "ใช่ ฉันได้จ่ายไปแล้ว", "-1146269362": "ฉันได้รับ {{amount}} {{currency}}", "-563116612": "ฉันยังไม่ได้ชำระเงิน", "-418870584": "ยกเลิกคำสั่งซื้อ", "-1392383387": "ฉันจ่ายเรียบร้อยแล้ว", - "-727273667": "ร้องขอ", - "-2016990049": "ขาย {{offered_currency}} คำสั่งซื้อ", + "-727273667": "ร้องเรียน", + "-2016990049": "ขายคำสั่งซื้อ {{offered_currency}}", "-811190405": "เวลา", - "-961632398": "Collapse all", - "-415476028": "ไม่ได้รับการจัดอันดับ", + "-961632398": "พับเก็บทั้งหมด", + "-415476028": "ไม่ได้รับการให้คะแนน", "-26434257": "คุณมีเวลาถึง {{remaining_review_time}} GMT เพื่อให้คะแนนการทำธุรกรรมนี้", "-768709492": "ประสบการณ์การทำธุรกรรมของคุณ", - "-652933704": "ที่แนะนำ", - "-84139378": "ที่ไม่แนะนำ", + "-652933704": "เป็นที่แนะนำ", + "-84139378": "ไม่เป็นที่แนะนำ", "-1983512566": "การสนทนานี้ถูกปิดลงแล้ว", "-1797318839": "ในกรณีที่มีข้อพิพาท เราจะพิจารณาการสื่อสารผ่านช่องทางแชท Deriv P2P เท่านั้น", "-283017497": "ลองใหม่อีกครั้ง", "-979459594": "ซื้อ/ขาย", "-2052184983": "รหัสคำสั่งซื้อ", - "-2096350108": "คู่สัญญา\n", + "-2096350108": "คู่สัญญา", "-750202930": "คำสั่งซื้อขายที่กำลังใช้งานอยู่", "-1626659964": "ฉันได้รับ {{amount}} {{currency}}", - "-1340125291": "เสร็จสิ้น", + "-1340125291": "เสร็จสิ้นแล้ว", "-237014436": "แนะนำโดยเทรดเดอร์ {{recommended_count}} คน", "-1463630097": "แนะนำโดยเทรดเดอร์ 0 คน", "-2054589794": "คุณถูกห้ามไม่ให้ใช้บริการของเราโดยชั่วคราว เนื่องจากมีความพยายามในการยกเลิกหลายครั้ง คุณจะลองอีกครั้งได้หลังจาก {{date_time}} GMT", diff --git a/packages/p2p/src/translations/tr.json b/packages/p2p/src/translations/tr.json index 1ca9ac47474e..6fcd2b7ecd81 100644 --- a/packages/p2p/src/translations/tr.json +++ b/packages/p2p/src/translations/tr.json @@ -47,7 +47,7 @@ "531912261": "Banka adı, hesap numarası, lehtar adı", "554135844": "Düzenle", "560402954": "Kullanıcı değerlendirmesi", - "565060416": "Exchange rate", + "565060416": "Döviz kuru", "580715136": "Lütfen bize kaydolun!", "587882987": "Reklamcılar", "611376642": "Temizle", @@ -58,7 +58,7 @@ "662578726": "Kullanılabilir", "671582270": "Maksimum kullanılabilir tutar: {{value}}", "683273691": "Oran (1 {{ account_currency }})", - "707324095": "Seen {{ duration }} dakika{{ plural }} önce", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Kabul edilen tutardan fazlasını aldım.", "733311523": "P2P işlemleri kitlenir. Bu özellik ödeme aracıları tarafından kullanılamaz.", "767789372": "Ödeme için bekleyin", @@ -110,7 +110,7 @@ "1303016265": "Evet", "1313218101": "Bu işlemi değerlendirin", "1314266187": "Bugün katıldı", - "1326475003": "Activate", + "1326475003": "Etkinleştir", "1328352136": "Sat {{ account_currency }}", "1337027601": "{{offered_amount}} {{offered_currency}} Sattınız", "1347322213": "Bu işlemi nasıl değerlendirirsiniz?", @@ -137,7 +137,7 @@ "1620858613": "Satmak için bir ilan oluşturuyorsunuz: <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }}) için <0>{{ target_amount }} {{ target_currency }}", "1623916605": "Tam ödeme yapamadım.", "1654365787": "Bilinmeyen", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "Siz siparişi onaylamadan önce ilan veren oranı değiştirdi.", "1671725772": "İptal etmeyi seçerseniz, düzenlenen ayrıntılar kaybolacak.", "1675716253": "Min. Limit", "1678804253": "Satın al {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Tam ödeme yaptım ancak satıcı parayı serbest bırakmadı.", "1794474847": "Ödeme aldım", "1798116519": "Kullanılabilir miktar", - "1809099720": "Expand all", + "1809099720": "Tümünü genişlet", "1842172737": "{{offered_amount}} {{offered_currency}} aldınız", "1848044659": "İlanınız yok.", "1859308030": "Geri bildirim verin", @@ -292,7 +292,7 @@ "-1600783504": "İlanınız için dalgalı bir kur belirleyin.", "-372210670": "Oran (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Devre dışı bırak", "-1667041441": "Oran (1 {{ offered_currency }})", "-1886565882": "Dalgalı kuru ilanlarınız devre dışı bırakıldı. Onları yeniden etkinleştirmek için sabit oranları ayarlayın.", "-792015701": "Deriv P2P kasiyeri ülkenizde kullanılamıyor.", @@ -315,9 +315,9 @@ "-231863107": "Hayır", "-532709160": "Takma adınız", "-1117584385": "6 aydan fazla önce görüldü", - "-258178741": "Görülen {{ duration }} ay{{ prural }} önce", - "-1740895160": "Görülen {{ duration }} gün{{ prural }} önce", - "-2107857873": "{{ duration }} Saat önce{{ plural }} görüldü", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Online", "-2008992756": "Bu emri iptal etmek istiyor musunuz?", "-1666369246": "{{cancellation_period}} saat içinde {{cancellation_limit}} kez emrinizi iptal ederseniz, {{block_duration}} saat boyunca Deriv P2P'yi kullanmanız engellenecektir.
({{number_of_cancels_remaining}} iptal kaldı.)", @@ -341,7 +341,7 @@ "-727273667": "Şikâyet", "-2016990049": "{{offered_currency}} satış emri", "-811190405": "Zaman", - "-961632398": "Collapse all", + "-961632398": "Tümünü daralt", "-415476028": "Değerlendirilmedi", "-26434257": "Bu işlemi değerlendirmek için GMT {{remaining_review_time}} tarihine kadar süreniz var.", "-768709492": "İşlem deneyiminiz", diff --git a/packages/p2p/src/translations/vi.json b/packages/p2p/src/translations/vi.json index a4c04c9d97c6..80dbd7b45605 100644 --- a/packages/p2p/src/translations/vi.json +++ b/packages/p2p/src/translations/vi.json @@ -47,7 +47,7 @@ "531912261": "Tên ngân hàng, số tài khoản, tên người nhận", "554135844": "Chỉnh sửa", "560402954": "Xếp hạng người dùng", - "565060416": "Exchange rate", + "565060416": "Tỷ giá hối đoái", "580715136": "Hãy đăng ký với chúng tôi!", "587882987": "Nhà quảng cáo", "611376642": "Xóa", @@ -58,7 +58,7 @@ "662578726": "Khả dụng", "671582270": "Số tối đa là {{value}}", "683273691": "Tỷ lệ (1 {{ account_currency }})", - "707324095": "Được thấy {{ duration }} phút {{ plural }} trước", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "Tôi nhận được nhiều hơn khoản tiền thoả thuận.", "733311523": "Giao dịch P2P đã bị khóa. Tính năng này không khả dụng với Đại Lý Thanh Toán.", "767789372": "Đợi thanh toán", @@ -110,7 +110,7 @@ "1303016265": "Có", "1313218101": "Đánh giá giao dịch này", "1314266187": "Đã gia nhập hôm nay", - "1326475003": "Activate", + "1326475003": "Kích hoạt", "1328352136": "Bán {{ account_currency }}", "1337027601": "Bạn bán {{offered_amount}} {{offered_currency}}", "1347322213": "Bạn đánh giá giao dịch này như thế nào?", @@ -137,7 +137,7 @@ "1620858613": "Bạn đang chỉnh sửa một quảng cáo để bán <0>{{ target_amount }} {{ target_currency }} cho <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "1623916605": "Tôi đã không thể trả toàn bộ.", "1654365787": "Không xác định", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "Nhà quảng cáo đã thay đổi tỷ lệ trước khi bạn xác nhận đơn hàng.", "1671725772": "Nếu bạn chọn hủy, các chi tiết đã chỉnh sửa sẽ bị mất.", "1675716253": "Giới hạn tối thiểu", "1678804253": "Mua {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "Tôi đã trả toàn bộ nhưng người bán chưa chuyển tiền.", "1794474847": "Tôi đã nhận thanh toán", "1798116519": "Số tiền khả dụng", - "1809099720": "Expand all", + "1809099720": "Mở rộng hết", "1842172737": "Bạn đã nhận {{offered_amount}} {{offered_currency}}", "1848044659": "Bạn không có quảng cáo nào.", "1859308030": "Gửi phản hồi", @@ -292,7 +292,7 @@ "-1600783504": "Đặt tỷ giá thả nổi cho quảng cáo của bạn.", "-372210670": "Tỷ lệ (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "Hủy tài khoản", "-1667041441": "Tỷ lệ (1 {{ offered_currency }})", "-1886565882": "Quảng cáo của bạn với tỷ giá thả nổi đã bị vô hiệu hóa. Đặt mức giá cố định để kích hoạt lại chúng.", "-792015701": "Thu ngân Deriv P2P không khả dụng ở quốc gia của bạn.", @@ -315,9 +315,9 @@ "-231863107": "Không", "-532709160": "Biệt danh của bạn", "-1117584385": "Xem cách đây hơn 6 tháng", - "-258178741": "Đã thấy {{ duration }} tháng{{ prural }} ago", - "-1740895160": "Đã thấy {{ duration }} ngày{{ prural }} ago", - "-2107857873": "Được thấy {{ duration }} tiếng {{ plural }} trước", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "Trực tuyến", "-2008992756": "Bạn có muốn hủy đơn hàng này?", "-1666369246": "Nếu bạn hủy lệnh của mình {{cancellation_limit}} lần trong {{cancellation_period}} giờ, bạn sẽ bị chặn sử dụng Deriv P2P trong {{block_duration}} giờ.
(còn {{number_of_cancels_remaining}} lần hủy.)", @@ -341,7 +341,7 @@ "-727273667": "Khiếu nại", "-2016990049": "Bán {{offered_currency}} lệnh", "-811190405": "Thời gian", - "-961632398": "Collapse all", + "-961632398": "Thu gọn hết", "-415476028": "Không được đánh giá", "-26434257": "Bạn có \u001dthể xếp hạng giao dịch này cho tới ngày {{remaining_review_time}}.", "-768709492": "Trải nghiệm giao dịch của bạn", diff --git a/packages/p2p/src/translations/zh_cn.json b/packages/p2p/src/translations/zh_cn.json index 7d1547378060..8ba827d23fd1 100644 --- a/packages/p2p/src/translations/zh_cn.json +++ b/packages/p2p/src/translations/zh_cn.json @@ -47,7 +47,7 @@ "531912261": "银行名称、账号、受益人姓名", "554135844": "编辑", "560402954": "用户评分", - "565060416": "Exchange rate", + "565060416": "汇率", "580715136": "请向我们注册!", "587882987": "广告商", "611376642": "清除", @@ -58,7 +58,7 @@ "662578726": "可用", "671582270": "最大允许金额为 {{value}}", "683273691": "费率 (1 {{ account_currency }})", - "707324095": "{{ duration }} 分钟前上线", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "我收到的金额比约定的金额更大。", "733311523": "P2P 交易已被锁。支付代理不能使用此功能。", "767789372": "等待付款", @@ -110,7 +110,7 @@ "1303016265": "是", "1313218101": "给此交易评分", "1314266187": "今天已加入", - "1326475003": "Activate", + "1326475003": "激活", "1328352136": "卖出 {{ account_currency }}", "1337027601": "您已卖出 {{offered_amount}} {{offered_currency}}", "1347322213": "如何评分此交易?", @@ -137,7 +137,7 @@ "1620858613": "正在编辑广告以<0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})卖出<0>{{ target_amount }} {{ target_currency }}", "1623916605": "我无法全额付款。", "1654365787": "未知", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "您确认订单之前广告商已更改了费率。", "1671725772": "如选择取消,您编辑的所有详细将会遗失。", "1675716253": "最小限额", "1678804253": "买入 {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "我已全额付款,但卖方尚未发放资金。", "1794474847": "我已收到款项", "1798116519": "可用的金额", - "1809099720": "Expand all", + "1809099720": "扩大全部", "1842172737": "您已收到 {{offered_amount}} {{offered_currency}}", "1848044659": "您没有广告。", "1859308030": "提供反馈", @@ -292,7 +292,7 @@ "-1600783504": "为广告设置浮动汇率。", "-372210670": "费率 (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "停用", "-1667041441": "费率 (1 {{ offered_currency }})", "-1886565882": "浮动汇率广告已停用。设置固定汇率以重新激活。", "-792015701": "您的国家不能使用 Deriv P2P 收银台。", @@ -315,9 +315,9 @@ "-231863107": "否", "-532709160": "您的昵称", "-1117584385": "6 个多月前上线", - "-258178741": "{{ duration }} 个月前上线", - "-1740895160": "{{ duration }} 天前上线", - "-2107857873": "{{ duration }} 小时前上线", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "在线", "-2008992756": "要取消此订单?", "-1666369246": "如您在{{cancellation_period}} 小时内取消订单{{cancellation_limit}} 次,{{block_duration}} 小时内您将被禁使用 Deriv P2P 。
(剩余取消次数为{{number_of_cancels_remaining}} 次。)", @@ -341,7 +341,7 @@ "-727273667": "投诉", "-2016990049": "卖出 {{offered_currency}} 订单", "-811190405": "时间", - "-961632398": "Collapse all", + "-961632398": "折叠全部", "-415476028": "未评分", "-26434257": "您须在格林尼治标准时间 {{remaining_review_time}} 前给此交易评分。", "-768709492": "您的交易经验", diff --git a/packages/p2p/src/translations/zh_tw.json b/packages/p2p/src/translations/zh_tw.json index 8d793822da98..7fc0a992f74e 100644 --- a/packages/p2p/src/translations/zh_tw.json +++ b/packages/p2p/src/translations/zh_tw.json @@ -47,7 +47,7 @@ "531912261": "銀行名稱、帳號、受益人姓名", "554135844": "編輯", "560402954": "使用者評分", - "565060416": "Exchange rate", + "565060416": "匯率", "580715136": "請向我們註冊!", "587882987": "廣告商", "611376642": "清除", @@ -58,7 +58,7 @@ "662578726": "可用", "671582270": "最大允許金額為 {{value}}", "683273691": "費率 (1 {{ account_currency }})", - "707324095": "{{ duration }} 分鐘前上缐", + "707324095": "Seen {{ duration }} minute{{ plural }} ago", "728383001": "我收到的金額比約定的金額更大。", "733311523": "P2P交易已被鎖。支付代理不能使用此功能。", "767789372": "等待付款", @@ -110,7 +110,7 @@ "1303016265": "是", "1313218101": "給此交易評分", "1314266187": "今天已加入", - "1326475003": "Activate", + "1326475003": "啓用", "1328352136": "賣出 {{ account_currency }}", "1337027601": "您已賣出 {{offered_amount}} {{offered_currency}}", "1347322213": "如何評分此交易?", @@ -137,7 +137,7 @@ "1620858613": "正在編輯廣告以 <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})賣出 <0>{{ target_amount }} {{ target_currency }}", "1623916605": "我無法全額付款。", "1654365787": "未知", - "1660278694": "The advertiser changed the rate before you confirmed the order.", + "1660278694": "您確認訂單之前廣告商已更改了費率。", "1671725772": "如選擇取消,您編輯的所有詳細資料將會遺失。", "1675716253": "最小限額", "1678804253": "買入 {{ currency }}", @@ -154,7 +154,7 @@ "1794470010": "我已經全額付款,但是賣方還沒有釋放這筆款項。", "1794474847": "我已收到款項", "1798116519": "可用的金額", - "1809099720": "Expand all", + "1809099720": "擴大全部", "1842172737": "您已收到 {{offered_amount}} {{offered_currency}}", "1848044659": "您沒有廣告。", "1859308030": "提供意見反應", @@ -292,7 +292,7 @@ "-1600783504": "為廣告設定浮動匯率。", "-372210670": "費率 (1 {{account_currency}})", "-1400835517": "{{ad_type}} {{ id }}", - "-1318334333": "Deactivate", + "-1318334333": "停用", "-1667041441": "費率 (1 {{ offered_currency }})", "-1886565882": "浮動匯率廣告已停用。設定固定匯率以重新激活。", "-792015701": "您的國家不能使用 Deriv P2P 收銀台。", @@ -315,9 +315,9 @@ "-231863107": "否", "-532709160": "您的暱稱", "-1117584385": "6 個多月前上缐", - "-258178741": "{{ duration }} 個月前上缐", - "-1740895160": "{{ duration }} 天前上缐", - "-2107857873": "{{ duration }} 小時前上缐", + "-258178741": "Seen {{ duration }} month{{ prural }} ago", + "-1740895160": "Seen {{ duration }} day{{ plural }} ago", + "-2107857873": "Seen {{ duration }} hour{{ plural }} ago", "-1717650468": "線上", "-2008992756": "要取消此訂單?", "-1666369246": "如您在{{cancellation_period}} 小時内取消訂單{{cancellation_limit}} 次,{{block_duration}} 小時内您將被禁使用 Deriv P2P 。
(剩餘取消次數為{{number_of_cancels_remaining}} 次。)", @@ -341,7 +341,7 @@ "-727273667": "投訴", "-2016990049": "賣出 {{offered_currency}} 訂單", "-811190405": "時間", - "-961632398": "Collapse all", + "-961632398": "摺疊全部", "-415476028": "未評分", "-26434257": "您須在格林威治標準時間 {{remaining_review_time}} 前給此交易評分。", "-768709492": "您的交易經驗", diff --git a/packages/translations/crowdin/messages.json b/packages/translations/crowdin/messages.json index a91df2bd04b0..7dd04f1afd81 100644 --- a/packages/translations/crowdin/messages.json +++ b/packages/translations/crowdin/messages.json @@ -1 +1 @@ -{"0":"","1014140":"You may also call <0>+447723580049 to place your complaint.","3125515":"Your Deriv MT5 password is for logging in to your Deriv MT5 accounts on the desktop, web, and mobile apps.","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}}","17843034":"Check proof of identity document verification status","19424289":"Username","19552684":"USD Basket","21035405":"Please tell us why you’re leaving. (Select up to {{ allowed_reasons }} reasons.)","24900606":"Gold Basket","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}}","27830635":"Deriv (V) Ltd","28581045":"Add a real MT5 account","30801950":"Your account will be opened with {{legal_entity_name}}, regulated by the Malta Gaming Authority, and will be subject to the laws of Malta.","33433576":"Please use an e-wallet to withdraw your funds.","35089987":"Upload the front and back of your driving licence.","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","49963458":"Choose an option","50200731":"FX majors (standard/micro lots), FX minors, basket indices, commodities, and cryptocurrencies","54185751":"Less than $100,000","55340304":"Keep your current contract?","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","64402604":"Check transfer information","65185694":"Fiat onramp","65982042":"Total","66519591":"Investor password","66557535":"Cancel your trade at any time within a specified time frame.","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.","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","76916358":"You have reached the withdrawal limit.<0/>Please upload your proof of identity and address to lift the limit to continue your withdrawal.","80881349":"Get an Options account","81450871":"We couldn’t find that page","82839270":"Upload the page of your passport that contains your photo.","83202647":"Collapse Block","85343079":"Financial assessment","85359122":"40 or more","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","98473502":"We’re not obliged to conduct an appropriateness test, nor provide you with any risk warnings.","98972777":"random item","100239694":"Upload front of card from your computer","102226908":"Field cannot be empty","107206831":"We’ll review your document and notify you of its status within 1-3 days.","108916570":"Duration: {{duration}} days","109073671":"Please use an e-wallet that you have used for deposits previously. Ensure the e-wallet supports withdrawal. See the list of e-wallets that support withdrawals <0>here.","110261653":"Congratulations, you have successfully created your {{category}} {{platform}} <0>{{type}} {{jurisdiction_selected_shortcode}} account. To start trading, transfer funds from your Deriv account into this account.","111215238":"Move away from direct light","111718006":"End date","111931529":"Max. total stake over 7 days","113378532":"ETH/USD","113884303":"German Index","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}}","124625402":"of","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","132596476":"In providing our services to you, we are required to ask you for some information to assess if a given product or service is appropriate for you and whether you have the experience and knowledge to understand the risks involved.<0/><0/>","132689841":"Trade on web terminal","133523018":"Please go to the Deposit page to get an address.","133536621":"and","138055021":"Synthetic indices","139454343":"Confirm my limits","141265840":"Funds transfer information","141626595":"Make sure your device has a working camera","142050447":"set {{ variable }} to create text with","142390699":"Connected to your mobile","143970826":"Payment problems?","145146541":"Our accounts and services are unavailable for the Jersey postal code","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","152524253":"Trade the world’s markets with our popular user-friendly platform.","157593038":"random integer from {{ start_number }} to {{ end_number }}","160746023":"Tether as an Omni token (USDT) is a version of Tether that is hosted on the Omni layer on the Bitcoin blockchain.","160863687":"Camera not detected","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","170244199":"I’m closing my account for other reasons.","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","177099483":"Your address verification is pending, and we’ve placed some restrictions on your account. The restrictions will be lifted once your address is verified.","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.","197190401":"Expiry date","201091938":"30 days","203179929":"<0>You can open this account once your submitted documents have been verified.","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):","209533725":"You’ve transferred {{amount}} {{currency}}","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","211847965":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.","216650710":"You are using a demo account","217403651":"St. Vincent & Grenadines","217504255":"Financial assessment submitted successfully","218441288":"Identity card number","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","224929714":"Virtual events based bets in the UK and the Isle of Man are offered by {{legal_entity_name}}, 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).","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 }}","227903202":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts.","228079844":"Click here to upload","228521812":"Tests whether a string of text is empty. Returns a boolean value (true or false).","229355215":"Trade on {{platform_name_dbot}}","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","238496287":"Leverage trading is high-risk, so it's a good idea to use risk management features such as stop loss. Stop loss allows you to","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","249908265":"Are you a citizen of {{- residence}}?","251134918":"Account Information","251322536":"Deriv EZ accounts","251445658":"Dark theme","251882697":"Thank you! Your response has been recorded into our system.<0/><0/>Please click ‘OK’ to continue.","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","256602726":"If you close your account:","258310842":"Workspace","258448370":"MT5","258912192":"Trading assessment","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.","268940240":"Your balance ({{format_balance}} {{currency}}) is less than the current minimum withdrawal allowed ({{format_min_withdraw_amount}} {{currency}}). Please top up your account to continue with your withdrawal.","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","270780527":"You've reached the limit for uploading your documents.","272042258":"When you set your limits, they will be aggregated across all your account types in {{platform_name_trader}}, {{platform_name_dbot}}, {{platform_name_smarttrader}} and {{platform_name_bbot}} on Deriv. For example, the losses made on all four platforms will add up and be counted towards the loss limit you set.","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.","283986166":"Self-exclusion on the website only applies to your {{brand_website_name}} account and does not include other companies or websites.","284527272":"antimode","284772879":"Contract","287934290":"Are you sure you want to cancel this transaction?","289898640":"TERMS OF USE","291817757":"Go to our Deriv community and learn about APIs, API tokens, ways to use Deriv APIs, and more.","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.","310234308":"Close all your positions.","312142140":"Save new limits?","312300092":"Trims the spaces within a given string or text.","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.","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","334680754":"Switch to your real account to create a Deriv MT5 account","334942497":"Buy time","335040248":"About us","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.","344418897":"These trading limits and self-exclusion help you control the amount of money and time you spend on {{brand_website_name}} and exercise <0>responsible trading.","345320063":"Invalid timestamp","346994074":"Selecting this will onboard you through Deriv (SVG) LLC (company no. 273 LLC 2020)","347029309":"Forex: standard/micro","347039138":"Iterate (2)","348951052":"Your cashier is currently locked","349047911":"Over","349110642":"<0>{{payment_agent}}<1>'s contact details","351744408":"Tests if a given text string is empty","352363702":"You may see links to websites with a fake Deriv login page where you’ll get scammed for your money.","353731490":"Job done","354945172":"Submit document","357477280":"No face found","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","371710104":"This scope will allow third-party apps to buy and sell contracts for you, renew your expired purchases, and top up your demo accounts.","372291654":"Exclude time must be after today.","372645383":"True if the market direction matches the selection","373021397":"random","373306660":"{{label}} is required.","373495360":"This block returns the entire SMA line, containing a list of all values for a given period.","374164629":"Trade on Deriv MT5, the all-in-one FX and CFD trading platform.","374537470":"No results for \"{{text}}\"","375714803":"Deal Cancellation Error","379523479":"To avoid loss of funds, do not share tokens with the Admin scope with unauthorised parties.","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.","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.","386278304":"Install the {{platform_name_trader}} web app","386502387":"Bot is not running","389923099":"Zoom in","390647540":"Real account","390890891":"Last quarter","391915203":"Hedging","392582370":"Fall Equals","396418990":"Offline","396961806":"We do not support Polygon (Matic), to deposit please use only Ethereum ({{token}}).","398816980":"Launch {{platform_name_trader}} in seconds the next time you want to trade.","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.","413594348":"Only letters, numbers, space, hyphen, period, and forward slash are allowed.","417714706":"If your margin level drops below our stop out level, your positions may be closed automatically to protect you from further losses.","417864079":"You’ll not be able to change currency once you have made a deposit.","418265501":"Demo Derived","420072489":"CFD trading frequency","422055502":"From","424897068":"Do you understand that you could potentially lose 100% of the money you use to trade?","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.","432508385":"Take Profit: {{ currency }} {{ take_profit }}","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","436364528":"Your account will be opened with {{legal_entity_name}}, and will be subject to the laws of Saint Vincent and the Grenadines.","437138731":"Create a new {{platform}} password","437453244":"Choose your preferred cryptocurrency","437485293":"File type not supported","437904704":"Maximum open positions","438067535":"Over $500,000","442520703":"$250,001 - $500,000","443559872":"Financial SVG","444484637":"Logic negation","445419365":"1 - 2 years","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.","453175851":"Your MT5 Financial STP account will be opened through {{legal_entity_name}}. 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).","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:","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","462461595":"Explore Trader's hub","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.","467839232":"I trade forex CFDs and other complex financial instruments regularly on other platforms.","473154195":"Settings","473863031":"Pending proof of address review","474306498":"We’re sorry to see you leave. Your account is now closed.","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","483246914":"Add your Deriv MT5 {{account_type}} STP account under Deriv (FX) Ltd regulated by Labuan Financial Services Authority (Licence no. MB/18/0024).","483279638":"Assessment Completed<0/><0/>","483591040":"Delete all {{ delete_count }} blocks?","485379166":"View transactions","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","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","529597350":"If you had any open positions, we have closed them and refunded you.","530953413":"Authorised applications","531114081":"3. Contract Type","531675669":"Euro","535041346":"Max. total stake per day","538228086":"Close-Low","541650045":"Manage {{platform}} password","541700024":"First, enter your driving licence number and the expiry date.","542038694":"Only letters, numbers, space, underscore, and hyphen are allowed for {{label}}.","542305026":"You must also submit a proof of identity.","543413346":"You have no open positions for this asset. To view other open positions, click Go to Reports","543915570":"Forex, stocks, stock indices, cryptocurrencies, synthetic indices","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:","549479175":"Deriv Multipliers","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","559224320":"Our classic “drag-and-drop” tool for creating trading bots, featuring pop-up trading charts, for advanced users.","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?","571921777":"Funds protection level","572576218":"Languages","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","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","587577425":"Secure my account","587856857":"Want to know more about APIs?","592087722":"Employment status is required.","593459109":"Try a different currency","595080994":"Example: CR123456789","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","609519227":"This is the email address associated with your Deriv account.","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.","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.","642393128":"Enter amount","642546661":"Upload back of license from your computer","642995056":"Email","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","661759508":"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/><0/>","662578726":"Available","662609119":"Download the MT5 app","665089217":"Please submit your <0>proof of identity to authenticate your account and access your Cashier.","665777772":"XLM/USD","665872465":"In the example below, the opening price is selected, which is then assigned to a variable called \"op\".","668344562":"Synthetics, FX majors (standard/micro lots), FX minors, basket indices, commodities, and cryptocurrencies","672008428":"ZEC/USD","673915530":"Jurisdiction and choice of law","674973192":"Use this password to log in to your Deriv MT5 accounts on the desktop, web, and mobile apps.","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.","680478881":"Total withdrawal limit","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)","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","705299518":"Next, upload the page of your passport that contains your photo.","706727320":"Binary options trading frequency","706755289":"This block performs trigonometric functions.","707662672":"{{unblock_date}} at {{unblock_time}}","708055868":"Driving licence number","710123510":"repeat {{ while_or_until }} {{ boolean }}","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","714746816":"MetaTrader 5 Windows app","715841616":"Please enter a valid phone number (e.g. +15417541234).","716428965":"(Closed)","718504300":"Postal/ZIP code","720293140":"Log out","720519019":"Reset my password","721011817":"- Raise the first number to the power of the second number","723045653":"You'll log in to your Deriv account with this email address.","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","742676532":"Trade CFDs on forex, derived indices, cryptocurrencies, and commodities with high leverage.","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","751692023":"We <0>do not guarantee a refund if you make a wrong transfer.","752024971":"Reached maximum number of digits","752633544":"You will need to submit proof of identity and address once you reach certain thresholds","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","755867072":"{{platform_name_mt5}} is not available in {{country}}","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","781924436":"Call Spread/Put Spread","783974693":"Avoid recent years","784311461":"Exponential Moving Average (EMA)","784583814":"Linked to your computer","785969488":"Jump 75 Index","787116142":"The multiplier amount used to increase your stake if you’re losing a trade. Value must be higher than 2.","787727156":"Barrier","788005234":"NA","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","795859446":"Password saved","797007873":"Follow these steps to recover camera access:","797500286":"negative","800228448":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}} and {{legal_entity_name_fx}}.","800521289":"Your personal details are incomplete","801430087":"A link can contain the word \"Deriv\" and still be fake.","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.","811876954":"You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, and {{platform_name_dxtrade}} accounts.","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?","826511719":"USD/SEK","827688195":"Disable Block","828219890":"then","828602451":"Returns the list of tick values in string format","830164967":"Last name","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.","836097457":"I am interested in trading but have very little experience.","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","843333337":"You can only make deposits. Please complete the <0>financial assessment to unlock withdrawals.","845213721":"Logout","845304111":"Slow EMA Period {{ input_number }}","847888634":"Please withdraw all your funds.","850582774":"Please update your personal info","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","864610268":"First, enter your {{label}} and the expiry date.","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","868826608":"Excluded from {{brand_website_name}} until","869823595":"Function","869993298":"Minimum withdrawal","872549975":"You have {{number}} transfers remaining for today.","872661442":"Are you sure you want to update email <0>{{prev_email}} to <1>{{changed_email}}?","872817404":"Entry Spot Time","873166343":"1. 'Log' displays a regular message.","874461655":"Scan the QR code with your phone","874484887":"Take profit must be a positive number.","875532284":"Restart process on a different device","876086855":"Complete the financial assessment form","876292912":"Exit","879014472":"Reached maximum number of decimals","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.","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.","905564365":"MT5 CFDs","906049814":"We’ll review your documents and notify you of its status within 5 minutes.","910888293":"Too many attempts","915735109":"Back to {{platform_name}}","918447723":"Real","920125517":"Add demo account","926813068":"Fixed/Variable","929608744":"You are unable to make withdrawals","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","937682366":"Upload both of these documents to prove your identity.","937831119":"Last name*","937992258":"Table","938500877":"{{ text }}. <0>You can view the summary of this transaction in your email.","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","947549448":"Total assets in your Deriv, {{platform_name_mt5}} and {{platform_name_dxtrade}} real accounts.","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948545552":"150+","949859957":"Submit","952927527":"Regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156)","955352264":"Trade on {{platform_name_dxtrade}}","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","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","975668699":"I confirm and accept {{company}} 's <0>Terms and Conditions","975950139":"Country of Residence","977929335":"Go to my account settings","981138557":"Redirect","981965437":"Scan the QR code below with your 2FA app. We recommend <0>Authy or <1>Google Authenticator.","982146443":"WhatsApp","982402892":"First line of address","982829181":"Barriers","987224688":"How many trades have you placed with other financial instruments in the past 12 months?","987900242":"Total assets in your Deriv, {{platform_name_mt5}} and {{platform_name_dxtrade}} demo accounts.","988361781":"You have no trading activity yet.","988934465":"When prompted, you must enable camera access to continue","992294492":"Your postal code is invalid","993827052":"Choosing this jurisdiction will give you a Financial STP account. Your trades will go directly to the market and have tighter spreads.","995563717":"not {{ boolean }}","999008199":"text","1001160515":"Sell","1001749987":"You’ll get a warning, named margin call, if your account balance drops down close to the stop out level.","1003876411":"Should start with letter or number and may contain a hyphen, period and slash.","1004127734":"Send email","1006458411":"Errors","1006664890":"Silent","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","1024760087":"You are verified to add this account","1025887996":"Negative Balance Protection","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*","1029164365":"We presume that you possess the experience, knowledge, and expertise to make your own investment decisions and properly assess the risk involved.","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","1036116144":"Speculate on the price movement of an asset without actually owning it.","1036353276":"Please create another Deriv or {{platform_name_mt5}} account.","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","1044230481":"This is an Ethereum ({{token}}) only address, please do not use {{prohibited_token}}.","1044540155":"100+","1044599642":"<0> has been credited into your {{platform}} {{title}} account.","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","1050128247":"I confirm that I have verified the payment agent’s transfer information.","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 }}","1061561084":"Switch to your real account to create a Deriv MT5 {{account_title}} {{type_title}} account.","1062536855":"Equals","1065353420":"110+","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","1078221772":"Leverage prevents you from opening large positions.","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","1086118495":"Traders Hub","1088138125":"Tick {{current_tick}} - ","1096175323":"You’ll need a Deriv account","1098147569":"Purchase commodities or shares of a company.","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","1102420931":"Next, upload the front and back of your driving licence.","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","1107474660":"Submit proof of address","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","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","1122910860":"Please complete your <0>financial assessment.","1123927492":"You have not selected your account currency","1125090693":"Must be a number","1126075317":"Add your Deriv MT5 <0>{{account_type_name}} STP account under Deriv (FX) Ltd regulated by Labuan Financial Services Authority (Licence no. MB/18/0024).","1126934455":"Length of token name must be between 2 and 32 characters.","1127149819":"Make sure§","1128139358":"How many CFD trades have you placed in the past 12 months?","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.","1129842439":"Please enter a take profit amount.","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.","1151964318":"both sides","1152294962":"Upload the front of your driving licence.","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","1170228717":"Stay on {{platform_name_trader}}","1174542625":"- Find the chat ID property in the response, and copy the value of the id property","1174748431":"Payment channel","1175183064":"Vanuatu","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.","1180619731":"Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.","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с.","1188316409":"To receive your funds, contact the payment agent with the details below","1188980408":"5 minutes","1189368976":"Please complete your personal details before you verify your identity.","1189886490":"Please create another Deriv, {{platform_name_mt5}}, or {{platform_name_dxtrade}} account.","1191429031":"Please click on the link in the email to change your <0>{{platform_name_dxtrade}} password.","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.","1191778951":"Check your proof of identity and address","1192708099":"Duration unit","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1197326289":"You are no longer able to trade digital options on any of our platforms. Also, you can’t make deposits into your Options account.","1198368641":"Relative Strength Index (RSI)","1199281499":"Last Digits List","1201533528":"Contracts won","1201773643":"numeric","1203297580":"This block sends a message to a Telegram channel.","1204223111":"In this example, the open prices from a list of candles are assigned to a variable called \"candle_list\".","1206821331":"Armed Forces","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","1217481729":"Tether as an ERC20 token (eUSDT) is a version of Tether that is hosted on Ethereum.","1218546232":"What is Fiat onramp?","1219844088":"do %1","1221250438":"To enable withdrawals, please submit your <0>Proof of Identity (POI) and <1>Proof of Address (POA) and also complete the <2>financial assessment in your account settings.","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","1227074958":"random fraction","1227240509":"Trim spaces","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","1239760289":"Complete your trading assessment","1239940690":"Restarts the bot when an error is encountered.","1240027773":"Please Log in","1241238585":"You may transfer between your Deriv fiat, cryptocurrency, and {{platform_name_mt5}} accounts.","1243064300":"Local","1246207976":"Enter the authentication code generated by your 2FA app:","1246443703":"Financial Assessment","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","1248161058":"You can create your account on {{real_account_unblock_date}}. <0/>Please click ‘OK’ to continue.","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.","1285686014":"Pending proof of identity review","1286094280":"Withdraw","1286507651":"Close identity verification screen","1288965214":"Passport","1289646209":"Margin call","1290525720":"Example: ","1291887623":"Digital options trading frequency","1292188546":"Reset Deriv MT5 investor password","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.","1296380713":"Close my contract","1299479533":"8 hours","1300576911":"Please resubmit your proof of address or we may restrict your account.","1302691457":"Occupation","1303016265":"Yes","1303530014":"We’re processing your withdrawal.","1304083330":"copy","1304272843":"Please submit your proof of address.","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.","1305217290":"Upload the back of your identity card.","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","1311799109":"We do not support Binance Smart Chain tokens to deposit, please use only Ethereum ({{token}}).","1312767038":"Exit Trader's hub","1313167179":"Please log in","1313302450":"The bot will stop trading if your total loss exceeds this amount.","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.","1327181172":"Financial Vanuatu","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. ","1331367811":"Client account number","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","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):","1349133669":"Try changing your search criteria.","1349289354":"Great, that's everything we need","1349295677":"in text {{ input_text }} get substring from {{ position1 }} {{ index1 }} to {{ position2 }} {{ index2 }}","1351906264":"This feature is not available for payment agents.","1353197182":"Please select","1354288636":"Based on your answers, it looks like you have insufficient knowledge and experience in trading CFDs. CFD trading is risky and you could potentially lose all of your capital.<0/><0/>","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.","1364958515":"Stocks","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","1371555192":"Choose your preferred payment agent and enter your withdrawal amount. If your payment agent is not listed, <0>search for them using their account number.","1371641641":"Open the link on your mobile","1371911731":"Financial products in the EU are offered by {{legal_entity_name}}, licensed as a Category 3 Investment Services provider by the Malta Financial Services Authority (<0>Licence no. IS/70156).","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","1388770399":"Proof of identity required","1389197139":"Import error","1390792283":"Trade parameters","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","1396417530":"Bear Market Index","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 }}","1408844944":"Click the plus icon to extend the functionality of this block.","1410320737":"Go to Deriv MT5 dashboard","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:","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","1438247001":"A professional client receives a lower degree of client protection due to the following.","1438340491":"else","1439168633":"Stop loss:","1441208301":"Total<0 />profit/loss","1442747050":"Loss amount: <0>{{profit}}","1442840749":"Random integer","1443478428":"Selected proposal does not exist","1445592224":"You accidentally gave us another email address (Usually a work or a personal one instead of the one you meant).","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","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.","1455741083":"Upload the back of your driving licence.","1457341530":"Your proof of identity verification has failed","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}}.","1465084972":"How much experience do you have with other financial instruments?","1465919899":"Pick an end date","1466430429":"Should be between {{min_value}} and {{max_value}}","1466900145":"Doe","1467017903":"This market is not yet available on {{platform_name_trader}}, but it is on {{platform_name_smarttrader}}.","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","1468937050":"Trade on {{platform_name_trader}}","1469150826":"Take Profit","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1471070549":"Can contract be sold?","1471741480":"Severe error","1475513172":"Size","1476301886":"Similar to SMA, this block gives you the entire SMA line containing a list of all values for a given period.","1478030986":"Create or delete API tokens for trading and withdrawals","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.","1487086154":"Your documents were submitted successfully","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).","1493673429":"Change email","1493866481":"Run Deriv X on your browser","1496810530":"GBP/AUD","1497773819":"Deriv MT5 accounts","1499074768":"Add a real Deriv Multipliers account","1499080621":"Tried to perform an invalid operation.","1501691227":"Add Your Deriv MT5 <0>{{account_type_name}} account under Deriv (V) Ltd, regulated by the Vanuatu Financial Services Commission.","1502039206":"Over {{barrier}}","1502325741":"Your password cannot be the same as your email address.","1503618738":"- Deal reference ID: the reference ID of the contract","1505420815":"No payment agents found for your search","1505898522":"Download stack","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.","1516537408":"You can no longer trade on Deriv or deposit funds into your account.","1516559721":"Please select one file only","1516676261":"Deposit","1517503814":"Drop file or click here to upload","1519124277":"Derived SVG","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.","1529440614":"Use the <0>Deriv password to log in to {{brand_website_name}}, {{platform_name_go}}, {{platform_name_trader}}, {{platform_name_smarttrader}}, and {{platform_name_dbot}}.","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.","1533177906":"Fall","1534569275":"As part of the changes in our markets, we will be closing our UK clients’ accounts.","1534796105":"Gets variable value","1537711064":"You need to make a quick identity verification before you can access the Cashier. Please go to your account settings to submit your proof of identity.","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","1551172020":"AUD Basket","1552162519":"View onboarding","1552918367":"Send only {{currency}} ({{currency_symbol}}) to this address.","1557426040":"Demo Derived SVG","1557682012":"Account Settings","1558972889":"set {{ variable }} to Simple Moving Average {{ dummy }}","1560302445":"Copied","1562374116":"Students","1564392937":"When you set your limits or self-exclusion, they will be aggregated across all your account types in {{platform_name_trader}} and {{platform_name_dbot}}. For example, the losses made on both platforms will add up and be counted towards the loss limit you set.","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","1579839386":"Appstore","1580498808":"Multiple faces found","1584109614":"Ticks String List","1584578483":"50+ assets: forex, stocks, stock indices, synthetics indices, and cryptocurrencies.","1584936297":"XML file contains unsupported elements. Please check or modify file.","1585859194":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.","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","1593010588":"Login now","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.","1597672660":"Deriv MT5 Password","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","1604171868":"Please withdraw all your funds as soon as possible.","1604916224":"Absolute","1605222432":"I have no knowledge and experience in trading at all.","1605292429":"Max. total loss","1612105450":"Get substring","1613273139":"Resubmit proof of identity and address","1613633732":"Interval should be between 10-60 minutes","1615544392":"When do you be required to pay an initial margin?","1615897837":"Signal EMA Period {{ input_number }}","1618809782":"Maximum withdrawal","1619070150":"You are being redirected to an external website.","1620278321":"Names and surnames by themselves are easy to guess","1620346110":"Set currency","1621024661":"Tether as a TRC20 token (tUSDT) is a version of Tether that is hosted on Tron.","1622662457":"Date from","1623706874":"Use this block when you want to use multipliers as your trade type.","1630372516":"Try our Fiat onramp","1630417358":"Please go to your account settings and complete your personal details to enable withdrawals.","1631281562":"GBP Basket","1634594289":"Select language","1634903642":"Only your face can be in the selfie","1634969163":"Change currency","1635266650":"It seems that your name in the document is not the same as your Deriv profile. Please update your name in the <0>Personal details page to solve this issue.","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.","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","1652968048":"Define your trade options such as multiplier and stake.","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!","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","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","1668138872":"Modify account settings","1670016002":"Multiplier: {{ multiplier }}","1670426231":"End Time","1671232191":"You have set the following limits:","1675030608":"To create this account first we need you to resubmit your proof of address.","1677027187":"Forex","1677990284":"My apps","1682409128":"Untitled Strategy","1682636566":"Resend email in","1683963454":"Your contract will be closed automatically at the next available asset price on {{date}} at {{timestamp}}.","1684148009":"Total assets in your Deriv and {{platform_name_mt5}} real accounts.","1684419981":"What's this?","1686800117":"{{error_msg}}","1689103988":"Second Since Epoch","1689258195":"We were unable to verify your address with the details you provided. Please check and resubmit or choose a different document type.","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.","1694517345":"Enter a new email address","1695807119":"Could not load Google Drive blocks","1700233813":"Transfer from {{selected_value}} is not allowed, Please choose another account from dropdown","1704656659":"How much experience do you have in CFD trading?","1708413635":"For your {{currency_name}} ({{currency}}) account","1709859601":"Exit Spot Time","1710662619":"If you have the app, launch it to start trading.","1711013665":"Anticipated account turnover","1711676335":"square root","1711929663":"Your funds have been transferred","1712357617":"Invalid email address.","1714255392":"To enable withdrawals, please complete your financial assessment.","1715011380":"Jump 25 Index","1715630945":"Returns the total profit in string format","1718109065":"Trading Hub","1719248689":"EUR/GBP/USD","1720451994":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv fiat and Deriv cryptocurrency accounts.","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","1726565314":"Close my account","1727681395":"Total assets in your Deriv and {{platform_name_mt5}} demo accounts.","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","1738681493":"Remove your glasses, if necessary","1739384082":"Unemployed","1739668049":"Close your account","1740371444":"Underlying market is not selected","1740843997":"Buy cryptocurrencies in an instant. Enjoy easy, quick, and secure exchanges using your local payment methods.","1742256256":"Please upload one of the following documents:","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","1758386013":"Do not get lured to fake \"Deriv\" pages!","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","1763123662":"Upload your NIMC slip.","1766212789":"Server maintenance starts at 06:00 GMT every Sunday and may last up to 2 hours. You may experience service disruption during this time.","1766993323":"Only letters, numbers, and underscores are allowed.","1767429330":"Add a Derived account","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","1778893716":"Click here","1779519903":"Should be a valid number.","1780770384":"This block gives you a random fraction between 0.0 to 1.0.","1781393492":"We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.","1782308283":"Quick strategy","1782395995":"Last Digit Prediction","1782690282":"Blocks menu","1782703044":"Sign up","1783740125":"Upload your selfie","1787135187":"Postal/ZIP code is required","1787492950":"Indicators on the chart tab are for indicative purposes only and may vary slightly from the ones on the {{platform_name_dbot}} workspace.","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.","1798943788":"You can only make deposits.","1801093206":"Get candle list","1801927731":"{{platform_name_dxtrade}} accounts","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.","1811109068":"Jurisdiction","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","1816126006":"Trade on Deriv MT5 ({{platform_name_dmt5}}), the all-in-one FX and CFD trading platform.","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.","1828370654":"Onboarding","1830520348":"{{platform_name_dxtrade}} Password","1833481689":"Unlock","1833499833":"Proof of identity documents upload failed","1836767074":"Search payment agent name","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","1839021527":"Please enter a valid account number. Example: CR123456789","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.","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","1846664364":"{{platform_name_dxtrade}}","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","1854874899":"Back to list","1855566768":"List item position","1856485118":"Please <0>resubmit your proof of address to transfer funds between MT5 and Deriv accounts.","1858251701":"minute","1859308030":"Give feedback","1863053247":"Please upload your identity document.","1863731653":"To receive your funds, contact the payment agent","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","1870933427":"Crypto","1871196637":"True if the result of the last trade matches the selection","1871664426":"Note","1871804604":"Regulated by the British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114)","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.","1874756442":"BVI","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.","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}}.","1902547203":"MetaTrader 5 MacOS app","1903437648":"Blurry photo detected","1905032541":"We're now ready to verify your identity","1905589481":"If you want to change your account currency, please contact us via <0>live chat.","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","1908686066":"Appropriateness Test Warning","1909647105":"TRX/USD","1909769048":"median","1913777654":"Switch account","1914014145":"Today","1914270645":"Default Candle Interval: {{ candle_interval_type }}","1914725623":"Upload the page that contains your photo.","1917523456":"This block sends a message to a Telegram channel. You will need to create your own Telegram bot to use this block.","1917804780":"You will lose access to your Options account when it gets closed, so be sure to withdraw all your funds. (If you have a CFDs account, you can also transfer the funds from your Options account to your CFDs account.)","1918633767":"Second line of address is not in a proper format.","1918796823":"Please enter a stop loss amount.","1918832194":"No experience","1919030163":"Tips to take a good selfie","1919594496":"{{website_name}} is not affiliated with any payment agents. Customers deal with payment agents at their sole risk. Customers are advised to check the credentials of payment agents and the accuracy of any information about payment agents (on {{website_name}} or elsewhere) before using their services.","1920217537":"Compare","1920468180":"How to use the SMA block","1921634159":"A few personal details","1921914669":"Deposit with Deriv P2P","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*","1925090823":"Sorry, trading is unavailable in {{clients_country}}.","1927244779":"Use only the following special characters: . , ' : ; ( ) @ # / -","1928930389":"GBP/NOK","1929309951":"Employment Status","1929694162":"Compare accounts","1930899934":"Tether","1931659123":"Run on every tick","1931884033":"It seems that your date of birth in the document is not the same as your Deriv profile. Please update your date of birth in the <0>Personal details page to solve this issue.","1939902659":"Signal","1940408545":"Delete this token","1941915555":"Try later","1942091675":"Cryptocurrency trading is not available for clients residing in the United Kingdom.","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.","1973564194":"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 {{platform_name_dxtrade}} account.","1974273865":"This scope will allow third-party apps to view your account activity, settings, limits, balance sheets, trade purchase history, and more.","1981940238":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}} and {{legal_entity_name_v}}.","1982912252":"Relative Strength Index (RSI) from a list with a period","1983001416":"Define your trade options such as multiplier and stake. This block can only be used with the multipliers trade type. If you select another trade type, this block will be replaced with the Trade options block.","1983387308":"Preview","1983544897":"P.O. Box is not accepted in address","1983676099":"Please check your email for details.","1984700244":"Request an input","1984742793":"Uploading documents","1985366224":"Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts and up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts.","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","1994023526":"The email address you entered had a mistake or typo (happens to the best of us).","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.","2004395123":"New trading tools for MT5","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.","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:","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.","2020545256":"Close your account?","2021037737":"Please update your details to continue.","2023659183":"Student","2023762268":"I prefer another trading website.","2025339348":"Move away from direct light — no glare","2027625329":"Simple Moving Average Array (SMAA)","2027696535":"Tax information","2028163119":"EOS/USD","2029237955":"Labuan","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","2042778835":"This complaints policy, which may change from time to time, applies to your account registered with {{legal_entity_name}}.","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.","2050080992":"Tron","2050170533":"Tick list","2051558666":"View transaction history","2053617863":"Please proceed to withdraw all your funds from your account.","2054889300":"Create \"%1\"","2055317803":"Copy the link to your mobile browser","2057082550":"Accept our updated <0>terms and conditions","2057419639":"Exit Spot","2060873863":"Your order {{order_id}} is complete","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","2067903936":"Driving licence","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}}","2082533832":"Yes, delete","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","2089087110":"Basket indices","2089299875":"Total assets in your Deriv real accounts.","2089581483":"Expires on","2091671594":"Status","2093167705":"You can only make deposits. Please contact us via live chat for more information.","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.","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","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.","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","2141873796":"Get more info on <0>CFDs, <1>multipliers, and <2>options.","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","-153346659":"Upload your selfie.","-602131304":"Passport number","-1051213440":"Upload the front and back of your identity card.","-1600807543":"First, enter your identity card number and the expiry date.","-1139923664":"Next, upload the front and back of your identity card.","-783705755":"Upload the front of your identity card.","-566750665":"NIMC slip and proof of age","-1465944279":"NIMC slip number","-429612996":"Next, upload both of the following documents.","-376981174":"Upload your proof of age: birth certificate or age declaration document.","-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","-1497654315":"Our accounts and services are unavailable for the Jersey postal 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.","-673765468":"Letters, numbers, spaces, periods, hyphens and forward 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","-621555159":"Identity information","-204765990":"Terms of use","-231863107":"No","-870902742":"How much knowledge and experience do you have in relation to online trading?","-1929477717":"I have an academic degree, professional certification, and/or work experience related to financial services.","-1540148863":"I have attended seminars, training, and/or workshops related to trading.","-922751756":"Less than a year","-542986255":"None","-1337206552":"In your understanding, CFD trading allows you to","-315578028":"Place a bet on the price movement of an asset where the outcome is a fixed return or nothing at all.","-1314683258":"Make a long-term investment for a guaranteed profit.","-1546090184":"How does leverage affect CFD trading?","-1636427115":"Leverage helps to mitigate risk.","-800221491":"Leverage guarantees profits.","-811839563":"Leverage lets you open large positions for a fraction of trade value, which may result in increased profit or loss.","-1185193552":"Close your trade automatically when the loss is equal to or more than a specified amount, as long as there is adequate market liquidity.","-1046354":"Close your trade automatically when the profit is equal to or more than a specified amount, as long as there is adequate market liquidity.","-1842858448":"Make a guaranteed profit on your trade.","-659266366":"When opening a leveraged CFD trade","-1078152772":"When trading multipliers","-1507432523":"When buying shares of a company","-1847406474":"All of the above","-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","-189310067":"Account closed","-849320995":"Assessments","-773766766":"Email and passwords","-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.","-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.","-976258774":"Not set","-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.","-138380129":"Total withdrawal allowed","-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","-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","-438669274":"JPEG JPG PNG PDF GIF","-723198394":"File size should be 8MB or less","-1948369500":"File uploaded is not supported","-1040865880":"Drop files here..","-1437017790":"Financial information","-39038029":"Trading experience","-1416797980":"Please enter your {{ field_name }} as in your official identity documents.","-1466268810":"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 <0>account settings.","-32386760":"Name","-1120954663":"First name*","-1659980292":"First name","-766265812":"first name","-1857534296":"John","-1282749116":"last name","-1485480657":"Other details","-1784741577":"date of birth","-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","-1543016582":"I hereby confirm that the tax information I provided is true and complete. I will also inform {{legal_entity_name}} about any changes to this information.","-1387062433":"Account opening reason","-1088324715":"We’ll review your documents and notify you of its status within 1 - 3 working days.","-684271315":"OK","-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.","-1117345066":"Choose the document type","-651192353":"Sample:","-1263033978":"Please ensure all your personal details are the same as in your chosen document. If you wish to update your personal details, go to account settings.","-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.","-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","-200989771":"Go to personal details","-1358357943":"Please check and update your postal code before submitting proof of identity.","-1401994581":"Your personal details are missing","-2004327866":"Please select a valid country of document issuance.","-1664159494":"Country","-1874113454":"Please check and resubmit or choose a different document type.","-1044962593":"Upload Document","-749870311":"Please contact us via <0>live chat.","-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.","-182918740":"Your proof of identity submission failed because:","-246893488":"JPEG, JPG, PNG, PDF, or GIF","-1454880310":"Must be valid for at least 6 months","-100534371":"Before uploading, please ensure that you’re facing forward in the selfie, your face is within the frame, and your eyes are clearly visible even if you’re wearing glasses.","-1529523673":"Confirm and upload","-705047643":"Sorry, an error occured. Please select another file.","-1664309884":"Tap here to upload","-1725454783":"Failed","-839094775":"Back","-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.","-2005211699":"Create","-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.","-1088698009":"These self-exclusion limits help you control the amount of money and time you spend trading on {{platform_name_trader}}, {{platform_name_dbot}}, {{platform_name_smarttrader}} and {{platform_name_bbot}} on Deriv. 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","-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.","-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.","-1166068675":"Your account will be opened with {{legal_entity_name}}, regulated by the UK Gaming Commission (UKGC), and will be subject to the laws of the Isle of Man.","-975118358":"Your account will be opened with {{legal_entity_name}}, regulated by the Malta Financial Services Authority (MFSA), and will be subject to the laws of Malta.","-680528873":"Your account will be opened with {{legal_entity_name}} 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.","-1720468017":"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.","-186841084":"Change your login email","-907403572":"To change your email address, you'll first need to unlink your email address from your {{identifier_title}} account.","-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","-254792921":"You can only make deposits at the moment. To enable withdrawals, please complete your financial assessment.","-70342544":"We’re legally obliged to ask for your financial information.","-1100235269":"Industry of employment","-684388823":"Estimated net worth","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-179005984":"Save","-307865807":"Risk Tolerance Warning","-690100729":"Yes, I understand the risk.","-2010628430":"CFDs and other financial instruments come with a high risk of losing money rapidly due to leverage. You should consider whether you understand how CFDs and other financial instruments work and whether you can afford to take the high risk of losing your money. <0/><0/> To continue, you must confirm that you understand your capital is at risk.","-863770104":"Please note that by clicking ‘OK’, you may be exposing yourself to risks. You may not have the knowledge or experience to properly assess or mitigate these risks, which may be significant, including the risk of losing the entire sum you have invested.","-1292808093":"Trading Experience","-789291456":"Tax residence*","-1651554702":"Only alphabet is allowed","-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.","-874280157":"This Tax Identification Number (TIN) is invalid. You may continue using it, but to facilitate future payment processes, valid tax information will be required.","-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)","-1124948631":"Professional Client","-259515058":"By default, all {{brand_website_name}} clients are retail clients but anyone can request to be treated as a professional client.","-1463348492":"I would like to be treated as a professional client.","-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.","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-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):","-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.","-9323953":"Remaining characters: {{remaining_characters}}","-2061895474":"Closing your account will automatically log you out. We shall delete your personal information as soon as our legal obligations are met.","-203298452":"Close account","-1219849101":"Please select at least one reason","-484540402":"An error occurred","-1911549768":"Inaccessible MT5 account(s)","-1869355019":"Action required","-1030102424":"You can't trade on Deriv.","-448385353":"You can't make transactions.","-1058447223":"Before closing your account:","-912764166":"Withdraw your funds.","-60139953":"We shall delete your personal information as soon as our legal obligations are met, as mentioned in the section on Data Retention in our <0>Security and privacy policy","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-1076138910":"Trade","-488597603":"Trading information","-1666909852":"Payments","-506510414":"Date and time","-1708927037":"IP address","-80717068":"Apps you have linked to your <0>Deriv password:","-2143208677":"Click the <0>Change password button to change your Deriv MT5 password.","-9570380":"Use the {{platform_name_dxtrade}} password to log in to your {{platform_name_dxtrade}} accounts on the web and mobile apps.","-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","-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.","-890084320":"Save and submit","-902076926":"Before uploading your document, please ensure that your personal details are updated to match your proof of identity. This will help to avoid delays during the verification process.","-1411635770":"Learn more about account limits","-516397235":"Be careful who you share this token with. Anyone with this token can perform the following actions on your account behalf","-989216986":"Add accounts","-617480265":"Delete token","-316749685":"Are you sure you want to delete this token?","-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","-955038366":"Copy this token","-1668692965":"Hide this token","-1661284324":"Show this token","-605778668":"Never","-1628008897":"Token","-1238499897":"Last Used","-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.","-5605257":"This scope will allow third-party apps to withdraw to payment agents and make inter-account transfers for you.","-1373485333":"This scope will allow third-party apps to view your trading history.","-758221415":"This scope will allow third-party apps to open accounts for you, manage your settings and token usage, and more. ","-1117963487":"Name your token and click on 'Create' to generate your token.","-2115275974":"CFDs","-1879666853":"Deriv MT5","-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","-2087317410":"Oops, something went wrong.","-509054266":"Anticipated annual turnover","-164448351":"Show less","-1361653502":"Show more","-337620257":"Switch to real account","-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","-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.","-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).","-142444667":"Please click on the link in the email to change your Deriv MT5 password.","-742748008":"Check your email and click the link in the email to proceed.","-84068414":"Still didn't get the email? Please contact us via <0>live chat.","-428335668":"You will need to set a password to complete the 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.","-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.","-1975494965":"Cashier","-1870909526":"Our server cannot retrieve an address.","-582721696":"The current allowed withdraw amount is {{format_min_withdraw_amount}} to {{format_max_withdraw_amount}} {{currency}}","-1957498244":"more","-197251450":"Don't want to trade in {{currency_code}}? You can open another cryptocurrency account.","-1900848111":"This is your {{currency_code}} account.","-749765720":"Your fiat account currency is set to {{currency_code}}.","-803546115":"Manage your accounts ","-1463156905":"Learn more about payment methods","-1309258714":"From account number","-1247676678":"To account number","-816476007":"Account holder name","-1995606668":"Amount","-344403983":"Description","-922432739":"Please enter a valid client login ID.","-1024241603":"Insufficient balance.","-1979554765":"Please enter a valid description.","-1186807402":"Transfer","-1254233806":"You've transferred","-1491457729":"All payment methods","-142563298":"Contact your preferred payment agent for payment instructions and make your deposit.","-1023961762":"Commission on deposits","-552873274":"Commission on withdrawal","-880645086":"Withdrawal amount","-118683067":"Withdrawal limits: <0 />-<1 />","-1125090734":"Important notice to receive your funds","-1924707324":"View transaction","-1474202916":"Make a new withdrawal","-511423158":"Enter the payment agent account number","-2059278156":"Note: {{website_name}} does not charge any transfer fees.","-1201279468":"To withdraw your funds, please choose the same payment method you used to make your deposits.","-8892474":"Start assessment","-1787304306":"Deriv P2P","-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. ","-1321645628":"Your cashier is currently locked. Please contact us via live chat to find out how to unlock it.","-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.","-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.","-166472881":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits and withdrawals.","-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.","-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.","-949074612":"Please contact us via live chat.","-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.","-127614820":"Unfortunately, you can only make deposits. Please contact us via live chat to enable withdrawals.","-172277021":"Cashier is locked for withdrawals","-1624999813":"It seems that you've no commissions to withdraw at the moment. You can make withdrawals once you receive your commissions.","-1077304626":"Amount ({{currency}})","-1559994981":"Approximate value","-190084602":"Transaction","-811190405":"Time","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-1332236294":"Please verify your identity","-1675848843":"Error","-283017497":"Retry","-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.","-203002433":"Deposit now","-720315013":"You have no funds in your {{currency}} account","-2052373215":"Please make a deposit to use this feature.","-379487596":"{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})","-299033842":"Recent transactions","-348296830":"{{transaction_type}} {{currency}}","-1929538515":"{{amount}} {{currency}} on {{submit_date}}","-1534990259":"Transaction hash:","-1612346919":"View all","-1059419768":"Notes","-316545835":"Please ensure <0>all details are <0>correct before making your transfer.","-949073402":"I confirm that I have verified the client’s transfer information.","-1752211105":"Transfer now","-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","-2061807537":"Something’s not right","-1068036170":"We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-2056016338":"You’ll not be charged a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts.","-599632330":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-1196994774":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency accounts.","-1361372445":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.","-993556039":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts and between your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.","-1382702462":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts.","-1995859618":"You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.","-545616470":"Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.","-1151983985":"Transfer limits may vary depending on the exchange rates.","-1747571263":"Please bear in mind that some transfers may not be possible.","-757062699":"Transfers may be unavailable due to high volatility or technical issues and when the exchange markets are closed.","-1344870129":"Deriv accounts","-1156059326":"You have {{number}} transfer remaining for today.","-1109729546":"You will be able to transfer funds between MT5 accounts and other accounts once your address is verified.","-1593609508":"Transfer between your accounts in Deriv","-464965808":"Transfer limits: <0 /> - <1 />","-553249337":"Transfers are locked","-1638172550":"To enable this feature you must complete the following:","-1157701227":"You need at least two accounts","-417711545":"Create account","-1232852916":"We’re switching over to your {{currency}} account to view the transaction.","-993393818":"Binance Smart Chain","-561858764":"Polygon (Matic)","-410890127":"Ethereum (ERC20)","-1059526741":"Ethereum (ETH)","-1615615253":"We do not support Tron, to deposit please use only Ethereum ({{token}}).","-1831000957":"Please select the network from where your deposit will come from.","-314177745":"Unfortunately, we couldn't get the address since our server was down. Please click Refresh to reload the address or try again later.","-1345040662":"Looking for a way to buy cryptocurrency?","-759000391":"We were unable to verify your information automatically. To enable this function, you must complete the following:","-1632668764":"I accept","-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.","-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","-2004264970":"Your wallet address should have 25 to 64 characters.","-1707299138":"Your {{currency_symbol}} wallet address","-38063175":"{{account_text}} wallet","-705272444":"Upload a proof of identity to verify your identity","-2024958619":"This is to protect your account from unauthorised withdrawals.","-130833284":"Please note that your maximum and minimum withdrawal limits aren’t fixed. They change due to the high volatility of cryptocurrency.","-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","-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.","-1150099396":"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 Deriv MT5 Financial.","-1940333322":"DBot is not available for this account","-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","-1553945114":"Value must be higher than 2","-689786738":"Minimum duration: {{ min }}","-184183432":"Maximum duration: {{ max }}","-749186458":"Account switching is disabled while your bot is running. Please stop your bot before switching accounts.","-662836330":"Would you like to keep your current contract or close it? If you decide to keep it running, you can check and close it later on the <0>Reports page.","-597939268":"Keep my contract","-1322453991":"You need to log in to run the bot.","-1483938124":"This strategy is currently not compatible with DBot.","-236548954":"Contract Update Error","-1428017300":"THE","-1450728048":"OF","-255051108":"YOU","-1845434627":"IS","-931434605":"THIS","-740712821":"A","-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. ","-908772734":"This block evaluates a statement and will perform an action only when the statement is true.","-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\".","-1460794449":"This block gives you a list of candles within a selected time interval.","-1634242212":"Used within a function block, this block returns a value when a specific condition is true.","-2012970860":"This block gives you information about your last contract.","-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.","-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\".","-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.","-1765276625":"Click the multiplier drop-down menu and choose the multiplier value you want to trade with.","-1872233077":"Your potential profit will be multiplied by the multiplier value you’ve chosen.","-614454953":"To learn more about multipliers, please go to the <0>Multipliers page.","-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.","-254421190":"List: ({{message_length}})","-1616649196":"results","-90107030":"No results found","-984140537":"Add","-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","-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","-558594655":"The bot is not running","-478946875":"The stats are cleared","-9461328":"Security and privacy","-563774117":"Dashboard","-418247251":"Download your journal.","-870004399":"<0>Bought: {{longcode}} (ID: {{transaction_id}})","-1211474415":"Filters","-186972150":"There are no messages to display","-999254545":"All messages are filtered out","-686334932":"Build a bot from the start menu then hit the run button to run the bot.","-1717650468":"Online","-1825471709":"A whole new trading experience on a powerful yet easy to use platform.","-981017278":"Automated trading at your fingertips. No coding needed.","-1768586966":"Trade CFDs on a customizable, easy-to-use trading platform.","-1309011360":"Open positions","-883103549":"Account deactivated","-821418875":"Trader","-679102561":"Contract Details","-430118939":"Complaints policy","-744999940":"Deriv account","-568280383":"Deriv Gaming","-1308346982":"Derived","-1546927062":"Deriv Financial","-895331276":"Complete your proof of address","-782679300":"Complete your proof of identity","-1596515467":"Derived BVI","-328128497":"Financial","-533935232":"Financial BVI","-565431857":"Financial Labuan","-1290112064":"Deriv EZ","-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","-280323742":"EUR Basket","-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.","-405439829":"Sorry, you can't view this contract because it doesn't belong to this account.","-1590712279":"Gaming","-16448469":"Virtual","-540474806":"Your Options account is scheduled to be closed","-618539786":"Your account is scheduled to be closed","-945275490":"Withdraw all funds from your Options account.","-2093768906":"{{name}} has released your funds.
Would you like to give your feedback?","-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.","-800774345":"Power up your Financial trades with intuitive tools from Acuity.","-279582236":"Learn More","-1211460378":"Power up your trades with Acuity","-703292251":"Download intuitive trading tools to keep track of market events. The Acuity suite is only available for Windows, and is most recommended for financial assets.","-1585069798":"Please click the following link to complete your Appropriateness Test.","-1287141934":"Find out more","-367759751":"Your account has not been verified","-596690079":"Enjoy using Deriv?","-265932467":"We’d love to hear your thoughts","-1815573792":"Drop your review on Trustpilot.","-823349637":"Go to Trustpilot","-1204063440":"Set my account currency","-1751632759":"Get a faster mobile trading experience with the <0>{{platform_name_go}} app!","-1164554246":"You submitted expired identification documents","-219846634":"Let’s verify your ID","-529038107":"Install","-1738575826":"Please switch to your real account or create one to access the cashier.","-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.","-1852207910":"MT5 withdrawal disabled","-764323310":"MT5 withdrawals have been disabled on your account. Please check your email for more details.","-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.","-1175685940":"Please contact us via live chat to enable withdrawals.","-1125797291":"Password updated.","-157145612":"Please log in with your updated password.","-1728185398":"Resubmit proof of address","-1519764694":"Your proof of address is verified.","-1961967032":"Resubmit proof of identity","-117048458":"Please submit your proof of identity.","-1196422502":"Your proof of identity is verified.","-136292383":"Your proof of address verification is pending","-386909054":"Your proof of address verification has failed","-430041639":"Your proof of address did not pass our verification checks, and we’ve placed some restrictions on your account. Please resubmit your proof of address.","-87177461":"Please go to your account settings and complete your personal details to enable deposits.","-904632610":"Reset your balance","-470018967":"Reset balance","-156611181":"Please complete the financial assessment in your account settings to unlock it.","-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.","-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.","-2067423661":"Stronger security for your Deriv account","-1719731099":"With two-factor authentication, you’ll protect your account with both your password and your phone - so only you can access your account, even if someone knows your password.","-2087822170":"You are offline","-1669693571":"Check your connection.","-1998049070":"If you agree to our use of cookies, click on Accept. For more information, <0>see our policy.","-402093392":"Add Deriv Account","-277547429":"A Deriv account will allow you to fund (and withdraw from) your MT5 account(s).","-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}}","-594209315":"Synthetic indices in the EU are offered by {{legal_entity_name}}, 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).","-181484419":"Responsible trading","-650505513":"Full screen","-1823504435":"View notifications","-1954045170":"No currency assigned","-583559763":"Menu","-1591792668":"Account Limits","-34495732":"Regulatory information","-1496158755":"Go to Deriv.com","-1166971814":"Trader's hub beta","-2094580348":"Thanks for verifying your email","-1396326507":"Unfortunately, {{website_name}} is not available in your country.","-1019903756":"Synthetic","-288996254":"Unavailable","-122970184":"Total assets in your Deriv and {{platform_name_dxtrade}} demo accounts.","-97270814":"Total assets in your Deriv and {{platform_name_dxtrade}} real accounts.","-1607445331":"Deriv MT5 Accounts","-1844355483":"{{platform_name_dxtrade}} Accounts","-1740162250":"Manage account","-1277942366":"Total assets","-1556699568":"Choose your citizenship","-1310654342":"As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.","-626152766":"As part of the changes in our product line-up, we are closing Options accounts belonging to our clients in Europe.","-490100162":"As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.","-1208958060":"You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.<0/><1/>Any open positions on digital options have been closed with full payout.","-2050417883":"You’ll lose access to your Gaming account when it gets closed, so make sure to withdraw your funds as soon as possible.","-1950045402":"Withdraw all your funds","-168971942":"What this means for you","-905560792":"OK, I understand","-1308593541":"You will lose access to your account when it gets closed, so be sure to withdraw all your funds.","-2024365882":"Explore","-1197864059":"Create free demo account","-1602122812":"24-hour Cool Down Warning","-740157281":"Trading Experience Assessment","-399816343":"Trading Experience Assessment<0/>","-1822498621":"As per our regulatory obligations, we are required to assess your trading knowledge and experience.<0/><0/>Please click ‘OK’ to continue","-71049153":"Keep your account secure with a password","-1861974537":"Strong passwords contain at least 8 characters, combine uppercase and lowercase letters, numbers, and symbols.","-1965920446":"Start trading","-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","-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","-241733171":"Add a Deriv Financial account","-1329687645":"Create a cryptocurrency account","-1429178373":"Create a new account","-1016775979":"Choose an account","-1519791480":"CFDs and other financial instruments come with a high risk of losing money rapidly due to leverage. You should consider whether you understand how CFDs and other financial instruments work and whether you can afford to take the risk of losing your money. <0/><0/>\n As you have declined our previous warning, you would need to wait 24 hours before you can proceed further.","-1010875436":"CFDs and other financial instruments come with a high risk of losing money rapidly due to leverage. You should consider whether you understand how CFDs and other financial instruments work and whether you can afford to take the high risk of losing your money. <0/><0/> To continue, kindly note that you would need to wait 24 hours before you can proceed further.","-1725418054":"By clicking ‘Accept’ and proceeding with the account opening, you should note that you may be exposing yourself to risks. These risks, which may be significant, include the risk of losing the entire sum invested, and you may not have the knowledge and experience to properly assess or mitigate them.","-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.","-310434518":"The email input should not be empty.","-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","-1976089791":"Your Deriv account has been unlinked from your {{social_identity_provider}} account. You can now log in to Deriv using your new email address and password.","-505449293":"Enter a new password for your Deriv account.","-703818088":"Only log in to your account at this secure link, never elsewhere.","-1235799308":"Fake links often contain the word that looks like \"Deriv\" but look out for these differences.","-2102997229":"Examples","-82488190":"I've read the above carefully.","-97775019":"Do not trust and give away your credentials on fake websites, ads or emails.","-2142491494":"OK, got it","-611136817":"Beware of fake links.","-1787820992":"Platforms","-1793883644":"Trade FX and CFDs on a customisable, easy-to-use trading platform.","-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.","-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.","-1744351732":"Not sure where to start?","-943710774":"This complaints policy, which may change from time to time, applies to your account registered with {{legal_entity_name}}, 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).","-255056078":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name}}, 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).","-1941013000":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}}, {{legal_entity_name_fx}}, and {{legal_entity_name_v}}.","-594812204":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}}.","-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.","-358055541":"Power up your trades with cool new tools","-74591641":"We've partnered with Acuity to give you a suite of intuitive trading tools for MT5 so you can keep track of market events and trends, free of charge! <0/><0/>\n Download the Acuity suite and take advantage of the <1>Macroeconomic Calendar, Market Alerts, Research Terminal, and <1>Signal Centre Trade Ideas without leaving your MT5 terminal.<0/><0/>\n This suite is only available for Windows, and is most recommended for financial assets.","-815070480":"Disclaimer: The trading services and information provided by Acuity should not be construed as a solicitation to invest and/or trade. Deriv does not offer investment advice. The past is not a guide to future performance, and strategies that have worked in the past may not work in the future.","-2111521813":"Download Acuity","-175369516":"Welcome to Deriv X","-939154994":"Welcome to Deriv MT5 dashboard","-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","-404375367":"Trade forex, basket indices, commodities, and cryptocurrencies with high leverage.","-243985555":"Trade CFDs on forex, stocks, stock indices, synthetic indices, cryptocurrencies, and commodities with leverage.","-2030107144":"Trade CFDs on forex, stocks & stock indices, commodities, and crypto.","-781132577":"Leverage","-1264604378":"Up to 1:1000","-637908996":"100%","-1420548257":"20+","-1373949478":"50+","-1686150678":"Up to 1:100","-1382029900":"70+","-1493055298":"90+","-1056874273":"25+ assets: synthetics","-223956356":"Leverage up to 1:1000","-1340877988":"Registered with the Financial Commission","-879901180":"170+ assets: forex (standard/micro), stocks, stock indices, commodities, basket indices, and cryptocurrencies","-1020615994":"Better spreads","-1789823174":"Regulated by the Vanuatu Financial Services Commission","-1040269115":"30+ assets: forex and commodities","-1372141447":"Straight-through processing","-318390366":"Regulated by the Labuan Financial Services Authority (Licence no. MB/18/0024)","-1556783479":"80+ assets: forex and cryptocurrencies","-875019707":"Leverage up to 1:100","-1752249490":"Malta Financial","-2068980956":"Leverage up to 1:30","-2098459063":"British Virgin Islands","-1434036215":"Demo Financial","-1416247163":"Financial STP","-1882063886":"Demo CFDs","-1347908717":"Demo Financial SVG","-1780324582":"SVG","-785625598":"Use these credentials to log in to your {{platform}} account on the website and mobile apps.","-997127433":"Change Password","-162753510":"Add real account","-1300381594":"Get Acuity trading tools","-860609405":"Password","-742647506":"Fund transfer","-1972393174":"Trade CFDs on our synthetics, baskets, and derived FX.","-1357917360":"Web terminal","-1454896285":"The MT5 desktop app is not supported by Windows XP, Windows 2003, and Windows Vista.","-810388996":"Download the Deriv X mobile app","-1727991510":"Scan the QR code to download the Deriv X Mobile App","-1302404116":"Maximum leverage","-511301450":"Indicates the availability of cryptocurrency trading on a particular account.","-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.","-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.","-1580554423":"Trade CFDs on our synthetic indices that simulate real-world market movements.","-1385484963":"Confirm to change your {{platform}} password","-1990902270":"This will change the password to all of your {{platform}} accounts.","-673424733":"Demo account","-1986258847":"Server maintenance starts at 01:00 GMT every Sunday, and this process may take up to 2 hours to complete. Service may be disrupted during this time.","-1199152768":"Please explore our other platforms.","-205020823":"Explore {{platform_name_trader}}","-1982499699":"Explore {{platform_name_dbot}}","-1567989247":"Submit your proof of identity and address","-184453418":"Enter your {{platform}} password","-1769158315":"real","-700260448":"demo","-1980366110":"Congratulations, you have successfully created your {{category}} {{platform}} <0>{{type}} account.","-790488576":"Forgot password?","-926547017":"Enter your {{platform}} password to add a {{platform}} {{account}} {{jurisdiction_shortcode}} account.","-1190393389":"Enter your {{platform}} password to add a {{platform}} {{account}} account.","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1928229820":"Reset Deriv X investor password","-1087845020":"main","-1950683866":"investor","-1874242353":"Fund top up","-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","-490244964":"Forex, stocks, stock indices, cryptocurrencies","-1368041210":", synthetic indices","-877064208":"EUR","-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","-1591882610":"Synthetics","-70716111":"FX-majors (standard/micro lots), FX-minors, basket indices, commodities, cryptocurrencies, and stocks and stock indices","-1041629137":"FX-majors, FX-minors, FX-exotics, and cryptocurrencies","-287097947":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies (except UK)","-1225160479":"Compare available accounts","-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","-1124208206":"Switch to your real account to create a DMT5 {{account_title}} {{type_title}} account.","-1576792859":"Proof of identity and address are required","-104382603":"Check your proof of address","-793684335":"Check your proof of identity","-1271218821":"Account added","-599621079":"Add your Deriv MT5 {{account_type}} account under Deriv (SVG) LLC (company no. 273 LLC 2020).","-1302969276":"Add your Deriv MT5 {{account_type}} account under Deriv (BVI) Ltd, regulated by the British Virgin Islands Financial Services Commission (License no. SIBA/{{line_break}}L/18/1114).","-1422519943":"Add Your DMT5 {{account_type}} account under Deriv (V) Ltd, regulated by the Vanuatu Financial Services Commission.","-1731304187":"Add your Deriv MT5 CFDs account under Deriv Investments (Europe) Limited regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156).","-16048185":"To create this account first we need your proof of identity and address.","-1627989291":"To create this account first we need you to resubmit your proof of identity.","-1389025684":"To create this account first we need you to resubmit your proof of identity and address.","-1615750576":"You will be able to open this account once your submitted documents have been verified.","-724308541":"Jurisdiction for your Deriv MT5 CFDs account","-479119833":"Choose a jurisdiction for your Deriv MT5 {{account_type}} account","-1931257307":"You will need to submit proof of identity","-2026018074":"Add your Deriv MT5 <0>{{account_type_name}} account under Deriv (SVG) LLC (company no. 273 LLC 2020).","-162320753":"Add your Deriv MT5 <0>{{account_type_name}} account under Deriv (BVI) Ltd, regulated by the British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114).","-450424792":"You need a real account (fiat currency or cryptocurrency) in Deriv to create a real Deriv MT5 account.","-1760596315":"Create a Deriv account","-705682181":"Malta","-194969520":"Counterparty company","-1131400885":"Deriv Investments (Europe) Limited","-409563066":"Regulator","-2073451889":"Malta Financial Services Authority (MFSA) (Licence no. IS/70156)","-362324454":"Commodities","-543177967":"Stock indices","-1089385344":"Deriv (SVG) LLC","-2019617323":"Deriv (BVI) Ltd","-112814932":"Deriv (FX) Ltd","-1747078152":"-","-1510474851":"British Virgin Islands Financial Services Commission (licence no. SIBA/L/18/1114)","-199154602":"Vanuatu Financial Services Commission","-761250329":"Labuan Financial Services Authority (Licence no. MB/18/0024)","-251202291":"Broker","-81650212":"MetaTrader 5 web","-2123571162":"Download","-941636117":"MetaTrader 5 Linux app","-2019704014":"Scan the QR code to download Deriv MT5.","-648956272":"Use this password to log in to your Deriv X accounts on the web and mobile apps.","-1814308691":"Please click on the link in the email to change your {{platform}} password.","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-337314714":"days","-442488432":"day","-1572548510":"Ups & Downs","-71301554":"Ins & Outs","-952298801":"Look Backs","-763273340":"Digits","-1790089996":"NEW!","-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.","-1455298001":"Now","-256210543":"Trading is unavailable at this time.","-28115241":"{{platform_name_trader}} is not available for this account","-453920758":"Go to {{platform_name_mt5}} dashboard","-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","-770929448":"Go to {{platform_name_smarttrader}}","-138538812":"Log in or create a free account to place a trade.","-2036388794":"Create free account","-1813736037":"No further trading is allowed on this contract type for the current trading session. For more info, refer to our <0>terms and conditions.","-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:","-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.","-149836494":"Your transaction reference number is {{transaction_id}}","-1382749084":"Go back to trading","-1231210510":"Tick","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-1977959027":"hours","-8998663":"Digit: {{last_digit}} ","-1435392215":"About deal cancellation","-2017825013":"Got it","-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","-843831637":"Stop loss","-771725194":"Deal Cancellation","-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","-700280380":"Deal cancel. fee","-741395299":"{{value}}","-1527492178":"Purchase Locked","-725375562":"You can lock/unlock the purchase button from the Settings menu","-1358367903":"Stake","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-2055106024":"Toggle between advanced and simple duration settings","-1012793015":"End time","-2037881712":"Your contract will be closed automatically at the next available asset price on <0>.","-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 }}","-339236213":"Multiplier","-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","-1691868913":"Touch/No Touch","-151151292":"Asians","-1048378719":"Reset Call/Reset Put","-1282312809":"High/Low Ticks","-1237186896":"Only Ups/Only Downs","-529846150":"Seconds","-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","-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","-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.","-1797602591":"Stop Loss: {{ currency }} {{ stop_loss }}","-1214929127":"Stop loss must be a positive number.","-780745489":"If the contract type is “Both”, then the Purchase Conditions should include both Rise and Fall using the “Conditional Block\"","-2142851225":"Multiplier trade options","-625636913":"Amount must be a positive number.","-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.","-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","-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","-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.","-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","-1800672151":"GBP Index","-1904030160":"Transaction performed by (App ID: {{app_id}})","-513103225":"Transaction time","-2066666313":"Credit/Debit","-2140412463":"Buy price","-1981004241":"Sell time","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-3423966":"Take profit<0 />Stop loss","-2082644096":"Current stake","-538215347":"Net deposits","-280147477":"All transactions","-137444201":"Buy","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-360975483":"You've made no transactions of this type during this period.","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-555592125":"Unfortunately, trading options isn't possible in your country","-1571816573":"Sorry, trading is unavailable in your current location.","-1603581277":"minutes","-922253974":"Rise/Fall","-1361254291":"Higher/Lower","-335816381":"Ends In/Ends Out","-1789807039":"Asian Up/Asian Down","-330437517":"Matches/Differs","-657360193":"Over/Under","-558031309":"High Tick/Low Tick","-1714959941":"This chart display is not ideal for tick contracts","-1254554534":"Please change the chart duration to tick for a better trading experience.","-1658230823":"Contract was sold for <0 />.","-1905867404":"Contract cancelled"} \ No newline at end of file +{"0":"","1014140":"You may also call <0>+447723580049 to place your complaint.","3125515":"Your Deriv MT5 password is for logging in to your Deriv MT5 accounts on the desktop, web, and mobile apps.","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}}","17843034":"Check proof of identity document verification status","19424289":"Username","19552684":"USD Basket","21035405":"Please tell us why you’re leaving. (Select up to {{ allowed_reasons }} reasons.)","24900606":"Gold Basket","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}}","27830635":"Deriv (V) Ltd","28581045":"Add a real MT5 account","30801950":"Your account will be opened with {{legal_entity_name}}, regulated by the Malta Gaming Authority, and will be subject to the laws of Malta.","33433576":"Please use an e-wallet to withdraw your funds.","35089987":"Upload the front and back of your driving licence.","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","49963458":"Choose an option","50200731":"FX majors (standard/micro lots), FX minors, basket indices, commodities, and cryptocurrencies","54185751":"Less than $100,000","55340304":"Keep your current contract?","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","64402604":"Check transfer information","65185694":"Fiat onramp","65982042":"Total","66519591":"Investor password","66557535":"Cancel your trade at any time within a specified time frame.","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.","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","76916358":"You have reached the withdrawal limit.<0/>Please upload your proof of identity and address to lift the limit to continue your withdrawal.","80881349":"Get an Options account","81450871":"We couldn’t find that page","82839270":"Upload the page of your passport that contains your photo.","83202647":"Collapse Block","85343079":"Financial assessment","85359122":"40 or more","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","98473502":"We’re not obliged to conduct an appropriateness test, nor provide you with any risk warnings.","98972777":"random item","100239694":"Upload front of card from your computer","102226908":"Field cannot be empty","107206831":"We’ll review your document and notify you of its status within 1-3 days.","108916570":"Duration: {{duration}} days","109073671":"Please use an e-wallet that you have used for deposits previously. Ensure the e-wallet supports withdrawal. See the list of e-wallets that support withdrawals <0>here.","110261653":"Congratulations, you have successfully created your {{category}} {{platform}} <0>{{type}} {{jurisdiction_selected_shortcode}} account. To start trading, transfer funds from your Deriv account into this account.","111215238":"Move away from direct light","111718006":"End date","111931529":"Max. total stake over 7 days","113378532":"ETH/USD","113884303":"German Index","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}}","124625402":"of","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","132596476":"In providing our services to you, we are required to ask you for some information to assess if a given product or service is appropriate for you and whether you have the experience and knowledge to understand the risks involved.<0/><0/>","132689841":"Trade on web terminal","133523018":"Please go to the Deposit page to get an address.","133536621":"and","138055021":"Synthetic indices","139454343":"Confirm my limits","141265840":"Funds transfer information","141626595":"Make sure your device has a working camera","142050447":"set {{ variable }} to create text with","142390699":"Connected to your mobile","143970826":"Payment problems?","145146541":"Our accounts and services are unavailable for the Jersey postal code","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","152524253":"Trade the world’s markets with our popular user-friendly platform.","157593038":"random integer from {{ start_number }} to {{ end_number }}","160746023":"Tether as an Omni token (USDT) is a version of Tether that is hosted on the Omni layer on the Bitcoin blockchain.","160863687":"Camera not detected","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","170244199":"I’m closing my account for other reasons.","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","177099483":"Your address verification is pending, and we’ve placed some restrictions on your account. The restrictions will be lifted once your address is verified.","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.","197190401":"Expiry date","201091938":"30 days","203179929":"<0>You can open this account once your submitted documents have been verified.","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):","209533725":"You’ve transferred {{amount}} {{currency}}","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","211847965":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.","216650710":"You are using a demo account","217403651":"St. Vincent & Grenadines","217504255":"Financial assessment submitted successfully","218441288":"Identity card number","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","224929714":"Virtual events based bets in the UK and the Isle of Man are offered by {{legal_entity_name}}, 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).","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 }}","227903202":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts.","228079844":"Click here to upload","228521812":"Tests whether a string of text is empty. Returns a boolean value (true or false).","229355215":"Trade on {{platform_name_dbot}}","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","238496287":"Leverage trading is high-risk, so it's a good idea to use risk management features such as stop loss. Stop loss allows you to","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","249908265":"Are you a citizen of {{- residence}}?","251134918":"Account Information","251445658":"Dark theme","251882697":"Thank you! Your response has been recorded into our system.<0/><0/>Please click ‘OK’ to continue.","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","256602726":"If you close your account:","258310842":"Workspace","258448370":"MT5","258912192":"Trading assessment","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.","268940240":"Your balance ({{format_balance}} {{currency}}) is less than the current minimum withdrawal allowed ({{format_min_withdraw_amount}} {{currency}}). Please top up your account to continue with your withdrawal.","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","270780527":"You've reached the limit for uploading your documents.","272042258":"When you set your limits, they will be aggregated across all your account types in {{platform_name_trader}}, {{platform_name_dbot}}, {{platform_name_smarttrader}} and {{platform_name_bbot}} on Deriv. For example, the losses made on all four platforms will add up and be counted towards the loss limit you set.","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.","283986166":"Self-exclusion on the website only applies to your {{brand_website_name}} account and does not include other companies or websites.","284527272":"antimode","284772879":"Contract","287934290":"Are you sure you want to cancel this transaction?","289898640":"TERMS OF USE","291817757":"Go to our Deriv community and learn about APIs, API tokens, ways to use Deriv APIs, and more.","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.","310234308":"Close all your positions.","312142140":"Save new limits?","312300092":"Trims the spaces within a given string or text.","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.","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","334680754":"Switch to your real account to create a Deriv MT5 account","334942497":"Buy time","335040248":"About us","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.","344418897":"These trading limits and self-exclusion help you control the amount of money and time you spend on {{brand_website_name}} and exercise <0>responsible trading.","345320063":"Invalid timestamp","346994074":"Selecting this will onboard you through Deriv (SVG) LLC (company no. 273 LLC 2020)","347029309":"Forex: standard/micro","347039138":"Iterate (2)","348951052":"Your cashier is currently locked","349047911":"Over","349110642":"<0>{{payment_agent}}<1>'s contact details","351744408":"Tests if a given text string is empty","352363702":"You may see links to websites with a fake Deriv login page where you’ll get scammed for your money.","353731490":"Job done","354945172":"Submit document","357477280":"No face found","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","371710104":"This scope will allow third-party apps to buy and sell contracts for you, renew your expired purchases, and top up your demo accounts.","372291654":"Exclude time must be after today.","372645383":"True if the market direction matches the selection","373021397":"random","373306660":"{{label}} is required.","373495360":"This block returns the entire SMA line, containing a list of all values for a given period.","374164629":"Trade on Deriv MT5, the all-in-one FX and CFD trading platform.","374537470":"No results for \"{{text}}\"","375714803":"Deal Cancellation Error","379523479":"To avoid loss of funds, do not share tokens with the Admin scope with unauthorised parties.","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.","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.","386278304":"Install the {{platform_name_trader}} web app","386502387":"Bot is not running","389923099":"Zoom in","390647540":"Real account","390890891":"Last quarter","391915203":"Hedging","392582370":"Fall Equals","396418990":"Offline","396961806":"We do not support Polygon (Matic), to deposit please use only Ethereum ({{token}}).","398816980":"Launch {{platform_name_trader}} in seconds the next time you want to trade.","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.","413594348":"Only letters, numbers, space, hyphen, period, and forward slash are allowed.","417714706":"If your margin level drops below our stop out level, your positions may be closed automatically to protect you from further losses.","417864079":"You’ll not be able to change currency once you have made a deposit.","418265501":"Demo Derived","420072489":"CFD trading frequency","422055502":"From","424897068":"Do you understand that you could potentially lose 100% of the money you use to trade?","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.","432508385":"Take Profit: {{ currency }} {{ take_profit }}","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","436364528":"Your account will be opened with {{legal_entity_name}}, and will be subject to the laws of Saint Vincent and the Grenadines.","437138731":"Create a new {{platform}} password","437453244":"Choose your preferred cryptocurrency","437485293":"File type not supported","437904704":"Maximum open positions","438067535":"Over $500,000","442520703":"$250,001 - $500,000","443559872":"Financial SVG","444484637":"Logic negation","445419365":"1 - 2 years","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.","453175851":"Your MT5 Financial STP account will be opened through {{legal_entity_name}}. 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).","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:","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","462461595":"Explore Trader's hub","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.","467839232":"I trade forex CFDs and other complex financial instruments regularly on other platforms.","473154195":"Settings","473863031":"Pending proof of address review","474306498":"We’re sorry to see you leave. Your account is now closed.","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","483246914":"Add your Deriv MT5 {{account_type}} STP account under Deriv (FX) Ltd regulated by Labuan Financial Services Authority (Licence no. MB/18/0024).","483279638":"Assessment Completed<0/><0/>","483591040":"Delete all {{ delete_count }} blocks?","485379166":"View transactions","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","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","529597350":"If you had any open positions, we have closed them and refunded you.","530953413":"Authorised applications","531114081":"3. Contract Type","531675669":"Euro","535041346":"Max. total stake per day","538228086":"Close-Low","541650045":"Manage {{platform}} password","541700024":"First, enter your driving licence number and the expiry date.","542038694":"Only letters, numbers, space, underscore, and hyphen are allowed for {{label}}.","542305026":"You must also submit a proof of identity.","543413346":"You have no open positions for this asset. To view other open positions, click Go to Reports","543915570":"Forex, stocks, stock indices, cryptocurrencies, synthetic indices","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:","549479175":"Deriv Multipliers","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","559224320":"Our classic “drag-and-drop” tool for creating trading bots, featuring pop-up trading charts, for advanced users.","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?","571921777":"Funds protection level","572576218":"Languages","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","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","587577425":"Secure my account","587856857":"Want to know more about APIs?","592087722":"Employment status is required.","593459109":"Try a different currency","595080994":"Example: CR123456789","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","609519227":"This is the email address associated with your Deriv account.","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.","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.","642393128":"Enter amount","642546661":"Upload back of license from your computer","642995056":"Email","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","661759508":"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/><0/>","662578726":"Available","662609119":"Download the MT5 app","665089217":"Please submit your <0>proof of identity to authenticate your account and access your Cashier.","665777772":"XLM/USD","665872465":"In the example below, the opening price is selected, which is then assigned to a variable called \"op\".","668344562":"Synthetics, FX majors (standard/micro lots), FX minors, basket indices, commodities, and cryptocurrencies","672008428":"ZEC/USD","673915530":"Jurisdiction and choice of law","674973192":"Use this password to log in to your Deriv MT5 accounts on the desktop, web, and mobile apps.","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.","680478881":"Total withdrawal limit","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)","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","705299518":"Next, upload the page of your passport that contains your photo.","706727320":"Binary options trading frequency","706755289":"This block performs trigonometric functions.","707662672":"{{unblock_date}} at {{unblock_time}}","708055868":"Driving licence number","710123510":"repeat {{ while_or_until }} {{ boolean }}","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","714746816":"MetaTrader 5 Windows app","715841616":"Please enter a valid phone number (e.g. +15417541234).","716428965":"(Closed)","718504300":"Postal/ZIP code","720293140":"Log out","720519019":"Reset my password","721011817":"- Raise the first number to the power of the second number","723045653":"You'll log in to your Deriv account with this email address.","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","742676532":"Trade CFDs on forex, derived indices, cryptocurrencies, and commodities with high leverage.","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","751692023":"We <0>do not guarantee a refund if you make a wrong transfer.","752024971":"Reached maximum number of digits","752633544":"You will need to submit proof of identity and address once you reach certain thresholds","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","755867072":"{{platform_name_mt5}} is not available in {{country}}","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","781924436":"Call Spread/Put Spread","783974693":"Avoid recent years","784311461":"Exponential Moving Average (EMA)","784583814":"Linked to your computer","785969488":"Jump 75 Index","787116142":"The multiplier amount used to increase your stake if you’re losing a trade. Value must be higher than 2.","787727156":"Barrier","788005234":"NA","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","795859446":"Password saved","797007873":"Follow these steps to recover camera access:","797500286":"negative","800228448":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}} and {{legal_entity_name_fx}}.","800521289":"Your personal details are incomplete","801430087":"A link can contain the word \"Deriv\" and still be fake.","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.","811876954":"You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, and {{platform_name_dxtrade}} accounts.","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?","826511719":"USD/SEK","827688195":"Disable Block","828219890":"then","828602451":"Returns the list of tick values in string format","830164967":"Last name","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.","836097457":"I am interested in trading but have very little experience.","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","843333337":"You can only make deposits. Please complete the <0>financial assessment to unlock withdrawals.","845213721":"Logout","845304111":"Slow EMA Period {{ input_number }}","847888634":"Please withdraw all your funds.","850582774":"Please update your personal info","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","864610268":"First, enter your {{label}} and the expiry date.","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","868826608":"Excluded from {{brand_website_name}} until","869823595":"Function","869993298":"Minimum withdrawal","872549975":"You have {{number}} transfers remaining for today.","872661442":"Are you sure you want to update email <0>{{prev_email}} to <1>{{changed_email}}?","872817404":"Entry Spot Time","873166343":"1. 'Log' displays a regular message.","874461655":"Scan the QR code with your phone","874484887":"Take profit must be a positive number.","875532284":"Restart process on a different device","876086855":"Complete the financial assessment form","876292912":"Exit","879014472":"Reached maximum number of decimals","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.","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.","905564365":"MT5 CFDs","906049814":"We’ll review your documents and notify you of its status within 5 minutes.","910888293":"Too many attempts","915735109":"Back to {{platform_name}}","918447723":"Real","920125517":"Add demo account","926813068":"Fixed/Variable","929608744":"You are unable to make withdrawals","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","937682366":"Upload both of these documents to prove your identity.","937831119":"Last name*","937992258":"Table","938500877":"{{ text }}. <0>You can view the summary of this transaction in your email.","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","947549448":"Total assets in your Deriv, {{platform_name_mt5}} and {{platform_name_dxtrade}} real accounts.","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948545552":"150+","949859957":"Submit","952927527":"Regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156)","955352264":"Trade on {{platform_name_dxtrade}}","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","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","975668699":"I confirm and accept {{company}} 's <0>Terms and Conditions","975950139":"Country of Residence","977929335":"Go to my account settings","981138557":"Redirect","981965437":"Scan the QR code below with your 2FA app. We recommend <0>Authy or <1>Google Authenticator.","982146443":"WhatsApp","982402892":"First line of address","982829181":"Barriers","987224688":"How many trades have you placed with other financial instruments in the past 12 months?","987900242":"Total assets in your Deriv, {{platform_name_mt5}} and {{platform_name_dxtrade}} demo accounts.","988361781":"You have no trading activity yet.","988934465":"When prompted, you must enable camera access to continue","992294492":"Your postal code is invalid","993827052":"Choosing this jurisdiction will give you a Financial STP account. Your trades will go directly to the market and have tighter spreads.","995563717":"not {{ boolean }}","999008199":"text","1001160515":"Sell","1001749987":"You’ll get a warning, named margin call, if your account balance drops down close to the stop out level.","1003876411":"Should start with letter or number and may contain a hyphen, period and slash.","1004127734":"Send email","1006458411":"Errors","1006664890":"Silent","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","1024760087":"You are verified to add this account","1025887996":"Negative Balance Protection","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*","1029164365":"We presume that you possess the experience, knowledge, and expertise to make your own investment decisions and properly assess the risk involved.","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","1036116144":"Speculate on the price movement of an asset without actually owning it.","1036353276":"Please create another Deriv or {{platform_name_mt5}} account.","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","1044230481":"This is an Ethereum ({{token}}) only address, please do not use {{prohibited_token}}.","1044540155":"100+","1044599642":"<0> has been credited into your {{platform}} {{title}} account.","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","1050128247":"I confirm that I have verified the payment agent’s transfer information.","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 }}","1061561084":"Switch to your real account to create a Deriv MT5 {{account_title}} {{type_title}} account.","1062536855":"Equals","1065353420":"110+","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","1078221772":"Leverage prevents you from opening large positions.","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","1086118495":"Traders Hub","1088138125":"Tick {{current_tick}} - ","1096175323":"You’ll need a Deriv account","1098147569":"Purchase commodities or shares of a company.","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","1102420931":"Next, upload the front and back of your driving licence.","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","1107474660":"Submit proof of address","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","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","1122910860":"Please complete your <0>financial assessment.","1123927492":"You have not selected your account currency","1125090693":"Must be a number","1126075317":"Add your Deriv MT5 <0>{{account_type_name}} STP account under Deriv (FX) Ltd regulated by Labuan Financial Services Authority (Licence no. MB/18/0024).","1126934455":"Length of token name must be between 2 and 32 characters.","1127149819":"Make sure§","1128139358":"How many CFD trades have you placed in the past 12 months?","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.","1129842439":"Please enter a take profit amount.","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.","1151964318":"both sides","1152294962":"Upload the front of your driving licence.","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","1170228717":"Stay on {{platform_name_trader}}","1174542625":"- Find the chat ID property in the response, and copy the value of the id property","1174748431":"Payment channel","1175183064":"Vanuatu","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.","1180619731":"Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.","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с.","1188316409":"To receive your funds, contact the payment agent with the details below","1188980408":"5 minutes","1189368976":"Please complete your personal details before you verify your identity.","1189886490":"Please create another Deriv, {{platform_name_mt5}}, or {{platform_name_dxtrade}} account.","1191429031":"Please click on the link in the email to change your <0>{{platform_name_dxtrade}} password.","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.","1191778951":"Check your proof of identity and address","1192708099":"Duration unit","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1197326289":"You are no longer able to trade digital options on any of our platforms. Also, you can’t make deposits into your Options account.","1198368641":"Relative Strength Index (RSI)","1199281499":"Last Digits List","1201533528":"Contracts won","1201773643":"numeric","1203297580":"This block sends a message to a Telegram channel.","1204223111":"In this example, the open prices from a list of candles are assigned to a variable called \"candle_list\".","1206821331":"Armed Forces","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","1217481729":"Tether as an ERC20 token (eUSDT) is a version of Tether that is hosted on Ethereum.","1218546232":"What is Fiat onramp?","1219844088":"do %1","1221250438":"To enable withdrawals, please submit your <0>Proof of Identity (POI) and <1>Proof of Address (POA) and also complete the <2>financial assessment in your account settings.","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","1227074958":"random fraction","1227240509":"Trim spaces","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","1239760289":"Complete your trading assessment","1239940690":"Restarts the bot when an error is encountered.","1240027773":"Please Log in","1241238585":"You may transfer between your Deriv fiat, cryptocurrency, and {{platform_name_mt5}} accounts.","1243064300":"Local","1246207976":"Enter the authentication code generated by your 2FA app:","1246443703":"Financial Assessment","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","1248161058":"You can create your account on {{real_account_unblock_date}}. <0/>Please click ‘OK’ to continue.","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.","1285686014":"Pending proof of identity review","1286094280":"Withdraw","1286507651":"Close identity verification screen","1288965214":"Passport","1289646209":"Margin call","1290525720":"Example: ","1291887623":"Digital options trading frequency","1292188546":"Reset Deriv MT5 investor password","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.","1296380713":"Close my contract","1299479533":"8 hours","1300576911":"Please resubmit your proof of address or we may restrict your account.","1302691457":"Occupation","1303016265":"Yes","1303530014":"We’re processing your withdrawal.","1304083330":"copy","1304272843":"Please submit your proof of address.","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.","1305217290":"Upload the back of your identity card.","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","1311799109":"We do not support Binance Smart Chain tokens to deposit, please use only Ethereum ({{token}}).","1312767038":"Exit Trader's hub","1313167179":"Please log in","1313302450":"The bot will stop trading if your total loss exceeds this amount.","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.","1327181172":"Financial Vanuatu","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. ","1331367811":"Client account number","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","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):","1349133669":"Try changing your search criteria.","1349289354":"Great, that's everything we need","1349295677":"in text {{ input_text }} get substring from {{ position1 }} {{ index1 }} to {{ position2 }} {{ index2 }}","1351906264":"This feature is not available for payment agents.","1353197182":"Please select","1354288636":"Based on your answers, it looks like you have insufficient knowledge and experience in trading CFDs. CFD trading is risky and you could potentially lose all of your capital.<0/><0/>","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.","1364958515":"Stocks","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","1371555192":"Choose your preferred payment agent and enter your withdrawal amount. If your payment agent is not listed, <0>search for them using their account number.","1371641641":"Open the link on your mobile","1371911731":"Financial products in the EU are offered by {{legal_entity_name}}, licensed as a Category 3 Investment Services provider by the Malta Financial Services Authority (<0>Licence no. IS/70156).","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","1388770399":"Proof of identity required","1389197139":"Import error","1390792283":"Trade parameters","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","1396417530":"Bear Market Index","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 }}","1408844944":"Click the plus icon to extend the functionality of this block.","1410320737":"Go to Deriv MT5 dashboard","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:","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","1438247001":"A professional client receives a lower degree of client protection due to the following.","1438340491":"else","1439168633":"Stop loss:","1441208301":"Total<0 />profit/loss","1442747050":"Loss amount: <0>{{profit}}","1442840749":"Random integer","1443478428":"Selected proposal does not exist","1445592224":"You accidentally gave us another email address (Usually a work or a personal one instead of the one you meant).","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","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.","1455741083":"Upload the back of your driving licence.","1457341530":"Your proof of identity verification has failed","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}}.","1465084972":"How much experience do you have with other financial instruments?","1465919899":"Pick an end date","1466430429":"Should be between {{min_value}} and {{max_value}}","1466900145":"Doe","1467017903":"This market is not yet available on {{platform_name_trader}}, but it is on {{platform_name_smarttrader}}.","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","1468937050":"Trade on {{platform_name_trader}}","1469150826":"Take Profit","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1471070549":"Can contract be sold?","1471741480":"Severe error","1475513172":"Size","1476301886":"Similar to SMA, this block gives you the entire SMA line containing a list of all values for a given period.","1478030986":"Create or delete API tokens for trading and withdrawals","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.","1487086154":"Your documents were submitted successfully","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).","1493673429":"Change email","1493866481":"Run Deriv X on your browser","1496810530":"GBP/AUD","1497773819":"Deriv MT5 accounts","1499074768":"Add a real Deriv Multipliers account","1499080621":"Tried to perform an invalid operation.","1501691227":"Add Your Deriv MT5 <0>{{account_type_name}} account under Deriv (V) Ltd, regulated by the Vanuatu Financial Services Commission.","1502039206":"Over {{barrier}}","1502325741":"Your password cannot be the same as your email address.","1503618738":"- Deal reference ID: the reference ID of the contract","1505420815":"No payment agents found for your search","1505898522":"Download stack","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.","1516537408":"You can no longer trade on Deriv or deposit funds into your account.","1516559721":"Please select one file only","1516676261":"Deposit","1517503814":"Drop file or click here to upload","1519124277":"Derived SVG","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.","1529440614":"Use the <0>Deriv password to log in to {{brand_website_name}}, {{platform_name_go}}, {{platform_name_trader}}, {{platform_name_smarttrader}}, and {{platform_name_dbot}}.","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.","1533177906":"Fall","1534569275":"As part of the changes in our markets, we will be closing our UK clients’ accounts.","1534796105":"Gets variable value","1537711064":"You need to make a quick identity verification before you can access the Cashier. Please go to your account settings to submit your proof of identity.","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","1551172020":"AUD Basket","1552162519":"View onboarding","1552918367":"Send only {{currency}} ({{currency_symbol}}) to this address.","1557426040":"Demo Derived SVG","1557682012":"Account Settings","1558972889":"set {{ variable }} to Simple Moving Average {{ dummy }}","1560302445":"Copied","1562374116":"Students","1564392937":"When you set your limits or self-exclusion, they will be aggregated across all your account types in {{platform_name_trader}} and {{platform_name_dbot}}. For example, the losses made on both platforms will add up and be counted towards the loss limit you set.","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","1579839386":"Appstore","1580498808":"Multiple faces found","1584109614":"Ticks String List","1584578483":"50+ assets: forex, stocks, stock indices, synthetics indices, and cryptocurrencies.","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","1593010588":"Login now","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.","1597672660":"Deriv MT5 Password","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","1604171868":"Please withdraw all your funds as soon as possible.","1604916224":"Absolute","1605222432":"I have no knowledge and experience in trading at all.","1605292429":"Max. total loss","1612105450":"Get substring","1613273139":"Resubmit proof of identity and address","1613633732":"Interval should be between 10-60 minutes","1615544392":"When do you be required to pay an initial margin?","1615897837":"Signal EMA Period {{ input_number }}","1618809782":"Maximum withdrawal","1619070150":"You are being redirected to an external website.","1620278321":"Names and surnames by themselves are easy to guess","1620346110":"Set currency","1621024661":"Tether as a TRC20 token (tUSDT) is a version of Tether that is hosted on Tron.","1622662457":"Date from","1623706874":"Use this block when you want to use multipliers as your trade type.","1630372516":"Try our Fiat onramp","1630417358":"Please go to your account settings and complete your personal details to enable withdrawals.","1631281562":"GBP Basket","1634594289":"Select language","1634903642":"Only your face can be in the selfie","1634969163":"Change currency","1635266650":"It seems that your name in the document is not the same as your Deriv profile. Please update your name in the <0>Personal details page to solve this issue.","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.","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","1652968048":"Define your trade options such as multiplier and stake.","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!","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","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","1668138872":"Modify account settings","1670016002":"Multiplier: {{ multiplier }}","1670426231":"End Time","1671232191":"You have set the following limits:","1675030608":"To create this account first we need you to resubmit your proof of address.","1677027187":"Forex","1677990284":"My apps","1682409128":"Untitled Strategy","1682636566":"Resend email in","1683963454":"Your contract will be closed automatically at the next available asset price on {{date}} at {{timestamp}}.","1684148009":"Total assets in your Deriv and {{platform_name_mt5}} real accounts.","1684419981":"What's this?","1686800117":"{{error_msg}}","1689103988":"Second Since Epoch","1689258195":"We were unable to verify your address with the details you provided. Please check and resubmit or choose a different document type.","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.","1694517345":"Enter a new email address","1695807119":"Could not load Google Drive blocks","1700233813":"Transfer from {{selected_value}} is not allowed, Please choose another account from dropdown","1704656659":"How much experience do you have in CFD trading?","1708413635":"For your {{currency_name}} ({{currency}}) account","1709859601":"Exit Spot Time","1710662619":"If you have the app, launch it to start trading.","1711013665":"Anticipated account turnover","1711676335":"square root","1711929663":"Your funds have been transferred","1712357617":"Invalid email address.","1714255392":"To enable withdrawals, please complete your financial assessment.","1715011380":"Jump 25 Index","1715630945":"Returns the total profit in string format","1719248689":"EUR/GBP/USD","1720451994":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv fiat and Deriv cryptocurrency accounts.","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","1726565314":"Close my account","1727681395":"Total assets in your Deriv and {{platform_name_mt5}} demo accounts.","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","1738681493":"Remove your glasses, if necessary","1739384082":"Unemployed","1739668049":"Close your account","1740371444":"Underlying market is not selected","1740843997":"Buy cryptocurrencies in an instant. Enjoy easy, quick, and secure exchanges using your local payment methods.","1742256256":"Please upload one of the following documents:","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","1758386013":"Do not get lured to fake \"Deriv\" pages!","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","1763123662":"Upload your NIMC slip.","1766212789":"Server maintenance starts at 06:00 GMT every Sunday and may last up to 2 hours. You may experience service disruption during this time.","1766993323":"Only letters, numbers, and underscores are allowed.","1767429330":"Add a Derived account","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","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","1783740125":"Upload your selfie","1787135187":"Postal/ZIP code is required","1787492950":"Indicators on the chart tab are for indicative purposes only and may vary slightly from the ones on the {{platform_name_dbot}} workspace.","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.","1798943788":"You can only make deposits.","1801093206":"Get candle list","1801927731":"{{platform_name_dxtrade}} accounts","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.","1811109068":"Jurisdiction","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","1816126006":"Trade on Deriv MT5 ({{platform_name_dmt5}}), the all-in-one FX and CFD trading platform.","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.","1828370654":"Onboarding","1830520348":"{{platform_name_dxtrade}} Password","1833481689":"Unlock","1833499833":"Proof of identity documents upload failed","1836767074":"Search payment agent name","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","1839021527":"Please enter a valid account number. Example: CR123456789","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.","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","1846664364":"{{platform_name_dxtrade}}","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","1854874899":"Back to list","1855566768":"List item position","1856485118":"Please <0>resubmit your proof of address to transfer funds between MT5 and Deriv accounts.","1858251701":"minute","1859308030":"Give feedback","1863053247":"Please upload your identity document.","1863731653":"To receive your funds, contact the payment agent","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","1870933427":"Crypto","1871196637":"True if the result of the last trade matches the selection","1871664426":"Note","1871804604":"Regulated by the British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114)","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.","1874756442":"BVI","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.","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}}.","1902547203":"MetaTrader 5 MacOS app","1903437648":"Blurry photo detected","1905032541":"We're now ready to verify your identity","1905589481":"If you want to change your account currency, please contact us via <0>live chat.","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","1908686066":"Appropriateness Test Warning","1909647105":"TRX/USD","1909769048":"median","1913777654":"Switch account","1914014145":"Today","1914270645":"Default Candle Interval: {{ candle_interval_type }}","1914725623":"Upload the page that contains your photo.","1917523456":"This block sends a message to a Telegram channel. You will need to create your own Telegram bot to use this block.","1917804780":"You will lose access to your Options account when it gets closed, so be sure to withdraw all your funds. (If you have a CFDs account, you can also transfer the funds from your Options account to your CFDs account.)","1918633767":"Second line of address is not in a proper format.","1918796823":"Please enter a stop loss amount.","1918832194":"No experience","1919030163":"Tips to take a good selfie","1919594496":"{{website_name}} is not affiliated with any payment agents. Customers deal with payment agents at their sole risk. Customers are advised to check the credentials of payment agents and the accuracy of any information about payment agents (on {{website_name}} or elsewhere) before using their services.","1920217537":"Compare","1920468180":"How to use the SMA block","1921634159":"A few personal details","1921914669":"Deposit with Deriv P2P","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*","1925090823":"Sorry, trading is unavailable in {{clients_country}}.","1927244779":"Use only the following special characters: . , ' : ; ( ) @ # / -","1928930389":"GBP/NOK","1929309951":"Employment Status","1929694162":"Compare accounts","1930899934":"Tether","1931659123":"Run on every tick","1931884033":"It seems that your date of birth in the document is not the same as your Deriv profile. Please update your date of birth in the <0>Personal details page to solve this issue.","1939902659":"Signal","1940408545":"Delete this token","1941915555":"Try later","1942091675":"Cryptocurrency trading is not available for clients residing in the United Kingdom.","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.","1973564194":"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 {{platform_name_dxtrade}} account.","1974273865":"This scope will allow third-party apps to view your account activity, settings, limits, balance sheets, trade purchase history, and more.","1981940238":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}} and {{legal_entity_name_v}}.","1982912252":"Relative Strength Index (RSI) from a list with a period","1983001416":"Define your trade options such as multiplier and stake. This block can only be used with the multipliers trade type. If you select another trade type, this block will be replaced with the Trade options block.","1983387308":"Preview","1983544897":"P.O. Box is not accepted in address","1983676099":"Please check your email for details.","1984700244":"Request an input","1984742793":"Uploading documents","1985366224":"Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts and up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts.","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","1994023526":"The email address you entered had a mistake or typo (happens to the best of us).","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.","2004395123":"New trading tools for MT5","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.","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:","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.","2020545256":"Close your account?","2021037737":"Please update your details to continue.","2023659183":"Student","2023762268":"I prefer another trading website.","2025339348":"Move away from direct light — no glare","2027625329":"Simple Moving Average Array (SMAA)","2027696535":"Tax information","2028163119":"EOS/USD","2029237955":"Labuan","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","2042778835":"This complaints policy, which may change from time to time, applies to your account registered with {{legal_entity_name}}.","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.","2050080992":"Tron","2050170533":"Tick list","2051558666":"View transaction history","2053617863":"Please proceed to withdraw all your funds from your account.","2054889300":"Create \"%1\"","2055317803":"Copy the link to your mobile browser","2057082550":"Accept our updated <0>terms and conditions","2057419639":"Exit Spot","2060873863":"Your order {{order_id}} is complete","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","2067903936":"Driving licence","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}}","2082533832":"Yes, delete","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","2089087110":"Basket indices","2089299875":"Total assets in your Deriv real accounts.","2089581483":"Expires on","2091671594":"Status","2093167705":"You can only make deposits. Please contact us via live chat for more information.","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.","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","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.","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","2141873796":"Get more info on <0>CFDs, <1>multipliers, and <2>options.","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","-153346659":"Upload your selfie.","-602131304":"Passport number","-1051213440":"Upload the front and back of your identity card.","-1600807543":"First, enter your identity card number and the expiry date.","-1139923664":"Next, upload the front and back of your identity card.","-783705755":"Upload the front of your identity card.","-566750665":"NIMC slip and proof of age","-1465944279":"NIMC slip number","-429612996":"Next, upload both of the following documents.","-376981174":"Upload your proof of age: birth certificate or age declaration document.","-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","-1497654315":"Our accounts and services are unavailable for the Jersey postal 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.","-673765468":"Letters, numbers, spaces, periods, hyphens and forward 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","-621555159":"Identity information","-204765990":"Terms of use","-231863107":"No","-870902742":"How much knowledge and experience do you have in relation to online trading?","-1929477717":"I have an academic degree, professional certification, and/or work experience related to financial services.","-1540148863":"I have attended seminars, training, and/or workshops related to trading.","-922751756":"Less than a year","-542986255":"None","-1337206552":"In your understanding, CFD trading allows you to","-456863190":"Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.","-1314683258":"Make a long-term investment for a guaranteed profit.","-1546090184":"How does leverage affect CFD trading?","-1636427115":"Leverage helps to mitigate risk.","-800221491":"Leverage guarantees profits.","-811839563":"Leverage lets you open large positions for a fraction of trade value, which may result in increased profit or loss.","-1185193552":"Close your trade automatically when the loss is equal to or more than a specified amount, as long as there is adequate market liquidity.","-1046354":"Close your trade automatically when the profit is equal to or more than a specified amount, as long as there is adequate market liquidity.","-1842858448":"Make a guaranteed profit on your trade.","-659266366":"When opening a leveraged CFD trade","-1078152772":"When trading multipliers","-1507432523":"When buying shares of a company","-1847406474":"All of the above","-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","-189310067":"Account closed","-849320995":"Assessments","-773766766":"Email and passwords","-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.","-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.","-976258774":"Not set","-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.","-138380129":"Total withdrawal allowed","-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","-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","-438669274":"JPEG JPG PNG PDF GIF","-723198394":"File size should be 8MB or less","-1948369500":"File uploaded is not supported","-1040865880":"Drop files here..","-1437017790":"Financial information","-39038029":"Trading experience","-1416797980":"Please enter your {{ field_name }} as in your official identity documents.","-1466268810":"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 <0>account settings.","-32386760":"Name","-1120954663":"First name*","-1659980292":"First name","-766265812":"first name","-1857534296":"John","-1282749116":"last name","-1485480657":"Other details","-1784741577":"date of birth","-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","-1543016582":"I hereby confirm that the tax information I provided is true and complete. I will also inform {{legal_entity_name}} about any changes to this information.","-1387062433":"Account opening reason","-1088324715":"We’ll review your documents and notify you of its status within 1 - 3 working days.","-684271315":"OK","-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.","-1117345066":"Choose the document type","-651192353":"Sample:","-1263033978":"Please ensure all your personal details are the same as in your chosen document. If you wish to update your personal details, go to account settings.","-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.","-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","-200989771":"Go to personal details","-1358357943":"Please check and update your postal code before submitting proof of identity.","-1401994581":"Your personal details are missing","-2004327866":"Please select a valid country of document issuance.","-1664159494":"Country","-1874113454":"Please check and resubmit or choose a different document type.","-1044962593":"Upload Document","-749870311":"Please contact us via <0>live chat.","-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.","-182918740":"Your proof of identity submission failed because:","-246893488":"JPEG, JPG, PNG, PDF, or GIF","-1454880310":"Must be valid for at least 6 months","-100534371":"Before uploading, please ensure that you’re facing forward in the selfie, your face is within the frame, and your eyes are clearly visible even if you’re wearing glasses.","-1529523673":"Confirm and upload","-705047643":"Sorry, an error occured. Please select another file.","-1664309884":"Tap here to upload","-1725454783":"Failed","-839094775":"Back","-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.","-2005211699":"Create","-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.","-1088698009":"These self-exclusion limits help you control the amount of money and time you spend trading on {{platform_name_trader}}, {{platform_name_dbot}}, {{platform_name_smarttrader}} and {{platform_name_bbot}} on Deriv. 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","-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.","-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.","-1166068675":"Your account will be opened with {{legal_entity_name}}, regulated by the UK Gaming Commission (UKGC), and will be subject to the laws of the Isle of Man.","-975118358":"Your account will be opened with {{legal_entity_name}}, regulated by the Malta Financial Services Authority (MFSA), and will be subject to the laws of Malta.","-680528873":"Your account will be opened with {{legal_entity_name}} 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.","-1720468017":"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.","-186841084":"Change your login email","-907403572":"To change your email address, you'll first need to unlink your email address from your {{identifier_title}} account.","-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","-254792921":"You can only make deposits at the moment. To enable withdrawals, please complete your financial assessment.","-70342544":"We’re legally obliged to ask for your financial information.","-1100235269":"Industry of employment","-684388823":"Estimated net worth","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-179005984":"Save","-307865807":"Risk Tolerance Warning","-690100729":"Yes, I understand the risk.","-2010628430":"CFDs and other financial instruments come with a high risk of losing money rapidly due to leverage. You should consider whether you understand how CFDs and other financial instruments work and whether you can afford to take the high risk of losing your money. <0/><0/> To continue, you must confirm that you understand your capital is at risk.","-863770104":"Please note that by clicking ‘OK’, you may be exposing yourself to risks. You may not have the knowledge or experience to properly assess or mitigate these risks, which may be significant, including the risk of losing the entire sum you have invested.","-1292808093":"Trading Experience","-789291456":"Tax residence*","-1651554702":"Only alphabet is allowed","-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.","-874280157":"This Tax Identification Number (TIN) is invalid. You may continue using it, but to facilitate future payment processes, valid tax information will be required.","-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)","-1124948631":"Professional Client","-259515058":"By default, all {{brand_website_name}} clients are retail clients but anyone can request to be treated as a professional client.","-1463348492":"I would like to be treated as a professional client.","-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.","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-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):","-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.","-9323953":"Remaining characters: {{remaining_characters}}","-2061895474":"Closing your account will automatically log you out. We shall delete your personal information as soon as our legal obligations are met.","-203298452":"Close account","-1219849101":"Please select at least one reason","-484540402":"An error occurred","-1911549768":"Inaccessible MT5 account(s)","-1869355019":"Action required","-1030102424":"You can't trade on Deriv.","-448385353":"You can't make transactions.","-1058447223":"Before closing your account:","-912764166":"Withdraw your funds.","-60139953":"We shall delete your personal information as soon as our legal obligations are met, as mentioned in the section on Data Retention in our <0>Security and privacy policy","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-1076138910":"Trade","-488597603":"Trading information","-1666909852":"Payments","-506510414":"Date and time","-1708927037":"IP address","-80717068":"Apps you have linked to your <0>Deriv password:","-2143208677":"Click the <0>Change password button to change your Deriv MT5 password.","-9570380":"Use the {{platform_name_dxtrade}} password to log in to your {{platform_name_dxtrade}} accounts on the web and mobile apps.","-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","-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.","-890084320":"Save and submit","-902076926":"Before uploading your document, please ensure that your personal details are updated to match your proof of identity. This will help to avoid delays during the verification process.","-1411635770":"Learn more about account limits","-516397235":"Be careful who you share this token with. Anyone with this token can perform the following actions on your account behalf","-989216986":"Add accounts","-617480265":"Delete token","-316749685":"Are you sure you want to delete this token?","-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","-955038366":"Copy this token","-1668692965":"Hide this token","-1661284324":"Show this token","-605778668":"Never","-1628008897":"Token","-1238499897":"Last Used","-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.","-5605257":"This scope will allow third-party apps to withdraw to payment agents and make inter-account transfers for you.","-1373485333":"This scope will allow third-party apps to view your trading history.","-758221415":"This scope will allow third-party apps to open accounts for you, manage your settings and token usage, and more. ","-1117963487":"Name your token and click on 'Create' to generate your token.","-2115275974":"CFDs","-1879666853":"Deriv MT5","-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","-2087317410":"Oops, something went wrong.","-509054266":"Anticipated annual turnover","-164448351":"Show less","-1361653502":"Show more","-337620257":"Switch to real account","-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","-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.","-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).","-142444667":"Please click on the link in the email to change your Deriv MT5 password.","-742748008":"Check your email and click the link in the email to proceed.","-84068414":"Still didn't get the email? Please contact us via <0>live chat.","-428335668":"You will need to set a password to complete the 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.","-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.","-1975494965":"Cashier","-1870909526":"Our server cannot retrieve an address.","-582721696":"The current allowed withdraw amount is {{format_min_withdraw_amount}} to {{format_max_withdraw_amount}} {{currency}}","-1957498244":"more","-197251450":"Don't want to trade in {{currency_code}}? You can open another cryptocurrency account.","-1900848111":"This is your {{currency_code}} account.","-749765720":"Your fiat account currency is set to {{currency_code}}.","-803546115":"Manage your accounts ","-1463156905":"Learn more about payment methods","-1309258714":"From account number","-1247676678":"To account number","-816476007":"Account holder name","-1995606668":"Amount","-344403983":"Description","-922432739":"Please enter a valid client login ID.","-1024241603":"Insufficient balance.","-1979554765":"Please enter a valid description.","-1186807402":"Transfer","-1254233806":"You've transferred","-1491457729":"All payment methods","-142563298":"Contact your preferred payment agent for payment instructions and make your deposit.","-1023961762":"Commission on deposits","-552873274":"Commission on withdrawal","-880645086":"Withdrawal amount","-118683067":"Withdrawal limits: <0 />-<1 />","-1125090734":"Important notice to receive your funds","-1924707324":"View transaction","-1474202916":"Make a new withdrawal","-511423158":"Enter the payment agent account number","-2059278156":"Note: {{website_name}} does not charge any transfer fees.","-1201279468":"To withdraw your funds, please choose the same payment method you used to make your deposits.","-8892474":"Start assessment","-1787304306":"Deriv P2P","-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. ","-1321645628":"Your cashier is currently locked. Please contact us via live chat to find out how to unlock it.","-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.","-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.","-166472881":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable deposits and withdrawals.","-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.","-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.","-949074612":"Please contact us via live chat.","-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.","-127614820":"Unfortunately, you can only make deposits. Please contact us via live chat to enable withdrawals.","-172277021":"Cashier is locked for withdrawals","-1624999813":"It seems that you've no commissions to withdraw at the moment. You can make withdrawals once you receive your commissions.","-1077304626":"Amount ({{currency}})","-1559994981":"Approximate value","-190084602":"Transaction","-811190405":"Time","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-1332236294":"Please verify your identity","-1675848843":"Error","-283017497":"Retry","-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.","-203002433":"Deposit now","-720315013":"You have no funds in your {{currency}} account","-2052373215":"Please make a deposit to use this feature.","-379487596":"{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})","-299033842":"Recent transactions","-348296830":"{{transaction_type}} {{currency}}","-1929538515":"{{amount}} {{currency}} on {{submit_date}}","-1534990259":"Transaction hash:","-1612346919":"View all","-1059419768":"Notes","-316545835":"Please ensure <0>all details are <0>correct before making your transfer.","-949073402":"I confirm that I have verified the client’s transfer information.","-1752211105":"Transfer now","-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","-2061807537":"Something’s not right","-1068036170":"We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-2056016338":"You’ll not be charged a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts.","-599632330":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-1196994774":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency accounts.","-993556039":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts and between your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.","-1382702462":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts.","-1151983985":"Transfer limits may vary depending on the exchange rates.","-1747571263":"Please bear in mind that some transfers may not be possible.","-757062699":"Transfers may be unavailable due to high volatility or technical issues and when the exchange markets are closed.","-1344870129":"Deriv accounts","-1156059326":"You have {{number}} transfer remaining for today.","-1109729546":"You will be able to transfer funds between MT5 accounts and other accounts once your address is verified.","-1593609508":"Transfer between your accounts in Deriv","-464965808":"Transfer limits: <0 /> - <1 />","-553249337":"Transfers are locked","-1638172550":"To enable this feature you must complete the following:","-1157701227":"You need at least two accounts","-417711545":"Create account","-1232852916":"We’re switching over to your {{currency}} account to view the transaction.","-993393818":"Binance Smart Chain","-561858764":"Polygon (Matic)","-410890127":"Ethereum (ERC20)","-1059526741":"Ethereum (ETH)","-1615615253":"We do not support Tron, to deposit please use only Ethereum ({{token}}).","-1831000957":"Please select the network from where your deposit will come from.","-314177745":"Unfortunately, we couldn't get the address since our server was down. Please click Refresh to reload the address or try again later.","-1345040662":"Looking for a way to buy cryptocurrency?","-759000391":"We were unable to verify your information automatically. To enable this function, you must complete the following:","-1632668764":"I accept","-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.","-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","-953082600":"Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.","-2004264970":"Your wallet address should have 25 to 64 characters.","-1707299138":"Your {{currency_symbol}} wallet address","-38063175":"{{account_text}} wallet","-705272444":"Upload a proof of identity to verify your identity","-2024958619":"This is to protect your account from unauthorised withdrawals.","-130833284":"Please note that your maximum and minimum withdrawal limits aren’t fixed. They change due to the high volatility of cryptocurrency.","-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","-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.","-1150099396":"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 Deriv MT5 Financial.","-1940333322":"DBot is not available for this account","-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","-1553945114":"Value must be higher than 2","-689786738":"Minimum duration: {{ min }}","-184183432":"Maximum duration: {{ max }}","-749186458":"Account switching is disabled while your bot is running. Please stop your bot before switching accounts.","-662836330":"Would you like to keep your current contract or close it? If you decide to keep it running, you can check and close it later on the <0>Reports page.","-597939268":"Keep my contract","-1322453991":"You need to log in to run the bot.","-1483938124":"This strategy is currently not compatible with DBot.","-236548954":"Contract Update Error","-1428017300":"THE","-1450728048":"OF","-255051108":"YOU","-1845434627":"IS","-931434605":"THIS","-740712821":"A","-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. ","-908772734":"This block evaluates a statement and will perform an action only when the statement is true.","-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\".","-1460794449":"This block gives you a list of candles within a selected time interval.","-1634242212":"Used within a function block, this block returns a value when a specific condition is true.","-2012970860":"This block gives you information about your last contract.","-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.","-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\".","-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.","-1765276625":"Click the multiplier drop-down menu and choose the multiplier value you want to trade with.","-1872233077":"Your potential profit will be multiplied by the multiplier value you’ve chosen.","-614454953":"To learn more about multipliers, please go to the <0>Multipliers page.","-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.","-254421190":"List: ({{message_length}})","-1616649196":"results","-90107030":"No results found","-984140537":"Add","-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","-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","-558594655":"The bot is not running","-478946875":"The stats are cleared","-9461328":"Security and privacy","-563774117":"Dashboard","-418247251":"Download your journal.","-870004399":"<0>Bought: {{longcode}} (ID: {{transaction_id}})","-1211474415":"Filters","-186972150":"There are no messages to display","-999254545":"All messages are filtered out","-686334932":"Build a bot from the start menu then hit the run button to run the bot.","-1717650468":"Online","-1825471709":"A whole new trading experience on a powerful yet easy to use platform.","-981017278":"Automated trading at your fingertips. No coding needed.","-1768586966":"Trade CFDs on a customizable, easy-to-use trading platform.","-1309011360":"Open positions","-883103549":"Account deactivated","-821418875":"Trader","-679102561":"Contract Details","-430118939":"Complaints policy","-744999940":"Deriv account","-568280383":"Deriv Gaming","-1308346982":"Derived","-1546927062":"Deriv Financial","-895331276":"Complete your proof of address","-782679300":"Complete your proof of identity","-1596515467":"Derived BVI","-328128497":"Financial","-533935232":"Financial BVI","-565431857":"Financial Labuan","-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","-280323742":"EUR Basket","-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.","-405439829":"Sorry, you can't view this contract because it doesn't belong to this account.","-1590712279":"Gaming","-16448469":"Virtual","-540474806":"Your Options account is scheduled to be closed","-618539786":"Your account is scheduled to be closed","-945275490":"Withdraw all funds from your Options account.","-2093768906":"{{name}} has released your funds.
Would you like to give your feedback?","-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.","-800774345":"Power up your Financial trades with intuitive tools from Acuity.","-279582236":"Learn More","-1211460378":"Power up your trades with Acuity","-703292251":"Download intuitive trading tools to keep track of market events. The Acuity suite is only available for Windows, and is most recommended for financial assets.","-1585069798":"Please click the following link to complete your Appropriateness Test.","-1287141934":"Find out more","-367759751":"Your account has not been verified","-596690079":"Enjoy using Deriv?","-265932467":"We’d love to hear your thoughts","-1815573792":"Drop your review on Trustpilot.","-823349637":"Go to Trustpilot","-1204063440":"Set my account currency","-1751632759":"Get a faster mobile trading experience with the <0>{{platform_name_go}} app!","-1164554246":"You submitted expired identification documents","-219846634":"Let’s verify your ID","-529038107":"Install","-1738575826":"Please switch to your real account or create one to access the cashier.","-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.","-1852207910":"MT5 withdrawal disabled","-764323310":"MT5 withdrawals have been disabled on your account. Please check your email for more details.","-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.","-1175685940":"Please contact us via live chat to enable withdrawals.","-1125797291":"Password updated.","-157145612":"Please log in with your updated password.","-1728185398":"Resubmit proof of address","-1519764694":"Your proof of address is verified.","-1961967032":"Resubmit proof of identity","-117048458":"Please submit your proof of identity.","-1196422502":"Your proof of identity is verified.","-136292383":"Your proof of address verification is pending","-386909054":"Your proof of address verification has failed","-430041639":"Your proof of address did not pass our verification checks, and we’ve placed some restrictions on your account. Please resubmit your proof of address.","-87177461":"Please go to your account settings and complete your personal details to enable deposits.","-904632610":"Reset your balance","-470018967":"Reset balance","-156611181":"Please complete the financial assessment in your account settings to unlock it.","-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.","-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.","-2067423661":"Stronger security for your Deriv account","-1719731099":"With two-factor authentication, you’ll protect your account with both your password and your phone - so only you can access your account, even if someone knows your password.","-2087822170":"You are offline","-1669693571":"Check your connection.","-1998049070":"If you agree to our use of cookies, click on Accept. For more information, <0>see our policy.","-402093392":"Add Deriv Account","-277547429":"A Deriv account will allow you to fund (and withdraw from) your MT5 account(s).","-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}}","-594209315":"Synthetic indices in the EU are offered by {{legal_entity_name}}, 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).","-181484419":"Responsible trading","-650505513":"Full screen","-1823504435":"View notifications","-1954045170":"No currency assigned","-583559763":"Menu","-1922462747":"Trader's hub","-1591792668":"Account Limits","-34495732":"Regulatory information","-1496158755":"Go to Deriv.com","-2094580348":"Thanks for verifying your email","-1396326507":"Unfortunately, {{website_name}} is not available in your country.","-1019903756":"Synthetic","-288996254":"Unavailable","-122970184":"Total assets in your Deriv and {{platform_name_dxtrade}} demo accounts.","-97270814":"Total assets in your Deriv and {{platform_name_dxtrade}} real accounts.","-1607445331":"Deriv MT5 Accounts","-1844355483":"{{platform_name_dxtrade}} Accounts","-1740162250":"Manage account","-1277942366":"Total assets","-1556699568":"Choose your citizenship","-1310654342":"As part of the changes in our product line-up, we will be closing Gaming accounts belonging to our UK clients.","-626152766":"As part of the changes in our product line-up, we are closing Options accounts belonging to our clients in Europe.","-490100162":"As part of the changes in our product line-up, we will be closing accounts belonging to our Isle of Man clients.","-1208958060":"You can no longer trade digital options on any of our platforms. You also can’t deposit funds into your account.<0/><1/>Any open positions on digital options have been closed with full payout.","-2050417883":"You’ll lose access to your Gaming account when it gets closed, so make sure to withdraw your funds as soon as possible.","-1950045402":"Withdraw all your funds","-168971942":"What this means for you","-905560792":"OK, I understand","-1308593541":"You will lose access to your account when it gets closed, so be sure to withdraw all your funds.","-2024365882":"Explore","-1197864059":"Create free demo account","-1602122812":"24-hour Cool Down Warning","-740157281":"Trading Experience Assessment","-399816343":"Trading Experience Assessment<0/>","-1822498621":"As per our regulatory obligations, we are required to assess your trading knowledge and experience.<0/><0/>Please click ‘OK’ to continue","-71049153":"Keep your account secure with a password","-1861974537":"Strong passwords contain at least 8 characters, combine uppercase and lowercase letters, numbers, and symbols.","-1965920446":"Start trading","-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","-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","-241733171":"Add a Deriv Financial account","-1329687645":"Create a cryptocurrency account","-1429178373":"Create a new account","-1016775979":"Choose an account","-1519791480":"CFDs and other financial instruments come with a high risk of losing money rapidly due to leverage. You should consider whether you understand how CFDs and other financial instruments work and whether you can afford to take the risk of losing your money. <0/><0/>\n As you have declined our previous warning, you would need to wait 24 hours before you can proceed further.","-1010875436":"CFDs and other financial instruments come with a high risk of losing money rapidly due to leverage. You should consider whether you understand how CFDs and other financial instruments work and whether you can afford to take the high risk of losing your money. <0/><0/> To continue, kindly note that you would need to wait 24 hours before you can proceed further.","-1725418054":"By clicking ‘Accept’ and proceeding with the account opening, you should note that you may be exposing yourself to risks. These risks, which may be significant, include the risk of losing the entire sum invested, and you may not have the knowledge and experience to properly assess or mitigate them.","-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.","-310434518":"The email input should not be empty.","-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","-1976089791":"Your Deriv account has been unlinked from your {{social_identity_provider}} account. You can now log in to Deriv using your new email address and password.","-505449293":"Enter a new password for your Deriv account.","-703818088":"Only log in to your account at this secure link, never elsewhere.","-1235799308":"Fake links often contain the word that looks like \"Deriv\" but look out for these differences.","-2102997229":"Examples","-82488190":"I've read the above carefully.","-97775019":"Do not trust and give away your credentials on fake websites, ads or emails.","-2142491494":"OK, got it","-611136817":"Beware of fake links.","-1787820992":"Platforms","-1793883644":"Trade FX and CFDs on a customisable, easy-to-use trading platform.","-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.","-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.","-1744351732":"Not sure where to start?","-943710774":"This complaints policy, which may change from time to time, applies to your account registered with {{legal_entity_name}}, 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).","-255056078":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name}}, 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).","-1941013000":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}}, {{legal_entity_name_fx}}, and {{legal_entity_name_v}}.","-594812204":"This complaints policy, which may change from time to time, applies to your account(s) registered with {{legal_entity_name_svg}}.","-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.","-358055541":"Power up your trades with cool new tools","-74591641":"We've partnered with Acuity to give you a suite of intuitive trading tools for MT5 so you can keep track of market events and trends, free of charge! <0/><0/>\n Download the Acuity suite and take advantage of the <1>Macroeconomic Calendar, Market Alerts, Research Terminal, and <1>Signal Centre Trade Ideas without leaving your MT5 terminal.<0/><0/>\n This suite is only available for Windows, and is most recommended for financial assets.","-815070480":"Disclaimer: The trading services and information provided by Acuity should not be construed as a solicitation to invest and/or trade. Deriv does not offer investment advice. The past is not a guide to future performance, and strategies that have worked in the past may not work in the future.","-2111521813":"Download Acuity","-175369516":"Welcome to Deriv X","-939154994":"Welcome to Deriv MT5 dashboard","-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","-404375367":"Trade forex, basket indices, commodities, and cryptocurrencies with high leverage.","-243985555":"Trade CFDs on forex, stocks, stock indices, synthetic indices, cryptocurrencies, and commodities with leverage.","-2030107144":"Trade CFDs on forex, stocks & stock indices, commodities, and crypto.","-781132577":"Leverage","-1264604378":"Up to 1:1000","-637908996":"100%","-1420548257":"20+","-1373949478":"50+","-1686150678":"Up to 1:100","-1382029900":"70+","-1493055298":"90+","-1056874273":"25+ assets: synthetics","-223956356":"Leverage up to 1:1000","-1340877988":"Registered with the Financial Commission","-879901180":"170+ assets: forex (standard/micro), stocks, stock indices, commodities, basket indices, and cryptocurrencies","-1020615994":"Better spreads","-1789823174":"Regulated by the Vanuatu Financial Services Commission","-1040269115":"30+ assets: forex and commodities","-1372141447":"Straight-through processing","-318390366":"Regulated by the Labuan Financial Services Authority (Licence no. MB/18/0024)","-1556783479":"80+ assets: forex and cryptocurrencies","-875019707":"Leverage up to 1:100","-1752249490":"Malta Financial","-2068980956":"Leverage up to 1:30","-2098459063":"British Virgin Islands","-1434036215":"Demo Financial","-1416247163":"Financial STP","-1882063886":"Demo CFDs","-1347908717":"Demo Financial SVG","-1780324582":"SVG","-785625598":"Use these credentials to log in to your {{platform}} account on the website and mobile apps.","-997127433":"Change Password","-162753510":"Add real account","-1300381594":"Get Acuity trading tools","-860609405":"Password","-742647506":"Fund transfer","-1972393174":"Trade CFDs on our synthetics, baskets, and derived FX.","-1357917360":"Web terminal","-1454896285":"The MT5 desktop app is not supported by Windows XP, Windows 2003, and Windows Vista.","-810388996":"Download the Deriv X mobile app","-1727991510":"Scan the QR code to download the Deriv X Mobile App","-1302404116":"Maximum leverage","-511301450":"Indicates the availability of cryptocurrency trading on a particular account.","-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.","-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.","-1580554423":"Trade CFDs on our synthetic indices that simulate real-world market movements.","-1385484963":"Confirm to change your {{platform}} password","-1990902270":"This will change the password to all of your {{platform}} accounts.","-673424733":"Demo account","-1986258847":"Server maintenance starts at 01:00 GMT every Sunday, and this process may take up to 2 hours to complete. Service may be disrupted during this time.","-1199152768":"Please explore our other platforms.","-205020823":"Explore {{platform_name_trader}}","-1982499699":"Explore {{platform_name_dbot}}","-1567989247":"Submit your proof of identity and address","-184453418":"Enter your {{platform}} password","-1769158315":"real","-700260448":"demo","-1980366110":"Congratulations, you have successfully created your {{category}} {{platform}} <0>{{type}} account.","-790488576":"Forgot password?","-926547017":"Enter your {{platform}} password to add a {{platform}} {{account}} {{jurisdiction_shortcode}} account.","-1190393389":"Enter your {{platform}} password to add a {{platform}} {{account}} account.","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1928229820":"Reset Deriv X investor password","-1087845020":"main","-1950683866":"investor","-1874242353":"Fund top up","-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","-490244964":"Forex, stocks, stock indices, cryptocurrencies","-1368041210":", synthetic indices","-877064208":"EUR","-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","-1591882610":"Synthetics","-70716111":"FX-majors (standard/micro lots), FX-minors, basket indices, commodities, cryptocurrencies, and stocks and stock indices","-1041629137":"FX-majors, FX-minors, FX-exotics, and cryptocurrencies","-287097947":"FX-majors (standard/micro lots), FX-minors, Commodities, Cryptocurrencies (except UK)","-1225160479":"Compare available accounts","-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","-1124208206":"Switch to your real account to create a DMT5 {{account_title}} {{type_title}} account.","-1576792859":"Proof of identity and address are required","-104382603":"Check your proof of address","-793684335":"Check your proof of identity","-1271218821":"Account added","-599621079":"Add your Deriv MT5 {{account_type}} account under Deriv (SVG) LLC (company no. 273 LLC 2020).","-1302969276":"Add your Deriv MT5 {{account_type}} account under Deriv (BVI) Ltd, regulated by the British Virgin Islands Financial Services Commission (License no. SIBA/{{line_break}}L/18/1114).","-1422519943":"Add Your DMT5 {{account_type}} account under Deriv (V) Ltd, regulated by the Vanuatu Financial Services Commission.","-1731304187":"Add your Deriv MT5 CFDs account under Deriv Investments (Europe) Limited regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156).","-16048185":"To create this account first we need your proof of identity and address.","-1627989291":"To create this account first we need you to resubmit your proof of identity.","-1389025684":"To create this account first we need you to resubmit your proof of identity and address.","-1615750576":"You will be able to open this account once your submitted documents have been verified.","-724308541":"Jurisdiction for your Deriv MT5 CFDs account","-479119833":"Choose a jurisdiction for your Deriv MT5 {{account_type}} account","-1931257307":"You will need to submit proof of identity","-2026018074":"Add your Deriv MT5 <0>{{account_type_name}} account under Deriv (SVG) LLC (company no. 273 LLC 2020).","-162320753":"Add your Deriv MT5 <0>{{account_type_name}} account under Deriv (BVI) Ltd, regulated by the British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114).","-450424792":"You need a real account (fiat currency or cryptocurrency) in Deriv to create a real Deriv MT5 account.","-1760596315":"Create a Deriv account","-705682181":"Malta","-194969520":"Counterparty company","-1131400885":"Deriv Investments (Europe) Limited","-409563066":"Regulator","-2073451889":"Malta Financial Services Authority (MFSA) (Licence no. IS/70156)","-362324454":"Commodities","-543177967":"Stock indices","-1089385344":"Deriv (SVG) LLC","-2019617323":"Deriv (BVI) Ltd","-112814932":"Deriv (FX) Ltd","-1747078152":"-","-1510474851":"British Virgin Islands Financial Services Commission (licence no. SIBA/L/18/1114)","-199154602":"Vanuatu Financial Services Commission","-761250329":"Labuan Financial Services Authority (Licence no. MB/18/0024)","-251202291":"Broker","-81650212":"MetaTrader 5 web","-2123571162":"Download","-941636117":"MetaTrader 5 Linux app","-2019704014":"Scan the QR code to download Deriv MT5.","-648956272":"Use this password to log in to your Deriv X accounts on the web and mobile apps.","-1814308691":"Please click on the link in the email to change your {{platform}} password.","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-337314714":"days","-442488432":"day","-1572548510":"Ups & Downs","-71301554":"Ins & Outs","-952298801":"Look Backs","-763273340":"Digits","-1790089996":"NEW!","-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.","-1455298001":"Now","-256210543":"Trading is unavailable at this time.","-28115241":"{{platform_name_trader}} is not available for this account","-453920758":"Go to {{platform_name_mt5}} dashboard","-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","-770929448":"Go to {{platform_name_smarttrader}}","-138538812":"Log in or create a free account to place a trade.","-2036388794":"Create free account","-1813736037":"No further trading is allowed on this contract type for the current trading session. For more info, refer to our <0>terms and conditions.","-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:","-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.","-149836494":"Your transaction reference number is {{transaction_id}}","-1382749084":"Go back to trading","-1231210510":"Tick","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-1977959027":"hours","-8998663":"Digit: {{last_digit}} ","-1435392215":"About deal cancellation","-2017825013":"Got it","-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","-843831637":"Stop loss","-771725194":"Deal Cancellation","-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","-700280380":"Deal cancel. fee","-741395299":"{{value}}","-1527492178":"Purchase Locked","-725375562":"You can lock/unlock the purchase button from the Settings menu","-1358367903":"Stake","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-2055106024":"Toggle between advanced and simple duration settings","-1012793015":"End time","-2037881712":"Your contract will be closed automatically at the next available asset price on <0>.","-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 }}","-339236213":"Multiplier","-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","-1691868913":"Touch/No Touch","-151151292":"Asians","-1048378719":"Reset Call/Reset Put","-1282312809":"High/Low Ticks","-1237186896":"Only Ups/Only Downs","-529846150":"Seconds","-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","-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","-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.","-1797602591":"Stop Loss: {{ currency }} {{ stop_loss }}","-1214929127":"Stop loss must be a positive number.","-780745489":"If the contract type is “Both”, then the Purchase Conditions should include both Rise and Fall using the “Conditional Block\"","-2142851225":"Multiplier trade options","-625636913":"Amount must be a positive number.","-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.","-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","-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","-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.","-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","-1800672151":"GBP Index","-1904030160":"Transaction performed by (App ID: {{app_id}})","-513103225":"Transaction time","-2066666313":"Credit/Debit","-2140412463":"Buy price","-1981004241":"Sell time","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-3423966":"Take profit<0 />Stop loss","-2082644096":"Current stake","-538215347":"Net deposits","-280147477":"All transactions","-137444201":"Buy","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-360975483":"You've made no transactions of this type during this period.","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-555592125":"Unfortunately, trading options isn't possible in your country","-1571816573":"Sorry, trading is unavailable in your current location.","-1603581277":"minutes","-922253974":"Rise/Fall","-1361254291":"Higher/Lower","-335816381":"Ends In/Ends Out","-1789807039":"Asian Up/Asian Down","-330437517":"Matches/Differs","-657360193":"Over/Under","-558031309":"High Tick/Low Tick","-1714959941":"This chart display is not ideal for tick contracts","-1254554534":"Please change the chart duration to tick for a better trading experience.","-1658230823":"Contract was sold for <0 />.","-1905867404":"Contract cancelled"} \ No newline at end of file diff --git a/packages/translations/src/translations/ach.json b/packages/translations/src/translations/ach.json index 0abb628f45a0..90fdfb1eac76 100644 --- a/packages/translations/src/translations/ach.json +++ b/packages/translations/src/translations/ach.json @@ -182,7 +182,6 @@ "248909149": "crwdns1259293:0crwdne1259293:0", "249908265": "crwdns1259295:0{{- residence}}crwdne1259295:0", "251134918": "crwdns1259297:0crwdne1259297:0", - "251322536": "crwdns1381135:0crwdne1381135:0", "251445658": "crwdns1259299:0crwdne1259299:0", "251882697": "crwdns1335101:0crwdne1335101:0", "254912581": "crwdns1259301:0crwdne1259301:0", @@ -1247,7 +1246,6 @@ "1584109614": "crwdns1261355:0crwdne1261355:0", "1584578483": "crwdns1261357:0crwdne1261357:0", "1584936297": "crwdns1261359:0crwdne1261359:0", - "1585859194": "crwdns1381141:0{{platform_name_mt5}}crwdnd1381141:0{{platform_name_derivez}}crwdnd1381141:0{{platform_name_dxtrade}}crwdne1381141:0", "1587046102": "crwdns1261361:0crwdne1261361:0", "1589640950": "crwdns1261363:0crwdne1261363:0", "1589702653": "crwdns1261365:0crwdne1261365:0", @@ -1345,7 +1343,6 @@ "1714255392": "crwdns1335147:0crwdne1335147:0", "1715011380": "crwdns1261543:0crwdne1261543:0", "1715630945": "crwdns1261545:0crwdne1261545:0", - "1718109065": "crwdns1361667:0crwdne1361667:0", "1719248689": "crwdns1261547:0crwdne1261547:0", "1720451994": "crwdns1261549:0{{minimum_fee}}crwdnd1261549:0{{currency}}crwdne1261549:0", "1720968545": "crwdns1261551:0crwdne1261551:0", @@ -1404,7 +1401,6 @@ "1778893716": "crwdns1261657:0crwdne1261657:0", "1779519903": "crwdns1261659:0crwdne1261659:0", "1780770384": "crwdns1261661:0crwdne1261661:0", - "1781393492": "crwdns1381143:0{{platform_name_mt5}}crwdnd1381143:0{{platform_name_derivez}}crwdnd1381143:0{{platform_name_dxtrade}}crwdne1381143:0", "1782308283": "crwdns1261663:0crwdne1261663:0", "1782395995": "crwdns1261665:0crwdne1261665:0", "1782690282": "crwdns1261667:0crwdne1261667:0", @@ -1801,7 +1797,7 @@ "-922751756": "crwdns1335161:0crwdne1335161:0", "-542986255": "crwdns1335163:0crwdne1335163:0", "-1337206552": "crwdns1335165:0crwdne1335165:0", - "-315578028": "crwdns1335167:0crwdne1335167:0", + "-456863190": "crwdns1419857:0crwdne1419857:0", "-1314683258": "crwdns1335169:0crwdne1335169:0", "-1546090184": "crwdns1335171:0crwdne1335171:0", "-1636427115": "crwdns1335173:0crwdne1335173:0", @@ -2006,8 +2002,6 @@ "-1664309884": "crwdns876482:0crwdne876482:0", "-1725454783": "crwdns124162:0crwdne124162:0", "-839094775": "crwdns81187:0crwdne81187:0", - "-337979330": "crwdns81311:0crwdne81311:0", - "-706528101": "crwdns160974:0crwdne160974:0", "-856213726": "crwdns81309:0crwdne81309:0", "-1389323399": "crwdns120676:0{{min_number}}crwdnd120676:0{{max_number}}crwdne120676:0", "-1313806160": "crwdns120998:0crwdne120998:0", @@ -2306,11 +2300,8 @@ "-2056016338": "crwdns496912:0{{platform_name_mt5}}crwdne496912:0", "-599632330": "crwdns496914:0{{platform_name_mt5}}crwdnd496914:0{{platform_name_dxtrade}}crwdne496914:0", "-1196994774": "crwdns168701:0{{minimum_fee}}crwdnd168701:0{{currency}}crwdne168701:0", - "-1361372445": "crwdns1381155:0{{minimum_fee}}crwdnd1381155:0{{currency}}crwdnd1381155:0{{platform_name_derivez}}crwdnd1381155:0{{platform_name_dxtrade}}crwdne1381155:0", "-993556039": "crwdns1130196:0{{minimum_fee}}crwdnd1130196:0{{currency}}crwdnd1130196:0{{platform_name_dxtrade}}crwdne1130196:0", "-1382702462": "crwdns1130198:0{{minimum_fee}}crwdnd1130198:0{{currency}}crwdne1130198:0", - "-1995859618": "crwdns1381157:0{{platform_name_mt5}}crwdnd1381157:0{{platform_name_derivez}}crwdnd1381157:0{{platform_name_dxtrade}}crwdne1381157:0", - "-545616470": "crwdns1381159:0{{ allowed_internal }}crwdnd1381159:0{{ allowed_mt5 }}crwdnd1381159:0{{platform_name_mt5}}crwdnd1381159:0{{ allowed_derivez }}crwdnd1381159:0{{platform_name_derivez}}crwdnd1381159:0{{ allowed_dxtrade }}crwdnd1381159:0{{platform_name_dxtrade}}crwdne1381159:0", "-1151983985": "crwdns168711:0crwdne168711:0", "-1747571263": "crwdns168713:0crwdne168713:0", "-757062699": "crwdns168715:0crwdne168715:0", @@ -2341,6 +2332,7 @@ "-451858550": "crwdns160518:0{{ service }}crwdnd160518:0{{ website_name }}crwdnd160518:0{{ service }}crwdnd160518:0{{ service }}crwdnd160518:0{{ service }}crwdne160518:0", "-2005265642": "crwdns160540:0crwdne160540:0", "-1593063457": "crwdns160542:0crwdne160542:0", + "-953082600": "crwdns1419859:0crwdne1419859:0", "-2004264970": "crwdns165963:0crwdne165963:0", "-1707299138": "crwdns165865:0{{currency_symbol}}crwdne165865:0", "-38063175": "crwdns165869:0{{account_text}}crwdne165869:0", @@ -2594,7 +2586,6 @@ "-328128497": "crwdns118044:0crwdne118044:0", "-533935232": "crwdns838638:0crwdne838638:0", "-565431857": "crwdns838640:0crwdne838640:0", - "-1290112064": "crwdns1381161:0crwdne1381161:0", "-1669418686": "crwdns80837:0crwdne80837:0", "-1548588249": "crwdns80839:0crwdne80839:0", "-1552890620": "crwdns80841:0crwdne80841:0", @@ -2745,10 +2736,10 @@ "-1823504435": "crwdns81485:0crwdne81485:0", "-1954045170": "crwdns81487:0crwdne81487:0", "-583559763": "crwdns89670:0crwdne89670:0", + "-1922462747": "crwdns1419861:0crwdne1419861:0", "-1591792668": "crwdns1361671:0crwdne1361671:0", "-34495732": "crwdns1361673:0crwdne1361673:0", "-1496158755": "crwdns1361675:0crwdne1361675:0", - "-1166971814": "crwdns1361677:0crwdne1361677:0", "-2094580348": "crwdns117910:0crwdne117910:0", "-1396326507": "crwdns117908:0{{website_name}}crwdne117908:0", "-1019903756": "crwdns118042:0crwdne118042:0", diff --git a/packages/translations/src/translations/ar.json b/packages/translations/src/translations/ar.json index b657d02873d3..8f4e464213e1 100644 --- a/packages/translations/src/translations/ar.json +++ b/packages/translations/src/translations/ar.json @@ -182,7 +182,6 @@ "248909149": "Send a secure link to your phone", "249908265": "Are you a citizen of {{- residence}}?", "251134918": "Account Information", - "251322536": "Deriv EZ accounts", "251445658": "Dark theme", "251882697": "Thank you! Your response has been recorded into our system.<0/><0/>Please click ‘OK’ to continue.", "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.", @@ -1247,7 +1246,6 @@ "1584109614": "Ticks String List", "1584578483": "50+ assets: forex, stocks, stock indices, synthetics indices, and cryptocurrencies.", "1584936297": "XML file contains unsupported elements. Please check or modify file.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "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", @@ -1345,7 +1343,6 @@ "1714255392": "To enable withdrawals, please complete your financial assessment.", "1715011380": "Jump 25 Index", "1715630945": "Returns the total profit in string format", - "1718109065": "Trading Hub", "1719248689": "EUR/GBP/USD", "1720451994": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv fiat and Deriv cryptocurrency accounts.", "1720968545": "Upload passport photo page from your computer", @@ -1404,7 +1401,6 @@ "1778893716": "Click here", "1779519903": "Should be a valid number.", "1780770384": "This block gives you a random fraction between 0.0 to 1.0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Quick strategy", "1782395995": "Last Digit Prediction", "1782690282": "Blocks menu", @@ -1801,7 +1797,7 @@ "-922751756": "Less than a year", "-542986255": "None", "-1337206552": "In your understanding, CFD trading allows you to", - "-315578028": "Place a bet on the price movement of an asset where the outcome is a fixed return or nothing at all.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Make a long-term investment for a guaranteed profit.", "-1546090184": "How does leverage affect CFD trading?", "-1636427115": "Leverage helps to mitigate risk.", @@ -2006,8 +2002,6 @@ "-1664309884": "Tap here to upload", "-1725454783": "Failed", "-839094775": "Back", - "-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.", @@ -2306,11 +2300,8 @@ "-2056016338": "You’ll not be charged a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts.", "-599632330": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.", "-1196994774": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency accounts.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts and between your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-1382702462": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Transfer limits may vary depending on the exchange rates.", "-1747571263": "Please bear in mind that some transfers may not be possible.", "-757062699": "Transfers may be unavailable due to high volatility or technical issues and when the exchange markets are closed.", @@ -2341,6 +2332,7 @@ "-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.", "-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", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "Your wallet address should have 25 to 64 characters.", "-1707299138": "Your {{currency_symbol}} wallet address", "-38063175": "{{account_text}} wallet", @@ -2594,7 +2586,6 @@ "-328128497": "Financial", "-533935232": "Financial BVI", "-565431857": "Financial Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "View notifications", "-1954045170": "No currency assigned", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Account Limits", "-34495732": "Regulatory information", "-1496158755": "Go to Deriv.com", - "-1166971814": "Trader's hub beta", "-2094580348": "Thanks for verifying your email", "-1396326507": "Unfortunately, {{website_name}} is not available in your country.", "-1019903756": "Synthetic", diff --git a/packages/translations/src/translations/es.json b/packages/translations/src/translations/es.json index e35814ec86a8..4443162604f3 100644 --- a/packages/translations/src/translations/es.json +++ b/packages/translations/src/translations/es.json @@ -182,7 +182,6 @@ "248909149": "Envíe un enlace seguro a su teléfono", "249908265": "¿Es usted ciudadano de {{- residence}}?", "251134918": "Información de la cuenta", - "251322536": "Deriv EZ accounts", "251445658": "Tema oscuro", "251882697": "¡Gracias! Su respuesta se ha registrado en nuestro sistema.<0/><0/> Haga clic en «OK» para continuar.", "254912581": "Este bloque es similar al EMA, excepto que le da la línea EMA completa basada en la lista de entrada y el período dado.", @@ -524,7 +523,7 @@ "677918431": "Mercado: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Unidades", "680334348": "Este bloque fue necesario para convertir correctamente su estrategia anterior.", - "680478881": "Total withdrawal limit", + "680478881": "Límite de retiro total", "681926004": "Ejemplo de un documento borroso", "682056402": "Multiplicador de desviación estándar descendente {{ input_number }}", "684282133": "Instrumentos comerciales", @@ -844,7 +843,7 @@ "1082406746": "Por favor, introduzca una cantidad de inversión de al menos {{min_stake}}.", "1083781009": "Número de identificación fiscal*", "1083826534": "Habilitar bloque", - "1086118495": "Traders Hub", + "1086118495": "Centro para traders", "1088138125": "Tick {{current_tick}} - ", "1096175323": "Necesitará una cuenta Deriv", "1098147569": "Comprar materias primas o acciones de una empresa.", @@ -1247,7 +1246,6 @@ "1584109614": "Lista de cadenas de ticks", "1584578483": "Más de 50 activos: forex, acciones, índices bursátiles, índices sintéticos y criptomonedas.", "1584936297": "El archivo XML contiene elementos no soportados. Por favor, compruebe o modifique el archivo.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Actualmente no se admiten documentos de ese país: pruebe con otro tipo de documento", "1589640950": "No se ofrece reventa de este contrato.", "1589702653": "Prueba de dirección", @@ -1345,7 +1343,6 @@ "1714255392": "Para permitir los retiros, complete su evaluación financiera.", "1715011380": "Índice Jump 25", "1715630945": "Devuelve la ganancia total en formato de cadena", - "1718109065": "Centro de trading", "1719248689": "EUR/GBP/USD", "1720451994": "Cobraremos una tarifa de transferencia del 2% o {{minimum_fee}} {{currency}}, lo que sea mayor, por las transferencias entre sus cuentas de criptomoneda Deriv y Deriv fiat.", "1720968545": "Suba la página con la foto de pasaporte desde su computadora", @@ -1404,7 +1401,6 @@ "1778893716": "Haga clic aquí", "1779519903": "Debe ser un número válido.", "1780770384": "Este bloque le da una fracción aleatoria entre 0.0 a 1.0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Estrategia rápida", "1782395995": "Predicción del último dígito", "1782690282": "Menú de bloques", @@ -1801,7 +1797,7 @@ "-922751756": "Menos de un año", "-542986255": "Ninguna", "-1337206552": "En su opinión, el trading con CFD le permite", - "-315578028": "Hacer una apuesta sobre el movimiento del precio de un activo cuyo resultado sea un retorno fijo o nada en absoluto.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Realizar una inversión a largo plazo para obtener beneficios garantizados.", "-1546090184": "¿Cómo afecta el apalancamiento al trading con CFD?", "-1636427115": "El apalancamiento le ayuda a mitigar el riesgo.", @@ -1930,7 +1926,7 @@ "-1598751496": "Representa el volumen máximo de contratos que puede comprar en un día de operación determinado.", "-1359847094": "Límites comerciales: facturación diaria máxima", "-1502578110": "Su cuenta está totalmente autenticada y su límite de retiro ha sido aumentado.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Retiro total permitido", "-854023608": "Para aumentar el límite, verifique su identidad", "-1500958859": "Verificar", "-1662154767": "una factura reciente de servicios públicos (por ejemplo, electricidad, agua, gas, teléfono fijo o internet), extracto bancario o carta emitida por el gobierno con su nombre y esta dirección.", @@ -1957,11 +1953,11 @@ "-32386760": "Nombre", "-1120954663": "Nombre*", "-1659980292": "Nombre", - "-766265812": "first name", + "-766265812": "nombre", "-1857534296": "Juan", - "-1282749116": "last name", + "-1282749116": "apellido", "-1485480657": "Otros detalles", - "-1784741577": "date of birth", + "-1784741577": "fecha de nacimiento", "-1315571766": "Lugar de nacimiento", "-2040322967": "Nacionalidad", "-1692219415": "Residencia fiscal", @@ -2006,8 +2002,6 @@ "-1664309884": "Pulse aquí para subir", "-1725454783": "Fallado", "-839094775": "Atrás", - "-337979330": "No pudimos verificar su prueba de identidad", - "-706528101": "Como medida de precaución, hemos desactivado las operaciones, los depósitos y los retiros para esta cuenta. Si tiene alguna pregunta, visite nuestro Centro de ayuda. <0>Centro de ayuda..", "-856213726": "También debe presentar una prueba de dirección.", "-1389323399": "Debe ingresar {{min_number}} - {{max_number}} caracteres.", "-1313806160": "Solicite una nueva contraseña y revise su correo electrónico para obtener el nuevo token.", @@ -2286,7 +2280,7 @@ "-203002433": "Deposite ahora", "-720315013": "No tiene fondos en su cuenta {{currency}}", "-2052373215": "Haga un depósito para usar esta función.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% del saldo disponible ({{format_amount}} {{currency__display_code}})", "-299033842": "Transacciones recientes", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} el {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "No se le cobrará ninguna comisión por las transferencias en la misma moneda entre sus cuentas Deriv fiat y {{platform_name_mt5}}.", "-599632330": "Cobraremos una comisión de transferencia del 1% por las transferencias en diferentes divisas entre sus cuentas Deriv fiat y {{platform_name_mt5}} y entre sus cuentas Deriv fiat y {{platform_name_dxtrade}}.", "-1196994774": "Cobraremos una tarifa de transferencia del 2% o {{minimum_fee}} {{currency}}, lo que sea mayor, por las transferencias entre sus cuentas de criptomoneda Deriv.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Cobraremos una tarifa de transferencia del 2% o {{minimum_fee}} {{currency}}, lo que sea mayor, por las transferencias entre sus cuentas de criptomoneda Deriv y Deriv MT5 y entre sus cuentas de criptomoneda Deriv y {{platform_name_dxtrade}}.", "-1382702462": "Cobraremos una tarifa de transferencia del 2% o {{minimum_fee}} {{currency}}, lo que sea mayor, por las transferencias entre sus cuentas de criptomoneda Deriv y Deriv MT5.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Los límites de transferencia pueden variar según los tipos de cambio.", "-1747571263": "Tenga en cuenta que algunas transferencias pueden no ser posibles.", "-757062699": "Las transferencias pueden no estar disponibles debido a la alta volatilidad o a problemas técnicos y cuando los mercados de divisas están cerrados.", @@ -2341,6 +2332,7 @@ "-451858550": "Al hacer clic en \"Continuar\", será redirigido a {{ service }}, un proveedor de servicios de pago externo. Tenga en cuenta que {{ website_name }} no es responsable del contenido o los servicios proporcionados por {{ service }}. Si encuentra algún problema relacionado con los servicios de {{ service }}, debe comunicarse directamente con {{ service }}.", "-2005265642": "Fiat onramp es un servicio de cajero que le permite convertir monedas fiduciarias a cripto para recargar sus cuentas cripto de Deriv. Aquí se enumeran los intercambios cripto de terceros. Deberá crear una cuenta con ellos para utilizar sus servicios.", "-1593063457": "Seleccione canal de pago", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "La dirección de su billetera debe tener entre 25 y 64 caracteres.", "-1707299138": "La dirección de su monedero {{currency_symbol}}", "-38063175": "{{account_text}} billetera", @@ -2576,7 +2568,7 @@ "-999254545": "Todos los mensajes se han filtrado", "-686334932": "Cree un bot desde el menú de inicio y luego presione el botón ejecutar para iniciar el bot.", "-1717650468": "En línea", - "-1825471709": "Una experiencia de operaciones completamente nueva en una plataforma poderosa pero fácil de usar.", + "-1825471709": "Una experiencia de operaciones completamente nueva en una plataforma potente pero fácil de usar.", "-981017278": "Operaciones automatizadas a tu alcance. No se necesita conocimiento de codificación.", "-1768586966": "Opere con CFD en una plataforma de operaciones personalizable y fácil de usar.", "-1309011360": "Posiciones abiertas", @@ -2594,7 +2586,6 @@ "-328128497": "Financiera", "-533935232": "Financiera BVI", "-565431857": "Financial Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Ver notificaciones", "-1954045170": "Ninguna moneda seleccionada", "-583559763": "Menú", + "-1922462747": "Trader's hub", "-1591792668": "Límites de la cuenta", "-34495732": "Información reglamentaria", "-1496158755": "Ir a Deriv.com", - "-1166971814": "Versión beta del centro de operaciones para traders", "-2094580348": "Gracias por verificar su correo electrónico", "-1396326507": "Lamentablemente, {{website_name}} no está disponible en su país.", "-1019903756": "Sintética", @@ -2915,7 +2906,7 @@ "-1300381594": "Obtener las herramientas de trading Acuity", "-860609405": "Contraseña", "-742647506": "Transferencia de fondos", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Opere con CFD en nuestros sintéticos, cestas y divisas derivadas.", "-1357917360": "Terminal web", "-1454896285": "La aplicación de escritorio MT5 no es compatible con Windows XP, Windows 2003 y Windows Vista.", "-810388996": "Descargue la aplicación móvil Deriv X", diff --git a/packages/translations/src/translations/fr.json b/packages/translations/src/translations/fr.json index 665647fa9685..fe10be998156 100644 --- a/packages/translations/src/translations/fr.json +++ b/packages/translations/src/translations/fr.json @@ -182,7 +182,6 @@ "248909149": "Envoyez un lien sécurisé sur votre téléphone", "249908265": "Êtes-vous citoyen de/du/d' {{- residence}} ?", "251134918": "Information du compte", - "251322536": "Deriv EZ accounts", "251445658": "Thème foncé", "251882697": "Merci ! Votre réponse a été enregistrée dans notre système.<0/><0/> Cliquez sur « OK » pour continuer.", "254912581": "Ce bloc est similaire à EMA, sauf qu'il vous donne la ligne EMA entière basée sur la liste d'entrée et la période donnée.", @@ -524,7 +523,7 @@ "677918431": "Marché: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Unités", "680334348": "Ce bloc était nécessaire pour convertir correctement votre ancienne stratégie.", - "680478881": "Total withdrawal limit", + "680478881": "Limite totale de retrait", "681926004": "Exemple de document flou", "682056402": "Multiplicateur à la baisse de l'écart type {{ input_number }}", "684282133": "Instruments de trading", @@ -844,7 +843,7 @@ "1082406746": "Veuillez entrer un montant d'investissement qui soit au moins égal à {{min_stake}}.", "1083781009": "Numéro d'identification fiscale*", "1083826534": "Activer le bloc", - "1086118495": "Traders Hub", + "1086118495": "Centre des traders", "1088138125": "Tick {{current_tick}} - ", "1096175323": "Vous aurez besoin d'un compte Deriv", "1098147569": "Achetez des matières premières ou des actions d'une entreprise.", @@ -1247,7 +1246,6 @@ "1584109614": "Liste des chaînes de tiques", "1584578483": "Plus de 50 actifs : forex, actions, indices boursiers, indices synthétiques et cryptomonnaies.", "1584936297": "Le fichier XML contient des éléments non pris en charge. Veuillez vérifier ou modifier le fichier.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Les documents de ce pays ne sont actuellement pas pris en charge — essayez un autre type de document", "1589640950": "La revente de ce contrat n’est pas offert.", "1589702653": "Justificatif de domicile", @@ -1345,7 +1343,6 @@ "1714255392": "Pour autoriser les retraits, veuillez compléter votre évaluation financière.", "1715011380": "Indice Jump", "1715630945": "Renvoie le profit total au format chaîne", - "1718109065": "Trading Hub", "1719248689": "EUR/GBP/USD", "1720451994": "Nous facturons des frais de transfert de 2 % ou de {{minimum_fee}} {{currency}}, le montant le plus élevé étant retenu, pour les transferts entre vos comptes Deriv fiat et Deriv cryptomonnaie.", "1720968545": "Téléchargez la photo de votre passeport depuis votre ordinateur", @@ -1404,7 +1401,6 @@ "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.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Stratégie rapide", "1782395995": "Prédiction sur le dernier chiffre", "1782690282": "Menu des blocs", @@ -1801,7 +1797,7 @@ "-922751756": "Moins d'un an", "-542986255": "Aucun", "-1337206552": "Selon vous, le trading de CFD vous permet de", - "-315578028": "Placez un pari sur l'évolution du prix d'un actif dont le résultat est un rendement fixe ou rien du tout.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Faites un investissement à long terme pour un bénéfice garanti.", "-1546090184": "Comment l'effet de levier affecte-t-il le trading de CFD ?", "-1636427115": "Levier contribue à atténuer les risques.", @@ -1930,7 +1926,7 @@ "-1598751496": "Représente le volume maximal de contrats que vous pouvez acheter au cours d'une journée de trading donnée.", "-1359847094": "Limites de trading - Maximum quotidien de mise en jeu", "-1502578110": "Votre compte est entièrement authentifié et vos limites de retrait ont été levées.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Retrait total autorisé", "-854023608": "Pour augmenter la limite, veuillez vérifier votre identité", "-1500958859": "Vérifier", "-1662154767": "une facture de services publics récente (par exemple, électricité, eau, gaz, ligne fixe ou Internet), relevé bancaire ou lettre du gouvernement avec votre nom et cette adresse.", @@ -1957,11 +1953,11 @@ "-32386760": "Nom", "-1120954663": "Prénom*", "-1659980292": "Prénom", - "-766265812": "first name", + "-766265812": "prénom", "-1857534296": "John", - "-1282749116": "last name", + "-1282749116": "nom de famille", "-1485480657": "Autres détails", - "-1784741577": "date of birth", + "-1784741577": "date de naissance", "-1315571766": "Lieu de naissance", "-2040322967": "Nationalité", "-1692219415": "Résidence fiscale", @@ -2006,8 +2002,6 @@ "-1664309884": "Cliquez ici pour télécharger", "-1725454783": "Échec", "-839094775": "Retour", - "-337979330": "Nous n'avons pas pu vérifier votre preuve d'identité", - "-706528101": "Par précaution, nous avons désactivé le trading, les dépôts et les retraits pour ce compte. Si vous avez des questions, veuillez consulter notre Centre d’aide. <0>Centre d’aide.", "-856213726": "Vous devez également soumettre un justificatif de domicile.", "-1389323399": "Vous devez saisir {{min_number}}-{{max_number}} caractères.", "-1313806160": "Veuillez demander un nouveau mot de passe et vérifiez votre courrier électronique pour le nouveau token.", @@ -2286,7 +2280,7 @@ "-203002433": "Faire un dépôt maintenant", "-720315013": "Vous n'avez pas de fonds dans votre compte {{currency}}", "-2052373215": "Veuillez effectuer un dépôt pour utiliser cette fonction.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}} % du solde disponible ({{format_amount}} {{currency__display_code}})", "-299033842": "Transactions récentes", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} le {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Vous n'aurez pas à payer de frais de transfert pour les transferts dans la même devise entre vos comptes Deriv fiat et {{platform_name_mt5}}.", "-599632330": "Nous facturons des frais de transfert de 1% pour les transferts dans des devises différentes entre vos comptes Deriv fiat et {{platform_name_mt5}} et entre vos comptes Deriv fiat et {{platform_name_dxtrade}}.", "-1196994774": "Nous facturons des frais de transfert de 2 % ou de {{minimum_fee}} {{currency}}, le montant le plus élevé étant retenu, pour les transferts entre vos comptes Deriv cryptomonnaie.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Nous facturons des frais de transfert de 2 % ou de {{minimum_fee}} {{currency}}, le montant le plus élevé étant retenu, pour les transferts entre vos comptes Deriv crypto et Deriv MT5 et entre vos comptes Deriv crypto et {{platform_name_dxtrade}}.", "-1382702462": "Nous facturons des frais de transfert de 2 % ou de {{minimum_fee}} {{currency}}, le montant le plus élevé étant retenu, pour les transferts entre vos comptes Deriv crypto et Deriv MT5.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Les limites de transfert peuvent varier en fonction des taux de change.", "-1747571263": "Veuillez garder à l'esprit que certains transferts peuvent ne pas être possibles.", "-757062699": "Les transferts peuvent être indisponibles en raison d'une forte volatilité ou de problèmes techniques et lorsque les marchés boursiers sont fermés.", @@ -2341,6 +2332,7 @@ "-451858550": "En cliquant sur \"Continuer\", vous serez redirigé vers {{ service }}, un fournisseur de services de paiement tiers. Veuillez noter que {{ website_name }} n'est pas responsable du contenu ou des services fournis par {{ service }}. Si vous rencontrez des problèmes liés aux services {{ service }}, vous devez contacter {{ service }} directement.", "-2005265642": "Fiat onramp est un service de caisse qui vous permet de convertir des devises fiduciaires en crypto pour recharger vos comptes crypto Deriv. Voici la liste des échanges cryptographiques tiers. Vous devrez créer un compte avec eux pour utiliser leurs services.", "-1593063457": "Sélectionnez le canal de paiement", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "L'adresse de votre portefeuille doit comporter 25 et 64 caractères.", "-1707299138": "Votre adresse de portefeuille {{currency_symbol}}", "-38063175": "portefeuille {{account_text}}", @@ -2594,7 +2586,6 @@ "-328128497": "Financier", "-533935232": "Financier BVI", "-565431857": "Financier Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Afficher les notifications", "-1954045170": "Pas de devise attribuée", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Limites du Compte", "-34495732": "Informations réglementaires", "-1496158755": "Allez sur Deriv.com", - "-1166971814": "Bêta du Trader Hub", "-2094580348": "Merci d'avoir vérifié votre e-mail", "-1396326507": "Malheureusement, {{website_name}} n'est pas disponible dans votre pays.", "-1019903756": "Synthétique", @@ -2915,7 +2906,7 @@ "-1300381594": "Accédez aux outils de trading Acuity", "-860609405": "Mot de passe", "-742647506": "Transfert de fonds", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Négociez des CFD sur nos devises synthétiques, nos paniers et nos devises dérivées.", "-1357917360": "Terminal Web", "-1454896285": "L'application de bureau MT5 n'est pas prise en charge par, Windows XP, Windows 2003 et Windows Vista.", "-810388996": "Téléchargez l'application mobile Deriv X", diff --git a/packages/translations/src/translations/id.json b/packages/translations/src/translations/id.json index 9df8961d3e06..5e9a89ad53c1 100644 --- a/packages/translations/src/translations/id.json +++ b/packages/translations/src/translations/id.json @@ -182,7 +182,6 @@ "248909149": "Mengirim tautan aman ke telepon Anda", "249908265": "Apakah Anda warga negara {{- residence}}?", "251134918": "Informasi Akun", - "251322536": "Deriv EZ accounts", "251445658": "Tema gelap", "251882697": "Terima kasih! Tanggapan Anda telah dicatat pada sistem kami.<0/><0/>Klik 'OK' untuk melanjutkan.", "254912581": "Blok ini hampir sama dengan EMA, hanya saja blok ini memberi Anda seluruh baris EMA berdasarkan daftar input dan periode yang diberikan.", @@ -524,7 +523,7 @@ "677918431": "Pasar: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Unit", "680334348": "Blok ini diperlukan untuk menukar strategi lama Anda dengan benar.", - "680478881": "Total withdrawal limit", + "680478881": "Total batas penarikan", "681926004": "Contoh dokumen buram", "682056402": "Standar Deviasi Bawah Multiplier {{ input_number }}", "684282133": "Instrumen trading", @@ -844,7 +843,7 @@ "1082406746": "Masukkan jumlah modal minimal {{min_stake}}.", "1083781009": "Nomor pokok wajib pajak*", "1083826534": "Aktifkan Blok", - "1086118495": "Traders Hub", + "1086118495": "Pusat Trader", "1088138125": "Tik {{current_tick}} - ", "1096175323": "Anda memerlukan akun Deriv", "1098147569": "Membeli komoditas atau saham perusahaan.", @@ -1247,7 +1246,6 @@ "1584109614": "Daftar string tik", "1584578483": "50+ aset: forex, saham, indeks saham, indeks sintetis, dan mata uang kripto.", "1584936297": "File XML berisi elemen yang tidak tersedia. Silakan periksa atau ubah file.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Dokumen dari negara tersebut saat ini tidak dapat diterima — silakan coba jenis dokumen lain", "1589640950": "Penjualan kembali kontrak ini tidak tersedia.", "1589702653": "Bukti alamat", @@ -1345,7 +1343,6 @@ "1714255392": "Untuk mengaktifkan penarikan, mohon lengkapi penilaian keuangan Anda.", "1715011380": "Indeks Jump 25", "1715630945": "Menampilkan total profit dalam format string", - "1718109065": "Pusat Trading", "1719248689": "EUR/GBP/USD", "1720451994": "Kami akan mengenakan biaya transfer sebesar 2% atau {{minimum_fee}} {{currency}}, mana yang lebih tinggi, untuk transfer antara akun fiat Deriv ke akun mata uang kripto Deriv Anda.", "1720968545": "Unggah halaman foto paspor dari komputer Anda", @@ -1404,7 +1401,6 @@ "1778893716": "Klik di sini", "1779519903": "Harus nomor yang valid.", "1780770384": "Blok ini memberi Anda pecahan acak antara 0,0 hingga 1,0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Strategi cepat", "1782395995": "Analisa Digit Terakhir", "1782690282": "Menu blok", @@ -1801,7 +1797,7 @@ "-922751756": "Kurang dari setahun", "-542986255": "Tidak ada", "-1337206552": "Dalam pengertian Anda, trading CFD memberi Anda", - "-315578028": "Menganalisa pergerakan harga aset di mana hasilnya adalah pengembalian tetap atau tidak sama sekali.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Investasi jangka panjang untuk mendapatkan keuntungan yang terjamin.", "-1546090184": "Bagaimana leverage memengaruhi trading CFD?", "-1636427115": "Leverage membantu mengurangi risiko.", @@ -1930,7 +1926,7 @@ "-1598751496": "Mewakili jumlah maksimum pembelian kontrak dalam satu hari trading.", "-1359847094": "Batas trading - Maksimum total pembelian kontrak harian", "-1502578110": "Akun Anda telah terbukti dan batasan penarikan Anda telah dihapuskan.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Total penarikan yang diperbolehkan", "-854023608": "Untuk meningkatkan batas mohon verifikasi identitas Anda", "-1500958859": "Verifikasi", "-1662154767": "tagihan utilitas terbaru (misalnya listrik, air, gas, telepon rumah, atau internet), laporan mutasi bank, atau surat yang dikeluarkan pemerintah yang mencantumkan nama dan alamat ini.", @@ -1957,11 +1953,11 @@ "-32386760": "Nama", "-1120954663": "Nama depan*", "-1659980292": "Nama depan", - "-766265812": "first name", + "-766265812": "nama depan", "-1857534296": "John", - "-1282749116": "last name", + "-1282749116": "nama belakang", "-1485480657": "Rincian lainnya", - "-1784741577": "date of birth", + "-1784741577": "tanggal lahir", "-1315571766": "Tempat lahir", "-2040322967": "Kewarganegaraan", "-1692219415": "Pajak residensi", @@ -2006,8 +2002,6 @@ "-1664309884": "Ketuk di sini untuk mengunggah", "-1725454783": "Gagal", "-839094775": "Kembali", - "-337979330": "Kami tidak dapat memverifikasi bukti identitas Anda", - "-706528101": "Untuk pencegahan, kami telah menonaktifkan trading, deposit, dan penarikan untuk akun ini. Jika Anda memiliki pertanyaan, silakan kunjungi <0>Pusat Bantuan kami.", "-856213726": "Anda juga harus mengirimkan bukti alamat.", "-1389323399": "Anda harus memasukkan {{min_number}}-{{max_number}} karakter.", "-1313806160": "Silakan minta kata sandi baru dan cek email Anda untuk mendapat token baru.", @@ -2286,7 +2280,7 @@ "-203002433": "Deposit sekarang", "-720315013": "Anda tidak memiliki saldo pada akun {{currency}}", "-2052373215": "Lakukan deposit untuk menggunakan fitur ini.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% dari sisa saldo ({{format_amount}} {{currency__display_code}})", "-299033842": "Transaksi terkini", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} pada {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Anda tidak akan dikenakan biaya transfer pada transaksi yang menggunakan mata uang sama antara akun fiat Deriv dan akun {{platform_name_mt5}}.", "-599632330": "Kami akan mengenakan biaya transfer sebesar 1% bagi akun dengan mata uang berbeda antara akun fiat Deriv ke akun {{platform_name_mt5}} dan juga antara akun fiat Deriv ke akun {{platform_name_dxtrade}}.", "-1196994774": "Kami akan mengenakan biaya transfer sebesar 2% atau {{minimum_fee}} {{currency}}, mana yang lebih tinggi, untuk transfer antara akun mata uang kripto Deriv Anda.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Kami akan mengenakan biaya transfer sebesar 2% atau {{minimum_fee}} {{currency}}, mana yang lebih tinggi, untuk transfer antara akun mata uang kripto ke Deriv MT5 dan antara akun mata uang kripto Deriv ke akun {{platform_name_dxtrade}}.", "-1382702462": "Kami akan mengenakan biaya transfer sebesar 2% atau {{minimum_fee}} {{currency}}, mana yang lebih tinggi, untuk transfer antara akun mata uang kripto ke akun Deriv MT5.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Batas transfer dapat bervariasi tergantung pada nilai tukar.", "-1747571263": "Mohon diketahui bahwa beberapa transfer mungin tidak dapat dilakukan.", "-757062699": "Transfer mungkin tidak tersedia berhubung volatilitas tinggi atau masalah teknis dan ketika pasar pertukaran ditutup.", @@ -2341,6 +2332,7 @@ "-451858550": "Dengan mengklik 'Lanjutkan' Anda akan diarahkan ke {{ service }}, penyedia layanan pembayaran pihak ketiga. Mohon diketahui bahwa {{ website_name }} tidak bertanggung jawab atas konten atau layanan yang disediakan oleh {{ service }}. Jika Anda mengalami masalah yang terkait dengan layanan {{ service }}, Anda harus menghubungi {{ service }} langsung.", "-2005265642": "Fiat onramp adalah fasilitas kasir yang dapat digunakan untuk menukar mata uang fiat ke mata uang kripto dan didepositkan kedalam akun kripto Deriv Anda. Berikut adalah exchanger kripto pihak ketiga. Anda perlu mendaftar akun pada exchanger tersebut untuk menggunakan layanan mereka.", "-1593063457": "Pilih saluran pembayaran", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "Alamat wallet harus memiliki 25 hingga 64 karakter.", "-1707299138": "Alamat wallet {{currency_symbol}} Anda", "-38063175": "wallet {{account_text}}", @@ -2594,7 +2586,6 @@ "-328128497": "Finansial", "-533935232": "Finansial BVI", "-565431857": "Finansial Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Lihat notifikasi", "-1954045170": "Tidak ada mata uang yang ditugaskan", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Batas Akun", "-34495732": "Informasi peraturan", "-1496158755": "Kunjungi Deriv.com", - "-1166971814": "Pusat trading beta", "-2094580348": "Terima kasih karena telah memverifikasi email Anda", "-1396326507": "Sayangnya, {{website_name}} tidak tersedia di negara Anda.", "-1019903756": "Sintetis", @@ -2915,7 +2906,7 @@ "-1300381594": "Dapatkan alat trading Acuity", "-860609405": "Kata sandi", "-742647506": "Transfer dana", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Trading CFD pada sintetis, basket, dan FX turunan kami.", "-1357917360": "Terminal web", "-1454896285": "Aplikasi desktop MT5 tidak tersedia pada Windows XP, Windows 2003, dan Windows Vista.", "-810388996": "Unduh aplikasi seluler Deriv X", diff --git a/packages/translations/src/translations/it.json b/packages/translations/src/translations/it.json index e6631f04038a..3d91a3ef86c3 100644 --- a/packages/translations/src/translations/it.json +++ b/packages/translations/src/translations/it.json @@ -86,12 +86,12 @@ "119446122": "Non è stata selezionata la tipologia di contratto", "120340777": "Completa i tuoi dati personali", "123454801": "{{withdraw_amount}} {{currency_symbol}}", - "124625402": "da", + "124625402": "di", "124723298": "Carica un documento di verifica dell'indirizzo", "125443840": "Riavvia l'ultimo trade in caso di errore", "127307725": "Un individuo politicamente esposto (PEP) riveste un incarico pubblico rilevante. Collaboratori stretti e famigliari di un PEP sono considerati a loro volta PEP.", "130567238": "POI", - "132596476": "Per fornirti i nostri servizi, siamo tenuti a chiederti alcune informazioni per valutare se un dato prodotto o servizio è appropriato per te e se hai l'esperienza e le conoscenze necessarie per comprendere i rischi connessi.<0/><0/>", + "132596476": "Al fine di poterti fornire i nostri servizi, siamo tenuti a chiederti alcune informazioni per valutare se un dato prodotto o servizio è appropriato per te e se hai l'esperienza e le conoscenze necessarie per comprenderne i rischi connessi.<0/><0/>", "132689841": "Fai trading su terminale web", "133523018": "Vai sulla pagina Depositi per ottenere un indirizzo.", "133536621": "e", @@ -171,7 +171,7 @@ "233500222": "- Massimo: il prezzo più alto", "235583807": "La SMA è un indicatore frequente nell'analisi tecnica: calcola il prezzo di mercato medio in un dato periodo, e quindi viene usata per individuare la tendenza del mercato - ascendente o discendente. Per esempio, se la SMA si muove al rialzo significa che anche il mercato si muove al rialzo. ", "236642001": "Archivio", - "238496287": "Il trading con leva finanziaria è ad alto rischio, quindi è una buona idea utilizzare funzionalità di gestione del rischio come lo stop loss. Stop loss ti consente di", + "238496287": "Il trading con leva finanziaria è ad alto rischio. Ecco perché è una buona idea utilizzare funzionalità di gestione del rischio come lo stop loss che ti consente di", "240247367": "Tabella dei profitti", "243614144": "Disponibile solo per clienti registrati.", "245005091": "inferiore", @@ -182,9 +182,8 @@ "248909149": "Invia un codice di sicurezza al tuo telefono", "249908265": "Sei cittadino di {{- residence}}?", "251134918": "Informazioni sul conto", - "251322536": "Deriv EZ accounts", "251445658": "Motivo scuro", - "251882697": "Grazie! La tua risposta è stata registrata nel nostro sistema.<0/><0/> Premi «OK» per continuare.", + "251882697": "Grazie! La tua risposta è stata registrata nel nostro sistema.<0/><0/> Premi «Ok» per continuare.", "254912581": "Analogamente a EMA, questo blocco fornisce anche l'interna linea EMA basandosi sull'elenco di input e il periodo determinato.", "256031314": "Lavoro pagato in contanti", "256602726": "Se chiudi il conto:", @@ -218,7 +217,7 @@ "284772879": "Contratto", "287934290": "Sei sicuro di voler annullare l'operazione?", "289898640": "TERMINI D'USO", - "291817757": "Vai alla nostra comunità Deriv e scopri le API, i token API, i modi per usare le API Deriv e altro ancora.", + "291817757": "Accedi alla community di Deriv per scopire le API, i token API, i modi per usare le API Deriv e altro ancora.", "292491635": "Se selezioni \"Stop Loss\" specificando l'importo del limite sulle perdite, la posizione verrà chiusa automaticamente quando la perdita raggiunge un valore pari o superiore a tale importo. Le perdite potrebbero superare l'importo selezionato in base al prezzo di chiusura del mercato.", "292526130": "Analisi tick e candele", "292589175": "Mostrerà l'indicatore SMA per il periodo specificato utilizzando un elenco di candele.", @@ -319,7 +318,7 @@ "418265501": "Demo derivato", "420072489": "Frequenza del trading di CFD", "422055502": "Da", - "424897068": "Capisci che potresti potenzialmente perdere il 100% del denaro che usi per fare trading?", + "424897068": "Hai compreso che potresti potenzialmente perdere il 100% del denaro che usi per fare trading?", "426031496": "Stop", "427134581": "Usa un altro tipo di file.", "427617266": "Bitcoin", @@ -354,11 +353,11 @@ "460975214": "Completa il test d'idoneità", "461795838": "Contattaci tramite la chat live per sbloccarlo.", "462079779": "La rivendita non è offerta", - "462461595": "Esplora l'hub di Trader", + "462461595": "Esplora l'hub di trading", "463361726": "Seleziona un elemento", "465993338": "Oscar Grind", "466369320": "Il profitto lordo corrisponde alla variazione percentuale del prezzo di mercato moltiplicata per la puntata e il moltiplicatore da te scelto.", - "467839232": "Faccio trading con CFD sul forex e altri strumenti finanziari complessi regolarmente su altre piattaforme.", + "467839232": "Faccio trading con CFD su Fforex e altri strumenti finanziari complessi regolarmente su altre piattaforme.", "473154195": "Impostazioni", "473863031": "In attesa di revisione dei documenti di verifica dell'indirizzo", "474306498": "Ci dispiace vederti andare via. Il conto è ora chiuso.", @@ -449,7 +448,7 @@ "584028307": "Consenti valori uguali", "587577425": "Proteggi il tuo conto", "587856857": "Vuoi saperne di più sulle API?", - "592087722": "È richiesta la situazione lavorativa.", + "592087722": "La situazione lavorativa è obbligatoria.", "593459109": "Prova una valuta diversa", "595080994": "Esempio: CR123456789", "595136687": "Salva la strategia", @@ -524,7 +523,7 @@ "677918431": "Mercato: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Unità", "680334348": "Questo blocco è stato necessario per convertire correttamente la tua vecchia strategia.", - "680478881": "Total withdrawal limit", + "680478881": "Limite totale di prelievo", "681926004": "Esempio di un documento sfocato", "682056402": "Moltiplicatore al ribasso della deviazione standard {{ input_number }}", "684282133": "Strumenti di trading", @@ -844,7 +843,7 @@ "1082406746": "Inserisci un importo della puntata di almeno {{min_stake}}.", "1083781009": "Numero di identificazione fiscale*", "1083826534": "Consenti blocco", - "1086118495": "Traders Hub", + "1086118495": "Hub per i trader", "1088138125": "Tick {{current_tick}} - ", "1096175323": "Occorre un conto Deriv", "1098147569": "Acquistare materie prime o azioni di una società.", @@ -875,7 +874,7 @@ "1126075317": "Aggiungi il tuo conto Deriv MT5 STP <0>{{account_type_name}} con Deriv (FX) Ltd regolamentata dalla Labuan Financial Services Authority (licenza n. MB/18/0024).", "1126934455": "La lunghezza del token deve essere compresa tra 2 e 32 caratteri.", "1127149819": "Assicurati di§", - "1128139358": "Quante operazioni di CFD hai effettuato negli ultimi 12 mesi?", + "1128139358": "Quante operazioni su CFD hai effettuato negli ultimi 12 mesi?", "1128404172": "Annulla", "1129124569": "Selezionando \"Sotto\", vincerai il payout se l'ultima cifra dell'ultimo tick è inferiore alla tua previsione.", "1129842439": "Inserire un importo per il take profit.", @@ -963,7 +962,7 @@ "1235426525": "50%", "1237330017": "Pensionato", "1238311538": "Amministratore", - "1239760289": "Completa la tua valutazione di trading", + "1239760289": "Completa la valutazione sul trading", "1239940690": "Riavvia il bot quando si verifica un errore.", "1240027773": "Effettua il login", "1241238585": "Puoi trasferire fondi tra i conti Deriv Fiat, per criptovalute e {{platform_name_mt5}}.", @@ -973,7 +972,7 @@ "1246880072": "Seleziona Paese di emissione", "1247280835": "La cassa di criptovalute è momentaneamente fuori servizio a causa della manutenzione del sistema; potrai effettuare depositi e prelievi di criptovalute tra pochi minuti, a manutenzione finita.", "1248018350": "Fonte di reddito", - "1248161058": "Puoi creare il tuo account su {{real_account_unblock_date}}.<0/> Fai clic su «OK» per continuare.", + "1248161058": "Puoi creare il tuo account su {{real_account_unblock_date}}.<0/> Fai clic su «Ok» per continuare.", "1248940117": "<0>a.Le decisioni della DRC sono vincolanti per noi, mentre sono vincolanti per te solamente se le accetti.", "1250495155": "Token copiato", "1254565203": "imposta {{ variable }} per creare elenco con", @@ -1025,7 +1024,7 @@ "1310483610": "Risultati per \"{{ search_term }}\"", "1311680770": "payout", "1311799109": "Non è possibile usare i token Binance Smart Chain per depositare fondi; ti invitiamo a usare Ethereum ({{token}}).", - "1312767038": "Esci dall'hub di Trader", + "1312767038": "Esci dall'hub di trading", "1313167179": "Effettua il login", "1313302450": "Il bot interromperà il trading se la perdita totale supera questo importo.", "1316216284": "Puoi usare questa password per tutti i conti {{platform}}.", @@ -1062,7 +1061,7 @@ "1349295677": "nel testo {{ input_text }} sposta la sottostringa da {{ position1 }} {{ index1 }} a {{ position2 }} {{ index2 }}", "1351906264": "Questa funzione non è disponibile per agenti di pagamento.", "1353197182": "Seleziona", - "1354288636": "In base alle tue risposte, sembra che tu abbia conoscenze ed esperienza insufficienti nel trading di CFD. Il trading con i CFD è rischioso e potresti potenzialmente perdere tutto il tuo capitale.<0/><0/>", + "1354288636": "In base alle tue risposte, sembra che tu abbia conoscenze ed esperienza insufficienti sul trading di CFD. Il trading con i CFD è rischioso e potresti potenzialmente perdere tutto il tuo capitale.<0/><0/>", "1355250245": "{{ calculation }} dell'elenco {{ input_list }}", "1356574493": "Restituisce una specifica porzione di una data stringa di testo.", "1356607862": "Password per Deriv", @@ -1092,7 +1091,7 @@ "1384222389": "Invia documenti d'identità validi per sbloccare la cassa.", "1385418910": "Seleziona una valuta per il conto reale in tuo possesso prima di creare un nuovo conto.", "1387503299": "Login", - "1388770399": "È richiesta una prova a verifica dell'identità", + "1388770399": "È richiesto un documento a verifica dell'identità", "1389197139": "Errore d'importazione", "1390792283": "Parametri del trade", "1391174838": "Payout potenziale:", @@ -1247,7 +1246,6 @@ "1584109614": "Lista di stringhe di tick", "1584578483": "Oltre 50 asset: Forex, azioni, indici azionari, indici sintetici e criptovalute.", "1584936297": "Il file XML contiene elementi non supportati. Controlla o modifica il file.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Al momento non si accettano documenti da questo Paese — prova con un altro tipo di documento", "1589640950": "La rivendita non è disponibile per questo contratto.", "1589702653": "Prova a verifica dell'indirizzo", @@ -1345,7 +1343,6 @@ "1714255392": "Per abilitare i prelievi, completa la tua valutazione finanziaria.", "1715011380": "Indice Jump 25", "1715630945": "Restituisce il profitto totale nel formato stringa", - "1718109065": "Trading Hub", "1719248689": "EUR/GBP/USD", "1720451994": "Verrà addebitata una commissione per i trasferimenti 2% oppure {{minimum_fee}} {{currency}}, se ha un valore superiore, per i trasferimenti tra i conti per fiat e per criptovalute di Deriv.", "1720968545": "Carica la pagina del passaporto con la foto dal tuo computer", @@ -1404,7 +1401,6 @@ "1778893716": "Clicca qui", "1779519903": "Deve essere un numero valido.", "1780770384": "Questo blocco fornisce una frazione casuale compresa tra 0,0 e 1,0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Strategia rapida", "1782395995": "Previsione sull'ultima cifra", "1782690282": "Menu dei blocchi", @@ -1795,21 +1791,21 @@ "-621555159": "Informazioni sull'identità", "-204765990": "Termini di utilizzo", "-231863107": "No", - "-870902742": "Quanta conoscenza ed esperienza hai in relazione al trading online?", + "-870902742": "Quanta conoscenza ed esperienza hai sul trading online?", "-1929477717": "Ho un titolo accademico, una certificazione professionale e/o un'esperienza lavorativa relativa ai servizi finanziari.", "-1540148863": "Ho partecipato a seminari, corsi di formazione e/o workshop relativi al trading.", "-922751756": "Meno di un anno", "-542986255": "Nessuna", - "-1337206552": "Nella tua comprensione, il trading con i CFD ti consente di", - "-315578028": "Scommettere sul movimento del prezzo di un asset il cui risultato è un rendimento fisso o nulla.", + "-1337206552": "Secondo le tue conoscenze, il trading con i CFD ti consente di", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Effettuare un investimento a lungo termine per un profitto garantito.", "-1546090184": "Come influisce la leva sul trading di CFD?", "-1636427115": "La leva finanziaria ti aiuta a mitigare il rischio.", "-800221491": "La leva finanziaria garantisce profitti.", - "-811839563": "La leva finanziaria consente di aprire posizioni di grandi dimensioni per una frazione del valore della transazione, il che può comportare un aumento dei profitti o delle perdite.", - "-1185193552": "Chiudere l'operazione automaticamente quando la perdita è pari o superiore a un importo specificato, purché vi sia un'adeguata liquidità di mercato.", - "-1046354": "Chiudere l'operazione automaticamente quando il profitto è pari o superiore a un importo specificato, purché vi sia un'adeguata liquidità di mercato.", - "-1842858448": "Ottenere un profitto garantito sulla operazione.", + "-811839563": "La leva finanziaria consente di aprire posizioni di grandi dimensioni per una frazione del valore della transazione, portando ad un possibile aumento dei profitti o delle perdite.", + "-1185193552": "Chiudere il trade automaticamente quando la perdita è pari o superiore a un importo specificato, purché vi sia un'adeguata liquidità di mercato.", + "-1046354": "Chiudere il trade automaticamente quando il profitto è pari o superiore a un importo specificato, purché vi sia un'adeguata liquidità di mercato.", + "-1842858448": "Ottenere un profitto garantito sull'operazione.", "-659266366": "Quando si apre un'operazione di CFD con leva", "-1078152772": "Quando si fa trading con moltiplicatori", "-1507432523": "Quando si acquistano azioni di una società", @@ -1930,7 +1926,7 @@ "-1598751496": "Rappresenta il volume massimo di contratti che puoi acquistare in un dato giorno di trading.", "-1359847094": "Limiti di trading - Turnover massimo giornaliero", "-1502578110": "Il conto è stato completamente autenticato e i limiti di prelievo sono stati rimossi.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Prelievo totale consentito", "-854023608": "Per aumentare il limite, verifica la tua identità", "-1500958859": "Verifica", "-1662154767": "una bolletta di utenza (per esempio di elettricità, acqua, gas, internet o telefonica), estratto conto bancario o documento emesso dal governo con il tuo nome e il tuo indirizzo.", @@ -1957,11 +1953,11 @@ "-32386760": "Nome", "-1120954663": "Nome*", "-1659980292": "Nome", - "-766265812": "first name", + "-766265812": "nome", "-1857534296": "Mario", - "-1282749116": "last name", + "-1282749116": "cognome", "-1485480657": "Altri dettagli", - "-1784741577": "date of birth", + "-1784741577": "data di nascita", "-1315571766": "Luogo di nascita", "-2040322967": "Cittadinanza", "-1692219415": "Residenza fiscale", @@ -2006,8 +2002,6 @@ "-1664309884": "Tocca qui per caricare", "-1725454783": "Non riuscito", "-839094775": "Indietro", - "-337979330": "Non è stato possibile validare il documento di verifica dell'identità", - "-706528101": "In via precauzionale, abbiamo disabilitato trading, depositi e prelievi per questo conto. Se hai domande, vai su Assistenza clienti. <0>Assistenza clienti..", "-856213726": "Dovrai inoltre consegnare un documento di verifica dell'identità.", "-1389323399": "Devi inserire {{min_number}}-{{max_number}} caratteri.", "-1313806160": "Richiedi una nuova password e controlla di aver ricevuto un'e-mail con il nuovo token.", @@ -2058,14 +2052,14 @@ "-680528873": "Il conto verrà aperto con {{legal_entity_name}}, e sarà soggetto alle leggi di Samoa.", "-1125193491": "Aggiungi conto", "-2068229627": "Non sono un soggetto PEP e non lo sono stato negli ultimi 12 mesi.", - "-1720468017": "Nel fornirti i nostri servizi, siamo tenuti a ottenere informazioni da te per valutare se un determinato prodotto o servizio è appropriato per te.", + "-1720468017": "Al fine di fornirti i nostri servizi, siamo tenuti a richiederti informazioni per valutare se un determinato prodotto o servizio è appropriato per te.", "-186841084": "Modifica la tua email di accesso", "-907403572": "Per modificare il tuo indirizzo email, devi prima scollegare il tuo indirizzo email dal tuo conto {{identifier_title}}.", "-1850792730": "Scollegato da {{identifier_title}}", "-2139303636": "È possibile che il colegamento si sia interrotto, o che l'indirizzo della pagina sia cambiato.", "-1448368765": "Codice errore: {{error_code}} pagina non trovata", "-2145244263": "Questo campo è obbligatorio", - "-254792921": "Al momento puoi effettuare depositi solo. Per abilitare i prelievi, completa la tua valutazione finanziaria.", + "-254792921": "Al momento puoi solo effettuare depositi. Per abilitare i prelievi, completa la tua valutazione finanziaria.", "-70342544": "Siamo tenuti legalmente a richiedere le tue informazioni finanziarie.", "-1100235269": "Settore di occupazione", "-684388823": "Patrimonio netto stimato", @@ -2075,9 +2069,9 @@ "-1026468600": "Frequenza di utilizzo di altri strumenti di trading", "-179005984": "Salva", "-307865807": "Avviso di tolleranza al rischio", - "-690100729": "Sì, capisco il rischio.", - "-2010628430": "I CFD e altri strumenti finanziari comportano un rischio elevato di perdere rapidamente denaro a causa della leva finanziaria. Dovresti valutare se comprendi come funzionano i CFD e altri strumenti finanziari e se puoi permetterti di correre l'elevato rischio di perdere i tuoi soldi.<0/><0/> Per continuare, devi confermare di aver compreso che il tuo capitale è a rischio.", - "-863770104": "Tieni presente che facendo clic su «OK», potresti esporti a rischi. Potresti non avere le conoscenze o l'esperienza per valutare o mitigare correttamente questi rischi, che possono essere significativi, incluso il rischio di perdere l'intera somma investita.", + "-690100729": "Sì, comprendo il rischio.", + "-2010628430": "I CFD e altri strumenti finanziari comportano un rischio elevato di perdere rapidamente denaro a causa della leva finanziaria. Dovresti valutare se comprendi come funzionano i CFD e altri strumenti finanziari e se puoi permetterti di correre l'elevato rischio di perdere il tuo denaro.<0/><0/> Per continuare, devi confermare di aver compreso che il tuo capitale è a rischio.", + "-863770104": "Tieni presente che facendo clic su «Ok», potresti esporti a rischi. Potresti non avere le conoscenze o l'esperienza per valutare o mitigare correttamente tali rischi, che possono essere significativi, come il rischio di perdere l'intera somma investita.", "-1292808093": "Esperienza di trading", "-789291456": "Residenza fiscale*", "-1651554702": "Sono consentiti soltanto caratteri alfabetici", @@ -2286,7 +2280,7 @@ "-203002433": "Deposita adesso", "-720315013": "Non sono presenti fondi nel conto in {{currency}}", "-2052373215": "Effettua un deposito per utilizzare questa funzione.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% del saldo disponibile ({{format_amount}} {{currency__display_code}})", "-299033842": "Operazioni recenti", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} in data {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Per i trasferimenti in valute uguali tra i conti fiat Deriv e {{platform_name_mt5}} non verrà addebitata alcuna commissione.", "-599632330": "Verrà addebitata una commissione del 1% per i trasferimenti nella stessa valuta tra i conti fiat Deriv e {{platform_name_mt5}}, e tra i conti fiat Deriv e {{platform_name_dxtrade}}.", "-1196994774": "Verrà addebitata una commissione per i trasferimenti 2% oppure {{minimum_fee}} {{currency}}, qualunque sia più alto, per i trasferimenti tra i conti per criptovalute di Deriv.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Verrà addebitata una commissione per i trasferimenti del 2% oppure {{minimum_fee}} {{currency}}, a seconda del valore più alto, per i trasferimenti tra i conti per criptovalute Deriv e Deriv MT5, e tra i conti per criptovalute Deriv e {{platform_name_dxtrade}}.", "-1382702462": "Verrà addebitata una commissione per i trasferimenti del 2% oppure {{minimum_fee}} {{currency}}, a seconda del valore più alto, per i trasferimenti tra i conti per criptovalute di Deriv e Deriv MT5.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "I limiti sui trasferimenti possono variare a seconda dei tassi di cambio.", "-1747571263": "Alcuni trasferimenti potrebbero non essere possibili.", "-757062699": "Potrebbe non essere possibile trasferire fondi a causa di volatilità elevata o quando i mercati sono chiusi.", @@ -2341,6 +2332,7 @@ "-451858550": "Facendo click su \"Continua\" verrai reindirizzato a {{ service }}, un fornitore di servizi di pagamento esterno. {{ website_name }} declina qualsiasi responsabilità per i contenuti o i servizi forniti da {{ service }}. Se riscontri problemi relativi ai servizi di {{ service }}, contatta direttamente {{ service }}.", "-2005265642": "Fiat onramp è un servizio di cassa che permette di convertire valute fiat in criptovalute per ricaricare i conti per criptovalute di Deriv. Qui sono elencati gli scambi di criptovalute di parti terze; è necessario creare un conto apposito per utilizzare i loro servizi.", "-1593063457": "Seleziona strumento di pagamento", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "L'indirizzo di portafoglio deve comprendere dai 25 ai 64 caratteri.", "-1707299138": "L'indirizzo di portafoglio {{currency_symbol}}", "-38063175": "Portafoglio in {{account_text}}", @@ -2383,7 +2375,7 @@ "-1337379177": "Tick alto", "-328036042": "Per lo stop loss, inserisci un importo maggiore della perdita potenziale corrente.", "-2127699317": "Lo Stop loss non è valido, non può essere superiore alla puntata.", - "-1150099396": "Stiamo lavorando per rendere disponibile presto questo servizio. Se hai un altro conto, accedi a questo per continuare a fare trading; puoi anche aggiungere un conto finanziario Deriv MT5.", + "-1150099396": "Stiamo lavorando per rendere questo servizio disponbile a breve. Se lo possiedi, accedi a un altro conto per continuare a fare trading; puoi anche aggiungere un conto finanziario Deriv MT5.", "-1940333322": "DBot non è disponibile per questo conto", "-1223145005": "Totale perdita: {{profit}}", "-1062922595": "ID di riferimento (acquista)", @@ -2594,7 +2586,6 @@ "-328128497": "Finanziario", "-533935232": "Finanziario BVI", "-565431857": "Finanziaria Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Visualizza notifiche", "-1954045170": "Nessuna valuta assegnata", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Limiti del conto", "-34495732": "Informazioni sulle normative", "-1496158755": "Vai su Deriv.com", - "-1166971814": "La versione beta di Trader Hub", "-2094580348": "Grazie per aver verificato la tua e-mail", "-1396326507": "{{website_name}} non è disponibile nel tuo Paese.", "-1019903756": "Sintetico", @@ -2771,10 +2762,10 @@ "-1308593541": "Perderai l'acceso al tuo conto quando verrà chiuso, quindi assicurati di ritirare tutti i tuoi fondi.", "-2024365882": "Esplora", "-1197864059": "Crea un conto demo gratuito", - "-1602122812": "Avviso di raffreddamento per 24 ore", + "-1602122812": "Avviso di stop per 24 ore", "-740157281": "Valutazione dell'esperienza di trading", "-399816343": "Valutazione dell'esperienza di trading<0/>", - "-1822498621": "In conformità ai nostri obblighi normativi, siamo tenuti a valutare le tue conoscenze ed esperienze di trading.<0/><0/> Fai clic su «OK» per continuare", + "-1822498621": "In conformità ai nostri obblighi normativi, siamo tenuti a valutare le tue conoscenze ed esperienze di trading.<0/><0/> Fai clic su «Ok» per continuare", "-71049153": "Mantieni in sicurezza il tuo conto con una password", "-1861974537": "Una password efficace contiene almeno 8 caratteri e una combinazione di lettere maiuscole, minuscole, numeri e simboli.", "-1965920446": "Inizia il trading", @@ -2806,9 +2797,9 @@ "-1329687645": "Crea un conto per criptovalute", "-1429178373": "Crea un nuovo conto", "-1016775979": "Scegli un conto", - "-1519791480": "I CFD e altri strumenti finanziari comportano un rischio elevato di perdere rapidamente denaro a causa della leva finanziaria. Dovresti valutare se comprendi come funzionano i CFD e altri strumenti finanziari e se puoi permetterti di correre il rischio di perdere i tuoi soldi.<0/><0/>\n Poiché hai rifiutato il nostro precedente avviso, dovrai attendere 24 ore prima di poter procedere ulteriormente.", - "-1010875436": "I CFD e altri strumenti finanziari comportano un rischio elevato di perdere rapidamente denaro a causa della leva finanziaria. Dovresti valutare se comprendi come funzionano i CFD e altri strumenti finanziari e se puoi permetterti di correre l'elevato rischio di perdere i tuoi soldi.<0/><0/> Per continuare, tieni presente che dovrai aspettare 24 ore prima di poter procedere ulteriormente.", - "-1725418054": "Cliccando su «Accetta» e procedendo con l'apertura del conto, tieni presente che potresti essere esposto a rischi. Questi rischi, che possono essere significativi, includono il rischio di perdere l'intera somma investita e potresti non avere le conoscenze e l'esperienza per valutarli o mitigarli correttamente.", + "-1519791480": "I CFD e altri strumenti finanziari comportano un rischio elevato di perdere rapidamente denaro a causa della leva finanziaria. Dovresti valutare se comprendi come funzionano i CFD e altri strumenti finanziari e se puoi permetterti di correre il rischio di perdere il tuo denaro.<0/><0/>\n Poiché hai rifiutato il nostro precedente avviso, dovrai attendere 24 ore prima di poter procedere ulteriormente.", + "-1010875436": "I CFD e altri strumenti finanziari comportano un rischio elevato di perdere rapidamente denaro a causa della leva finanziaria. Dovresti valutare se comprendi come funzionano i CFD e altri strumenti finanziari e se puoi permetterti di correre l'elevato rischio di perdere il tuo denaro.<0/><0/> Per continuare, tieni presente che dovrai aspettare 24 ore prima di poter procedere ulteriormente.", + "-1725418054": "Cliccando su «Accetta» e procedendo con l'apertura del conto, dovresti tenere presente che puoi essere esposto a rischi. Questi rischi, che possono essere significativi, includono il rischio di perdere l'intera somma investita. Potresti inoltre non avere le conoscenze e l'esperienza per valutarli o mitigarli correttamente.", "-1369294608": "Già registrato?", "-617844567": "Conto con questi dettagli già esistente.", "-292363402": "Report delle statistiche di trading", @@ -2915,7 +2906,7 @@ "-1300381594": "Ottieni gli strumenti di trading Acuity", "-860609405": "Password", "-742647506": "Trasferisci fondi", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Fai trading con CFD sui nostri sintetici, sui panieri e sugli FX derivati.", "-1357917360": "Terminale web", "-1454896285": "L'app per Desktop di MT5 non è supportata da Windows XP, Windows 2003 e Windows Vista.", "-810388996": "Scarica l'app mobile Deriv X", @@ -2975,8 +2966,8 @@ "-1793894323": "Crea o reimposta la password investitore", "-1124208206": "Passa al tuo conto reale per creare un conto DMT5 {{account_title}} {{type_title}}.", "-1576792859": "Sono richiesti documenti di verifica dell'identità e dell'indirizzo", - "-104382603": "Verifica la prova dell'indirizzo", - "-793684335": "Verifica la prova di identità", + "-104382603": "Controlla il documento a verifica dell'indirizzo", + "-793684335": "Controlla il documento a verifica dell'identità", "-1271218821": "Conto aggiunto", "-599621079": "Aggiungi il tuo conto Deriv MT5 {{account_type}} sotto Deriv (SVG) LLC (società n. 273 LLC 2020).", "-1302969276": "Aggiungi il tuo conto Deriv MT5 {{account_type}} sotto Deriv (BVI) Ltd, regolamentato dalla British Virgin Islands Financial Services Commission (Licenza n. SIBA/{{line_break}}L/18/1114).", diff --git a/packages/translations/src/translations/ko.json b/packages/translations/src/translations/ko.json index 012950fc59a0..8f1b1f3c3b03 100644 --- a/packages/translations/src/translations/ko.json +++ b/packages/translations/src/translations/ko.json @@ -182,7 +182,6 @@ "248909149": "귀하의 휴대폰으로 보안 링크 보내기", "249908265": "귀하께서는 {{- residence}} 의 시민이십니까?", "251134918": "계좌 정보", - "251322536": "Deriv EZ accounts", "251445658": "다크 테마", "251882697": "감사합니다! 귀하의 응답이 저희의 시스템에 기록되었습니다.<0/><0/>계속 하시려면 ‘확인’을 클릭하시기 바랍니다.", "254912581": "이 블록은 입력 목록과 주어진 기간에 근거하여 EMA 전체 라인이 귀하에게 제공된다는 점을 제외하고는 EMA와 유사합니다.", @@ -524,7 +523,7 @@ "677918431": "시장: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "단위", "680334348": "귀하의 예전 전략을 올바르게 변환하기 위해 이 블록이 요구되었습니다.", - "680478881": "Total withdrawal limit", + "680478881": "총 인출 한도", "681926004": "흐릿한 문서의 예시", "682056402": "표준편차 다운 승수 {{ input_number }}", "684282133": "거래 상품", @@ -844,7 +843,7 @@ "1082406746": "적어도 {{min_stake}} 에 해당하는 지분금액을 입력해 주시기 바랍니다.", "1083781009": "세금 식별 번호*", "1083826534": "블록 활성화하기", - "1086118495": "Traders Hub", + "1086118495": "트레이더 허브", "1088138125": "틱 {{current_tick}} - ", "1096175323": "귀하께서는 Deriv 계좌가 필요합니다", "1098147569": "회사의 주식 또는 원자재를 구매하세요.", @@ -1247,7 +1246,6 @@ "1584109614": "틱 문자열 목록", "1584578483": "50개 이상의 자산: 외환, 주식, 주식 지수, 합성 지수, 및 암호화폐.", "1584936297": "XML 파일이 지원되지 않는 요소를 포함하고 있습니다. 다시 확인 또는 파일을 변경해 주시기 바랍니다.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "해당 국가에서 나온 문서들은 현재 지원되지 않습니다 — 다른 문서 종류로 시도해보세요", "1589640950": "이 계약의 재판매는 제공되지 않습니다.", "1589702653": "주소증명", @@ -1345,7 +1343,6 @@ "1714255392": "인출을 활성화하기 위해서, 재무 평가를 완료해 주시기 바랍니다.", "1715011380": "Jump 25 지수", "1715630945": "문자열 형식으로 총 이윤을 불러옵니다", - "1718109065": "트레이딩 허브", "1719248689": "EUR/GBP/USD", "1720451994": "귀하의 Deriv fiat과 Deriv 암호화폐 계좌들간의 송금들에 대해서 저희는 2% 송금 비용 또는 {{minimum_fee}} {{currency}} 중에서 더 높은 금액을 청구할 것입니다.", "1720968545": "귀하의 컴퓨터에서 여권 사진 페이지를 업로드해주세요", @@ -1404,7 +1401,6 @@ "1778893716": "여기를 클릭하세요", "1779519903": "유효한 숫자여야 합니다.", "1780770384": "이 블록은 귀하에게 0.0과 1.0 사이에 있는 한 무작위 분수를 제공합니다.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "빠른 전략", "1782395995": "마지막 숫자 예측", "1782690282": "블록 메뉴", @@ -1801,7 +1797,7 @@ "-922751756": "1년 미만", "-542986255": "없음", "-1337206552": "이해하시겠지만, CFD 거래를 통해 다음을 수행하실 수 있습니다", - "-315578028": "고정 수익률이 나오거나 또는 결과가 전혀 없는 자산 가격 변동에 베팅하세요.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "수익 보장을 위해 장기 투자를 하세요.", "-1546090184": "레버리지는 CFD 거래에 어떤 영향이 있나요?", "-1636427115": "레버리지는 위험을 완화하는 데 도움이 됩니다.", @@ -1930,7 +1926,7 @@ "-1598751496": "주어진 거래일시에 귀하께서 구매하시는 계약의 최대 거래량을 나타냅니다.", "-1359847094": "거래 한도 - 최대 하루 턴오버", "-1502578110": "귀하의 계좌가 인증 완료되었으며 인출한도가 풀렸습니다.", - "-138380129": "Total withdrawal allowed", + "-138380129": "총 인출 허용금액", "-854023608": "한도를 늘리기 위해 귀하의 신분을 인증해주시기 바랍니다", "-1500958859": "인증", "-1662154767": "최근의 공과금 (예 전기세, 수도세, 가스세, 통신비, 또는 인터넷 요금), 은행 잔고증명서, 또는 귀하의 이름과 해당 주소가 표시되어 있는 정부에서 발급된 레터.", @@ -1957,11 +1953,11 @@ "-32386760": "이름", "-1120954663": "이름*", "-1659980292": "이름", - "-766265812": "first name", + "-766265812": "이름", "-1857534296": "존", - "-1282749116": "last name", + "-1282749116": "성", "-1485480657": "다른 세부사항", - "-1784741577": "date of birth", + "-1784741577": "생년월일", "-1315571766": "출생지", "-2040322967": "국적", "-1692219415": "과세목적상 거주", @@ -2006,8 +2002,6 @@ "-1664309884": "업로드하시려면 여기를 누르세요", "-1725454783": "실패되었습니다", "-839094775": "이전", - "-337979330": "우리는 귀하의 신분증명을 인증하지우리는 귀하의 신분증명을 확인할 수 없었습니다", - "-706528101": "예방책으로, 우리는 이 계좌에 대하여 거래, 입금 및 인출을 중지시켰습니다. 만약 질문이 있으시면, 우리의 헬프 센터로 가시기 바랍니다.<0>헬프 센터.", "-856213726": "귀하께서는 반드시 주소증명 또한 제출하셔야 합니다.", "-1389323399": "귀하꼐서는 문자수 {{min_number}}-{{max_number}} 사이로 입력하셔야 합니다.", "-1313806160": "새로운 비밀번호를 요청해주시고 새로운 토큰을 위해 귀하의 이메일을 확인해주시기 바랍니다.", @@ -2286,7 +2280,7 @@ "-203002433": "지금 입금하기", "-720315013": "귀하께서는 {{currency}} 계좌에 자금이 없습니다", "-2052373215": "이 기능을 활용하기 위해 입금을 해 주시기 바랍니다.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "이용 가능한 잔액 ({{format_amount}} {{currency__display_code}}) 의 {{selected_percentage}}%", "-299033842": "최근 거래들", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{submit_date}} 의 {{amount}} {{currency}}", @@ -2306,11 +2300,8 @@ "-2056016338": "귀하꼐서는 귀하의 Deriv 피아트 및 {{platform_name_mt5}} 계좌들 사이에 같은 통화로 되어 있는 송금에 대해서는 송금 비용이 청구되지 않을 것입니다.", "-599632330": "저희는 귀하의 Deriv 피아트와 {{platform_name_mt5}} 계좌들 사이 그리고 귀하의 Deriv 피아트 및 {{platform_name_dxtrade}} 계좌들 사이에 이루어지는 송금에 대하여 1%의 송금 비용을 청구할 것입니다.", "-1196994774": "귀하의 Deriv 암호화폐 계좌들 간에 이루어지는 송금에 대하여, 저희는 2% 송금 비용 또는 {{minimum_fee}} {{currency}} 중에서 더 높은 금액을 청구할 것입니다.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "저희는 귀하의 Deriv 암호화폐와 Deriv MT5 계좌들간 그리고 귀하의 Deriv 암호화폐와 {{platform_name_dxtrade}} 계좌들간에 진행되는 송금에 대하여 2%의 송금료 또는 {{minimum_fee}} {{currency}} 중에 더 높은 금액을 청구할 것입니다.", "-1382702462": "저희는 귀하의 Deriv 암호화폐와 Deriv MT5 계좌들간에 진행되는 송금에 대하여 2%의 송금료 또는 {{minimum_fee}} {{currency}} 중에 더 높은 금액을 청구할 것입니다.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "송금한도는 환율에 따라 변동될 수 있습니다.", "-1747571263": "몇몇의 송금은 가능하지 않을 수도 있다는 점을 아시기 바랍니다.", "-757062699": "외환 시장이 닫히면 높은 변동성 또는 기술적인 문제로 인해 송금이 불가능할 수도 있습니다.", @@ -2341,6 +2332,7 @@ "-451858550": "'계속하기'를 클릭함으로써 귀하께서는 제 3자 결제 서비스 제공자인 {{ service }} 로 재연결될 것입니다. {{ service }} 에 의해 제공되는 컨텐츠 또는 서비스에 대해서 {{ website_name }} 는 책임이 없다는 것을 아시기 바랍니다. 귀하께서 만약 {{ service }} 서비스와 관련된 문제를 접하시면, 귀하께서는 반드시 바로 {{ service }} 로 연락하셔야 합니다.", "-2005265642": "피아트 온램프는 귀하의 Deriv 크립토 계좌를 충전하기 위해 귀하께서 피아트 통화를 암호화폐로 변환하실 수 있도록 해주는 캐셔 서비스입니다. 여기에 나열되어 있는곳은 제 3자 암호화폐 거래소들입니다. 귀하께서는 이들의 서비스를 이용하시기 위해 이 거래소들을 통해 계좌를 생성하셔야 합니다.", "-1593063457": "결제 채널을 선택하세요", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "귀하의 지갑 주소는 문자수가 25에서 64개이여야 합니다.", "-1707299138": "귀하의 {{currency_symbol}} 지갑 주소", "-38063175": "{{account_text}} 지갑", @@ -2594,7 +2586,6 @@ "-328128497": "금융", "-533935232": "금융 BVI", "-565431857": "금융 라부안", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "공지 확인", "-1954045170": "할당된 통화가 없습니다", "-583559763": "메뉴", + "-1922462747": "Trader's hub", "-1591792668": "계정 한도", "-34495732": "규제 정보", "-1496158755": "Deriv.com으로 이동", - "-1166971814": "트레이더 허브 베타", "-2094580348": "귀하의 이메일을 인증해주신 데에 감사합니다", "-1396326507": "안타깝게도, {{website_name}}은 귀하의 국가에서 이용하실 수 없습니다.", "-1019903756": "종합", @@ -2915,7 +2906,7 @@ "-1300381594": "Acuity 트레이딩 도구 받기", "-860609405": "비밀번호", "-742647506": "자금 이체", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "당사의 합성, 바스켓 및 파생 FX로부터 CFD를 거래하세요.", "-1357917360": "웹 터미널", "-1454896285": "MT5 데스크탑 앱은 윈도우 XP, 윈도우 2003 및 윈도우 비스타에서는 지원이 되지 않습니다.", "-810388996": "Deriv X 모바일 앱을 다운 받으세요", diff --git a/packages/translations/src/translations/pl.json b/packages/translations/src/translations/pl.json index e86e2df12e64..36edeab9fc83 100644 --- a/packages/translations/src/translations/pl.json +++ b/packages/translations/src/translations/pl.json @@ -182,7 +182,6 @@ "248909149": "Wyślij bezpieczny link na swój telefon", "249908265": "Czy jesteś obywatelem tego kraju: {{- residence}}?", "251134918": "Informacje o koncie", - "251322536": "Deriv EZ accounts", "251445658": "Ciemny motyw", "251882697": "Dziękujemy! Twoja odpowiedź została zapisana w naszym systemie.<0/><0/> Kliknij „OK”, aby kontynuować.", "254912581": "Ten blok jest podobny do EMA, tylko że daje całą linię EMA w oparciu o listę wejściową i wybrany okres czasu.", @@ -524,7 +523,7 @@ "677918431": "Rynek: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Jednostki", "680334348": "Ten blok był wymagany, aby poprawnie przekształcić Twoją starą strategię.", - "680478881": "Total withdrawal limit", + "680478881": "Całkowity limit wypłat", "681926004": "Przykład rozmazanego dokumentu", "682056402": "Mnożnik odchylenia standardowego w dół {{ input_number }}", "684282133": "Instrumenty handlowe", @@ -844,7 +843,7 @@ "1082406746": "Wprowadź kwotę stawki w wysokości co najmniej {{min_stake}}.", "1083781009": "Numer identyfikacji podatkowej*", "1083826534": "Włącz blok", - "1086118495": "Traders Hub", + "1086118495": "Centrum inwestorów", "1088138125": "Najmniejsza zmiana ceny {{current_tick}} - ", "1096175323": "Potrzebne Ci będzie konto Deriv", "1098147569": "Zakup towarów lub udziałów spółki.", @@ -1247,7 +1246,6 @@ "1584109614": "Lista ciągu ticków", "1584578483": "Ponad 50 aktywów: forex, akcje, indeksy giełdowe, indeksy syntetyczne i kryptowaluty.", "1584936297": "Plik XML zawiera nieobsługiwane elementy. Sprawdź lub zmień plik.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Dokumenty z tego kraju nie są obecnie obsługiwane — spróbuj użyć inny rodzaj dokumentu", "1589640950": "Nie można odsprzedać tego kontraktu.", "1589702653": "Potwierdzenie adresu", @@ -1345,7 +1343,6 @@ "1714255392": "Aby włączyć wypłaty, wypełnij swoją ocenę finansową.", "1715011380": "Indeks Jump 25", "1715630945": "Zwraca całkowity zysk w formacie ciągu", - "1718109065": "Centrum inwestora", "1719248689": "EUR/GBP/USD", "1720451994": "Za przelewy między kontem Deriv w walucie fiducjarnej a kontem Deriv w kryptowalucie pobierana jest opłata w wysokości 2% kwoty transferu lub {{minimum_fee}} {{currency}}, w zależności od tego, która kwota jest wyższa.", "1720968545": "Prześlij stronę paszportu ze zdjęciem ze swojego komputera", @@ -1404,7 +1401,6 @@ "1778893716": "Kliknij tutaj", "1779519903": "Akceptowane są tylko liczby.", "1780770384": "Ten blok daje losową wartość ułamkową między 0,0 a 1,0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Szybka strategia", "1782395995": "Szacowanie ostatniej cyfry", "1782690282": "Menu bloków", @@ -1801,7 +1797,7 @@ "-922751756": "Mniej niż rok", "-542986255": "Żadne", "-1337206552": "W twoim rozumieniu, handel kontraktami CFD pozwala", - "-315578028": "Postaw zakład na ruch cenowy składnika aktywów, w przypadku którego wynikiem jest stały zwrot lub nic.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Dokonaj długoterminowej inwestycji, aby uzyskać gwarantowany zysk.", "-1546090184": "Jak dźwignia wpływa na handel kontraktami CFD?", "-1636427115": "Dźwignia finansowa pomaga ograniczyć ryzyko.", @@ -1930,7 +1926,7 @@ "-1598751496": "Pokazuje maksymalną liczbę kontraktów, które możesz nabyć w danym dniu handlowym.", "-1359847094": "Limity handlowe - Maksymalny dzienny obrót", "-1502578110": "Twoje konto jest w pełni zweryfikowane, a Twój limit wypłat został zwiększony.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Całkowita dozwolona kwota wypłaty", "-854023608": "Aby zwiększyć limit, zweryfikuj swoją tożsamość", "-1500958859": "Zweryfikuj", "-1662154767": "niedawny rachunek za media (np. prąd, wodę, gaz, linię telefoniczną lub internet), wyciąg z rachunku bankowego lub dokument wydany przez władze rządowe z Twoim imieniem i nazwiskiem i tym adresem.", @@ -1957,11 +1953,11 @@ "-32386760": "Nazwa", "-1120954663": "Imię*", "-1659980292": "Imię", - "-766265812": "first name", + "-766265812": "imię", "-1857534296": "Jan", - "-1282749116": "last name", + "-1282749116": "nazwisko", "-1485480657": "Inne szczegóły", - "-1784741577": "date of birth", + "-1784741577": "data urodzenia", "-1315571766": "Miejsce urodzenia", "-2040322967": "Obywatelstwo", "-1692219415": "Rezydencja podatkowa", @@ -2006,8 +2002,6 @@ "-1664309884": "Naciśnij tutaj, aby przesłać", "-1725454783": "Zakończone niepowodzeniem", "-839094775": "Wstecz", - "-337979330": "Nie udało się zweryfikować dokumentu potwierdzającego tożsamość", - "-706528101": "W ramach ostrożności uniemożliwiliśmy inwestowanie za pomocą tego konta oraz dokonywanie wpłat i wypłat. Jeśli masz pytania, przejdź do Centrum Pomocy.<0>Centrum Pomocy..", "-856213726": "Musisz dostarczyć również dokument potwierdzający adres.", "-1389323399": "Proszę wprowadzić następującą liczbę znaków: {{min_number}}-{{max_number}}.", "-1313806160": "Poproś o nowe hasło i sprawdź swoją skrzynkę e-mail, na którą wysłaliśmy nowy token.", @@ -2286,7 +2280,7 @@ "-203002433": "Dokonaj wpłaty teraz", "-720315013": "Nie masz żadnych środków na koncie {{currency}}", "-2052373215": "Dokonaj wpłaty, aby użyć tej funkcji.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% dostępnego salda ({{format_amount}} {{currency__display_code}})", "-299033842": "Ostatnie transakcje", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} dnia {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Za przelewy w tych samych walutach między kontem Deriv w walucie fiducjarnej a kontem {{platform_name_mt5}} nie pobierana jest opłata.", "-599632330": "Za przelewy w różnych walutach między kontem Deriv w walucie fiducjarnej a kontem {{platform_name_mt5}} lub kontem Deriv w walucie fiducjarnej a kontem {{platform_name_dxtrade}} pobierana jest opłata w wysokości 1% kwoty transferu.", "-1196994774": "Za przelewy między Twoimi kontami Deriv w kryptowalucie pobierana jest opłata w wysokości 2% kwoty transferu lub {{minimum_fee}} {{currency}}, w zależności od tego, która kwota jest wyższa.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Za przelewy między kontem Deriv w kryptowalucie a kontem Deriv MT5 lub kontem Deriv w kryptowalucie a kontem {{platform_name_dxtrade}} pobierana jest opłata w wysokości 2% kwoty transferu lub {{minimum_fee}} {{currency}}, w zależności od tego, która kwota jest wyższa.", "-1382702462": "Za przelewy między kontem Deriv w kryptowalucie a kontem Deriv MT5 pobierana jest opłata w wysokości 2% kwoty transferu lub {{minimum_fee}} {{currency}}, w zależności od tego, która kwota jest wyższa.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Limity przelewów mogą się zmieniać w zależności od kursów wymiany walut.", "-1747571263": "Ten przelew może być niemożliwy do zrealizowania.", "-757062699": "Transfery mogą być niedostępne z powodu wysokiej zmienności lub problemów technicznych oraz w okresie zamknięcia giełd walutowych.", @@ -2341,6 +2332,7 @@ "-451858550": "Kliknięcie przycisku „Kontynuuj” spowoduje przekierowanie do {{ service }}, zewnętrznego dostarczyciela usług w zakresie płatności. Pamiętaj, że {{ website_name }} nie ponosi odpowiedzialności za zawartość tego serwisu ani za usługi świadczone przez {{ service }}. Jeśli wystąpią jakiekolwiek problemy związane z usługami {{ service }}, skontaktuj się bezpośrednio z {{ service }}.", "-2005265642": "On-ramp dla waluty fiducjarnej to usługa typu „kasjer”, która umożliwia konwertowanie walut fiducjarnych na kryptowaluty, aby zasilić konta kryptowalutowe Deriv. Na stronie wymienione są zewnętrzne kantowy kryptowalutowe. Aby korzystać z ich usług, konieczne będzie utworzenie konta na tych portalach.", "-1593063457": "Wybierz kanał płatności", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "Adres Twojego portfelu powinien składać się z 25-64 znaków.", "-1707299138": "Adres Twojego adresu {{currency_symbol}}", "-38063175": "portfel {{account_text}}", @@ -2594,7 +2586,6 @@ "-328128497": "Finansowe", "-533935232": "Finansowe BVI", "-565431857": "Finansowe Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Pokaż powiadomienia", "-1954045170": "Nie przypisano żadnej waluty", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Limity na koncie", "-34495732": "Informacje o przepisach prawnych", "-1496158755": "Przejdź do Deriv.com", - "-1166971814": "Centrum inwestora w wersji beta", "-2094580348": "Dziękujemy za zweryfikowanie adresu e-mail", "-1396326507": "Niestety strona {{website_name}} jest niedostępna w Twoim kraju.", "-1019903756": "Syntetyczne", @@ -2915,7 +2906,7 @@ "-1300381594": "Uzyskaj narzędzia inwestycyjne Acuity", "-860609405": "Hasło", "-742647506": "Przelew środków", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Handluj kontraktami CFD na nasze syntetyki, koszyki i pochodne FX.", "-1357917360": "Terminal internetowy", "-1454896285": "Aplikacja MT5 na komputery stacjonarne nie jest obsługiwana przez systemy Windows XP, Windows 2003 i Windows Vista.", "-810388996": "Pobierz aplikację mobilną Deriv X", diff --git a/packages/translations/src/translations/pt.json b/packages/translations/src/translations/pt.json index e2ed8b955f6e..6da64c613d5e 100644 --- a/packages/translations/src/translations/pt.json +++ b/packages/translations/src/translations/pt.json @@ -182,7 +182,6 @@ "248909149": "Envie um link seguro para o seu telefone", "249908265": "Você é cidadão de {{- residence}}?", "251134918": "Informação da conta", - "251322536": "Deriv EZ accounts", "251445658": "Tema escuro", "251882697": "Obrigado(a)! Sua resposta foi registrada em nosso sistema.<0/><0/> Clique em 'OK' para continuar.", "254912581": "Esse bloco é semelhante ao EMA, exceto pelo fato de fornecer toda a linha EMA com base na lista de entrada e no período especificado.", @@ -524,7 +523,7 @@ "677918431": "Mercado: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Unidades", "680334348": "Este bloco foi necessário para converter corretamente sua estratégia antiga.", - "680478881": "Total withdrawal limit", + "680478881": "Limite total de saque", "681926004": "Exemplo de documento borrado", "682056402": "Multiplicador de Desvio Padrão Para Baixo {{ input_number }}", "684282133": "Instrumentos de Negociação", @@ -1247,7 +1246,6 @@ "1584109614": "Lista String Ticks", "1584578483": "Mais de 50 ativos: forex, ações, índices de ações, índices sintéticos e criptomoedas.", "1584936297": "O arquivo XML contém elementos não suportados. Por favor, verifique ou modifique o arquivo.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Os documentos desse país não são atualmente suportados - tente outro tipo de documento ", "1589640950": "A revenda deste contrato não é oferecida.", "1589702653": "Comprovante de endereço", @@ -1345,7 +1343,6 @@ "1714255392": "Para habilitar saques, conclua a sua avaliação financeira.", "1715011380": "Índice Jump 25", "1715630945": "Retorna o lucro total no formato de string", - "1718109065": "Central de negociações", "1719248689": "EUR/GBP/USD", "1720451994": "Cobraremos uma taxa de transferência de 2% ou {{minimum_fee}} {{currency}}, o que for mais alto, para transferências entre suas contas Deriv fiduciária e Deriv criptomoeda.", "1720968545": "Enviar a página do passaporte (a que mostra sua foto) direto do seu computador", @@ -1404,7 +1401,6 @@ "1778893716": "Clique aqui", "1779519903": "Deve ser um número válido.", "1780770384": "Esse bloco fornece uma fração aleatória entre 0,0 e 1,0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Estratégia rápida", "1782395995": "Previsão do Último Dígito", "1782690282": "Menu de Blocos", @@ -1801,7 +1797,7 @@ "-922751756": "Menos de um ano", "-542986255": "Nenhuma", "-1337206552": "Em seu entendimento, a negociação de CFD permite que você", - "-315578028": "Faça uma aposta no movimento do preço de um ativo em que o resultado é um retorno fixo ou nada.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Faça um investimento a longo prazo para obter um lucro garantido.", "-1546090184": "Como a alavancagem afeta a negociação de CFD?", "-1636427115": "A alavancagem ajuda a reduzir os riscos.", @@ -1930,7 +1926,7 @@ "-1598751496": "Representa o volume máximo de contratos que você pode comprar em qualquer dia de negociação.", "-1359847094": "Limites de negociação - Rotatividade diária máxima", "-1502578110": "A sua conta está totalmente autenticada e o seu limite de retirada de fundos foi removido.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Total permitido para saque", "-854023608": "Para aumentar o limite, verifique sua identidade", "-1500958859": "Verificar", "-1662154767": "uma conta de serviço público recente (por exemplo, eletricidade, água, gás, telefone fixo ou internet banda larga), extrato bancário ou carta emitida pelo governo com seu nome e este endereço.", @@ -1957,11 +1953,11 @@ "-32386760": "Nome", "-1120954663": "Primeiro nome*", "-1659980292": "Primeiro nome", - "-766265812": "first name", + "-766265812": "nome", "-1857534296": "Pedro", - "-1282749116": "last name", + "-1282749116": "sobrenome", "-1485480657": "Outros detalhes", - "-1784741577": "date of birth", + "-1784741577": "data de nascimento", "-1315571766": "Local de nascimento", "-2040322967": "Nacionalidade", "-1692219415": "Residência fiscal", @@ -2006,8 +2002,6 @@ "-1664309884": "Clique aqui para enviar", "-1725454783": "Falhou", "-839094775": "Voltar", - "-337979330": "Não foi possível verificar seu comprovante de identidade", - "-706528101": "Como precaução, desativamos a negociações, os depósitos e as retiradas desta conta. Se você tiver alguma dúvida, visite nossa Central de Ajuda. <0>Central de Ajuda.", "-856213726": "Você também deve enviar um comprovante de endereço.", "-1389323399": "Você deve inserir caracteres {{min_number}}{{max_number}}.", "-1313806160": "Solicite uma nova senha e verifique seu e-mail para obter o novo token.", @@ -2286,7 +2280,7 @@ "-203002433": "Deposite agora", "-720315013": "Você não tem fundos na sua conta {{currency}}", "-2052373215": "Faça um depósito para usar esse recurso.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% do saldo disponível ({{format_amount}} {{currency__display_code}})", "-299033842": "Transações recentes", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} em {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Não será cobrada uma taxa de transferência para transferências na mesma moeda entre suas contas Deriv fiduciária e {{platform_name_mt5}}.", "-599632330": "Cobraremos uma taxa de transferência de 1% para transferências em diferentes moedas entre suas contas Deriv fiat e {{platform_name_mt5}} e entre suas contas Deriv fiat e {{platform_name_dxtrade}}.", "-1196994774": "Cobraremos uma taxa de transferência de 2% ou {{minimum_fee}} {{currency}}, o que for maior, para transferências entre suas contas em criptomoeda Deriv.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Cobraremos uma taxa de transferência de 2% ou {{minimum_fee}}{{currency}}, o que for mais alto, para transferências entre suas contas Deriv criptomoeda e Deriv MT5 e entre suas contas Deriv criptomoeda e {{platform_name_dxtrade}}.", "-1382702462": "Cobraremos uma taxa de transferência de 2% ou {{minimum_fee}} {{currency}}, o que for maior, para transferências entre sua criptomoeda Deriv e contas Deriv MT5.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Os limites de transferência podem variar dependendo das taxas de câmbio.", "-1747571263": "Lembre-se de que algumas transferências podem não ser possíveis.", "-757062699": "As transferências podem não estar disponíveis devido à alta volatilidade ou problemas técnicos e quando os mercados de câmbio estão fechados.", @@ -2341,6 +2332,7 @@ "-451858550": "Ao clicar em 'Continuar', você será redirecionado para {{ service }}, um provedor de serviços de pagamento terceirizado. Observe que {{ website_name }} não é responsável pelo conteúdo ou serviços fornecidos por {{ service }}. Se você encontrar qualquer problema relacionado aos serviços de {{ service }}, deve entrar em contato com {{ service }} diretamente.", "-2005265642": "O Fiat onramp é um serviço de caixa que permite converter moedas fiduciárias em criptografia para recarregar suas contas de criptografia Deriv. Aqui estão listadas trocas de criptografia de terceiros. Você precisará criar uma conta com eles para usar seus serviços.", "-1593063457": "Selecione o canal de pagamento", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "O endereço da carteira deve ter de 25 a 64 caracteres.", "-1707299138": "O endereço de sua carteira {{currency_symbol}}", "-38063175": "Carteira {{account_text}}", @@ -2594,7 +2586,6 @@ "-328128497": "Financeira", "-533935232": "Financeira BVI", "-565431857": "Financeira Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Ver notificações", "-1954045170": "Nenhuma moeda selecionada", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Limites da Conta", "-34495732": "Informações Regulatórias", "-1496158755": "Ir para Deriv.com", - "-1166971814": "Beta do Trader's Hub", "-2094580348": "Obrigado por verificar o seu email", "-1396326507": "Infelizmente, o {{website_name}} não está disponível no seu país.", "-1019903756": "Sintéticos", @@ -2915,7 +2906,7 @@ "-1300381594": "Obtenha as ferramentas de negociação da Acuity", "-860609405": "Senha", "-742647506": "Transf. de fundos", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Negocie CFDs nos nossos sintéticos, cestas de índices e derivados FX.", "-1357917360": "Terminal web", "-1454896285": "O aplicativo de desktop MT5 não é suportado pelo Windows XP, Windows 2003 e Windows Vista.", "-810388996": "Baixe o aplicativo para Deriv X", diff --git a/packages/translations/src/translations/ru.json b/packages/translations/src/translations/ru.json index 9fd9fa0d248b..a61ed643b770 100644 --- a/packages/translations/src/translations/ru.json +++ b/packages/translations/src/translations/ru.json @@ -182,7 +182,6 @@ "248909149": "Отправьте защищенную ссылку на свой телефон", "249908265": "Вы гражданин {{- residence}}?", "251134918": "Информация о счете", - "251322536": "Deriv EZ accounts", "251445658": "Темная тема", "251882697": "Спасибо! Ваш ответ записан в нашу систему.<0/><0/> Нажмите «ОК», чтобы продолжить.", "254912581": "Этот блок дает вам линию EMA, построенную на основе выбранного периода и списка значений.", @@ -524,7 +523,7 @@ "677918431": "Рынок: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "Единицы", "680334348": "Этот блок был необходим для корректного конвертирования вашей старой стратегии.", - "680478881": "Total withdrawal limit", + "680478881": "Общий лимит вывода средств", "681926004": "Пример нечеткого документа", "682056402": "Стандартное отклонение вниз Множитель {{ input_number }}", "684282133": "Торговые инструменты", @@ -844,7 +843,7 @@ "1082406746": "Введите сумму ставки не менее {{min_stake}}.", "1083781009": "ИНН*", "1083826534": "Включить блок", - "1086118495": "Traders Hub", + "1086118495": "Центр трейдера", "1088138125": "Тик {{current_tick}} - ", "1096175323": "Вам понадобится счет Deriv", "1098147569": "Приобретайте товары или акции компании.", @@ -1247,7 +1246,6 @@ "1584109614": "Строка тиков Список", "1584578483": "50+ активов: forex, акции, криптовалюты, фондовые и синтетические индексы.", "1584936297": "XML-файл содержит неподдерживаемые элементы. Пожалуйста, перепроверьте или отредактируйте файл.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Документы из этой страны в настоящее время не поддерживаются - попробуйте другой тип документа", "1589640950": "Перепродажа этого контракта невозможна.", "1589702653": "Подтверждение адреса", @@ -1345,7 +1343,6 @@ "1714255392": "Чтобы разрешить вывод средств, пожалуйста, завершите финансовую оценку.", "1715011380": "Индекс Jump 25", "1715630945": "Возвращает общую прибыль в строковом формате", - "1718109065": "Торговый центр", "1719248689": "EUR/GBP/USD", "1720451994": "За переводы между вашими фиатными и криптовалютными счетами Deriv мы взимаем комиссию в размере 2% или {{minimum_fee}} {{currency}}, в зависимости от того, какая сумма больше.", "1720968545": "Загрузите страницу паспорта с фото со своего компьютера", @@ -1404,7 +1401,6 @@ "1778893716": "Нажмите здесь", "1779519903": "Введите правильное число.", "1780770384": "Этот блок дает вам случайную долю от 0.0 до 1.0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Быстрая стратегия", "1782395995": "Прогноз последней десятичной", "1782690282": "Меню блоков", @@ -1801,7 +1797,7 @@ "-922751756": "Менее года", "-542986255": "Нет", "-1337206552": "В вашем понимании, торговля CFD позволяет", - "-315578028": "Сделайте ставку на движение цены актива, результатом которого будет фиксированная доходность или вообще ничего.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Сделайте долгосрочные инвестиции для получения гарантированной прибыли.", "-1546090184": "Как кредитное плечо влияет на торговлю CFD?", "-1636427115": "Левередж помогает снизить риск.", @@ -1930,7 +1926,7 @@ "-1598751496": "Представляет собой максимальный объем контрактов, который вы можете приобрести в течение любого торгового дня.", "-1359847094": "Торговые лимиты - Максимальный дневной оборот", "-1502578110": "Ваш счет полностью авторизован, и лимит на вывод был снят.", - "-138380129": "Total withdrawal allowed", + "-138380129": "Максимальная сумма вывода", "-854023608": "Подтвердите свою личность, чтобы увеличить лимит.", "-1500958859": "Подтвердить", "-1662154767": "недавний счет за коммунальные услуги (электричество, вода, газ, стационарный телефон или интернет), банковская выписка или государственное/муниципальное письмо с вашим именем и этим адресом.", @@ -1957,11 +1953,11 @@ "-32386760": "Название", "-1120954663": "Имя*", "-1659980292": "Имя", - "-766265812": "first name", + "-766265812": "имя", "-1857534296": "Иван", - "-1282749116": "last name", + "-1282749116": "фамилия", "-1485480657": "Другие данные", - "-1784741577": "date of birth", + "-1784741577": "дата рождения", "-1315571766": "Место рождения", "-2040322967": "Гражданство", "-1692219415": "Место налоговой регистрации", @@ -2006,8 +2002,6 @@ "-1664309884": "Нажмите, чтобы загрузить", "-1725454783": "Ошибка", "-839094775": "Назад", - "-337979330": "Нам не удалось подтвердить вашу личность", - "-706528101": "В качестве меры предосторожности мы отключили трейдинг, пополнение и вывод средств на этом счете. Если у вас есть вопросы, посетите наш Центр поддержки.<0>Центр поддержки.", "-856213726": "Вам также необходимо предоставить подтверждение адреса.", "-1389323399": "Вы должны ввести {{min_number}}-{{max_number}} символа(ов).", "-1313806160": "Пожалуйста, запросите новый пароль и проверьте свою электронную почту, чтобы получить новый ключ.", @@ -2286,7 +2280,7 @@ "-203002433": "Пополнить сейчас", "-720315013": "На вашем счете {{currency}} нет средств", "-2052373215": "Внесите средства на счет, чтобы воспользоваться этой функцией.", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% от доступного баланса ({{format_amount}} {{currency__display_code}})", "-299033842": "Недавние транзакции", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Мы не взимаем комиссию за переводы в одной и той же валюте между вашим фиатным счетом Deriv и счетом {{platform_name_mt5}}.", "-599632330": "Мы взимаем комиссию в размере 1% за переводы в разных валютах между вашим фиатным счетом Deriv и счетом {{platform_name_mt5}}, и вашим фиатным счетом Deriv и счетом {{platform_name_dxtrade}}.", "-1196994774": "За переводы между вашими криптовалютными счетами Deriv мы взимаем комиссию в размере 2% или {{minimum_fee}} {{currency}}, в зависимости от того, какая сумма больше.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "За переводы между вашими криптовалютными счетами Deriv и счетом Deriv MT5, или криптовалютными счетами Deriv и счетом {{platform_name_dxtrade}} мы взимаем комиссию в размере 2% или {{minimum_fee}} {{currency}}, в зависимости от того, какая сумма больше.", "-1382702462": "За переводы между вашими криптовалютными счетами Deriv и счетом Deriv MT5 мы взимаем комиссию в размере 2% или {{minimum_fee}} {{currency}}, в зависимости от того, какая сумма больше.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Лимиты на перевод могут варьироваться, в зависимости от текущих валютных курсов.", "-1747571263": "Имейте в виду, что некоторые переводы могут быть невозможны.", "-757062699": "Переводы могут быть недоступны во время высокой волатильности, из-за технических проблем или когда рынки закрыты.", @@ -2341,6 +2332,7 @@ "-451858550": "Нажав \"Продолжить\", вы перейдете на сайт {{ service }}, стороннего поставщика платежных услуг. Обратите внимание, что {{ website_name }} не несет ответственности за контент или услуги, предоставляемые {{ service }}. Если во время использования {{ service }} у вас возникнут какие-либо проблемы, вам нужно будет связаться с {{ service }} напрямую.", "-2005265642": "Fiat onramp - это сервис, который позволяет конвертировать фиатные валюты в криптовалюты для пополнения ваших счетов Deriv. Это список сторонних криптобирж. Вам нужно будет создать на них учетную запись, чтобы пользоваться их услугами.", "-1593063457": "Выберите платежный канал", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "Адрес вашего кошелька должен содержать от 25 до 64 символов.", "-1707299138": "Адрес вашего кошелька {{currency_symbol}}", "-38063175": "{{account_text}} кошелек", @@ -2594,7 +2586,6 @@ "-328128497": "Финансовый", "-533935232": "Финансовый BVI", "-565431857": "Финансовый Лабуан", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Открыть уведомления", "-1954045170": "Валюта не выбрана", "-583559763": "Меню", + "-1922462747": "Trader's hub", "-1591792668": "Лимиты счета", "-34495732": "Нормативная информация", "-1496158755": "Перейти на Deriv.com", - "-1166971814": "Бета-версия Trader's Hub", "-2094580348": "Спасибо за подтверждение эл. почты", "-1396326507": "К сожалению, {{website_name}} недоступен в вашей стране.", "-1019903756": "Синтетический", @@ -2915,7 +2906,7 @@ "-1300381594": "Получить инструменты Acuity", "-860609405": "Пароль", "-742647506": "Перевод средств", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "Торгуйте CFD на синтетических активах, валютных индексах и Derived FX.", "-1357917360": "Веб-терминал", "-1454896285": "Приложение MT5 для ПК не поддерживается на Windows XP, Windows 2003 и Windows Vista.", "-810388996": "Скачать мобильное приложение Deriv X", diff --git a/packages/translations/src/translations/th.json b/packages/translations/src/translations/th.json index ba7210d46468..8310ac80a9f3 100644 --- a/packages/translations/src/translations/th.json +++ b/packages/translations/src/translations/th.json @@ -182,7 +182,6 @@ "248909149": "ส่งลิงก์ที่ปลอดภัยไปยังโทรศัพท์ของคุณ", "249908265": "คุณเป็นพลเมืองของ {{- residence}} ใช่หรือไม่?", "251134918": "ข้อมูลเกี่ยวกับบัญชี", - "251322536": "Deriv EZ accounts", "251445658": "ธีมสีเข้ม", "251882697": "ขอบคุณ! คำตอบของคุณถูกบันทึกไว้ในระบบของเราแล้ว <0/><0/>โปรดกกด ‘ตกลง’ เพื่อดำเนินการต่อ", "254912581": "บล็อกนี้คล้ายกับ EMA เว้นแต่ว่ามันจะให้คุณเห็นสาย EMA ทั้งหมดตามรายการข้อมูลที่ป้อนเข้าไปและในช่วงเวลาที่กำหนดไว้", @@ -524,7 +523,7 @@ "677918431": "ตลาด: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "หน่วย", "680334348": "บล็อกนี้จำเป็นต้องมีไว้เพื่อแปลงกลยุทธ์เก่าของคุณอย่างถูกต้อง", - "680478881": "Total withdrawal limit", + "680478881": "วงเงินการถอนโดยรวม", "681926004": "ตัวอย่างของเอกสารที่ไม่ชัดเจน", "682056402": "ส่วนเบี่ยงเบนมาตรฐานตัวคูณขาลง {{ input_number }}", "684282133": "ทำการซื้อขายตราสารการเงินต่างๆ", @@ -844,7 +843,7 @@ "1082406746": "กรุณาใส่จำนวนเงินที่นำมาลงทุนที่มีมูลค่าอย่างน้อย {{min_stake}}", "1083781009": "เลขประจำตัวผู้เสียภาษี", "1083826534": "เปิดใช้งานบล็อก", - "1086118495": "Traders Hub", + "1086118495": "ศูนย์กลางของเทรดเดอร์", "1088138125": "ค่า Tick {{current_tick}} - ", "1096175323": "คุณจะต้องมีบัญชี Deriv", "1098147569": "ซื้อสินค้าหรือหุ้นต่างๆของบริษัท", @@ -1024,7 +1023,7 @@ "1309044871": "คืนรายการค่า tick ล่าสุดในรูปแบบของสตริง", "1310483610": "ผลลัพธ์สำหรับ \"{{ search_term }}\"", "1311680770": "เงินตอบแทน", - "1311799109": "เราไม่รองรับการฝากเหรียญโทเค็น Binance Smart Chain โปรดใช้เหรียญ Ethereum เท่านั้น ({{token}})", + "1311799109": "เราไม่รองรับการฝากเหรียญโทเคน Binance Smart Chain โปรดใช้เหรียญ Ethereum เท่านั้น ({{token}})", "1312767038": "ออกจากศูนย์กลางของเทรดเดอร์", "1313167179": "โปรดเข้าสู่ระบบ", "1313302450": "บอทจะหยุดการซื้อขายหากการขาดทุนทั้งหมดของคุณเกินจำนวนนี้", @@ -1247,7 +1246,6 @@ "1584109614": "ลิสต์รายการสตริง Tick", "1584578483": "สินทรัพย์มากกว่า 50 รายการ: ฟอเร็กซ์, หุ้น, ดัชนีหุ้น, ดัชนีสังเคราะห์ และคริปโตเคอเรนซี่", "1584936297": "ไฟล์ XML มีองค์ประกอบที่ไม่ได้รับการสนับสนุน โปรดตรวจสอบหรือแก้ไขไฟล์", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "เอกสารจากประเทศนั้นไม่ได้รับการสนับสนุนในปัจจุบัน — กรุณาลองเอกสารชนิดอื่น", "1589640950": "ไม่มีการเสนอขายใหม่ของสัญญานี้", "1589702653": "หลักฐานแสดงที่อยู่", @@ -1345,7 +1343,6 @@ "1714255392": "หากต้องการเปิดใช้งานการถอนเงิน โปรดทำการประเมินทางการเงินของคุณให้เสร็จสมบูรณ์", "1715011380": "ดัชนี Jump 25", "1715630945": "ส่งคืนค่ายอดกำไรรวมทั้งหมดในรูปแบบสตริง", - "1718109065": "ศูนย์กลางการเทรด", "1719248689": "EUR/GBP/USD", "1720451994": "เราจะเรียกเก็บค่าธรรมเนียมการโอน 2% หรือ {{minimum_fee}} {{currency}} แล้วแต่ว่าจำนวนใดจะสูงกว่า สำหรับการโอนเงินระหว่างบัญชีเงินตรารัฐบาล Deriv และบัญชีสกุลเงินดิจิทัล Deriv", "1720968545": "อัปโหลดหนังสือเดินทางหน้าที่มีรูปภาพจากคอมพิวเตอร์ของคุณ", @@ -1404,7 +1401,6 @@ "1778893716": "คลิกที่นี่", "1779519903": "ควรเป็นตัวเลขที่ถูกต้อง", "1780770384": "บล็อกนี้จะให้เศษส่วนแบบสุ่มระหว่าง 0.0 ถึง 1.0 แก่คุณ", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "กลยุทธ์ด่วน", "1782395995": "คาดการณ์ตัวเลขหลักสุดท้าย", "1782690282": "เมนูบล็อก", @@ -1719,7 +1715,7 @@ "2141055709": "รหัสผ่าน {{type}} อันใหม่", "2141873796": "รับข้อมูลเพิ่มเติมเกี่ยวกับ <0>CFDs <1>ตัวคูณ และ <2>ตราสารสิทธิ", "2143803283": "ข้อผิดพลาดในการซื้อ", - "2144609616": "หากคุณเลือก \"Reset Down” คุณจะได้รับเงินตอบแทนก็ต่อเมื่อจุดออกมีค่าต่ำกว่าจุดเข้าหรือจุดที่เวลาถูกรีเซ็ต", + "2144609616": "หากคุณเลือก \"Reset-Down” คุณจะได้รับเงินตอบแทนก็ต่อเมื่อจุดออกมีค่าต่ำกว่าจุดเข้าหรือจุดที่เวลาถูกรีเซ็ต", "2145690912": "การรับรายได้", "2145995536": "สร้างบัญชีใหม่", "2146336100": "ในข้อความ %1 ได้รับ %2", @@ -1801,7 +1797,7 @@ "-922751756": "น้อยกว่า 1 ปี", "-542986255": "ไม่มี", "-1337206552": "ตามความเข้าใจของคุณ การเทรด CFD ช่วยให้คุณ", - "-315578028": "วางเดิมพันเกี่ยวกับการเคลื่อนไหวของราคาสินทรัพย์ที่ซึ่งผลลัพธ์นั้นจะเป็นผลตอบแทนคงที่หรือจะไม่ได้อะไรเลย", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "ลงทุนระยะยาวเพื่อรับประกันผลกำไร", "-1546090184": "เลเวเรจมีผลต่อการเทรด CFD อย่างไร", "-1636427115": "เลเวเรจช่วยลดความเสี่ยง", @@ -1930,7 +1926,7 @@ "-1598751496": "แสดงถึงจำนวนสูงที่สุดของสัญญาที่คุณอาจจะซื้อได้ในวันทำการเทรดใดๆ", "-1359847094": "ขีดจำกัดการซื้อขาย - มูลค่าการซื้อขายสูงสุดต่อวัน", "-1502578110": "บัญชีของคุณได้รับการยืนยันตัวตนอย่างสมบูรณ์ และวงเงินการถอนเงินของคุณได้ถูกยกเลิกแล้ว", - "-138380129": "Total withdrawal allowed", + "-138380129": "ยอดการถอนเงินทั้งหมดที่ได้อนุญาตแล้ว", "-854023608": "หากต้องการเพิ่มขีดจำกัด โปรดยืนยันตัวตนของคุณ", "-1500958859": "ยืนยัน", "-1662154767": "ใบแจ้งหนี้ค่าสาธารณูปโภคล่าสุด (เช่น ไฟฟ้า น้ำ แก๊ส โทรศัพท์หรืออินเทอร์เน็ต) ใบแจ้งยอดบัญชีธนาคาร หรือจดหมายที่ออกโดยรัฐบาลที่แสดงชื่อของคุณและที่อยู่นี้", @@ -1957,11 +1953,11 @@ "-32386760": "ชื่อ", "-1120954663": "ชื่อตัว*", "-1659980292": "ชื่อตัว", - "-766265812": "first name", + "-766265812": "ชื่อตัว", "-1857534296": "จอห์น", - "-1282749116": "last name", + "-1282749116": "นามสกุล", "-1485480657": "รายละเอียดอื่นๆ", - "-1784741577": "date of birth", + "-1784741577": "วันเดือนปีเกิด", "-1315571766": "สถานที่เกิด", "-2040322967": "สัญชาติ", "-1692219415": "ถิ่นที่อยู่ที่เสียภาษี", @@ -2006,8 +2002,6 @@ "-1664309884": "คลิกที่นี่เพื่ออัปโหลด", "-1725454783": "ล้มเหลว", "-839094775": "กลับ", - "-337979330": "เราไม่สามารถยืนยันหลักฐานยืนยันตัวตนของคุณได้", - "-706528101": "เพื่อเป็นการป้องกันไว้ก่อนเราได้ปิดการซื้อขายการฝากและการถอนสำหรับบัญชีนี้ หากคุณมีคำถามใด ๆ โปรดไปที่ <0>ศูนย์ช่วยเหลือของเรา.", "-856213726": "คุณต้องส่งหลักฐานยืนยันที่อยู่ของคุณอีกด้วย", "-1389323399": "คุณควรป้อน {{min_number}}-{{max_number}} อักขระ", "-1313806160": "โปรดขอรหัสผ่านใหม่และตรวจสอบอีเมล์ของคุณเพื่อรับโทเคนใหม่", @@ -2286,7 +2280,7 @@ "-203002433": "ฝากเงินตอนนี้", "-720315013": "คุณไม่มีเงินในบัญชี {{currency}} ของคุณ", "-2052373215": "โปรดทำการฝากเงินเพื่อใช้ฟีเจอร์ลูกเล่นอันนี้", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "{{selected_percentage}}% ของยอดเงินคงเหลือที่ใช้ได้ ({{format_amount}} {{currency__display_code}})", "-299033842": "ธุรกรรมล่าสุด", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} เมื่อ {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "คุณจะไม่ถูกเรียกเก็บค่าธรรมเนียมการโอนสำหรับการโอนเงินในสกุลเงินเดียวกันระหว่างบัญชีเงินตรารัฐบาล Deriv และบัญชี {{platform_name_mt5}} ของคุณ", "-599632330": "เราจะเรียกเก็บค่าธรรมเนียมการโอน 1% สำหรับการโอนเงินในสกุลเงินต่างๆ ระหว่างบัญชีเงินเฟียต Deriv และบัญชี {{platform_name_mt5}} และระหว่างบัญชีเงินเฟียต Deriv และบัญชี {{platform_name_dxtrade}}", "-1196994774": "เราจะเรียกเก็บค่าธรรมเนียมการโอน 2% หรือ {{minimum_fee}} {{currency}} แล้วแต่จำนวนใดจะสูงกว่า สำหรับการโอนเงินระหว่างบัญชีสกุลเงินดิจิทัล Deriv ของคุณ", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "เราจะเรียกเก็บค่าธรรมเนียมการโอน 2% หรือ {{minimum_fee}} {{currency}} โดยแล้วแต่ว่าจำนวนใดจะสูงกว่ากัน สำหรับการโอนเงินระหว่างบัญชีสกุลเงินดิจิทัล Deriv และบัญชี DMT5 ของคุณและระหว่างบัญชีสกุลเงินดิจิทัล Deriv และบัญชี {{platform_name_dxtrade}} ของคุณ", "-1382702462": "เราจะเรียกเก็บค่าธรรมเนียมการโอน 2% หรือ {{minimum_fee}} {{currency}} โดยแล้วแต่ว่าจำนวนใดจะสูงกว่ากัน สำหรับการโอนเงินระหว่างบัญชีสกุลเงินดิจิทัล Deriv และบัญชี DMT5 ของคุณ", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "วงเงินสำหรับการโอนอาจแตกต่างกันไปขึ้นอยู่กับอัตราแลกเปลี่ยน", "-1747571263": "โปรดทราบว่า บางการโอนอาจจะไม่สามารถทำได้", "-757062699": "การโอนอาจจะไม่สามารถใช้ได้เนื่องจากความผันผวนสูงหรือปัญหาทางเทคนิคและเมื่อตลาดแลกเปลี่ยนปิดทำการ", @@ -2341,6 +2332,7 @@ "-451858550": "การคลิก \"ดำเนินการต่อ\" จะนำคุณเปลี่ยนเส้นทางไปยัง {{ service }} ที่เป็นบุคคลภายนอกผู้ให้บริการชำระเงิน โปรดทราบว่า {{ website_name }} จะไม่รับผิดชอบต่อเนื้อหาหรือบริการที่จัดทำโดย {{ service }} ดังนั้น หากคุณพบปัญหาเกี่ยวกับการบริการของ {{ service }} คุณต้องทำการติดต่อ {{ service }} โดยตรง", "-2005265642": "การแปลงเงินตรารัฐบาลเป็นคริปโตหรือที่เรียกว่า เฟียต ออนรัมป์ (Fiat onramp) นั้นเป็นบริการแคชเชียร์ที่ให้คุณแปลงสกุลเงินตรารัฐบาลหรือเงินเฟียตไปเป็นเงินสกุลดิจิทัลเพื่อเติมเงินในบัญชี Deriv crypto ของคุณ เราได้ลิสต์บริการแลกเปลี่ยนเงินคริปโตโดยบุคคลที่สามไว้ตรงนี้ ซึ่งคุณจะต้องสร้างบัญชีกับพวกเขาเพื่อใช้บริการของพวกเขา", "-1593063457": "เลือกช่องทางการชําระเงิน", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "ที่อยู่อีวอลเล็ทของคุณควรมีอักขระ 25 ถึง 64 ตัว", "-1707299138": "ที่อยู่วอลเล็ท {{currency_symbol}} ของคุณ", "-38063175": "วอลเล็ทหรือกระเป๋าเงินอิเล็กทรอนิกส์ของ {{account_text}}", @@ -2594,7 +2586,6 @@ "-328128497": "Financial", "-533935232": "Financial BVI", "-565431857": "ทางการเงิน ลาบวน", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "ดูการแจ้งเตือน", "-1954045170": "ไม่ได้กำหนดสกุลเงิน", "-583559763": "เมนู", + "-1922462747": "Trader's hub", "-1591792668": "วงเงินในบัญชี", "-34495732": "ข้อมูลเกี่ยวกับกฎระเบียบ", "-1496158755": "ไปที่ Deriv.com", - "-1166971814": "เบต้าศูนย์กลางของเทรดเดอร์", "-2094580348": "ขอบคุณที่ยืนยันอีเมล์ของคุณ", "-1396326507": "ขออภัย {{website_name}} ไม่มีให้บริการในประเทศของคุณ", "-1019903756": "Synthetic", @@ -2915,7 +2906,7 @@ "-1300381594": "รับเครื่องมือการเทรด Acuity", "-860609405": "รหัสผ่าน", "-742647506": "การโอนเงิน", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "ทำการเทรด CFDs ในดัชนีสังเคราะห์ ดัชนีตะกร้า และสินทรัพย์เดริฟ​ FX ของเรา", "-1357917360": "เว็บเทอร์มินัล", "-1454896285": "แอป MT5 บนคอมพิวเตอร์เดสก์ท็อปนั้นไม่รองรับ Windows XP, Windows 2003, และ Windows Vista", "-810388996": "ดาวน์โหลดแอป Deriv X ในมือถือ", @@ -3157,7 +3148,7 @@ "-525321833": "1 วัน", "-1691868913": "แตะ/ไม่แตะ", "-151151292": "ภูมิภาคเอเชีย", - "-1048378719": "รีเซ็ตการซื้อ/รีเซ็ตการขาย", + "-1048378719": "Reset Call/Reset Put", "-1282312809": "ค่า tick สูง/ค่า tick ต่ำ", "-1237186896": "ขึ้นเท่านั้น/ลงเท่านั้น", "-529846150": "วินาที", @@ -3299,12 +3290,12 @@ "-2105753391": "แจ้งข้อความ Telegram {{ dummy }} โทเคนการเข้าถึง: {{ input_access_token }} แชทไอดี: {{ input_chat_id }} ข้อความ: {{ input_message }}", "-1008209188": "ส่งข้อความให้เทเลแกรม", "-1218671372": "แสดงการแจ้งเตือนและเล่นเสียงเตือนที่เลือกไว้", - "-2099284639": "บล็อกนี้ให้ผลรวม กำไร/ขาดทุน จากการใช้กลยุทธ์การซื้อขายของคุณตั้งแต่บอทของคุณเริ่มทำงาน ทั้งนี้คุณสามารถผลในบล๊อกนี้ได้โดยคลิก \"ล้างสถิติ\" บนหน้าต่างงานที่แสดงสถิติธุรกรรมหรือโดยการรีเฟรชหน้านี้ในเบราว์เซอร์ของคุณ", + "-2099284639": "บล็อกนี้ให้ผลรวม กำไร/ขาดทุน จากการใช้กลยุทธ์การซื้อขายของคุณตั้งแต่บอทของคุณเริ่มทำงาน ทั้งนี้คุณสามารถรีเซ็ตผลในบล๊อกนี้ได้โดยคลิก \"ล้างสถิติ\" บนหน้าต่างที่แสดงสถิติธุรกรรมหรือโดยการรีเฟรชหน้านี้ในเบราว์เซอร์ของคุณ", "-683825404": "สตริงผลกำไรรวม", "-718220730": "คำอธิบายสตริงผลกำไรรวม", "-1861858493": "จำนวนรอบการทำงาน", "-264195345": "คืนค่าจำนวนรอบการทำงาน", - "-303451917": "บล็อกนี้ให้จำนวนครั้งทั้งหมดที่บอทของคุณทำงาน คุณสามารถรีเซ็ตได้โดยคลิก \"ล้างสถิติ\" บนหน้าต่างงานที่แสดงสถิติธุรกรรมหรือโดยการรีเฟรชหน้านี้ในเบราว์เซอร์ของคุณ", + "-303451917": "บล็อกนี้ให้จำนวนครั้งทั้งหมดที่บอทของคุณทำงาน คุณสามารถรีเซ็ตได้โดยคลิก \"ล้างสถิติ\" บนหน้าต่างที่แสดงสถิติธุรกรรมหรือโดยการรีเฟรชหน้านี้ในเบราว์เซอร์ของคุณ", "-2132861129": "บล็อกตัวช่วยการแปลง", "-74095551": "วินาทีตั้งแต่จุดมาตรฐานเวลา Epoch", "-15528039": "คืนค่าเป็นจำนวนวินาทีตั้งแต่วันที่ 1 มกราคม 1970", diff --git a/packages/translations/src/translations/tr.json b/packages/translations/src/translations/tr.json index 306a9b5f4669..a516027a3cf3 100644 --- a/packages/translations/src/translations/tr.json +++ b/packages/translations/src/translations/tr.json @@ -182,7 +182,6 @@ "248909149": "Telefonunuza güvenli bir bağlantı gönder", "249908265": "{{- residence}} vatandaşı mısınız?", "251134918": "Hesap bilgileri", - "251322536": "Deriv EZ accounts", "251445658": "Koyu tema", "251882697": "Teşekkür ederim! Cevabınız sistemimize kaydedildi. Devam etmek için<0/><0/> lütfen 'Tamam' düğmesine tıklayın.", "254912581": "Bu blok EMA'ya benziyor, ancak size giriş listesine ve verilen süreye göre tüm EMA hattını verir.", @@ -1247,7 +1246,6 @@ "1584109614": "Tikler Dizesi Listesi", "1584578483": "50'den fazla varlık: forex, hisse senetleri, hisse senedi endeksleri, sentetik endeksler ve kripto para birimleri.", "1584936297": "XML dosyası desteklenmeyen öğeler içeriyor. Lütfen dosyayı kontrol edin veya değiştirin.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "O ülkedeki belgeler şu anda desteklenmiyor — başka bir belge türü deneyin", "1589640950": "Bu sözleşmenin yeniden satışa sunulması sunulmamaktadır.", "1589702653": "Adres kanıtı", @@ -1345,7 +1343,6 @@ "1714255392": "Para çekme işlemlerini etkinleştirmek için lütfen finansal değerlendirmenizi tamamlayın.", "1715011380": "Jump 25 Endeksi", "1715630945": "Toplam kârı dize formatında verir", - "1718109065": "Ticaret Merkezi", "1719248689": "EUR/GBP/USD", "1720451994": "Deriv fiat ve Deriv kripto para hesaplarınız arasındaki transferler için %2 transfer ücreti veya {{minimum_fee}} {{currency}}, hangisi yüksekse, ücret talep edeceğiz.", "1720968545": "Bilgisayarınızdan pasaport fotoğraf sayfası yükleyin", @@ -1404,7 +1401,6 @@ "1778893716": "Buraya tıklayın", "1779519903": "Geçerli bir sayı olmalıdır.", "1780770384": "Bu blok size 0.0 ile 1.0 arasında rastgele bir fraksiyon verir.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Hızlı strateji", "1782395995": "Son Basamak Tahmini", "1782690282": "Bloklar menüsü", @@ -1801,7 +1797,7 @@ "-922751756": "Bir yıldan az", "-542986255": "Hiçbiri", "-1337206552": "Anlayışınıza göre, CFD ticareti şunları yapmanızı sağlar", - "-315578028": "Sonuçların sabit bir getiri olduğu veya hiçbir şey olmadığı bir varlığın fiyat hareketine bahis yapın.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Garantili bir kar için uzun vadeli bir yatırım yapın.", "-1546090184": "Kaldıraç CFD ticaretini nasıl etkiler?", "-1636427115": "Kaldıraç riski azaltmaya yardımcı olur.", @@ -2006,8 +2002,6 @@ "-1664309884": "Yüklemek için buraya basın", "-1725454783": "Başarısız oldu", "-839094775": "Geri", - "-337979330": "Kimlik kanıtınızı doğrulayamadık", - "-706528101": "Önlem olarak bu hesap için alım satım, para yatırma ve para çekme işlemlerini devre dışı bıraktık. Herhangi bir sorunuz varsa, lütfen Yardım Merkezi'ne gidin.<0>Yardım Merkezi.", "-856213726": "Ayrıca bir adres kanıtı da göndermeniz gerekir.", "-1389323399": "{{min_number}} - {{max_number}} karakter girmelisiniz.", "-1313806160": "Lütfen yeni bir parola isteyin ve yeni token için e-postanızı kontrol edin.", @@ -2306,11 +2300,8 @@ "-2056016338": "Deriv fiat ve {{platform_name_mt5}} hesaplarınız arasında ayrı ayrı para birimindeki transferler için sizden transfer ücreti alınmaz.", "-599632330": "Deriv fiat ve {{platform_name_mt5}} hesaplarınız arasında ve Deriv fiat ve {{platform_name_dxtrade}} hesaplarınız arasında farklı para birimindeki transferler için %1 transfer ücreti alırız.", "-1196994774": "Deriv kripto para hesaplarınız arasındaki transferler için %2 transfer ücreti veya {{minimum_fee}} {{currency}}, hangisi daha yüksekse, tahsil edeceğiz.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts and between your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-1382702462": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Transfer limitleri döviz kurlarına bağlı olarak değişiklik gösterebilir.", "-1747571263": "Bazı transferlerin mümkün olmayabileceğini lütfen unutmayın.", "-757062699": "Transferler, yüksek volatilite veya teknik sorunlar nedeniyle ve döviz piyasaları kapalı olduğunda kullanılamayabilir.", @@ -2341,6 +2332,7 @@ "-451858550": "'Devam'a tıklayarak, üçüncü taraf bir ödeme hizmeti sağlayıcısı olan {{ service }} konumuna yönlendirileceksiniz. {{ website_name }}'in {{ service }} tarafından sağlanan içerik veya hizmetlerden sorumlu olmadığını lütfen unutmayın. {{ service }} hizmetleriyle ilgili herhangi bir sorunla karşılaşırsanız, doğrudan {{ service }} ile iletişime geçmelisiniz.", "-2005265642": "Fiat onramp, Deriv kripto hesaplarınızı yüklemek için itibari para birimlerini kripto para birimlerine dönüştürmenizi sağlayan bir kasiyer hizmetidir. Burada üçüncü taraf kripto borsaları listelenmiştir. Hizmetlerini kullanmak için onlarla bir hesap oluşturmanız gerekir.", "-1593063457": "Ödeme kanalı seç", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "Cüzdan adresinizin 25 ila 64 karakteri olmalıdır.", "-1707299138": "{{currency_symbol}} cüzdan adresiniz", "-38063175": "{{account_text}} cüzdan", @@ -2594,7 +2586,6 @@ "-328128497": "Finansal", "-533935232": "Finansal BVI", "-565431857": "Finansal Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Bildirimleri görüntüleyin", "-1954045170": "Atanmış para birimi yok", "-583559763": "Menü", + "-1922462747": "Trader's hub", "-1591792668": "Hesap Limitleri", "-34495732": "Düzenleyici bilgiler", "-1496158755": "Deriv.com'a git", - "-1166971814": "Trader merkezi beta", "-2094580348": "E-postanızı doğruladığınız için teşekkür ederiz", "-1396326507": "Maalesef {{website_name}} ülkenizde kullanılamıyor.", "-1019903756": "Sentetik", diff --git a/packages/translations/src/translations/vi.json b/packages/translations/src/translations/vi.json index f755116bae7e..18164c958658 100644 --- a/packages/translations/src/translations/vi.json +++ b/packages/translations/src/translations/vi.json @@ -182,7 +182,6 @@ "248909149": "Gửi đường dẫn an toàn tới điện thoại", "249908265": "Bạn có phải là công dân tại {{- residence}}?", "251134918": "Thông tin tài khoản", - "251322536": "Deriv EZ accounts", "251445658": "Nền tối", "251882697": "Cảm ơn bạn! Phản hồi của bạn đã được ghi lại vào hệ thống của chúng tôi.<0/><0/> Vui lòng nhấp vào “OK” để tiếp tục.", "254912581": "Khung này tương tự như EMA, ngoại trừ việc nó cung cấp cho bạn toàn bộ dòng EMA dựa trên danh sách đầu vào và khoảng thời gian nhất định.", @@ -1247,7 +1246,6 @@ "1584109614": "Danh sách chuỗi Ticks", "1584578483": "Hơn 50 tài sản: forex, cổ phiếu, chỉ số chứng khoán, chỉ số tổng hợp và cryptocurrencies.", "1584936297": "Tệp XML chứa các yếu tố không được hỗ trợ. Vui lòng kiểm tra hoặc sửa đổi tập tin.", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "Tài liệu từ quốc gia này hiện tại chưa được hỗ trợ — thử loại tài liệu khác", "1589640950": "Bán lại hợp đồng này không được hỗ trợ.", "1589702653": "Xác minh địa chỉ", @@ -1345,7 +1343,6 @@ "1714255392": "Để bật tính năng rút tiền, vui lòng hoàn tất đánh giá tài chính của bạn.", "1715011380": "Chỉ số Jump 25", "1715630945": "Trả về tổng lợi nhuận ở định dạng chuỗi", - "1718109065": "Hub giao dịch", "1719248689": "EUR/GBP/USD", "1720451994": "Chúng tôi sẽ tính phí chuyển khoản 2% hoặc {{minimum_fee}} {{currency}}, tùy theo mức nào cao hơn, đối với chuyển khoản giữa tài khoản tiền pháp định và tiền kỹ thuật số Deriv của bạn.", "1720968545": "Tải ảnh hộ chiếu của bạn từ máy tính", @@ -1404,7 +1401,6 @@ "1778893716": "Bấm vào đây", "1779519903": "Nên là một số hợp lệ.", "1780770384": "Khung này cung cấp cho bạn một phân số ngẫu nhiên trong khoảng từ 0.0 đến 1.0.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "Chiến lược nhanh", "1782395995": "Dự đoán Chữ số Cuối cùng", "1782690282": "Menu Khung", @@ -1801,7 +1797,7 @@ "-922751756": "Chưa đầy một năm", "-542986255": "Không có", "-1337206552": "Theo hiểu biết của bạn, giao dịch CFD cho phép bạn", - "-315578028": "Đặt cược vào biến động giá của một tài sản mà kết quả là lợi nhuận cố định hoặc không có gì cả.", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "Thực hiện một khoản đầu tư dài hạn cho một lợi nhuận được đảm bảo.", "-1546090184": "Đòn bẩy ảnh hưởng đến giao dịch CFD như thế nào?", "-1636427115": "Leverage giúp giảm thiểu rủi ro.", @@ -2006,8 +2002,6 @@ "-1664309884": "Nhấn vào đây để tải lên", "-1725454783": "Thất bại", "-839094775": "Trở lại", - "-337979330": "Chúng tôi không thể xác minh xác nhận danh tính của bạn", - "-706528101": "Để đề phòng, chúng tôi đã vô hiệu hóa hoạt động giao dịch, gửi tiền và rút tiền cho tài khoản này. Nếu bạn có bất kỳ câu hỏi nào, vui lòng truy cập Trung tâm trợ giúp của chúng tôi.<0> Trung tâm trợ giúp .", "-856213726": "Bạn cũng cần gửi một bản xác minh địa chỉ.", "-1389323399": "Bạn nên nhập vào khoảng {{min_number}}-{{max_number}} ký tự.", "-1313806160": "Vui lòng yêu cầu một mật khẩu mới và kiểm tra email để nhận token mới.", @@ -2306,11 +2300,8 @@ "-2056016338": "Bạn sẽ không bị tính phí chuyển tiền đối với các chuyển khoản bằng cùng một loại tiền tệ giữa tài khoản Deriv fiat và {{platform_name_mt5}} của mình.", "-599632330": "Chúng tôi sẽ tính phí chuyển khoản 1% đối với các giao dịch chuyển tiền bằng các đơn vị tiền tệ khác nhau giữa tài khoản tiền pháp định Deriv và {{platform_name_mt5}} cũng như giữa tài khoản tiền pháp định Deriv và {{platform_name_dxtrade}}.", "-1196994774": "Chúng tôi sẽ tính phí chuyển khoản 2% hoặc {{minimum_fee}} {{currency}}, tùy theo mức nào cao hơn, đối với chuyển khoản giữa các tài khoản tiền kỹ thuật số Deriv của bạn.", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Chúng tôi sẽ tính phí chuyển khoản 2% hoặc {{minimum_fee}} {{currency}}, tùy theo mức nào cao hơn, đối với chuyển khoản giữa tài khoản tiền điện tử Deriv và tài khoản Deriv MT5 cũng như giữa tài khoản tiền điện tử Deriv và tài khoản {{platform_name_dxtrade}} của bạn.", "-1382702462": "Chúng tôi sẽ tính phí chuyển khoản 2% hoặc {{minimum_fee}} {{currency}}, tùy theo mức nào cao hơn, đối với chuyển khoản giữa tài khoản tiền điện tử Deriv và tài khoản Deriv MT5 của bạn.", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "Giới hạn chuyển khoản có thể thay đổi tùy thuộc vào tỷ giá hối đoái.", "-1747571263": "Xin lưu ý rằng một số chuyển khoản có thể không thực hiện được.", "-757062699": "Việc chuyển tiền có thể không khả dụng do sự biến động cao hoặc các vấn đề kỹ thuật và khi thị trường hối đoái đóng cửa.", @@ -2341,6 +2332,7 @@ "-451858550": "Bằng cách nhấp vào 'Tiếp tục', bạn sẽ được chuyển hướng đến {{ service }}, một nhà cung cấp dịch vụ thanh khoản bên thứ ba. Xin lưu ý rằng {{ website_name }} không chịu trách nhiệm cho các nội dung hoặc dịch vụ được cung cấp bởi {{ service }}. Nếu bạn gặp bất kỳ sự cố nào liên quan đến các dịch vụ của {{ service }}, bạn phải liên hệ trực tiếp với {{ service }}.", "-2005265642": "Fiat onramp là một dịch vụ thu ngân cho phép bạn đổi tiền pháp định sang tiền điện tử để nạp vào tài khoản tiền điện tử Deriv của bạn. Được liệt kê ở đây là các sàn giao dịch tiền điện tử của bên thứ ba. Bạn sẽ cần tạo một tài khoản với họ để sử dụng dịch vụ của họ.", "-1593063457": "Chọn kênh thanh toán", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "Địa chỉ ví của bạn cần có từ 25 đến 64 ký tự.", "-1707299138": "Địa chỉ ví tiền {{currency_symbol}} của bạn", "-38063175": "Ví tiền {{account_text}}", @@ -2594,7 +2586,6 @@ "-328128497": "Tài chính", "-533935232": "BVI tài chính", "-565431857": "Tài chính Labuan", - "-1290112064": "Deriv EZ", "-1669418686": "AUD/CAD", "-1548588249": "AUD/CHF", "-1552890620": "AUD/JPY", @@ -2745,10 +2736,10 @@ "-1823504435": "Xem thông báo", "-1954045170": "Không có loại tiền nào được chỉ định", "-583559763": "Menu", + "-1922462747": "Trader's hub", "-1591792668": "Giới hạn Tài khoản", "-34495732": "Thông tin pháp lý", "-1496158755": "Đi tới Deriv.com", - "-1166971814": "Beta hub của Trader", "-2094580348": "Cảm ơn đã xác thực email của bạn", "-1396326507": "Rất tiếc, {{website_name}} không khả dụng ở quốc gia của bạn.", "-1019903756": "Tổng hợp", diff --git a/packages/translations/src/translations/zh_cn.json b/packages/translations/src/translations/zh_cn.json index 8cf019bbfb77..e556804ec4fa 100644 --- a/packages/translations/src/translations/zh_cn.json +++ b/packages/translations/src/translations/zh_cn.json @@ -182,7 +182,6 @@ "248909149": "发送安全链接到您的手机", "249908265": "您是 {{- residence}} 的公民吗?", "251134918": "账户信息", - "251322536": "Deriv EZ accounts", "251445658": "深色主题", "251882697": "谢谢!您的回复已记录到系统中。<0/><0/>请单击 “确定” 继续。", "254912581": "此程序块与指数平均数指标(EMA)相似,除此以外,它也根据输入列表和指定周期给您提供整个EMA线。", @@ -524,7 +523,7 @@ "677918431": "市场: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "单位", "680334348": "需要此程序块以正确转换您的旧策略。", - "680478881": "Total withdrawal limit", + "680478881": "提款总限额", "681926004": "模糊不清文档的示例", "682056402": "标准偏差下跌乘数{{ input_number }}", "684282133": "交易工具", @@ -844,7 +843,7 @@ "1082406746": "请输入大于{{min_stake}} 的投注额。", "1083781009": "税务编号*", "1083826534": "启用程序块", - "1086118495": "Traders Hub", + "1086118495": "交易者中心", "1088138125": "跳动价位{{current_tick}} - ", "1096175323": "需要有 Deriv 账户", "1098147569": "购买大宗商品或公司股票。", @@ -1247,7 +1246,6 @@ "1584109614": "跳动点字符串列表", "1584578483": "50多种资产:外汇、股票、股票指数、综合指数和加密货币。", "1584936297": "XML文件包含不受支持的元素。请检查或修改文件。", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "当前不支持该国家/地区的文档-尝试其他文档类型", "1589640950": "此合约不提供转售。", "1589702653": "地址证明", @@ -1345,7 +1343,6 @@ "1714255392": "要启用提款,请完成财务评估。", "1715011380": "上跳 25 指数", "1715630945": "以字符串格式返回总利润", - "1718109065": "交易中心", "1719248689": "欧元/英镑/美元", "1720451994": "Deriv 法定货币和 Deriv 加密货币账户之间的转账,我们将收取 2% 转账费或 {{minimum_fee}} {{currency}},以较高者为准。", "1720968545": "从电脑上传含照片的护照页面", @@ -1404,7 +1401,6 @@ "1778893716": "请单击此处", "1779519903": "必须是有效号码。", "1780770384": "此程序块提供0.0 至 1.0范围内的随机分数.", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "快速策略", "1782395995": "最后数字的预测", "1782690282": "程序块菜单", @@ -1801,7 +1797,7 @@ "-922751756": "不到一年", "-542986255": "没有", "-1337206552": "据您了解,差价合约交易允许", - "-315578028": "押注资产的价格走势,其结果是固定回报或根本没有收益。", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "进行长期投资以获得有保障的利润。", "-1546090184": "杠杆如何影响差价合约交易?", "-1636427115": "杠杆帮助降低风险。", @@ -1930,7 +1926,7 @@ "-1598751496": "表示任一既定交易日您可以买入的最大合约数量。", "-1359847094": "交易限制 - 每日最大交易量", "-1502578110": "您的账户已经得到完全验证,且您的取款限额已经取消。", - "-138380129": "Total withdrawal allowed", + "-138380129": "允许提款总额", "-854023608": "要添加禁止限额,请验证身份", "-1500958859": "验证", "-1662154767": "近期的水电费账单(例如电费、水费、煤气费、固定电话费或互联网费),银行对账单或政府签发的带有您的姓名和地址的信件。", @@ -1957,11 +1953,11 @@ "-32386760": "名称", "-1120954663": "名*", "-1659980292": "名", - "-766265812": "first name", + "-766265812": "名字", "-1857534296": "John", - "-1282749116": "last name", + "-1282749116": "姓氏", "-1485480657": "其他详细资料", - "-1784741577": "date of birth", + "-1784741577": "出生日期", "-1315571766": "出生地点", "-2040322967": "公民身份", "-1692219415": "纳税居住地", @@ -2006,8 +2002,6 @@ "-1664309884": "点击此处上传", "-1725454783": "失败", "-839094775": "返回", - "-337979330": "您的身份证明无法验证", - "-706528101": "为了预防起见,我们已禁用该账户的交易、存款和取款。如有任何疑问,请访问我们的帮助中心。<0>帮助中心.", "-856213726": "您还必须提交地址证明。", "-1389323399": "您必须输入{{min_number}} - {{max_number}} 个字符。", "-1313806160": "请请求新密码及检查提供新令牌的电子邮件。", @@ -2286,7 +2280,7 @@ "-203002433": "立刻存款", "-720315013": "您的{{currency}} 账户没有资金", "-2052373215": "请先存款以使用此功能。", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "可用余额{{format_amount}}{{currency__display_code}} 的{{selected_percentage}}%", "-299033842": "最近的交易", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} 于 {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Deriv 法定货币和 {{platform_name_mt5}} 账户之间相同货币转账,我们不收转账费。", "-599632330": "Deriv 法定货币和 {{platform_name_mt5}} 账户之间以及 Deriv 法定货币和 {{platform_name_dxtrade}} 账户之间不同货币转账,我们将收1%转账费。", "-1196994774": "Deriv 加密货币账户之间的转账,我们将收取 2% 转账费或 {{minimum_fee}} {{currency}},以较高者为准。", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Deriv 加密货币和 Deriv MT5 账户之间以及 Deriv 加密货币和 {{platform_name_dxtrade}} 账户之间的转账,我们将收取 2% 转账费或 {{minimum_fee}} {{currency}},以较高者为准。", "-1382702462": "Deriv 加密货币和 Deriv MT5 账户之间的转账,我们将收取 2% 转账费或 {{minimum_fee}} {{currency}},以较高者为准。", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "转账限制可能因汇率而更改。", "-1747571263": "请记住,某些转账可能无法进行。", "-757062699": "由于高波动率或技术问题以及交易市场关闭,可能无法转账。", @@ -2341,6 +2332,7 @@ "-451858550": "通过单击“继续”,您将被重定向到第三方付款服务提供商{{service}}。请注意,{{website_name}} 对{{service}} 提供的内容或服务概不负责。如果遇到与{{service}} 服务相关的任何问题,您必须直接与{{service}} 联系。", "-2005265642": "Fiat onramp 是一种收银服务,可让您将法定货币转换为加密货币以对 Deriv 加密货币账户充值。这里列出了第三方加密货币兑换所。您需与他们开立账户才能使用其服务。", "-1593063457": "选择付款渠道", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "钱包地址需有25至64个字符。", "-1707299138": "您的{{currency_symbol}} 钱包地址", "-38063175": "{{account_text}} 钱包", @@ -2594,7 +2586,6 @@ "-328128497": "金融", "-533935232": "金融 BVI", "-565431857": "金融纳闽", - "-1290112064": "Deriv EZ", "-1669418686": "澳元/加元", "-1548588249": "澳元/瑞士法郎", "-1552890620": "澳元/日元", @@ -2745,10 +2736,10 @@ "-1823504435": "查看通知", "-1954045170": "未分配币种", "-583559763": "菜单", + "-1922462747": "Trader's hub", "-1591792668": "账户限额", "-34495732": "监管信息", "-1496158755": "前往 Deriv.com", - "-1166971814": "交易者中心测试版", "-2094580348": "谢谢您验证了电子邮件", "-1396326507": "对不起,您的所在国不可用{{website_name}}。", "-1019903756": "综合", @@ -2915,7 +2906,7 @@ "-1300381594": "获取 Acuity 交易工具", "-860609405": "密码", "-742647506": "资金转汇", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "交易综合资产、篮子和衍生外汇差价合约。", "-1357917360": "Web 终端", "-1454896285": "Windows XP、Windows 2003 和 Windows Vista不支持 MT5 桌面应用程序。", "-810388996": "下载 Deriv X 移动应用程序", diff --git a/packages/translations/src/translations/zh_tw.json b/packages/translations/src/translations/zh_tw.json index 732df6cd8029..60023d0353cf 100644 --- a/packages/translations/src/translations/zh_tw.json +++ b/packages/translations/src/translations/zh_tw.json @@ -182,7 +182,6 @@ "248909149": "傳送安全連結到您的手機", "249908265": "您是 {{- residence}} 的公民嗎?", "251134918": "帳戶資訊", - "251322536": "Deriv EZ accounts", "251445658": "深色主題", "251882697": "謝謝!您的回覆已記錄到系統中,<0/><0/>請按「確定」繼續。", "254912581": "此區塊與指數平均數指標(EMA)相似,除此以外,它也根據輸入清單和指定週期給您提供整個EMA線。", @@ -524,7 +523,7 @@ "677918431": "市場: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", "678517581": "單位", "680334348": "需要此區塊以正確轉換舊策略。", - "680478881": "Total withdrawal limit", + "680478881": "提款總限額", "681926004": "模糊不清文檔的示例", "682056402": "標準偏差下跌乘數 {{ input_number }}", "684282133": "交易工具", @@ -844,7 +843,7 @@ "1082406746": "請輸入大於 {{min_stake}} 的投注額。", "1083781009": "稅務編號*", "1083826534": "啟用區塊", - "1086118495": "Traders Hub", + "1086118495": "交易者中心", "1088138125": "跳動價位 {{current_tick}} - ", "1096175323": "需要有 Deriv 帳戶", "1098147569": "購買大宗商品或公司股票。", @@ -1247,7 +1246,6 @@ "1584109614": "跳動點字串清單", "1584578483": "50 多種資產:外匯,股票,股票指數,綜合指數和加密貨幣。", "1584936297": "XML文件包含不受支援的元素。請檢查或修改文件。", - "1585859194": "We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts, and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1587046102": "目前不支援該國家/地區的文檔 — 嘗試其他文檔類型", "1589640950": "此合約不提供轉售。", "1589702653": "地址證明", @@ -1345,7 +1343,6 @@ "1714255392": "若要啟用提款功能,請完成財務評估。", "1715011380": "上跳 25 指數", "1715630945": "以字串格式返回總利潤", - "1718109065": "交易中心", "1719248689": "歐元/英鎊/美元", "1720451994": "Deriv 法定貨幣和 Deriv 加密貨幣帳戶之間的轉帳,將收取 2% 轉帳費或 {{minimum_fee}} {{currency}},以較高者為準。", "1720968545": "從電腦上傳含照片的護照頁面", @@ -1404,7 +1401,6 @@ "1778893716": "請按一下此處", "1779519903": "必須是有效號碼。", "1780770384": "此區塊提供 0.0 至 1.0 範圍內的隨機分數。", - "1781393492": "We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, your Deriv fiat and {{platform_name_derivez}} accounts and your Deriv fiat and {{platform_name_dxtrade}} accounts.", "1782308283": "快速策略", "1782395995": "最後數字的預測", "1782690282": "區塊功能表", @@ -1801,7 +1797,7 @@ "-922751756": "不到一年", "-542986255": "没有", "-1337206552": "根據您的理解,差價合約交易可以讓您", - "-315578028": "投注資產的價格變動,其結果是固定回報或根本沒有收益。", + "-456863190": "Place a position on the price movement of an asset where the outcome is a fixed return or nothing at all.", "-1314683258": "進行長期投資以獲得有保障的利潤。", "-1546090184": "槓桿如何影響差價合約交易?", "-1636427115": "槓桿幫助降低風險。", @@ -1930,7 +1926,7 @@ "-1598751496": "表示任一指定交易日可以買入的最大合約數量。", "-1359847094": "交易限制 - 每日最大交易量", "-1502578110": "帳戶已經得到完全驗證,且取款限額已經取消。", - "-138380129": "Total withdrawal allowed", + "-138380129": "允許提款總額", "-854023608": "要增加禁止限額請驗證身份", "-1500958859": "驗證", "-1662154767": "近期的水電費帳單(例如電費、水費、煤氣費、固定電話費或互聯網費),銀行對帳單或政府簽發的帶有姓名和地址的信件。", @@ -1957,11 +1953,11 @@ "-32386760": "名稱", "-1120954663": "名*", "-1659980292": "名", - "-766265812": "first name", + "-766265812": "名字", "-1857534296": "John", - "-1282749116": "last name", + "-1282749116": "姓氏", "-1485480657": "其他詳細資料", - "-1784741577": "date of birth", + "-1784741577": "出生日期", "-1315571766": "出生地", "-2040322967": "公民身份", "-1692219415": "納稅居住地", @@ -2006,8 +2002,6 @@ "-1664309884": "點選這裡上傳", "-1725454783": "失敗", "-839094775": "返回", - "-337979330": "身份證明無法驗證", - "-706528101": "為了預防起見,已禁用該帳戶的交易、存款和取款。如有任何疑問,請前往幫助中心。<0>幫助中心 .", "-856213726": "還需提交地址證明。", "-1389323399": "必須輸入{{min_number}} - {{max_number}} 個字元。", "-1313806160": "請請求新密碼及檢查內含新權杖的電子郵件。", @@ -2286,7 +2280,7 @@ "-203002433": "立刻存款", "-720315013": "{{currency}} 帳戶沒有資金", "-2052373215": "請先存款以使用此功能。", - "-379487596": "{{selected_percentage}}% of available balance ({{format_amount}} {{currency__display_code}})", + "-379487596": "可用餘額({{format_amount}} {{currency__display_code}}) 的{{selected_percentage}}%", "-299033842": "最近的交易", "-348296830": "{{transaction_type}} {{currency}}", "-1929538515": "{{amount}} {{currency}} 於 {{submit_date}}", @@ -2306,11 +2300,8 @@ "-2056016338": "Deriv 法定貨幣和 {{platform_name_mt5}} 帳戶之間相同貨幣轉帳,不收轉帳費。", "-599632330": "Deriv 法定貨幣和 {{platform_name_mt5}} 帳戶之間以及 Deriv 法定貨幣和 {{platform_name_dxtrade}} 帳戶之間的不同貨幣轉帳,將收取 1% 轉帳費。", "-1196994774": "Deriv 加密貨幣帳戶之間的轉帳,將收取 2% 轉帳費或 {{minimum_fee}} {{currency}},以較高者為準。", - "-1361372445": "We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts, your Deriv cryptocurrency and {{platform_name_derivez}} accounts, and your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.", "-993556039": "Deriv 加密貨幣和 Deriv MT5 帳戶之間以及 Deriv 加密貨幣和 {{platform_name_dxtrade}} 帳戶之間的轉帳,將收取 2% 轉帳費或 {{minimum_fee}} {{currency}},以較高者為準。", "-1382702462": "Deriv 加密貨幣和 Deriv MT5 帳戶之間的轉帳,我們將收取 2% 轉帳費或 {{minimum_fee}} {{currency}},以較高者為準。", - "-1995859618": "You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_derivez}} and {{platform_name_dxtrade}} accounts.", - "-545616470": "Each day, you can make up to {{ allowed_internal }} transfers between your Deriv accounts, up to {{ allowed_mt5 }} transfers between your Deriv and {{platform_name_mt5}} accounts, up to {{ allowed_derivez }} transfers between your Deriv and {{platform_name_derivez}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.", "-1151983985": "轉帳限制可能因匯率而更改。", "-1747571263": "請記住,某些轉帳可能無法進行。", "-757062699": "由於高波動率或技術問題以及交易市場關閉,可能無法轉帳。", @@ -2341,6 +2332,7 @@ "-451858550": "通過點選「繼續」,將被重新導向到第三方付款服務提供商{{service}}。請注意,{{website_name}} 對{{service}} 提供的內容或服務概不負責。如果遇到與{{service}} 服務相關的任何問題,必須直接與{{service}} 聯繫。", "-2005265642": "Fiat onramp 是一種收銀服務,可將法定貨幣轉換為加密貨幣以對 Deriv 加密貨幣賬戶充值。這裡列出了第三方加密貨幣兌換所。需與他們開立帳戶才能使用其服務。", "-1593063457": "選擇付款通道", + "-953082600": "Some payment methods may not be listed here but payment agents may still offer them. If you can’t find your favourite method, contact the payment agents directly to check further.", "-2004264970": "錢包地址需有25至64個字元。", "-1707299138": "{{currency_symbol}} 錢包地址", "-38063175": "{{account_text}} 錢包", @@ -2594,7 +2586,6 @@ "-328128497": "金融", "-533935232": "金融 BVI", "-565431857": "金融納閩", - "-1290112064": "Deriv EZ", "-1669418686": "澳元/加元", "-1548588249": "澳元/瑞士法郎", "-1552890620": "澳元/日圓", @@ -2745,10 +2736,10 @@ "-1823504435": "檢視通知", "-1954045170": "未分配幣種", "-583559763": "功能表", + "-1922462747": "Trader's hub", "-1591792668": "帳戶限額", "-34495732": "監管資訊", "-1496158755": "前往 Deriv.com", - "-1166971814": "交易者中心測試版", "-2094580348": "謝謝您驗證了電子郵件", "-1396326507": "對不起,您的所在國不可用{{website_name}}。", "-1019903756": "綜合", @@ -2915,7 +2906,7 @@ "-1300381594": "獲得 Acuity 交易工具", "-860609405": "密碼", "-742647506": "基金轉匯", - "-1972393174": "Trade CFDs on our synthetics, baskets, and derived FX.", + "-1972393174": "交易綜合資產、籃子和衍生外匯的差價合約。", "-1357917360": "Web 終端", "-1454896285": "Windows XP、Windows 2003 和 Windows Vista 不支援 MT5 桌面應用程式。", "-810388996": "下載 Deriv X 行動應用程式",