From e87c7deaee53f3344ed0e8c284ddc0f85114b6eb Mon Sep 17 00:00:00 2001 From: thisyahlen <104053934+thisyahlen-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 10:29:32 +0800 Subject: [PATCH 01/13] thisyahlen/feat: cfd created accounts list (#10126) * chore: refactor tradingaccountcard * chore: handle created derivx account * chore: update style in dxtrade * chore: show ctrader to only virtual wallet and remove derivez from ui * chore: fix dxtrade length --- .../api/src/hooks/useDxtradeAccountsList.ts | 10 ++- .../AddedDxtradeAccountsList.scss | 90 +++++++++++++++++++ .../AddedDxtradeAccountsList.tsx | 44 +++++++++ .../AddedDxtradeAccountsList/index.ts | 1 + .../AvailableDerivezAccountsList.scss | 32 +++++++ .../AvailableDerivezAccountsList.tsx | 31 +++++++ .../AvailableDerivezAccountsList/index.ts | 1 + .../AvailableDxtradeAccountsList.scss | 32 +++++++ .../AvailableDxtradeAccountsList.tsx | 31 +++++++ .../AvailableDxtradeAccountsList/index.ts | 1 + .../src/components/CFDList/CFDList.tsx | 4 +- .../OtherCFDPlatformsList.tsx | 41 ++------- packages/wallets/src/components/index.ts | 3 + 13 files changed, 284 insertions(+), 37 deletions(-) create mode 100644 packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.scss create mode 100644 packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.tsx create mode 100644 packages/wallets/src/components/AddedDxtradeAccountsList/index.ts create mode 100644 packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.scss create mode 100644 packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.tsx create mode 100644 packages/wallets/src/components/AvailableDerivezAccountsList/index.ts create mode 100644 packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.scss create mode 100644 packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.tsx create mode 100644 packages/wallets/src/components/AvailableDxtradeAccountsList/index.ts diff --git a/packages/api/src/hooks/useDxtradeAccountsList.ts b/packages/api/src/hooks/useDxtradeAccountsList.ts index 4da5d352a026..b13b6d536d97 100644 --- a/packages/api/src/hooks/useDxtradeAccountsList.ts +++ b/packages/api/src/hooks/useDxtradeAccountsList.ts @@ -1,8 +1,10 @@ import { useMemo } from 'react'; import useFetch from '../useFetch'; +import useAuthorize from './useAuthorize'; /** A custom hook that gets the list of created Deriv X accounts. */ const useDxtradeAccountsList = () => { + const { data: authorize_data } = useAuthorize(); const { data: dxtrade_accounts } = useFetch('trading_platform_accounts', { payload: { platform: 'dxtrade' }, }); @@ -12,9 +14,13 @@ const useDxtradeAccountsList = () => { () => dxtrade_accounts?.trading_platform_accounts?.map(account => ({ ...account, - loginid: account.account_id, + display_balance: Intl.NumberFormat(authorize_data?.preferred_language || 'en-US', { + minimumFractionDigits: 2, + maximumFractionDigits: 2, + minimumIntegerDigits: 1, + }).format(account?.balance || 0), })), - [dxtrade_accounts?.trading_platform_accounts] + [authorize_data?.preferred_language, dxtrade_accounts?.trading_platform_accounts] ); return { diff --git a/packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.scss b/packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.scss new file mode 100644 index 000000000000..29c50ebe96ef --- /dev/null +++ b/packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.scss @@ -0,0 +1,90 @@ +.wallets-available-derivx { + &__transfer_button { + display: flex; + height: 32px; + padding: 6px 16px; + justify-content: center; + align-items: center; + border-radius: 4px; + border: 1px solid var(--system-light-3-less-prominent-text, #999); + cursor: pointer; + background: #fff; + } + + &__transfer_text { + color: var(--system-light-1-prominent-text, #333); + text-align: center; + + /* desktop/paragraph/P2 - bold */ + font-family: 'IBM Plex Sans'; + font-size: 14px; + font-style: normal; + font-weight: 700; + line-height: 20px; /* 142.857% */ + } + + &__open_text { + color: var(--system-dark-1-prominent-text, #fff); + text-align: center; + + /* desktop/paragraph/P2 - bold */ + font-family: 'IBM Plex Sans'; + font-size: 14px; + font-style: normal; + font-weight: 700; + line-height: 20px; /* 142.857% */ + } + + &__actions { + display: flex; + flex-direction: column; + gap: 4px; + } + + &__details { + flex-grow: 1; + + &-loginid { + color: var(--system-light-3-less-prominent-text, #999); + + /* desktop/small/S - bold */ + font-family: 'IBM Plex Sans'; + font-size: 12px; + font-style: normal; + font-weight: 700; + line-height: 18px; /* 150% */ + } + + &-title { + color: var(--system-light-2-general-text, #333); + + /* desktop/paragraph/P2 - bold */ + font-family: 'IBM Plex Sans'; + font-size: 14px; + font-style: normal; + font-weight: 700; + line-height: 20px; /* 142.857% */ + } + + &-balance { + color: var(--system-light-1-prominent-text, #333); + + /* desktop/paragraph/P2 - bold */ + font-family: 'IBM Plex Sans'; + font-size: 14px; + font-style: normal; + font-weight: 700; + line-height: 20px; /* 142.857% */ + } + + &-description { + font-size: 1.2rem; + line-height: 14px; + + @include mobile { + font-size: 1.4rem; + line-height: 20px; + } + } + } +} diff --git a/packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.tsx b/packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.tsx new file mode 100644 index 000000000000..3d3419be894b --- /dev/null +++ b/packages/wallets/src/components/AddedDxtradeAccountsList/AddedDxtradeAccountsList.tsx @@ -0,0 +1,44 @@ +import React from 'react'; +import { useDxtradeAccountsList } from '@deriv/api'; +import DerivX from '../../public/images/derivx.svg'; +import { PrimaryActionButton } from '../PrimaryActionButton'; +import { TradingAccountCard } from '../TradingAccountCard'; +import './AddedDxtradeAccountsList.scss'; + +const AddedDxtradeAccountsList: React.FC = () => { + const { data } = useDxtradeAccountsList(); + + return ( + ( +
+ +
+ )} + trailing={() => ( +
+ +

Transfer

+
+ +

Open

+
+
+ )} + > +
+ {data?.map(account => ( + <> +

Deriv X

+

+ {account?.display_balance} {account?.currency} +

+

{account.login}

+ + ))} +
+
+ ); +}; + +export default AddedDxtradeAccountsList; diff --git a/packages/wallets/src/components/AddedDxtradeAccountsList/index.ts b/packages/wallets/src/components/AddedDxtradeAccountsList/index.ts new file mode 100644 index 000000000000..73ac143c26ae --- /dev/null +++ b/packages/wallets/src/components/AddedDxtradeAccountsList/index.ts @@ -0,0 +1 @@ +export { default as AddedDxtradeAccountsList } from './AddedDxtradeAccountsList'; diff --git a/packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.scss b/packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.scss new file mode 100644 index 000000000000..2e22f8575f7b --- /dev/null +++ b/packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.scss @@ -0,0 +1,32 @@ +.wallets-available-derivez { + &__text { + color: var(--brand-coral, #ff444f); + text-align: center; + + /* desktop/paragraph/P2 - bold */ + font-family: 'IBM Plex Sans'; + font-size: 14px; + font-style: normal; + font-weight: 700; + line-height: 20px; /* 142.857% */ + } + + &__details { + flex-grow: 1; + &-title { + font-weight: bold; + font-size: 1.4rem; + line-height: 20px; + } + + &-description { + font-size: 1.2rem; + line-height: 14px; + + @include mobile { + font-size: 1.4rem; + line-height: 20px; + } + } + } +} diff --git a/packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.tsx b/packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.tsx new file mode 100644 index 000000000000..bc0b935dd5e9 --- /dev/null +++ b/packages/wallets/src/components/AvailableDerivezAccountsList/AvailableDerivezAccountsList.tsx @@ -0,0 +1,31 @@ +import React from 'react'; +import DerivEZ from '../../public/images/derivez.svg'; +import { SecondaryActionButton } from '../SecondaryActionButton'; +import { TradingAccountCard } from '../TradingAccountCard'; +import './AvailableDerivezAccountsList.scss'; + +const AvailableDerivezAccountsList: React.FC = () => { + return ( + ( +
+ +
+ )} + trailing={() => ( + +

Get

+
+ )} + > +
+

Deriv EZ

+

+ This account offers CFDs on an easy-to-get-started CFD trading platform. +

+
+
+ ); +}; + +export default AvailableDerivezAccountsList; diff --git a/packages/wallets/src/components/AvailableDerivezAccountsList/index.ts b/packages/wallets/src/components/AvailableDerivezAccountsList/index.ts new file mode 100644 index 000000000000..6e9a58a0705c --- /dev/null +++ b/packages/wallets/src/components/AvailableDerivezAccountsList/index.ts @@ -0,0 +1 @@ +export { default as AvailableDerivezAccountsList } from './AvailableDerivezAccountsList'; diff --git a/packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.scss b/packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.scss new file mode 100644 index 000000000000..c1fe494ac8b8 --- /dev/null +++ b/packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.scss @@ -0,0 +1,32 @@ +.wallets-available-dxtrade { + &__text { + color: var(--brand-coral, #ff444f); + text-align: center; + + /* desktop/paragraph/P2 - bold */ + font-family: 'IBM Plex Sans'; + font-size: 14px; + font-style: normal; + font-weight: 700; + line-height: 20px; /* 142.857% */ + } + + &__details { + flex-grow: 1; + &-title { + font-weight: bold; + font-size: 1.4rem; + line-height: 20px; + } + + &-description { + font-size: 1.2rem; + line-height: 14px; + + @include mobile { + font-size: 1.4rem; + line-height: 20px; + } + } + } +} diff --git a/packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.tsx b/packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.tsx new file mode 100644 index 000000000000..dfb7fadb55ae --- /dev/null +++ b/packages/wallets/src/components/AvailableDxtradeAccountsList/AvailableDxtradeAccountsList.tsx @@ -0,0 +1,31 @@ +import React from 'react'; +import DerivX from '../../public/images/derivx.svg'; +import { SecondaryActionButton } from '../SecondaryActionButton'; +import { TradingAccountCard } from '../TradingAccountCard'; +import './AvailableDxtradeAccountsList.scss'; + +const AvailableDxtradeAccountsList: React.FC = () => { + return ( + ( +
+ +
+ )} + trailing={() => ( + +

Get

+
+ )} + > +
+

Deriv X

+

+ This account offers CFDs on a highly customisable CFD trading platform. +

+
+
+ ); +}; + +export default AvailableDxtradeAccountsList; diff --git a/packages/wallets/src/components/AvailableDxtradeAccountsList/index.ts b/packages/wallets/src/components/AvailableDxtradeAccountsList/index.ts new file mode 100644 index 000000000000..04d4b648383e --- /dev/null +++ b/packages/wallets/src/components/AvailableDxtradeAccountsList/index.ts @@ -0,0 +1 @@ +export { default as AvailableDxtradeAccountsList } from './AvailableDxtradeAccountsList'; diff --git a/packages/wallets/src/components/CFDList/CFDList.tsx b/packages/wallets/src/components/CFDList/CFDList.tsx index 0781e7f01603..18986b870477 100644 --- a/packages/wallets/src/components/CFDList/CFDList.tsx +++ b/packages/wallets/src/components/CFDList/CFDList.tsx @@ -1,10 +1,12 @@ import React from 'react'; +import { useActiveWalletAccount } from '@deriv/api'; import { CTraderList } from '../CTraderList'; import { MT5List } from '../MT5List'; import { OtherCFDPlatformsList } from '../OtherCFDPlatformsList'; import './CFDList.scss'; const CFDList = () => { + const { data: active_wallet } = useActiveWalletAccount(); return (
@@ -21,7 +23,7 @@ const CFDList = () => {
- + {active_wallet?.is_virtual && } ); diff --git a/packages/wallets/src/components/OtherCFDPlatformsList/OtherCFDPlatformsList.tsx b/packages/wallets/src/components/OtherCFDPlatformsList/OtherCFDPlatformsList.tsx index 13977a536a82..b942e49e6b78 100644 --- a/packages/wallets/src/components/OtherCFDPlatformsList/OtherCFDPlatformsList.tsx +++ b/packages/wallets/src/components/OtherCFDPlatformsList/OtherCFDPlatformsList.tsx @@ -1,47 +1,20 @@ import React from 'react'; -import DerivEZ from '../../public/images/derivez.svg'; -import DerivX from '../../public/images/derivx.svg'; -import { SecondaryActionButton } from '../SecondaryActionButton'; -import { TradingAccountCard } from '../TradingAccountCard'; +import { useDxtradeAccountsList } from '@deriv/api'; +import { AddedDxtradeAccountsList } from '../AddedDxtradeAccountsList'; +import { AvailableDxtradeAccountsList } from '../AvailableDxtradeAccountsList'; import './OtherCFDPlatformsList.scss'; -const other_cfd_mapper = [ - { - title: 'Deriv X', - description: 'This account offers CFDs on a highly customisable CFD trading platform.', - icon: , - }, - { - title: 'Deriv EZ', - description: 'This account offers CFDs on an easy-to-get-started CFD trading platform .', - icon: , - }, -]; - const OtherCFDPlatformsList: React.FC = () => { + const { data } = useDxtradeAccountsList(); + const has_dxtrade_account = !!data?.length; + return (

Other CFD Platforms

- {other_cfd_mapper.map(account => ( -
{account.icon}
} - trailing={() => ( - -

Get

-
- )} - > -
-

{account.title}

-

{account.description}

-
-
- ))} + {has_dxtrade_account ? : }
); diff --git a/packages/wallets/src/components/index.ts b/packages/wallets/src/components/index.ts index a224770a9fb0..43476b6d98f7 100644 --- a/packages/wallets/src/components/index.ts +++ b/packages/wallets/src/components/index.ts @@ -21,3 +21,6 @@ export * from './WalletsCarouselContent'; export * from './OtherCFDPlatformsList'; export * from './SecondaryActionButton'; export * from './PrimaryActionButton'; +export * from './AvailableDxtradeAccountsList'; +export * from './AvailableDerivezAccountsList'; +export * from './AddedDxtradeAccountsList'; From be68bb79bfbdf61c30665eaa3e410cf88e189770 Mon Sep 17 00:00:00 2001 From: ameerul-deriv <103412909+ameerul-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 11:13:22 +0800 Subject: [PATCH 02/13] fix: wrapped admin_message with localize to fix translations (#10153) --- packages/p2p/src/utils/chat-message.ts | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/packages/p2p/src/utils/chat-message.ts b/packages/p2p/src/utils/chat-message.ts index b0cef5fd1c27..8c01bc9d7a9d 100644 --- a/packages/p2p/src/utils/chat-message.ts +++ b/packages/p2p/src/utils/chat-message.ts @@ -1,4 +1,5 @@ import { FileMessage, UserMessage } from '@sendbird/chat/message'; +import { localize } from 'Components/i18next'; type TChatMessageArgs = { created_at: number; @@ -87,5 +88,6 @@ export const convertFromChannelMessage = (channel_message: UserMessage | FileMes }); }; -export const admin_message = - "Hello! This is where you can chat with the counterparty to confirm the order details.\nNote: In case of a dispute, we'll use this chat as a reference."; +export const admin_message = localize( + "Hello! This is where you can chat with the counterparty to confirm the order details.\nNote: In case of a dispute, we'll use this chat as a reference." +); From 783eb58d349119f5b152fa530a93fdc2ccc9aeda Mon Sep 17 00:00:00 2001 From: Muhammad Hamza <120543468+hamza-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 11:29:51 +0800 Subject: [PATCH 03/13] hotfix: update the ctrader windows url (#10128) --- packages/cfd/src/Helpers/constants.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/packages/cfd/src/Helpers/constants.ts b/packages/cfd/src/Helpers/constants.ts index 11f9de32ab51..34efa01099f2 100644 --- a/packages/cfd/src/Helpers/constants.ts +++ b/packages/cfd/src/Helpers/constants.ts @@ -36,7 +36,7 @@ const getTitle = (market_type: string, is_eu_user: boolean) => { const REAL_DXTRADE_URL = 'https://dx.deriv.com'; const DEMO_DXTRADE_URL = 'https://dx-demo.deriv.com'; -const CTRADER_DESKTOP_DOWNLOAD = 'https://deriv.ctrader.com/cbrokerdemo-deriv-setup.exe'; +const CTRADER_DESKTOP_DOWNLOAD = 'https://getctrader.com/deriv/ctrader-deriv-setup.exe'; const CTRADER_DOWNLOAD_LINK = 'https://ctrader.com/download/'; From 67ed51afd7d7fceeb7d0b47a03fd2ee0dc834f5d Mon Sep 17 00:00:00 2001 From: Farrah Mae Ochoa <82315152+farrah-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 12:12:22 +0800 Subject: [PATCH 04/13] farrah/WEBREL-1254/fix: chat footer alignment (#10149) * fix: chat footer alignment * chore: convert px to rem Co-authored-by: Matin shafiei --------- Co-authored-by: Ali(Ako) Hosseini Co-authored-by: Matin shafiei --- .../p2p/src/pages/orders/chat/chat-footer.scss | 17 +++-------------- 1 file changed, 3 insertions(+), 14 deletions(-) diff --git a/packages/p2p/src/pages/orders/chat/chat-footer.scss b/packages/p2p/src/pages/orders/chat/chat-footer.scss index 15ec597390b7..1175e83b837c 100644 --- a/packages/p2p/src/pages/orders/chat/chat-footer.scss +++ b/packages/p2p/src/pages/orders/chat/chat-footer.scss @@ -16,7 +16,6 @@ &-icon-container { align-items: center; border-radius: $BORDER_RADIUS; - bottom: 0.4rem; cursor: pointer; display: flex; height: 36px; @@ -40,6 +39,9 @@ } .dc-input { + min-height: 4rem; + margin-bottom: 0; + &__container { margin-bottom: 0.2rem; } @@ -49,10 +51,6 @@ height: 100%; } - height: 100%; - min-height: 40px; - margin-bottom: 0; - &__counter { bottom: -2rem; right: 0; @@ -79,14 +77,5 @@ background-color: var(--state-active); } } - - &__footer { - margin-bottom: 0; - } - - &__trailing-icon { - margin-right: 0.4rem !important; - top: unset; - } } } From 0d08cc473a4367cff79d1f69b651e71fa2ab68a4 Mon Sep 17 00:00:00 2001 From: Farrah Mae Ochoa <82315152+farrah-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 13:14:06 +0800 Subject: [PATCH 05/13] fix: extracting of translation strings (#10159) --- packages/p2p/scripts/extract-string.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/packages/p2p/scripts/extract-string.js b/packages/p2p/scripts/extract-string.js index 7eb692f96a5d..6b2eda92204d 100644 --- a/packages/p2p/scripts/extract-string.js +++ b/packages/p2p/scripts/extract-string.js @@ -20,7 +20,7 @@ const getStringsFromInput = (input, i18n_marker = getRegexPattern()) => { }; const getTranslatableFiles = () => { - const globs = ['**/*.js', '**/*.jsx']; + const globs = ['**/*.js', '**/*.jsx', '**/*.ts', '**/*.tsx']; const file_paths = []; for (let j = 0; j < globs.length; j++) { From bb5d66b564d060f13754d30ac9d55b31d159290b Mon Sep 17 00:00:00 2001 From: ameerul-deriv <103412909+ameerul-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 14:07:24 +0800 Subject: [PATCH 06/13] Ameerul /WEBREL-1255 Created payment method is not reflected from Add payment methods model for SELL ads (#10150) * chore: added missing p2p_advertiser_payment_methods prop * chore: removed old code to store payment_methods in local storage --- .../modals/quick-add-modal/quick-add-modal.jsx | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx b/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx index acdd0f879b82..2e9aa35b4029 100644 --- a/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx +++ b/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx @@ -30,11 +30,6 @@ const QuickAddModal = ({ advert }) => { is_sell_ad_add_payment_methods_selected || is_buy_ad_add_payment_methods_selected; React.useEffect(() => { - const saved_selected_methods = localStorage.getItem('selected_methods'); - if (saved_selected_methods) { - setSelectedMethods(JSON.parse(saved_selected_methods)); - localStorage.removeItem('selected_methods'); - } my_profile_store.getPaymentMethodsList(); // eslint-disable-next-line react-hooks/exhaustive-deps @@ -302,6 +297,7 @@ const QuickAddModal = ({ advert }) => { onClickPaymentMethodCard={onClickPaymentMethodCard} selected_methods={selected_methods} onClickAdd={() => my_ads_store.setShouldShowAddPaymentMethod(true)} + p2p_advertiser_payment_methods={p2p_advertiser_payment_methods} /> )} From d365be12769c31c7db2ad81897140b32de09c1a0 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Tue, 19 Sep 2023 15:06:32 +0800 Subject: [PATCH 07/13] =?UTF-8?q?translations:=20=F0=9F=93=9A=20sync=20tra?= =?UTF-8?q?nslations=20with=20crowdin=20(#10163)?= 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/crowdin/messages.json | 2 +- packages/p2p/src/translations/ar.json | 162 +++++++++-------- packages/p2p/src/translations/bn.json | 148 +++++++-------- packages/p2p/src/translations/de.json | 148 +++++++-------- packages/p2p/src/translations/es.json | 148 +++++++-------- packages/p2p/src/translations/fr.json | 150 ++++++++-------- packages/p2p/src/translations/id.json | 150 ++++++++-------- packages/p2p/src/translations/it.json | 148 +++++++-------- packages/p2p/src/translations/ko.json | 168 +++++++++--------- packages/p2p/src/translations/pl.json | 152 ++++++++-------- packages/p2p/src/translations/pt.json | 152 ++++++++-------- packages/p2p/src/translations/ru.json | 148 +++++++-------- packages/p2p/src/translations/si.json | 150 ++++++++-------- packages/p2p/src/translations/th.json | 148 +++++++-------- packages/p2p/src/translations/tr.json | 152 ++++++++-------- packages/p2p/src/translations/vi.json | 148 +++++++-------- packages/p2p/src/translations/zh_cn.json | 148 +++++++-------- packages/p2p/src/translations/zh_tw.json | 148 +++++++-------- packages/translations/crowdin/messages.json | 2 +- .../translations/src/translations/ach.json | 31 +--- .../translations/src/translations/ar.json | 31 +--- .../translations/src/translations/bn.json | 31 +--- .../translations/src/translations/de.json | 31 +--- .../translations/src/translations/es.json | 31 +--- .../translations/src/translations/fr.json | 31 +--- .../translations/src/translations/id.json | 31 +--- .../translations/src/translations/it.json | 31 +--- .../translations/src/translations/ko.json | 31 +--- .../translations/src/translations/pl.json | 31 +--- .../translations/src/translations/pt.json | 31 +--- .../translations/src/translations/ru.json | 41 +---- .../translations/src/translations/si.json | 145 ++++++--------- .../translations/src/translations/th.json | 31 +--- .../translations/src/translations/tr.json | 31 +--- .../translations/src/translations/vi.json | 31 +--- .../translations/src/translations/zh_cn.json | 31 +--- .../translations/src/translations/zh_tw.json | 31 +--- 37 files changed, 1418 insertions(+), 1836 deletions(-) diff --git a/packages/p2p/crowdin/messages.json b/packages/p2p/crowdin/messages.json index 7658f91acb26..2a6f276a34ed 100644 --- a/packages/p2p/crowdin/messages.json +++ b/packages/p2p/crowdin/messages.json @@ -1 +1 @@ -{"6794664":"Ads that match your Deriv P2P balance and limit.","19789721":"Nobody has blocked you. Yay!","24711354":"Total orders <0>30d | <1>lifetime","47573834":"Fixed rate (1 {{account_currency}})","50672601":"Bought","51881712":"You already have an ad with the same exchange rate for this currency pair and order type.

Please set a different rate for your ad.","55916349":"All","68867477":"Order ID {{ id }}","81450871":"We couldn’t find that page","121738739":"Send","122280248":"Avg release time <0>30d","134205943":"Your ads with fixed rates have been deactivated. Set floating rates to reactivate them.","140800401":"Float","145959105":"Choose a nickname","150156106":"Save changes","159757877":"You won't see {{advertiser_name}}'s ads anymore and they won't be able to place orders on your ads.","170072126":"Seen {{ duration }} days ago","173939998":"Avg. pay time <0>30d","197477687":"Edit {{ad_type}} ad","203271702":"Try again","231473252":"Preferred currency","233677840":"of the market rate","246815378":"Once set, your nickname cannot be changed.","276261353":"Avg pay time <0>30d","277542386":"Please use <0>live chat to contact our Customer Support team for help.","316725580":"You can no longer rate this transaction.","323002325":"Post ad","324970564":"Seller's contact details","338910048":"You will appear to other users as","358133589":"Unblock {{advertiser_name}}?","364681129":"Contact details","367579676":"Blocked","392469164":"You have blocked {{advertiser_name}}.","416167062":"You'll receive","424668491":"expired","439264204":"Please set a different minimum and/or maximum order limit.

The range of your ad should not overlap with any of your active ads.","452752527":"Rate (1 {{ currency }})","459886707":"E-wallets","460477293":"Enter message","464044457":"Buyer's nickname","473688701":"Enter a valid amount","476023405":"Didn't receive the email?","488150742":"Resend email","498500965":"Seller's nickname","500514593":"Hide my ads","501523417":"You have no orders.","517202770":"Set fixed rate","523301614":"Release {{amount}} {{currency}}","525380157":"Buy {{offered_currency}} order","531912261":"Bank name, account number, beneficiary name","554135844":"Edit","555447610":"You won't be able to change your buy and sell limits again after this. Do you want to continue?","560402954":"User rating","565060416":"Exchange rate","580715136":"Please register with us!","587882987":"Advertisers","611376642":"Clear","612069973":"Would you recommend this buyer?","628581263":"The {{local_currency}} market rate has changed.","639382772":"Please upload supported file type.","649549724":"I’ve not received any payment.","654193846":"The verification link appears to be invalid. Hit the button below to request for a new one","655733440":"Others","661808069":"Resend email {{remaining_time}}","662578726":"Available","683273691":"Rate (1 {{ account_currency }})","723172934":"Looking to buy or sell USD? You can post your own ad for others to respond.","728383001":"I’ve received more than the agreed amount.","733311523":"P2P transactions are locked. This feature is not available for payment agents.","767789372":"Wait for payment","782834680":"Time left","830703311":"My profile","834075131":"Blocked advertisers","838024160":"Bank details","842911528":"Don’t show this message again.","846659545":"Your ad is not listed on <0>Buy/Sell because the amount exceeds your daily limit of {{limit}} {{currency}}.\n <1 /><1 />You can still see your ad on <0>My ads. If you’d like to increase your daily limit, please contact us via <2>live chat.","847028402":"Check your email","858027714":"Seen {{ duration }} minutes ago","873437248":"Instructions (optional)","876086855":"Complete the financial assessment form","881351325":"Would you recommend this seller?","887667868":"Order","892431976":"If you cancel your order {{cancellation_limit}} times in {{cancellation_period}} hours, you will be blocked from using Deriv P2P for {{block_duration}} hours.
({{number_of_cancels_remaining}} cancellations remaining)","949859957":"Submit","954233511":"Sold","957529514":"To place an order, add one of the advertiser’s preferred payment methods:","957807235":"Blocking wasn't possible as {{name}} is not using Deriv P2P anymore.","988380202":"Your instructions","1001160515":"Sell","1002264993":"Seller's real name","1020552673":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }}...","1030390916":"You already have an ad with this range","1035893169":"Delete","1052094244":"Max order","1056821534":"Are you sure?","1057127276":"{{- avg_release_time_in_minutes}} min","1065551550":"Set floating rate","1080990424":"Confirm","1089110190":"You accidentally gave us another email address (usually a work or a personal one instead of the one you meant).","1091533736":"Don't risk your funds with cash transactions. Use bank transfers or e-wallets instead.","1106073960":"You've created an ad","1106485202":"Available Deriv P2P balance","1109217274":"Success!","1119887091":"Verification","1121630246":"Block","1137964885":"Can only contain letters, numbers, and special characters .- _ @.","1151608942":"Total amount","1157877436":"{{field_name}} should not exceed Amount","1161621759":"Choose your nickname","1162965175":"Buyer","1163072833":"<0>ID verified","1164771858":"I’ve received payment from 3rd party.","1191941618":"Enter a value that's within -{{limit}}% to +{{limit}}%","1192337383":"Seen {{ duration }} hour ago","1202500203":"Pay now","1228352589":"Not rated yet","1229976478":"You will be able to see {{ advertiser_name }}'s ads. They'll be able to place orders on your ads, too.","1236083813":"Your payment details","1258285343":"Oops, something went wrong","1265751551":"Deriv P2P Balance","1286797620":"Active","1287051975":"Nickname is too long","1300767074":"{{name}} is no longer on Deriv P2P","1303016265":"Yes","1313218101":"Rate this transaction","1314266187":"Joined today","1320670806":"Leave page","1326475003":"Activate","1328352136":"Sell {{ account_currency }}","1330528524":"Seen {{ duration }} month ago","1337027601":"You sold {{offered_amount}} {{offered_currency}}","1347322213":"How would you rate this transaction?","1347724133":"I have paid {{amount}} {{currency}}.","1366244749":"Limits","1370999551":"Floating rate","1371193412":"Cancel","1381949324":"<0>Address verified","1398938904":"We can't deliver the email to this address (usually because of firewalls or filtering).","1422356389":"No results for \"{{text}}\".","1430413419":"Maximum is {{value}} {{currency}}","1438103743":"Floating rates are enabled for {{local_currency}}. Ads with fixed rates will be deactivated. Switch to floating rates by {{end_date}}.","1448855725":"Add payment methods","1452260922":"Too many failed attempts","1467483693":"Past orders","1474532322":"Sort by","1480915523":"Skip","1497156292":"No ads for this currency 😞","1505293001":"Trade partners","1568512719":"Your daily limits have been increased to {{daily_buy_limit}} {{currency}} (buy) and {{daily_sell_limit}} {{currency}} (sell).","1583335572":"If the ad doesn't receive an order for {{adverts_archive_period}} days, it will be deactivated.","1587250288":"Ad ID {{advert_id}} ","1607051458":"Search by nickname","1612595358":"Cannot upload a file over 2MB","1615530713":"Something's not right","1620858613":"You're editing an ad to sell <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","1623916605":"I wasn’t able to make full payment.","1654365787":"Unknown","1660278694":"The advertiser changed the rate before you confirmed the order.","1671725772":"If you choose to cancel, the edited details will be lost.","1675716253":"Min limit","1678804253":"Buy {{ currency }}","1685888862":"An internal error occurred","1691540875":"Edit payment method","1703154819":"You're editing an ad to sell <0>{{ target_amount }} {{ target_currency }}...","1721422292":"Show my real name","1734661732":"Your DP2P balance is {{ dp2p_balance }}","1747523625":"Go back","1752096323":"{{field_name}} should not be below Min limit","1767817594":"Buy completion <0>30d","1784151356":"at","1791767028":"Set a fixed rate for your ad.","1794470010":"I’ve made full payment, but the seller hasn’t released the funds.","1794474847":"I've received payment","1798116519":"Available amount","1809099720":"Expand all","1810217569":"Please refresh this page to continue.","1842172737":"You've received {{offered_amount}} {{offered_currency}}","1848044659":"You have no ads.","1859308030":"Give feedback","1874956952":"Hit the button below to add payment methods.","1886623509":"{{ad_type}} {{ account_currency }}","1902229457":"Unable to block advertiser","1908023954":"Sorry, an error occurred while processing your request.","1923443894":"Inactive","1928240840":"Sell {{ currency }}","1929119945":"There are no ads yet","1976156928":"You'll send","1992961867":"Rate (1 {{currency}})","1994023526":"The email address you entered had a mistake or typo (happens to the best of us).","2020104747":"Filter","2029375371":"Payment instructions","2032274854":"Recommended by {{recommended_count}} traders","2039361923":"You're creating an ad to sell...","2040110829":"Increase my limits","2060873863":"Your order {{order_id}} is complete","2063890788":"Cancelled","2091671594":"Status","2096014107":"Apply","2104905634":"No one has recommended this trader yet","2121837513":"Minimum is {{value}} {{currency}}","2142425493":"Ad ID","2142752968":"Please ensure you've received {{amount}} {{local_currency}} in your account and hit Confirm to complete the transaction.","2145292295":"Rate","-1837059346":"Buy / Sell","-1845037007":"Advertiser's page","-494667560":"Orders","-679691613":"My ads","-526636259":"Error 404","-1540251249":"Buy {{ account_currency }}","-1267880283":"{{field_name}} is required","-2019083683":"{{field_name}} can only include letters, numbers, spaces, and any of these symbols: -+.,'#@():;","-222920564":"{{field_name}} has exceeded maximum length","-2093768906":"{{name}} has released your funds.
Would you like to give your feedback?","-857786650":"Check your verification status.","-612892886":"We’ll need you to upload your documents to verify your identity.","-2090325029":"Identity verification is complete.","-1101273282":"Nickname is required","-919203928":"Nickname is too short","-1907100457":"Cannot start, end with, or repeat special characters.","-270502067":"Cannot repeat a character more than 4 times.","-499872405":"You have open orders for this ad. Complete all open orders before deleting this ad.","-2125702445":"Instructions","-1274358564":"Max limit","-1995606668":"Amount","-1965472924":"Fixed rate","-1081775102":"{{field_name}} should not be below Max limit","-885044836":"{{field_name}} should not exceed Max limit","-1921077416":"All ({{list_value}})","-608125128":"Blocked ({{list_value}})","-1764050750":"Payment details","-2021135479":"This field is required.","-2005205076":"{{field_name}} has exceeded maximum length of 200 characters.","-480724783":"You already have an ad with this rate","-1948369500":"File uploaded is not supported","-1207312691":"Completed","-688728873":"Expired","-1951641340":"Under dispute","-1738697484":"Confirm payment","-1611857550":"Waiting for the seller to confirm","-1452684930":"Buyer's real name","-1597110099":"Receive","-892663026":"Your contact details","-1875343569":"Seller's payment details","-92830427":"Seller's instructions","-1940034707":"Buyer's instructions","-137444201":"Buy","-1306639327":"Payment methods","-904197848":"Limits {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}","-464361439":"{{- avg_buy_time_in_minutes}} min","-2109576323":"Sell completion <0>30d","-165392069":"Avg. release time <0>30d","-1154208372":"Trade volume <0>30d","-1887970998":"Unblocking wasn't possible as {{name}} is not using Deriv P2P anymore.","-2017825013":"Got it","-1070228546":"Joined {{days_since_joined}}d","-2015102262":"({{number_of_ratings}} rating)","-1412298133":"({{number_of_ratings}} ratings)","-260332243":"{{user_blocked_count}} person has blocked you","-117094654":"{{user_blocked_count}} people have blocked you","-329713179":"Ok","-1689905285":"Unblock","-992568889":"No one to show here","-1298666786":"My counterparties","-1148912768":"If the market rate changes from the rate shown here, we won't be able to process your order.","-55126326":"Seller","-835196958":"Receive payment to","-1218007718":"You may choose up to 3.","-1933432699":"Enter {{transaction_type}} amount","-2021730616":"{{ad_type}}","-490637584":"Limit: {{min}}–{{max}} {{currency}}","-1974067943":"Your bank details","-1285759343":"Search","-1657433201":"There are no matching ads.","-1862812590":"Limits {{ min_order }}–{{ max_order }} {{ currency }}","-375836822":"Buy {{account_currency}}","-1035421133":"Sell {{account_currency}}","-1503997652":"No ads for this currency.","-1048001140":"No results for \"{{value}}\".","-73663931":"Create ad","-141315849":"No ads for this currency at the moment 😞","-471384801":"Sorry, we're unable to increase your limits right now. Please try again in a few minutes.","-231863107":"No","-150224710":"Yes, continue","-1638172550":"To enable this feature you must complete the following:","-559300364":"Your Deriv P2P cashier is blocked","-740038242":"Your rate is","-205277874":"Your ad is not listed on Buy/Sell because its minimum order is higher than your Deriv P2P available balance ({{balance}} {{currency}}).","-971817673":"Your ad isn't visible to others","-1735126907":"This could be because your account balance is insufficient, your ad amount exceeds your daily limit, or both. You can still see your ad on <0>My ads.","-674715853":"Your ad exceeds the daily limit","-1530773708":"Block {{advertiser_name}}?","-2035037071":"Your Deriv P2P balance isn't enough. Please increase your balance before trying again.","-412680608":"Add payment method","-293182503":"Cancel adding this payment method?","-1850127397":"If you choose to cancel, the details you’ve entered will be lost.","-1601971804":"Cancel your edits?","-1571737200":"Don't cancel","-1072444041":"Update ad","-1088454544":"Get new link","-2124584325":"We've verified your order","-848068683":"Hit the link in the email we sent you to authorise this transaction.","-1238182882":"The link will expire in 10 minutes.","-142727028":"The email is in your spam folder (sometimes things get lost there).","-227512949":"Check your spelling or use a different term.","-1554938377":"Search payment method","-75934135":"Matching ads","-1856204727":"Reset","-1728351486":"Invalid verification link","-433946201":"Leave page?","-818345434":"Are you sure you want to leave this page? Changes made will not be saved.","-392043307":"Do you want to delete this ad?","-854930519":"You will NOT be able to restore it.","-1600783504":"Set a floating rate for your ad.","-2008992756":"Do you want to cancel this order?","-1618084450":"If you cancel this order, you'll be blocked from using Deriv P2P for {{block_duration}} hours.","-2026176944":"Please do not cancel if you have already made payment.","-1989544601":"Cancel this order","-492996224":"Do not cancel","-1447732068":"Payment confirmation","-1951344681":"Please make sure that you've paid {{amount}} {{currency}} to {{other_user_name}}, and upload the receipt as proof of your payment","-919988505":"We accept JPG, PDF, or PNG (up to 2MB).","-670364940":"Upload receipt here","-937707753":"Go Back","-984140537":"Add","-1220275347":"You may choose up to 3 payment methods for this ad.","-1340125291":"Done","-1889014820":"<0>Don’t see your payment method? <1>Add new.","-1406830100":"Payment method","-1561775203":"Buy {{currency}}","-1527285935":"Sell {{currency}}","-592818187":"Your Deriv P2P balance is {{ dp2p_balance }}","-1654157453":"Fixed rate (1 {{currency}})","-379708059":"Min order","-1459289144":"This information will be visible to everyone.","-207756259":"You may tap and choose up to 3.","-1282343703":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","-2139632895":"You're creating an ad to sell <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","-40669120":"You're creating an ad to sell <0>{{ target_amount }} {{ target_currency }}...","-514789442":"You're creating an ad to buy...","-1179827369":"Create new ad","-230677679":"{{text}}","-1914431773":"You're editing an ad to buy <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","-107996509":"You're editing an ad to buy <0>{{ target_amount }} {{ target_currency }}...","-863580260":"You're editing an ad to buy...","-1396464057":"You're editing an ad to sell...","-372210670":"Rate (1 {{account_currency}})","-1400835517":"{{ad_type}} {{ id }}","-1318334333":"Deactivate","-1667041441":"Rate (1 {{ offered_currency }})","-1886565882":"Your ads with floating rates have been deactivated. Set fixed rates to reactivate them.","-792015701":"Deriv P2P cashier is unavailable in your country.","-1241719539":"When you block someone, you won't see their ads, and they can't see yours. Your ads will be hidden from their search results, too.","-1007339977":"There are no matching name.","-179005984":"Save","-2059312414":"Ad details","-1769584466":"Stats","-808161760":"Deriv P2P balance = deposits that can’t be reversed","-684271315":"OK","-2090878601":"Daily limit","-474123616":"Want to increase your daily limits to <0>{{max_daily_buy}} {{currency}} (buy) and <1>{{max_daily_sell}} {{currency}} (sell)?","-130547447":"Trade volume <0>30d | <1>lifetime","-1792280476":"Choose your payment method","-383030149":"You haven’t added any payment methods yet","-1156559889":"Bank Transfers","-1269362917":"Add new","-532709160":"Your nickname","-1117584385":"Seen more than 6 months ago","-1766199849":"Seen {{ duration }} months ago","-591593016":"Seen {{ duration }} day ago","-1586918919":"Seen {{ duration }} hours ago","-664781013":"Seen {{ duration }} minute ago","-1717650468":"Online","-510341549":"I’ve received less than the agreed amount.","-650030360":"I’ve paid more than the agreed amount.","-1192446042":"If your complaint isn't listed here, please contact our Customer Support team.","-573132778":"Complaint","-792338456":"What's your complaint?","-418870584":"Cancel order","-1392383387":"I've paid","-727273667":"Complain","-2016990049":"Sell {{offered_currency}} order","-811190405":"Time","-961632398":"Collapse all","-415476028":"Not rated","-26434257":"You have until {{remaining_review_time}} GMT to rate this transaction.","-768709492":"Your transaction experience","-652933704":"Recommended","-84139378":"Not Recommended","-1983512566":"This conversation is closed.","-1797318839":"In case of a dispute, we will only consider the communication through Deriv P2P chat channel.","-283017497":"Retry","-979459594":"Buy/Sell","-2052184983":"Order ID","-2096350108":"Counterparty","-750202930":"Active orders","-1626659964":"I've received {{amount}} {{currency}}.","-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","-1660552437":"Return to P2P","-237014436":"Recommended by {{recommended_count}} trader","-849068301":"Loading...","-2061807537":"Something’s not right","-1354983065":"Refresh","-2054589794":"You've been temporarily barred from using our services due to multiple cancellation attempts. Try again after {{date_time}} GMT.","-1079963355":"trades","-930400128":"To use Deriv P2P, you need to choose a display name (a nickname) and verify your identity."} \ No newline at end of file +{"6794664":"Ads that match your Deriv P2P balance and limit.","19789721":"Nobody has blocked you. Yay!","24711354":"Total orders <0>30d | <1>lifetime","47573834":"Fixed rate (1 {{account_currency}})","50672601":"Bought","51881712":"You already have an ad with the same exchange rate for this currency pair and order type.

Please set a different rate for your ad.","55916349":"All","68867477":"Order ID {{ id }}","81450871":"We couldn’t find that page","121738739":"Send","122280248":"Avg release time <0>30d","134205943":"Your ads with fixed rates have been deactivated. Set floating rates to reactivate them.","140800401":"Float","145959105":"Choose a nickname","150156106":"Save changes","159757877":"You won't see {{advertiser_name}}'s ads anymore and they won't be able to place orders on your ads.","170072126":"Seen {{ duration }} days ago","173939998":"Avg. pay time <0>30d","197477687":"Edit {{ad_type}} ad","203271702":"Try again","231473252":"Preferred currency","233677840":"of the market rate","246815378":"Once set, your nickname cannot be changed.","276261353":"Avg pay time <0>30d","277542386":"Please use <0>live chat to contact our Customer Support team for help.","316725580":"You can no longer rate this transaction.","323002325":"Post ad","324970564":"Seller's contact details","338910048":"You will appear to other users as","358133589":"Unblock {{advertiser_name}}?","364681129":"Contact details","367579676":"Blocked","392469164":"You have blocked {{advertiser_name}}.","416167062":"You'll receive","424668491":"expired","439264204":"Please set a different minimum and/or maximum order limit.

The range of your ad should not overlap with any of your active ads.","452752527":"Rate (1 {{ currency }})","459886707":"E-wallets","460477293":"Enter message","464044457":"Buyer's nickname","473688701":"Enter a valid amount","476023405":"Didn't receive the email?","488150742":"Resend email","498500965":"Seller's nickname","500514593":"Hide my ads","501523417":"You have no orders.","517202770":"Set fixed rate","523301614":"Release {{amount}} {{currency}}","525380157":"Buy {{offered_currency}} order","531912261":"Bank name, account number, beneficiary name","554135844":"Edit","555447610":"You won't be able to change your buy and sell limits again after this. Do you want to continue?","560402954":"User rating","565060416":"Exchange rate","580715136":"Please register with us!","587882987":"Advertisers","611376642":"Clear","612069973":"Would you recommend this buyer?","628581263":"The {{local_currency}} market rate has changed.","639382772":"Please upload supported file type.","649549724":"I’ve not received any payment.","654193846":"The verification link appears to be invalid. Hit the button below to request for a new one","655733440":"Others","661808069":"Resend email {{remaining_time}}","662578726":"Available","683273691":"Rate (1 {{ account_currency }})","723172934":"Looking to buy or sell USD? You can post your own ad for others to respond.","728383001":"I’ve received more than the agreed amount.","733311523":"P2P transactions are locked. This feature is not available for payment agents.","767789372":"Wait for payment","782834680":"Time left","783454335":"Yes, remove","830703311":"My profile","834075131":"Blocked advertisers","838024160":"Bank details","842911528":"Don’t show this message again.","846659545":"Your ad is not listed on <0>Buy/Sell because the amount exceeds your daily limit of {{limit}} {{currency}}.\n <1 /><1 />You can still see your ad on <0>My ads. If you’d like to increase your daily limit, please contact us via <2>live chat.","847028402":"Check your email","858027714":"Seen {{ duration }} minutes ago","873437248":"Instructions (optional)","876086855":"Complete the financial assessment form","881351325":"Would you recommend this seller?","887667868":"Order","892431976":"If you cancel your order {{cancellation_limit}} times in {{cancellation_period}} hours, you will be blocked from using Deriv P2P for {{block_duration}} hours.
({{number_of_cancels_remaining}} cancellations remaining)","949859957":"Submit","954233511":"Sold","957529514":"To place an order, add one of the advertiser’s preferred payment methods:","957807235":"Blocking wasn't possible as {{name}} is not using Deriv P2P anymore.","988380202":"Your instructions","1001160515":"Sell","1002264993":"Seller's real name","1020552673":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }}...","1030390916":"You already have an ad with this range","1035893169":"Delete","1052094244":"Max order","1056821534":"Are you sure?","1057127276":"{{- avg_release_time_in_minutes}} min","1065551550":"Set floating rate","1080990424":"Confirm","1089110190":"You accidentally gave us another email address (usually a work or a personal one instead of the one you meant).","1091533736":"Don't risk your funds with cash transactions. Use bank transfers or e-wallets instead.","1106073960":"You've created an ad","1106485202":"Available Deriv P2P balance","1109217274":"Success!","1119887091":"Verification","1121630246":"Block","1137964885":"Can only contain letters, numbers, and special characters .- _ @.","1151608942":"Total amount","1157877436":"{{field_name}} should not exceed Amount","1161621759":"Choose your nickname","1162965175":"Buyer","1163072833":"<0>ID verified","1164771858":"I’ve received payment from 3rd party.","1191941618":"Enter a value that's within -{{limit}}% to +{{limit}}%","1192337383":"Seen {{ duration }} hour ago","1202500203":"Pay now","1228352589":"Not rated yet","1229976478":"You will be able to see {{ advertiser_name }}'s ads. They'll be able to place orders on your ads, too.","1236083813":"Your payment details","1258285343":"Oops, something went wrong","1265751551":"Deriv P2P Balance","1286797620":"Active","1287051975":"Nickname is too long","1300767074":"{{name}} is no longer on Deriv P2P","1303016265":"Yes","1313218101":"Rate this transaction","1314266187":"Joined today","1320670806":"Leave page","1326475003":"Activate","1328352136":"Sell {{ account_currency }}","1330528524":"Seen {{ duration }} month ago","1337027601":"You sold {{offered_amount}} {{offered_currency}}","1347322213":"How would you rate this transaction?","1347724133":"I have paid {{amount}} {{currency}}.","1366244749":"Limits","1370999551":"Floating rate","1371193412":"Cancel","1381949324":"<0>Address verified","1398938904":"We can't deliver the email to this address (usually because of firewalls or filtering).","1422356389":"No results for \"{{text}}\".","1430413419":"Maximum is {{value}} {{currency}}","1438103743":"Floating rates are enabled for {{local_currency}}. Ads with fixed rates will be deactivated. Switch to floating rates by {{end_date}}.","1448855725":"Add payment methods","1452260922":"Too many failed attempts","1467483693":"Past orders","1474532322":"Sort by","1480915523":"Skip","1497156292":"No ads for this currency 😞","1505293001":"Trade partners","1568512719":"Your daily limits have been increased to {{daily_buy_limit}} {{currency}} (buy) and {{daily_sell_limit}} {{currency}} (sell).","1583335572":"If the ad doesn't receive an order for {{adverts_archive_period}} days, it will be deactivated.","1587250288":"Ad ID {{advert_id}} ","1607051458":"Search by nickname","1612595358":"Cannot upload a file over 2MB","1615530713":"Something's not right","1620858613":"You're editing an ad to sell <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","1623916605":"I wasn’t able to make full payment.","1654365787":"Unknown","1660278694":"The advertiser changed the rate before you confirmed the order.","1671725772":"If you choose to cancel, the edited details will be lost.","1675716253":"Min limit","1678804253":"Buy {{ currency }}","1685888862":"An internal error occurred","1691540875":"Edit payment method","1703154819":"You're editing an ad to sell <0>{{ target_amount }} {{ target_currency }}...","1721422292":"Show my real name","1734661732":"Your DP2P balance is {{ dp2p_balance }}","1747523625":"Go back","1752096323":"{{field_name}} should not be below Min limit","1767817594":"Buy completion <0>30d","1784151356":"at","1791767028":"Set a fixed rate for your ad.","1794470010":"I’ve made full payment, but the seller hasn’t released the funds.","1794474847":"I've received payment","1798116519":"Available amount","1809099720":"Expand all","1810217569":"Please refresh this page to continue.","1842172737":"You've received {{offered_amount}} {{offered_currency}}","1848044659":"You have no ads.","1859308030":"Give feedback","1874956952":"Hit the button below to add payment methods.","1902229457":"Unable to block advertiser","1908023954":"Sorry, an error occurred while processing your request.","1923443894":"Inactive","1928240840":"Sell {{ currency }}","1929119945":"There are no ads yet","1976156928":"You'll send","1992961867":"Rate (1 {{currency}})","1994023526":"The email address you entered had a mistake or typo (happens to the best of us).","2020104747":"Filter","2029375371":"Payment instructions","2032274854":"Recommended by {{recommended_count}} traders","2039361923":"You're creating an ad to sell...","2040110829":"Increase my limits","2060873863":"Your order {{order_id}} is complete","2063890788":"Cancelled","2091671594":"Status","2096014107":"Apply","2104905634":"No one has recommended this trader yet","2108340400":"Hello! This is where you can chat with the counterparty to confirm the order details.nNote: In case of a dispute, we'll use this chat as a reference.","2121837513":"Minimum is {{value}} {{currency}}","2142425493":"Ad ID","2142752968":"Please ensure you've received {{amount}} {{local_currency}} in your account and hit Confirm to complete the transaction.","2145292295":"Rate","-1837059346":"Buy / Sell","-1845037007":"Advertiser's page","-494667560":"Orders","-679691613":"My ads","-526636259":"Error 404","-1540251249":"Buy {{ account_currency }}","-1267880283":"{{field_name}} is required","-2019083683":"{{field_name}} can only include letters, numbers, spaces, and any of these symbols: -+.,'#@():;","-222920564":"{{field_name}} has exceeded maximum length","-2093768906":"{{name}} has released your funds.
Would you like to give your feedback?","-857786650":"Check your verification status.","-612892886":"We’ll need you to upload your documents to verify your identity.","-2090325029":"Identity verification is complete.","-1101273282":"Nickname is required","-919203928":"Nickname is too short","-1907100457":"Cannot start, end with, or repeat special characters.","-270502067":"Cannot repeat a character more than 4 times.","-499872405":"You have open orders for this ad. Complete all open orders before deleting this ad.","-2125702445":"Instructions","-1274358564":"Max limit","-1995606668":"Amount","-1965472924":"Fixed rate","-1081775102":"{{field_name}} should not be below Max limit","-885044836":"{{field_name}} should not exceed Max limit","-1921077416":"All ({{list_value}})","-608125128":"Blocked ({{list_value}})","-1764050750":"Payment details","-2021135479":"This field is required.","-2005205076":"{{field_name}} has exceeded maximum length of 200 characters.","-480724783":"You already have an ad with this rate","-1117584385":"Seen more than 6 months ago","-1766199849":"Seen {{ duration }} months ago","-591593016":"Seen {{ duration }} day ago","-1586918919":"Seen {{ duration }} hours ago","-664781013":"Seen {{ duration }} minute ago","-1717650468":"Online","-1948369500":"File uploaded is not supported","-1207312691":"Completed","-688728873":"Expired","-1951641340":"Under dispute","-1738697484":"Confirm payment","-1611857550":"Waiting for the seller to confirm","-1452684930":"Buyer's real name","-1597110099":"Receive","-892663026":"Your contact details","-1875343569":"Seller's payment details","-92830427":"Seller's instructions","-1940034707":"Buyer's instructions","-471384801":"Sorry, we're unable to increase your limits right now. Please try again in a few minutes.","-329713179":"Ok","-231863107":"No","-150224710":"Yes, continue","-205277874":"Your ad is not listed on Buy/Sell because its minimum order is higher than your Deriv P2P available balance ({{balance}} {{currency}}).","-971817673":"Your ad isn't visible to others","-1735126907":"This could be because your account balance is insufficient, your ad amount exceeds your daily limit, or both. You can still see your ad on <0>My ads.","-674715853":"Your ad exceeds the daily limit","-1530773708":"Block {{advertiser_name}}?","-1689905285":"Unblock","-2035037071":"Your Deriv P2P balance isn't enough. Please increase your balance before trying again.","-412680608":"Add payment method","-293182503":"Cancel adding this payment method?","-1850127397":"If you choose to cancel, the details you’ve entered will be lost.","-1601971804":"Cancel your edits?","-1571737200":"Don't cancel","-1072444041":"Update ad","-1088454544":"Get new link","-2124584325":"We've verified your order","-848068683":"Hit the link in the email we sent you to authorise this transaction.","-1238182882":"The link will expire in 10 minutes.","-142727028":"The email is in your spam folder (sometimes things get lost there).","-1306639327":"Payment methods","-227512949":"Check your spelling or use a different term.","-1554938377":"Search payment method","-1285759343":"Search","-75934135":"Matching ads","-1856204727":"Reset","-1728351486":"Invalid verification link","-433946201":"Leave page?","-818345434":"Are you sure you want to leave this page? Changes made will not be saved.","-392043307":"Do you want to delete this ad?","-854930519":"You will NOT be able to restore it.","-1600783504":"Set a floating rate for your ad.","-2008992756":"Do you want to cancel this order?","-1618084450":"If you cancel this order, you'll be blocked from using Deriv P2P for {{block_duration}} hours.","-2026176944":"Please do not cancel if you have already made payment.","-1989544601":"Cancel this order","-492996224":"Do not cancel","-1447732068":"Payment confirmation","-1951344681":"Please make sure that you've paid {{amount}} {{currency}} to {{other_user_name}}, and upload the receipt as proof of your payment","-919988505":"We accept JPG, PDF, or PNG (up to 2MB).","-670364940":"Upload receipt here","-937707753":"Go Back","-984140537":"Add","-1220275347":"You may choose up to 3 payment methods for this ad.","-871975082":"You may add up to 3 payment methods.","-1340125291":"Done","-510341549":"I’ve received less than the agreed amount.","-650030360":"I’ve paid more than the agreed amount.","-1192446042":"If your complaint isn't listed here, please contact our Customer Support team.","-573132778":"Complaint","-792338456":"What's your complaint?","-418870584":"Cancel order","-1392383387":"I've paid","-727273667":"Complain","-2016990049":"Sell {{offered_currency}} order","-811190405":"Time","-961632398":"Collapse all","-415476028":"Not rated","-26434257":"You have until {{remaining_review_time}} GMT to rate this transaction.","-768709492":"Your transaction experience","-652933704":"Recommended","-84139378":"Not Recommended","-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","-1660552437":"Return to P2P","-849068301":"Loading...","-2061807537":"Something’s not right","-1354983065":"Refresh","-137444201":"Buy","-904197848":"Limits {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}","-464361439":"{{- avg_buy_time_in_minutes}} min","-2109576323":"Sell completion <0>30d","-165392069":"Avg. release time <0>30d","-1154208372":"Trade volume <0>30d","-1887970998":"Unblocking wasn't possible as {{name}} is not using Deriv P2P anymore.","-2017825013":"Got it","-1070228546":"Joined {{days_since_joined}}d","-2015102262":"({{number_of_ratings}} rating)","-1412298133":"({{number_of_ratings}} ratings)","-260332243":"{{user_blocked_count}} person has blocked you","-117094654":"{{user_blocked_count}} people have blocked you","-1148912768":"If the market rate changes from the rate shown here, we won't be able to process your order.","-55126326":"Seller","-835196958":"Receive payment to","-1218007718":"You may choose up to 3.","-1933432699":"Enter {{transaction_type}} amount","-2021730616":"{{ad_type}}","-490637584":"Limit: {{min}}–{{max}} {{currency}}","-1974067943":"Your bank details","-1657433201":"There are no matching ads.","-1862812590":"Limits {{ min_order }}–{{ max_order }} {{ currency }}","-375836822":"Buy {{account_currency}}","-1035421133":"Sell {{account_currency}}","-1503997652":"No ads for this currency.","-1048001140":"No results for \"{{value}}\".","-1179827369":"Create new ad","-73663931":"Create ad","-141315849":"No ads for this currency at the moment 😞","-1889014820":"<0>Don’t see your payment method? <1>Add new.","-1406830100":"Payment method","-1561775203":"Buy {{currency}}","-1527285935":"Sell {{currency}}","-592818187":"Your Deriv P2P balance is {{ dp2p_balance }}","-1654157453":"Fixed rate (1 {{currency}})","-379708059":"Min order","-1459289144":"This information will be visible to everyone.","-207756259":"You may tap and choose up to 3.","-1282343703":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","-2139632895":"You're creating an ad to sell <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","-40669120":"You're creating an ad to sell <0>{{ target_amount }} {{ target_currency }}...","-514789442":"You're creating an ad to buy...","-230677679":"{{text}}","-1914431773":"You're editing an ad to buy <0>{{ target_amount }} {{ target_currency }} for <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})","-107996509":"You're editing an ad to buy <0>{{ target_amount }} {{ target_currency }}...","-863580260":"You're editing an ad to buy...","-1396464057":"You're editing an ad to sell...","-1526367101":"There are no matching payment methods.","-372210670":"Rate (1 {{account_currency}})","-1318334333":"Deactivate","-1667041441":"Rate (1 {{ offered_currency }})","-1886565882":"Your ads with floating rates have been deactivated. Set fixed rates to reactivate them.","-792015701":"Deriv P2P cashier is unavailable in your country.","-1241719539":"When you block someone, you won't see their ads, and they can't see yours. Your ads will be hidden from their search results, too.","-1007339977":"There are no matching name.","-1298666786":"My counterparties","-179005984":"Save","-2059312414":"Ad details","-1769584466":"Stats","-808161760":"Deriv P2P balance = deposits that can’t be reversed","-684271315":"OK","-2090878601":"Daily limit","-474123616":"Want to increase your daily limits to <0>{{max_daily_buy}} {{currency}} (buy) and <1>{{max_daily_sell}} {{currency}} (sell)?","-130547447":"Trade volume <0>30d | <1>lifetime","-1792280476":"Choose your payment method","-383030149":"You haven’t added any payment methods yet","-1156559889":"Bank Transfers","-1269362917":"Add new","-1983512566":"This conversation is closed.","-283017497":"Retry","-979459594":"Buy/Sell","-2052184983":"Order ID","-2096350108":"Counterparty","-750202930":"Active orders","-1626659964":"I've received {{amount}} {{currency}}.","-1638172550":"To enable this feature you must complete the following:","-559300364":"Your Deriv P2P cashier is blocked","-740038242":"Your rate is","-146021156":"Delete {{payment_method_name}}?","-1846700504":"Are you sure you want to remove this payment method?","-1422779483":"That payment method cannot be deleted","-532709160":"Your nickname","-237014436":"Recommended by {{recommended_count}} trader","-2054589794":"You've been temporarily barred from using our services due to multiple cancellation attempts. Try again after {{date_time}} GMT.","-1079963355":"trades","-930400128":"To use Deriv P2P, you need to choose a display name (a nickname) and verify your identity.","-992568889":"No one to show here"} \ No newline at end of file diff --git a/packages/p2p/src/translations/ar.json b/packages/p2p/src/translations/ar.json index 7b2111e45223..0e18e1d008f8 100644 --- a/packages/p2p/src/translations/ar.json +++ b/packages/p2p/src/translations/ar.json @@ -12,7 +12,7 @@ "122280248": "متوسط وقت الإصدار <0>30 يومًا", "134205943": "تم إلغاء تنشيط إعلاناتك ذات الأسعار الثابتة. قم بتعيين معدلات عائمة لإعادة تنشيطها.", "140800401": "تعويم", - "145959105": "اختر اسمًا مستعارًا", + "145959105": "اختر لقبًا", "150156106": "حفظ التغييرات", "159757877": "لن ترى إعلانات {{advertiser_name}}بعد الآن ولن يتمكنوا من تقديم طلبات على إعلاناتك.", "170072126": "نشط منذ {{ duration }} يومًا", @@ -21,13 +21,13 @@ "203271702": "حاول مرة أخرى", "231473252": "العملة المفضلة", "233677840": "من سعر السوق", - "246815378": "بمجرد التعيين، لا يمكن تغيير اللقب الخاص بك.", + "246815378": "بمجرد التعيين، لا يمكن تغيير لقبك.", "276261353": "متوسط وقت الدفع <0>30 يومًا", "277542386": "يرجى استخدام <0>الدردشة الحية للاتصال بفريق دعم العملاء للحصول على المساعدة.", "316725580": "لم يعد بإمكانك تقييم هذه المعاملة.", "323002325": "أضف الإعلان", "324970564": "تفاصيل الاتصال بالبائع", - "338910048": "ستظهر للمستخدمين الآخرين باسم", + "338910048": "سوف تظهر للمستخدمين الآخرين باسم", "358133589": "إلغاء حظر {{advertiser_name}}؟", "364681129": "تفاصيل الاتصال", "367579676": "محظور", @@ -67,9 +67,10 @@ "683273691": "معدل (1 {{ account_currency }})", "723172934": "هل تبحث عن شراء أو بيع الدولار الأمريكي؟ يمكنك نشر إعلانك الخاص للآخرين للرد.", "728383001": "لقد استلمت أكثر من المبلغ المتفق عليه.", - "733311523": "معاملات P2P مقفلة. هذه الميزة غير متاحة لوكلاء الدفع.", + "733311523": "معاملات P2P مقفلة. لا تتوفر هذه الميزة لوكلاء الدفع.", "767789372": "انتظر الدفع", "782834680": "الوقت المتبقي", + "783454335": "نعم، قم بإزالته", "830703311": "ملف التعريف الخاص بي", "834075131": "المعلنون المحظورون", "838024160": "تفاصيل البنك", @@ -179,7 +180,6 @@ "1848044659": "ليس لديك إعلانات.", "1859308030": "قدم ملاحظاتك", "1874956952": "اضغط على الزر أدناه لإضافة طرق الدفع.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "غير قادر على حظر المعلن", "1908023954": "عذرًا، حدث خطأ أثناء معالجة طلبك.", "1923443894": "غير نشط", @@ -190,7 +190,7 @@ "1994023526": "عنوان البريد الإلكتروني الذي أدخلته به خطأ أو خطأ مطبعي (يحدث لأفضل منا).", "2020104747": "عامل التصفية", "2029375371": "تعليمات الدفع", - "2032274854": "يوصي بها {{recommended_count}} متداول", + "2032274854": "يوصي به {{recommended_count}} المتداولون", "2039361923": "أنت بصدد إنشاء إعلان للبيع...", "2040110829": "قم بزيادة حدودي", "2060873863": "اكتمل طلبك {{order_id}}", @@ -198,6 +198,7 @@ "2091671594": "الحالة", "2096014107": "تقدم بطلبك", "2104905634": "لم يوصي أحد بهذا التاجر حتى الآن", + "2108340400": "مرحبًا! هذا هو المكان الذي يمكنك فيه الدردشة مع الطرف المقابل لتأكيد تفاصيل الطلب.ملاحظة: في حالة وجود نزاع، سنستخدم هذه الدردشة كمرجع.", "2121837513": "الحد الأدنى هو {{value}} {{currency}}", "2142425493": "معرف الإعلان", "2142752968": "يرجى التأكد من أنك تلقيت {{amount}} {{local_currency}} في حسابك واضغط على التأكيد لإكمال المعاملة.", @@ -232,6 +233,12 @@ "-2021135479": "هذا الحقل مطلوب.", "-2005205076": "تجاوز {{field_name}} الحد الأقصى للطول وهو 200 حرف.", "-480724783": "لديك بالفعل إعلان بهذا المعدل", + "-1117584385": "شوهد منذ أكثر من 6 أشهر", + "-1766199849": "شوهد منذ {{ duration }} شهرًا", + "-591593016": "نشط منذ {{ duration }} يوم", + "-1586918919": "نشط منذ {{ duration }} ساعة", + "-664781013": "شوهد منذ {{ duration }} دقيقة", + "-1717650468": "على الإنترنت", "-1948369500": "الملف الذي تم تحميله غير مدعوم", "-1207312691": "أُنجزت", "-688728873": "منتهي الصلاحية", @@ -244,52 +251,16 @@ "-1875343569": "تفاصيل الدفع الخاصة بالبائع", "-92830427": "تعليمات البائع", "-1940034707": "تعليمات المشتري", - "-137444201": "يشترى", - "-1306639327": "طرق الدفع", - "-904197848": "الحدود {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} دقيقة", - "-2109576323": "إتمام البيع <0>30 يومًا", - "-165392069": "<0>متوسط وقت الإصدار 30 يومًا", - "-1154208372": "حجم التجارة <0>30d", - "-1887970998": "لم يكن إلغاء الحظر ممكنًا لأن {{name}} لا يستخدم Deriv P2P بعد الآن.", - "-2017825013": "حصلت عليه", - "-1070228546": "انضم {{days_since_joined}}يوم", - "-2015102262": "({{number_of_ratings}} تصنيف)", - "-1412298133": "({{number_of_ratings}} تقييمات)", - "-260332243": "قام {{user_blocked_count}} شخص بحظرك", - "-117094654": "قام {{user_blocked_count}} شخص بحظرك", - "-329713179": "حسنا", - "-1689905285": "إلغاء الحظر", - "-992568889": "لا أحد للعرض هنا", - "-1298666786": "نظرائي", - "-1148912768": "إذا تغير سعر السوق عن السعر الموضح هنا، فلن نتمكن من معالجة طلبك.", - "-55126326": "البائع", - "-835196958": "تلقي الدفع إلى", - "-1218007718": "يمكنك اختيار ما يصل إلى 3.", - "-1933432699": "أدخل {{transaction_type}} مبلغ", - "-2021730616": "{{ad_type}}", - "-490637584": "الحد: {{min}}-{{max}} {{currency}}", - "-1974067943": "تفاصيل البنك الخاص بك", - "-1285759343": "ابحث", - "-1657433201": "لا توجد إعلانات مطابقة.", - "-1862812590": "الحدود {{ min_order }}—{{ max_order }} {{ currency }}", - "-375836822": "شراء {{account_currency}}", - "-1035421133": "بيع {{account_currency}}", - "-1503997652": "لا توجد إعلانات لهذه العملة.", - "-1048001140": "لا توجد نتائج لـ \"{{value}}».", - "-73663931": "إنشاء إعلان", - "-141315849": "لا توجد إعلانات لهذه العملة في الوقت الحالي 😞", "-471384801": "عذرًا، لا يمكننا زيادة حدودك الآن. يرجى المحاولة مرة أخرى بعد بضع دقائق.", + "-329713179": "حسنا", "-231863107": "لا", "-150224710": "نعم، استمر", - "-1638172550": "لتمكين هذه الميزة، يجب إكمال ما يلي:", - "-559300364": "تم حظر صراف Deriv P2P الخاص بك", - "-740038242": "السعر الخاص بك هو", "-205277874": "إعلانك غير مدرج في قائمة الشراء/البيع لأن الحد الأدنى للطلب الخاص به أعلى من رصيد Deriv P2P المتوفر لديك ({{balance}} {{currency}}).", "-971817673": "إعلانك غير مرئي للآخرين", "-1735126907": "قد يرجع ذلك إلى عدم كفاية رصيد حسابك أو تجاوز مبلغ إعلانك الحد اليومي أو كليهما. لا يزال بإمكانك مشاهدة إعلانك على <0>إعلاناتي.", "-674715853": "يتجاوز إعلانك الحد اليومي", "-1530773708": "بلوك {{advertiser_name}}؟", + "-1689905285": "إلغاء الحظر", "-2035037071": "رصيد Deriv P2P الخاص بك ليس كافيًا. يرجى زيادة رصيدك قبل المحاولة مرة أخرى.", "-412680608": "إضافة طريقة دفع", "-293182503": "هل تريد إلغاء إضافة طريقة الدفع هذه؟", @@ -302,8 +273,10 @@ "-848068683": "اضغط على الرابط في البريد الإلكتروني الذي أرسلناه لك للسماح بهذه المعاملة.", "-1238182882": "ستنتهي صلاحية الرابط خلال 10 دقائق.", "-142727028": "البريد الإلكتروني موجود في مجلد الرسائل غير المرغوب فيها (أحيانًا تضيع الأشياء هناك).", + "-1306639327": "طرق الدفع", "-227512949": "تحقق من التهجئة أو استخدم مصطلحًا مختلفًا.", "-1554938377": "ابحث عن طريقة الدفع", + "-1285759343": "ابحث", "-75934135": "إعلانات مطابقة", "-1856204727": "إعادة الضبط", "-1728351486": "رابط التحقق غير صالح", @@ -324,7 +297,60 @@ "-937707753": "ارجع", "-984140537": "أضف", "-1220275347": "يمكنك اختيار ما يصل إلى 3 طرق دفع لهذا الإعلان.", + "-871975082": "يمكنك إضافة ما يصل إلى 3 طرق دفع.", "-1340125291": "تم", + "-510341549": "لقد استلمت أقل من المبلغ المتفق عليه.", + "-650030360": "لقد دفعت أكثر من المبلغ المتفق عليه.", + "-1192446042": "إذا لم تكن شكواك مدرجة هنا، فيرجى الاتصال بفريق دعم العملاء.", + "-573132778": "شكوى", + "-792338456": "ما هي شكواك؟", + "-418870584": "إلغاء الطلب", + "-1392383387": "لقد دفعت", + "-727273667": "شكوى", + "-2016990049": "بيع {{offered_currency}} طلب", + "-811190405": "الوقت", + "-961632398": "طي الكل", + "-415476028": "غير مصنفة", + "-26434257": "لديك حتى الساعة {{remaining_review_time}} بتوقيت جرينتش لتقييم هذه المعاملة.", + "-768709492": "تجربة المعاملات الخاصة بك", + "-652933704": "موصى به", + "-84139378": "لا ينصح به", + "-2139303636": "ربما تكون قد اتبعت رابطًا معطلاً، أو انتقلت الصفحة إلى عنوان جديد.", + "-1448368765": "رمز الخطأ: لم يتم العثور على صفحة {{error_code}}", + "-1660552437": "العودة إلى P2P", + "-849068301": "جاري التحميل...", + "-2061807537": "هناك شيء غير صحيح", + "-1354983065": "تحديث", + "-137444201": "يشترى", + "-904197848": "الحدود {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} دقيقة", + "-2109576323": "إتمام البيع <0>30 يومًا", + "-165392069": "<0>متوسط وقت الإصدار 30 يومًا", + "-1154208372": "حجم التجارة <0>30d", + "-1887970998": "لم يكن إلغاء الحظر ممكنًا لأن {{name}} لا يستخدم Deriv P2P بعد الآن.", + "-2017825013": "حصلت عليه", + "-1070228546": "انضم {{days_since_joined}}يوم", + "-2015102262": "({{number_of_ratings}} تصنيف)", + "-1412298133": "({{number_of_ratings}} تقييمات)", + "-260332243": "قام {{user_blocked_count}} شخص بحظرك", + "-117094654": "قام {{user_blocked_count}} شخص بحظرك", + "-1148912768": "إذا تغير سعر السوق عن السعر الموضح هنا، فلن نتمكن من معالجة طلبك.", + "-55126326": "البائع", + "-835196958": "تلقي الدفع إلى", + "-1218007718": "يمكنك اختيار ما يصل إلى 3.", + "-1933432699": "أدخل {{transaction_type}} مبلغ", + "-2021730616": "{{ad_type}}", + "-490637584": "الحد: {{min}}-{{max}} {{currency}}", + "-1974067943": "تفاصيل البنك الخاص بك", + "-1657433201": "لا توجد إعلانات مطابقة.", + "-1862812590": "الحدود {{ min_order }}—{{ max_order }} {{ currency }}", + "-375836822": "شراء {{account_currency}}", + "-1035421133": "بيع {{account_currency}}", + "-1503997652": "لا توجد إعلانات لهذه العملة.", + "-1048001140": "لا توجد نتائج لـ \"{{value}}».", + "-1179827369": "إنشاء إعلان جديد", + "-73663931": "إنشاء إعلان", + "-141315849": "لا توجد إعلانات لهذه العملة في الوقت الحالي 😞", "-1889014820": "<0>لا ترى طريقة الدفع الخاصة بك؟ <1>إضافة جديد.", "-1406830100": "طريقة الدفع", "-1561775203": "شراء {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "أنت بصدد إنشاء إعلان لبيع <0>{{ target_amount }} {{ target_currency }} مقابل <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "أنت بصدد إنشاء إعلان لبيع <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "أنت بصدد إنشاء إعلان للشراء...", - "-1179827369": "إنشاء إعلان جديد", "-230677679": "{{text}}", "-1914431773": "أنت تقوم بتحرير إعلان لشراء <0>{{ target_amount }} {{ target_currency }} مقابل <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "أنت تقوم بتحرير إعلان لشراء <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "أنت تقوم بتحرير إعلان للشراء...", "-1396464057": "أنت تقوم بتحرير إعلان للبيع...", + "-1526367101": "لا توجد طرق دفع مطابقة.", "-372210670": "معدل (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "قم بإلغاء التنشيط", "-1667041441": "معدل (1 {{ offered_currency }})", "-1886565882": "تم إلغاء تنشيط إعلاناتك ذات الأسعار المتغيرة. حدد معدلات ثابتة لإعادة تنشيطها.", "-792015701": "صراف Deriv P2P غير متوفر في بلدك.", "-1241719539": "عندما تحظر شخصًا ما، لن ترى إعلاناته، ولن يتمكن من رؤية إعلاناتك. سيتم إخفاء إعلاناتك من نتائج البحث أيضًا.", "-1007339977": "لا يوجد اسم مطابق.", + "-1298666786": "نظرائي", "-179005984": "وفر", "-2059312414": "تفاصيل الإعلان", "-1769584466": "الإحصائيات", @@ -364,45 +390,23 @@ "-383030149": "لم تقم بإضافة أي طرق دفع حتى الآن", "-1156559889": "التحويلات البنكية", "-1269362917": "إضافة جديد", - "-532709160": "اللقب الخاص بك", - "-1117584385": "شوهد منذ أكثر من 6 أشهر", - "-1766199849": "شوهد منذ {{ duration }} شهرًا", - "-591593016": "نشط منذ {{ duration }} يوم", - "-1586918919": "نشط منذ {{ duration }} ساعة", - "-664781013": "شوهد منذ {{ duration }} دقيقة", - "-1717650468": "على الإنترنت", - "-510341549": "لقد استلمت أقل من المبلغ المتفق عليه.", - "-650030360": "لقد دفعت أكثر من المبلغ المتفق عليه.", - "-1192446042": "إذا لم تكن شكواك مدرجة هنا، فيرجى الاتصال بفريق دعم العملاء.", - "-573132778": "شكوى", - "-792338456": "ما هي شكواك؟", - "-418870584": "إلغاء الطلب", - "-1392383387": "لقد دفعت", - "-727273667": "شكوى", - "-2016990049": "بيع {{offered_currency}} طلب", - "-811190405": "الوقت", - "-961632398": "طي الكل", - "-415476028": "غير مصنفة", - "-26434257": "لديك حتى الساعة {{remaining_review_time}} بتوقيت جرينتش لتقييم هذه المعاملة.", - "-768709492": "تجربة المعاملات الخاصة بك", - "-652933704": "موصى به", - "-84139378": "لا ينصح به", "-1983512566": "تم إغلاق هذه المحادثة.", - "-1797318839": "في حالة حدوث نزاع، سننظر فقط في الاتصال من خلال قناة دردشة Deriv P2P.", "-283017497": "أعد المحاولة", "-979459594": "بيع/شراء", "-2052184983": "معرف الطلب", "-2096350108": "الطرف المقابل", "-750202930": "الطلبات النشطة", "-1626659964": "لقد تلقيت {{amount}} {{currency}}.", - "-2139303636": "ربما تكون قد اتبعت رابطًا معطلاً، أو انتقلت الصفحة إلى عنوان جديد.", - "-1448368765": "رمز الخطأ: لم يتم العثور على صفحة {{error_code}}", - "-1660552437": "العودة إلى P2P", - "-237014436": "موصى به من قبل {{recommended_count}} متداول", - "-849068301": "جاري التحميل...", - "-2061807537": "هناك شيء غير صحيح", - "-1354983065": "تحديث", - "-2054589794": "لقد تم منعك مؤقتًا من استخدام خدماتنا بسبب محاولات الإلغاء المتعددة. حاول مرة أخرى بعد {{date_time}} بتوقيت جرينتش.", + "-1638172550": "لتمكين هذه الميزة، يجب إكمال ما يلي:", + "-559300364": "تم حظر صراف Deriv P2P الخاص بك", + "-740038242": "السعر الخاص بك هو", + "-146021156": "حذف {{payment_method_name}}؟", + "-1846700504": "هل تريد بالتأكيد إزالة طريقة الدفع هذه؟", + "-1422779483": "لا يمكن حذف طريقة الدفع هذه", + "-532709160": "اللقب الخاص بك", + "-237014436": "يوصي به {{recommended_count}} المتداول", + "-2054589794": "لقد تم منعك مؤقتًا من استخدام خدماتنا بسبب محاولات الإلغاء المتعددة. حاول مرة أخرى بعد {{date_time}} GMT.", "-1079963355": "الصفقات", - "-930400128": "لاستخدام Deriv P2P، تحتاج إلى اختيار اسم عرض (اسم مستعار) والتحقق من هويتك." + "-930400128": "لاستخدام Deriv P2P، تحتاج إلى اختيار اسم عرض (اسم مستعار) والتحقق من هويتك.", + "-992568889": "لا أحد للعرض هنا" } \ No newline at end of file diff --git a/packages/p2p/src/translations/bn.json b/packages/p2p/src/translations/bn.json index e6a9b5313f43..728f4ca32247 100644 --- a/packages/p2p/src/translations/bn.json +++ b/packages/p2p/src/translations/bn.json @@ -70,6 +70,7 @@ "733311523": "P2P লেনদেন লক করা হয়। এই বৈশিষ্ট্যটি পেমেন্ট এজেন্টদের জন্য উপলব্ধ নয়।", "767789372": "অর্থের বিনিময়ে অপেক্ষা করুন", "782834680": "বাকি সময়", + "783454335": "হ্যাঁ, মুছে ফেলুন", "830703311": "আমার প্রোফাইল", "834075131": "ব্লক করা বিজ্ঞাপনদাতাদের", "838024160": "ব্যাংকের বিস্তারিত বিবরণ", @@ -179,7 +180,6 @@ "1848044659": "আপনার কোন বিজ্ঞাপন নেই।", "1859308030": "ফিডব্যাক দিন", "1874956952": "পেমেন্ট পদ্ধতি যোগ করার জন্য নীচের বোতামটি হিট করুন।", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "বিজ্ঞাপনদাতাকে ব্লক করতে ব্যর্থ", "1908023954": "দুঃখিত, আপনার অনুরোধ প্রক্রিয়া করার সময় একটি ত্রুটি ঘটেছে।", "1923443894": "নিষ্ক্রিয়", @@ -198,6 +198,7 @@ "2091671594": "স্ট্যাটাস", "2096014107": "প্রয়োগ করুন", "2104905634": "কেউই এখনো এই ট্রেডারকে সুপারিশ করেনি", + "2108340400": "হ্যালো! এই যেখানে আপনি অর্ডার বিবরণ নিশ্চিত করতে কাউন্টারপার্টি সঙ্গে চ্যাট করতে পারেন। নোট: একটি বিরোধের ক্ষেত্রে, আমরা একটি রেফারেন্স হিসাবে এই চ্যাট ব্যবহার করব।", "2121837513": "নূন্যতম {{value}} {{currency}}", "2142425493": "বিজ্ঞাপন আইডি", "2142752968": "অনুগ্রহ করে নিশ্চিত করুন যে আপনি আপনার অ্যাকাউন্টে {{amount}} {{local_currency}} পেয়েছেন এবং লেনদেন সম্পন্ন করতে নিশ্চিত করুন।", @@ -232,6 +233,12 @@ "-2021135479": "এই ক্ষেত্রটি প্রয়োজন।", "-2005205076": "{{field_name}} ২০০ অক্ষরের সর্বোচ্চ দৈর্ঘ্য অতিক্রম করেছে।", "-480724783": "আপনি ইতিমধ্যে এই হার সঙ্গে একটি বিজ্ঞাপন আছে", + "-1117584385": "৬ মাসেরও বেশি আগে দেখা গেছে", + "-1766199849": "{{ duration }} মাস আগে দেখা", + "-591593016": "{{ duration }} একদিন আগে দেখা হয়েছে", + "-1586918919": "দেখা {{ duration }} ঘণ্টা আগে", + "-664781013": "{{ duration }} এক মিনিট আগে দেখা", + "-1717650468": "অনলাইন", "-1948369500": "আপলোড করা ফাইল সমর্থিত নয়", "-1207312691": "সম্পন্ন", "-688728873": "মেয়াদোত্তীর্ণ", @@ -244,52 +251,16 @@ "-1875343569": "বিক্রেতার পেমেন্ট বিবরণ", "-92830427": "বিক্রেতার নির্দেশাবলী", "-1940034707": "ক্রেতার নির্দেশনা", - "-137444201": "কিনুন", - "-1306639327": "মূল্যপরিশোধের পদ্ধতি", - "-904197848": "সীমা {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} মিনিট", - "-2109576323": "বিক্রি সমাপ্তির <0>30d", - "-165392069": "গড়। রিলিজ সময় <0>30d", - "-1154208372": "ট্রেড ভলিউম <0>30d", - "-1887970998": "আনব্লক করা সম্ভব ছিল না কারণ {{name}} আর Deriv P2P ব্যবহার করছে না।", - "-2017825013": "পেয়েছি এটা।", - "-1070228546": "যোগদান করেছেন {{days_since_joined}}d", - "-2015102262": "({{number_of_ratings}} রেটিং)", - "-1412298133": "({{number_of_ratings}} রেটিং)", - "-260332243": "{{user_blocked_count}} ব্যক্তি আপনাকে অবরুদ্ধ করেছে", - "-117094654": "{{user_blocked_count}} জন আপনাকে অবরুদ্ধ করেছে", - "-329713179": "আচ্ছা", - "-1689905285": "অবরোধ মুক্ত করা", - "-992568889": "এখানে কেউ দেখাতে পারবে না", - "-1298666786": "আমার কাউন্টারপার্টিরা", - "-1148912768": "যদি এখানে দেখানো রেট থেকে মার্কেট রেট পরিবর্তন হয়, তাহলে আমরা আপনার অর্ডার প্রক্রিয়া করতে পারব না।", - "-55126326": "বিক্রেতা", - "-835196958": "পেমেন্ট গ্রহণ করুন", - "-1218007718": "আপনি 3 পর্যন্ত বেছে নিতে পারেন।", - "-1933432699": "{{transaction_type}} পরিমাণ লিখুন", - "-2021730616": "{{ad_type}}", - "-490637584": "সীমা: {{min}}-{{max}} {{currency}}", - "-1974067943": "আপনার ব্যাঙ্কের বিস্তারিত", - "-1285759343": "অনুসন্ধান", - "-1657433201": "কোন মিলে যাওয়া বিজ্ঞাপন নেই।", - "-1862812590": "সীমা {{ min_order }}-{{ max_order }} {{ currency }}", - "-375836822": "কিনুন {{account_currency}}", - "-1035421133": "বিক্রি {{account_currency}}", - "-1503997652": "এই মুদ্রার জন্য কোন বিজ্ঞাপন নেই।", - "-1048001140": "“{{value}}” এর জন্য কোনো ফলাফল নেই।", - "-73663931": "বিজ্ঞাপন তৈরি করুন", - "-141315849": "এই মুহুর্তে এই মুদ্রার জন্য কোন বিজ্ঞাপন 😞", "-471384801": "দুঃখিত, আমরা এখনই আপনার সীমা বৃদ্ধি করতে পারছি না। দয়া করে কয়েক মিনিটের মধ্যে আবার চেষ্টা করুন।", + "-329713179": "আচ্ছা", "-231863107": "না", "-150224710": "হ্যাঁ, চালিয়ে যান", - "-1638172550": "এই বৈশিষ্ট্যটি সক্রিয় করতে আপনাকে অবশ্যই নিম্নলিখিতগুলি পূরণ করতে হবে:", - "-559300364": "আপনার Deriv P2P ক্যাশিয়ার অবরুদ্ধ", - "-740038242": "আপনার হার", "-205277874": "আপনার বিজ্ঞাপন ক্রয়/বিক্রয় তালিকাভুক্ত করা হয় না কারণ এর ন্যূনতম অর্ডার আপনার Deriv P2P উপলব্ধ ব্যালেন্স ({{balance}} {{currency}}) এর চেয়ে বেশি।", "-971817673": "আপনার বিজ্ঞাপন অন্যদের কাছে দৃশ্যমান নয়", "-1735126907": "এটি হতে পারে কারণ আপনার অ্যাকাউন্টের ব্যালেন্স অপর্যাপ্ত, আপনার বিজ্ঞাপনের পরিমাণ আপনার দৈনিক সীমা বা উভয় ছাড়িয়ে গেছে। আপনি এখনও <0>আমার বিজ্ঞাপনে আপনার বিজ্ঞাপন দেখতে পারেন।", "-674715853": "আপনার বিজ্ঞাপন দৈনিক সীমা অতিক্রম করেছে", "-1530773708": "{{advertiser_name}}ব্লক?", + "-1689905285": "অবরোধ মুক্ত করা", "-2035037071": "আপনার Deriv P2P ব্যালেন্স যথেষ্ট নয়। আবার চেষ্টা করার আগে অনুগ্রহ করে আপনার ব্যালেন্স বৃদ্ধি করুন।", "-412680608": "পেমেন্ট পদ্ধতি যোগ করুন", "-293182503": "এই মূল্যপরিশোধের পদ্ধতি যোগ করা বাতিল করা হবে?", @@ -302,8 +273,10 @@ "-848068683": "এই লেনদেন অনুমোদন করার জন্য আমরা আপনাকে পাঠানো ইমেলের লিঙ্কটি হিট করুন।", "-1238182882": "লিঙ্কটি 10 মিনিটের মধ্যে মেয়াদ শেষ হবে।", "-142727028": "ইমেলটি আপনার স্প্যাম ফোল্ডারে রয়েছে (কখনও কখনও জিনিসগুলি সেখানে হারিয়ে যায়)।", + "-1306639327": "মূল্যপরিশোধের পদ্ধতি", "-227512949": "আপনার বানান পরীক্ষা করুন অথবা একটি ভিন্ন শব্দ ব্যবহার করুন।", "-1554938377": "পেমেন্ট পদ্ধতি অনুসন্ধান করুন", + "-1285759343": "অনুসন্ধান", "-75934135": "মিলে যাওয়া বিজ্ঞাপন", "-1856204727": "রিসেট", "-1728351486": "বৈধ যাচাইকরণ লিংক", @@ -324,7 +297,60 @@ "-937707753": "ফিরে যাও", "-984140537": "যোগ করুন", "-1220275347": "আপনি এই বিজ্ঞাপনটির জন্য সর্বোচ্চ ৩টি মূল্যপরিশোধের পদ্ধতি বেছে নিতে পারেন।", + "-871975082": "আপনি 3 টি মূল্যপরিশোধের পদ্ধতি যোগ করতে পারেন।", "-1340125291": "সম্পন্ন", + "-510341549": "আমি সম্মত পরিমাণের চেয়ে কম পেয়েছি।", + "-650030360": "আমি সম্মত পরিমাণের চেয়েও বেশি টাকা দিয়েছি।", + "-1192446042": "যদি আপনার অভিযোগ এখানে তালিকাভুক্ত না থাকে, তাহলে অনুগ্রহ করে আমাদের কাস্টমার সাপোর্ট টিমের সাথে যোগাযোগ করুন।", + "-573132778": "অভিযোগ", + "-792338456": "তোমার অভিযোগটা কি?", + "-418870584": "অর্ডার বাতিল করুন", + "-1392383387": "আমি টাকা দিয়েছি", + "-727273667": "অভিযোগ", + "-2016990049": "{{offered_currency}} অর্ডার বিক্রি করুন", + "-811190405": "সময়", + "-961632398": "সব সঙ্কুচিত করুন", + "-415476028": "রেট করা হয়নি", + "-26434257": "এই লেনদেন রেট করার জন্য আপনার {{remaining_review_time}} জিএমটি পর্যন্ত আছে।", + "-768709492": "আপনার লেনদেনের অভিজ্ঞতা", + "-652933704": "প্রস্তাবিত", + "-84139378": "সুপারিশ করা হয়নি", + "-2139303636": "আপনি সম্ভবত একটি ভাঙা লিঙ্ক অনুসরণ করেছেন, অথবা পৃষ্ঠাটি একটি নতুন ঠিকানায় স্থানান্তরিত হয়েছে।", + "-1448368765": "ত্রুটি কোড: {{error_code}} পৃষ্ঠা পাওয়া যায়নি", + "-1660552437": "P2P এ ফিরে যান", + "-849068301": "লোড হচ্ছে...", + "-2061807537": "কিছু একটা ঠিক না", + "-1354983065": "রিফ্রেশ", + "-137444201": "কিনুন", + "-904197848": "সীমা {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} মিনিট", + "-2109576323": "বিক্রি সমাপ্তির <0>30d", + "-165392069": "গড়। রিলিজ সময় <0>30d", + "-1154208372": "ট্রেড ভলিউম <0>30d", + "-1887970998": "আনব্লক করা সম্ভব ছিল না কারণ {{name}} আর Deriv P2P ব্যবহার করছে না।", + "-2017825013": "পেয়েছি এটা।", + "-1070228546": "যোগদান করেছেন {{days_since_joined}}d", + "-2015102262": "({{number_of_ratings}} রেটিং)", + "-1412298133": "({{number_of_ratings}} রেটিং)", + "-260332243": "{{user_blocked_count}} ব্যক্তি আপনাকে অবরুদ্ধ করেছে", + "-117094654": "{{user_blocked_count}} জন আপনাকে অবরুদ্ধ করেছে", + "-1148912768": "যদি এখানে দেখানো রেট থেকে মার্কেট রেট পরিবর্তন হয়, তাহলে আমরা আপনার অর্ডার প্রক্রিয়া করতে পারব না।", + "-55126326": "বিক্রেতা", + "-835196958": "পেমেন্ট গ্রহণ করুন", + "-1218007718": "আপনি 3 পর্যন্ত বেছে নিতে পারেন।", + "-1933432699": "{{transaction_type}} পরিমাণ লিখুন", + "-2021730616": "{{ad_type}}", + "-490637584": "সীমা: {{min}}-{{max}} {{currency}}", + "-1974067943": "আপনার ব্যাঙ্কের বিস্তারিত", + "-1657433201": "কোন মিলে যাওয়া বিজ্ঞাপন নেই।", + "-1862812590": "সীমা {{ min_order }}-{{ max_order }} {{ currency }}", + "-375836822": "কিনুন {{account_currency}}", + "-1035421133": "বিক্রি {{account_currency}}", + "-1503997652": "এই মুদ্রার জন্য কোন বিজ্ঞাপন নেই।", + "-1048001140": "“{{value}}” এর জন্য কোনো ফলাফল নেই।", + "-1179827369": "নতুন বিজ্ঞাপন তৈরি করুন", + "-73663931": "বিজ্ঞাপন তৈরি করুন", + "-141315849": "এই মুহুর্তে এই মুদ্রার জন্য কোন বিজ্ঞাপন 😞", "-1889014820": "<0>আপনার পেমেন্ট পদ্ধতি দেখতে পাচ্ছেন না? <1>নতুন যোগ করুন।", "-1406830100": "মূল্যপরিশোধের পদ্ধতি", "-1561775203": "কিনুন {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "আপনি বিক্রি করার <0>{{ target_amount }} {{ target_currency }}জন্য একটি বিজ্ঞাপন তৈরি করছেন <0>{{ local_amount }} {{ local_currency }}<1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "আপনি <0>{{ target_amount }} {{ target_currency }} বিক্রি করার জন্য একটি বিজ্ঞাপন তৈরি করছেন...", "-514789442": "আপনি কিনতে একটি বিজ্ঞাপন তৈরি করছেন...", - "-1179827369": "নতুন বিজ্ঞাপন তৈরি করুন", "-230677679": "{{text}}", "-1914431773": "আপনি <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} / {{local_currency}}/{{ target_currency }}) এর জন্য <0>{{ target_amount }} {{ target_currency }} কেনার জন্য একটি বিজ্ঞাপন সম্পাদনা করছেন", "-107996509": "আপনি <0>{{ target_amount }} : {{ target_currency }} কিনতে একটি বিজ্ঞাপন সম্পাদনা করছেন...", "-863580260": "আপনি কিনতে একটি বিজ্ঞাপন সম্পাদনা করছেন...", "-1396464057": "আপনি বিক্রি করার জন্য একটি বিজ্ঞাপন সম্পাদনা করছেন...", + "-1526367101": "কোন মেলানো পেমেন্ট পদ্ধতি নেই।", "-372210670": "হার (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "নিষ্ক্রিয় করুন", "-1667041441": "হার (1 {{ offered_currency }})", "-1886565882": "ফ্লোটিং রেটের সাথে আপনার বিজ্ঞাপনগুলি নিষ্ক্রিয় করা হয়েছে। তাদের পুনরায় সক্রিয় করার জন্য নির্দিষ্ট হার সেট করুন।", "-792015701": "Deriv P2P ক্যাশিয়ার আপনার দেশে অনুপলব্ধ।", "-1241719539": "আপনি যখন কাউকে ব্লক করেন, তখন আপনি তাদের বিজ্ঞাপন দেখতে পাবেন না, এবং তারা আপনার দেখতে পাবে না। আপনার বিজ্ঞাপনগুলিও তাদের অনুসন্ধানের ফলাফল থেকে লুকানো থাকবে।", "-1007339977": "কোন মিলনযুক্ত নাম নেই।", + "-1298666786": "আমার কাউন্টারপার্টিরা", "-179005984": "সংরক্ষণ করুন", "-2059312414": "বিজ্ঞাপন বিবরণ", "-1769584466": "পরিসংখ্যান", @@ -364,45 +390,23 @@ "-383030149": "আপনি এখনও কোন পেমেন্ট পদ্ধতি যোগ করেননি", "-1156559889": "ব্যাংক ট্রান্সফার", "-1269362917": "নতুন যোগ করুন", - "-532709160": "আপনার ডাকনাম", - "-1117584385": "৬ মাসেরও বেশি আগে দেখা গেছে", - "-1766199849": "{{ duration }} মাস আগে দেখা", - "-591593016": "{{ duration }} একদিন আগে দেখা হয়েছে", - "-1586918919": "দেখা {{ duration }} ঘণ্টা আগে", - "-664781013": "{{ duration }} এক মিনিট আগে দেখা", - "-1717650468": "অনলাইন", - "-510341549": "আমি সম্মত পরিমাণের চেয়ে কম পেয়েছি।", - "-650030360": "আমি সম্মত পরিমাণের চেয়েও বেশি টাকা দিয়েছি।", - "-1192446042": "যদি আপনার অভিযোগ এখানে তালিকাভুক্ত না থাকে, তাহলে অনুগ্রহ করে আমাদের কাস্টমার সাপোর্ট টিমের সাথে যোগাযোগ করুন।", - "-573132778": "অভিযোগ", - "-792338456": "তোমার অভিযোগটা কি?", - "-418870584": "অর্ডার বাতিল করুন", - "-1392383387": "আমি টাকা দিয়েছি", - "-727273667": "অভিযোগ", - "-2016990049": "{{offered_currency}} অর্ডার বিক্রি করুন", - "-811190405": "সময়", - "-961632398": "সব সঙ্কুচিত করুন", - "-415476028": "রেট করা হয়নি", - "-26434257": "এই লেনদেন রেট করার জন্য আপনার {{remaining_review_time}} জিএমটি পর্যন্ত আছে।", - "-768709492": "আপনার লেনদেনের অভিজ্ঞতা", - "-652933704": "প্রস্তাবিত", - "-84139378": "সুপারিশ করা হয়নি", "-1983512566": "এই কথোপকথন বন্ধ।", - "-1797318839": "একটি বিতর্ক ক্ষেত্রে, আমরা শুধুমাত্র Deriv P2P চ্যাট চ্যানেলের মাধ্যমে যোগাযোগ বিবেচনা করবে।", "-283017497": "পুনরায় চেষ্টা করা", "-979459594": "কিনতে/বিক্রয়", "-2052184983": "অর্ডার আইডি", "-2096350108": "কাউন্টারপার্টি", "-750202930": "সক্রিয় অর্ডার", "-1626659964": "আমি পেয়েছি {{amount}} {{currency}}।", - "-2139303636": "আপনি সম্ভবত একটি ভাঙা লিঙ্ক অনুসরণ করেছেন, অথবা পৃষ্ঠাটি একটি নতুন ঠিকানায় স্থানান্তরিত হয়েছে।", - "-1448368765": "ত্রুটি কোড: {{error_code}} পৃষ্ঠা পাওয়া যায়নি", - "-1660552437": "P2P এ ফিরে যান", + "-1638172550": "এই বৈশিষ্ট্যটি সক্রিয় করতে আপনাকে অবশ্যই নিম্নলিখিতগুলি পূরণ করতে হবে:", + "-559300364": "আপনার Deriv P2P ক্যাশিয়ার অবরুদ্ধ", + "-740038242": "আপনার হার", + "-146021156": "{{payment_method_name}}মুছে ফেলবেন?", + "-1846700504": "আপনি কি নিশ্চিতরূপে এই মূল্যপরিশোধের পদ্ধতি অপসারণ করতে ইচ্ছুক?", + "-1422779483": "যে পেমেন্ট পদ্ধতি মুছে ফেলা যাবে না", + "-532709160": "আপনার ডাকনাম", "-237014436": "{{recommended_count}} ট্রেডার দ্বারা প্রস্তাবিত", - "-849068301": "লোড হচ্ছে...", - "-2061807537": "কিছু একটা ঠিক না", - "-1354983065": "রিফ্রেশ", "-2054589794": "একাধিক বাতিল করার প্রচেষ্টার কারণে আপনাকে সাময়িকভাবে আমাদের পরিষেবাগুলি ব্যবহার করতে নিষেধ করা হয়েছে। {{date_time}} জিএমটি পরে আবার চেষ্টা করুন।", "-1079963355": "ব্যবসা", - "-930400128": "Deriv P2P ব্যবহার করতে, আপনাকে একটি প্রদর্শন নাম (একটি ডাকনাম) নির্বাচন করতে হবে এবং আপনার পরিচয় যাচাই করতে হবে।" + "-930400128": "Deriv P2P ব্যবহার করতে, আপনাকে একটি প্রদর্শন নাম (একটি ডাকনাম) নির্বাচন করতে হবে এবং আপনার পরিচয় যাচাই করতে হবে।", + "-992568889": "এখানে কেউ দেখাতে পারবে না" } \ No newline at end of file diff --git a/packages/p2p/src/translations/de.json b/packages/p2p/src/translations/de.json index 8f6ea9c646a2..1069db910fb8 100644 --- a/packages/p2p/src/translations/de.json +++ b/packages/p2p/src/translations/de.json @@ -70,6 +70,7 @@ "733311523": "P2P-Transaktionen sind gesperrt. Diese Funktion ist für Zahlungsagenten nicht verfügbar.", "767789372": "Warte auf die Zahlung", "782834680": "Verbleibende Zeit", + "783454335": "Ja, entfernen", "830703311": "Mein Profil", "834075131": "Blockierte Werbetreibende", "838024160": "Bankdaten", @@ -179,7 +180,6 @@ "1848044659": "Du hast keine Werbung.", "1859308030": "Feedback geben", "1874956952": "Klicken Sie auf die Schaltfläche unten, um Zahlungsmethoden hinzuzufügen.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Werbetreibender kann nicht blockiert werden", "1908023954": "Leider ist während der Bearbeitung Ihrer Anfrage ein Fehler aufgetreten.", "1923443894": "Inaktiv", @@ -198,6 +198,7 @@ "2091671594": "Status", "2096014107": "Bewerben", "2104905634": "Bisher hat noch niemand diesen Trader empfohlen", + "2108340400": "Hallo! Hier können Sie mit der Gegenpartei chatten, um die Details der Bestellung zu bestätigen.nHinweis: Im Falle eines Rechtsstreits werden wir diesen Chat als Referenz verwenden.", "2121837513": "Das Minimum ist {{value}} {{currency}}", "2142425493": "ID anzeigen", "2142752968": "Bitte stellen Sie sicher, dass Sie {{amount}} {{local_currency}} auf Ihrem Konto erhalten haben, und klicken Sie auf Bestätigen, um die Transaktion abzuschließen.", @@ -232,6 +233,12 @@ "-2021135479": "Dieses Feld ist erforderlich.", "-2005205076": "{{field_name}} hat die maximale Länge von 200 Zeichen überschritten.", "-480724783": "Sie haben bereits eine Anzeige mit diesem Tarif", + "-1117584385": "Vor mehr als 6 Monaten gesehen", + "-1766199849": "Vor {{ duration }} Monaten gesehen", + "-591593016": "Vor {{ duration }} Tagen gesehen", + "-1586918919": "Vor {{ duration }} Stunden gesehen", + "-664781013": "Vor {{ duration }} Minuten gesehen", + "-1717650468": "Online", "-1948369500": "Hochgeladene Datei wird nicht unterstützt", "-1207312691": "Abgeschlossen", "-688728873": "Abgelaufen", @@ -244,52 +251,16 @@ "-1875343569": "Zahlungsdetails des Verkäufers", "-92830427": "Anweisungen des Verkäufers", "-1940034707": "Anweisungen des Käufers", - "-137444201": "Kaufen", - "-1306639327": "Zahlungsmethoden", - "-904197848": "Grenzwerte {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} Minuten", - "-2109576323": "Verkaufsabschluss <0>30 Tage", - "-165392069": "<0>Durchschnittliche Veröffentlichungszeit 30 Tage", - "-1154208372": "Handelsvolumen <0>30d", - "-1887970998": "Die Entsperrung war nicht möglich weil {{name}} Deriv P2P nicht mehr benutzt.", - "-2017825013": "Verstanden", - "-1070228546": "Beigetreten {{days_since_joined}}d", - "-2015102262": "({{number_of_ratings}} Bewertung)", - "-1412298133": "({{number_of_ratings}} Bewertungen)", - "-260332243": "{{user_blocked_count}} Person hat dich blockiert", - "-117094654": "{{user_blocked_count}} Leute haben dich blockiert", - "-329713179": "Okay", - "-1689905285": "Entsperren", - "-992568889": "Niemand, der hier gezeigt werden kann", - "-1298666786": "Meine Gegenparteien", - "-1148912768": "Wenn sich der Marktpreis von dem hier angegebenen Kurs unterscheidet, können wir Ihre Bestellung nicht bearbeiten.", - "-55126326": "Verkäufer", - "-835196958": "Zahlung erhalten an", - "-1218007718": "Sie können bis zu 3 wählen.", - "-1933432699": "Geben Sie einen Betrag von {{transaction_type}} ein", - "-2021730616": "{{ad_type}}", - "-490637584": "Limit: {{min}}—{{max}} {{currency}}", - "-1974067943": "Deine Bankdaten", - "-1285759343": "Suche", - "-1657433201": "Es gibt keine passenden Anzeigen.", - "-1862812590": "Grenzwerte {{ min_order }}—{{ max_order }} {{ currency }}", - "-375836822": "Kaufe {{account_currency}}", - "-1035421133": "Verkaufe {{account_currency}}", - "-1503997652": "Keine Werbung für diese Währung.", - "-1048001140": "Keine Ergebnisse für \"{{value}}“.", - "-73663931": "Anzeige erstellen", - "-141315849": "Im Moment keine Werbung für diese Währung 😞", "-471384801": "Leider können wir Ihre Limits derzeit nicht erhöhen. Bitte versuchen Sie es in ein paar Minuten erneut.", + "-329713179": "Okay", "-231863107": "Nein", "-150224710": "Ja, weiter", - "-1638172550": "Um diese Funktion zu aktivieren, müssen Sie die folgenden Schritte ausführen:", - "-559300364": "Ihr Deriv P2P-Kassierer ist gesperrt", - "-740038242": "Ihr Tarif ist", "-205277874": "Ihre Anzeige ist nicht auf Kaufen/Verkaufen gelistet, weil der Mindestauftrag höher ist als Ihr verfügbares Deriv P2P-Guthaben ({{balance}} {{currency}}).", "-971817673": "Ihre Anzeige ist für andere nicht sichtbar", "-1735126907": "Dies kann daran liegen, dass Ihr Kontostand nicht ausreicht, Ihr Anzeigenbetrag Ihr Tageslimit übersteigt oder an beidem. Sie können Ihre Anzeige weiterhin auf <0>Meine Anzeigen sehen.", "-674715853": "Ihre Anzeige überschreitet das Tageslimit", "-1530773708": "{{advertiser_name}}blockieren?", + "-1689905285": "Entsperren", "-2035037071": "Ihr Deriv P2P-Guthaben reicht nicht aus. Bitte erhöhen Sie Ihr Guthaben, bevor Sie es erneut versuchen.", "-412680608": "Zahlungsmethode hinzufügen", "-293182503": "Möchten Sie das Hinzufügen dieser Zahlungsmethode stornieren?", @@ -302,8 +273,10 @@ "-848068683": "Klicken Sie auf den Link in der E-Mail, die wir Ihnen gesendet haben, um diese Transaktion zu autorisieren.", "-1238182882": "Der Link wird in 10 Minuten ablaufen.", "-142727028": "Die E-Mail befindet sich in Ihrem Spam-Ordner (manchmal gehen dort Dinge verloren).", + "-1306639327": "Zahlungsmethoden", "-227512949": "Überprüfe deine Rechtschreibung oder verwende einen anderen Begriff.", "-1554938377": "Zahlungsmethode suchen", + "-1285759343": "Suche", "-75934135": "Passende Anzeigen", "-1856204727": "Zurücksetzen", "-1728351486": "Ungültiger Bestätigungslink", @@ -324,7 +297,60 @@ "-937707753": "Geh zurück", "-984140537": "Hinzufügen", "-1220275347": "Sie können für diese Anzeige bis zu 3 Zahlungsmethoden wählen.", + "-871975082": "Sie können bis zu 3 Zahlungsarten hinzufügen.", "-1340125291": "Erledigt", + "-510341549": "Ich habe weniger als den vereinbarten Betrag erhalten.", + "-650030360": "Ich habe mehr als den vereinbarten Betrag bezahlt.", + "-1192446042": "Wenn Ihre Beschwerde hier nicht aufgeführt ist, wenden Sie sich bitte an unser Kundenserviceteam.", + "-573132778": "Beschwerde", + "-792338456": "Was ist Ihre Beschwerde?", + "-418870584": "Bestellung stornieren", + "-1392383387": "Ich habe bezahlt", + "-727273667": "Beschweren", + "-2016990049": "Verkaufe {{offered_currency}} Bestellungen", + "-811190405": "Zeit", + "-961632398": "Alles zusammenklappen", + "-415476028": "Nicht bewertet", + "-26434257": "Sie haben bis {{remaining_review_time}} Uhr GMT Zeit, um diese Transaktion zu bewerten.", + "-768709492": "Ihr Transaktionserlebnis", + "-652933704": "Empfohlen", + "-84139378": "Nicht empfohlen", + "-2139303636": "Möglicherweise sind Sie einem defekten Link gefolgt, oder die Seite wurde an eine neue Adresse verschoben.", + "-1448368765": "Fehlercode: {{error_code}} Seite nicht gefunden", + "-1660552437": "Zurück zu P2P", + "-849068301": "Wird geladen...", + "-2061807537": "Etwas stimmt nicht", + "-1354983065": "Aktualisieren", + "-137444201": "Kaufen", + "-904197848": "Grenzwerte {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} Minuten", + "-2109576323": "Verkaufsabschluss <0>30 Tage", + "-165392069": "<0>Durchschnittliche Veröffentlichungszeit 30 Tage", + "-1154208372": "Handelsvolumen <0>30d", + "-1887970998": "Die Entsperrung war nicht möglich weil {{name}} Deriv P2P nicht mehr benutzt.", + "-2017825013": "Verstanden", + "-1070228546": "Beigetreten {{days_since_joined}}d", + "-2015102262": "({{number_of_ratings}} Bewertung)", + "-1412298133": "({{number_of_ratings}} Bewertungen)", + "-260332243": "{{user_blocked_count}} Person hat dich blockiert", + "-117094654": "{{user_blocked_count}} Leute haben dich blockiert", + "-1148912768": "Wenn sich der Marktpreis von dem hier angegebenen Kurs unterscheidet, können wir Ihre Bestellung nicht bearbeiten.", + "-55126326": "Verkäufer", + "-835196958": "Zahlung erhalten an", + "-1218007718": "Sie können bis zu 3 wählen.", + "-1933432699": "Geben Sie einen Betrag von {{transaction_type}} ein", + "-2021730616": "{{ad_type}}", + "-490637584": "Limit: {{min}}—{{max}} {{currency}}", + "-1974067943": "Deine Bankdaten", + "-1657433201": "Es gibt keine passenden Anzeigen.", + "-1862812590": "Grenzwerte {{ min_order }}—{{ max_order }} {{ currency }}", + "-375836822": "Kaufe {{account_currency}}", + "-1035421133": "Verkaufe {{account_currency}}", + "-1503997652": "Keine Werbung für diese Währung.", + "-1048001140": "Keine Ergebnisse für \"{{value}}“.", + "-1179827369": "Neue Anzeige erstellen", + "-73663931": "Anzeige erstellen", + "-141315849": "Im Moment keine Werbung für diese Währung 😞", "-1889014820": "<0>Sie sehen Ihre Zahlungsmethode nicht? <1>Neues hinzufügen.", "-1406830100": "Zahlungsmethode", "-1561775203": "Kaufe {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Sie erstellen eine Anzeige, um <0>{{ target_amount }} {{ target_currency }} für <0>{{ local_amount }} {{ local_currency }} zu verkaufen <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Sie erstellen eine Anzeige, um <0>{{ target_amount }} {{ target_currency }} zu verkaufen...", "-514789442": "Sie erstellen eine Anzeige zum Kauf...", - "-1179827369": "Neue Anzeige erstellen", "-230677679": "{{text}}", "-1914431773": "Sie bearbeiten eine Anzeige, um <0>{{ target_amount }} {{ target_currency }} für <0>{{ local_amount }} {{ local_currency }} zu kaufen <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Sie bearbeiten eine Anzeige, um <0>{{ target_amount }} {{ target_currency }} zu kaufen...", "-863580260": "Sie bearbeiten eine Anzeige, um zu kaufen...", "-1396464057": "Sie bearbeiten eine Anzeige, um zu verkaufen...", + "-1526367101": "Es gibt keine passenden Zahlungsarten.", "-372210670": "Bewerten (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "Deaktiviere", "-1667041441": "Bewerten (1 {{ offered_currency }})", "-1886565882": "Ihre Anzeigen mit variablen Raten wurden deaktiviert. Lege feste Tarife fest, um sie zu reaktivieren.", "-792015701": "Der P2P-Kassierer von Deriv ist in Ihrem Land nicht verfügbar.", "-1241719539": "Wenn du jemanden blockierst, siehst du seine Werbung nicht und er kann deine nicht sehen. Ihre Anzeigen werden auch in ihren Suchergebnissen ausgeblendet.", "-1007339977": "Es gibt keinen passenden Namen.", + "-1298666786": "Meine Gegenparteien", "-179005984": "Speichern", "-2059312414": "Einzelheiten der Anzeige", "-1769584466": "Statistiken", @@ -364,45 +390,23 @@ "-383030149": "Sie haben noch keine Zahlungsmethoden hinzugefügt", "-1156559889": "Banküberweisungen", "-1269362917": "Neues hinzufügen", - "-532709160": "Dein Nickname", - "-1117584385": "Vor mehr als 6 Monaten gesehen", - "-1766199849": "Vor {{ duration }} Monaten gesehen", - "-591593016": "Vor {{ duration }} Tagen gesehen", - "-1586918919": "Vor {{ duration }} Stunden gesehen", - "-664781013": "Vor {{ duration }} Minuten gesehen", - "-1717650468": "Online", - "-510341549": "Ich habe weniger als den vereinbarten Betrag erhalten.", - "-650030360": "Ich habe mehr als den vereinbarten Betrag bezahlt.", - "-1192446042": "Wenn Ihre Beschwerde hier nicht aufgeführt ist, wenden Sie sich bitte an unser Kundenserviceteam.", - "-573132778": "Beschwerde", - "-792338456": "Was ist Ihre Beschwerde?", - "-418870584": "Bestellung stornieren", - "-1392383387": "Ich habe bezahlt", - "-727273667": "Beschweren", - "-2016990049": "Verkaufe {{offered_currency}} Bestellungen", - "-811190405": "Zeit", - "-961632398": "Alles zusammenklappen", - "-415476028": "Nicht bewertet", - "-26434257": "Sie haben bis {{remaining_review_time}} Uhr GMT Zeit, um diese Transaktion zu bewerten.", - "-768709492": "Ihr Transaktionserlebnis", - "-652933704": "Empfohlen", - "-84139378": "Nicht empfohlen", "-1983512566": "Diese Konversation ist geschlossen.", - "-1797318839": "Im Streitfall werden wir nur die Kommunikation über den Deriv P2P-Chat-Kanal berücksichtigen.", "-283017497": "Versuchen Sie es erneut", "-979459594": "Kaufen/Verkaufen", "-2052184983": "ID der Bestellung", "-2096350108": "Kontrahent", "-750202930": "Aktive Bestellungen", "-1626659964": "Ich habe {{amount}} {{currency}}erhalten.", - "-2139303636": "Möglicherweise sind Sie einem defekten Link gefolgt, oder die Seite wurde an eine neue Adresse verschoben.", - "-1448368765": "Fehlercode: {{error_code}} Seite nicht gefunden", - "-1660552437": "Zurück zu P2P", + "-1638172550": "Um diese Funktion zu aktivieren, müssen Sie die folgenden Schritte ausführen:", + "-559300364": "Ihr Deriv P2P-Kassierer ist gesperrt", + "-740038242": "Ihr Tarif ist", + "-146021156": "{{payment_method_name}}löschen?", + "-1846700504": "Möchten Sie diese Zahlungsmethode wirklich entfernen?", + "-1422779483": "Diese Zahlungsmethode kann nicht gelöscht werden", + "-532709160": "Dein Nickname", "-237014436": "Von {{recommended_count}} Händlern empfohlen", - "-849068301": "Wird geladen...", - "-2061807537": "Etwas stimmt nicht", - "-1354983065": "Aktualisieren", "-2054589794": "Sie wurden aufgrund mehrerer Stornierungsversuche vorübergehend von der Nutzung unserer Dienste ausgeschlossen. Versuchen Sie es erneut nach {{date_time}} Uhr GMT.", "-1079963355": "Gewerke", - "-930400128": "Um Deriv P2P verwenden zu können, müssen Sie einen Anzeigenamen (einen Spitznamen) wählen und Ihre Identität überprüfen." + "-930400128": "Um Deriv P2P verwenden zu können, müssen Sie einen Anzeigenamen (einen Spitznamen) wählen und Ihre Identität überprüfen.", + "-992568889": "Niemand, der hier gezeigt werden kann" } \ No newline at end of file diff --git a/packages/p2p/src/translations/es.json b/packages/p2p/src/translations/es.json index 15e6bee67c9c..f45f816db46c 100644 --- a/packages/p2p/src/translations/es.json +++ b/packages/p2p/src/translations/es.json @@ -70,6 +70,7 @@ "733311523": "Las transacciones P2P están bloqueadas. Esta característica no está disponible para agentes de pago.", "767789372": "Esperar el pago", "782834680": "Tiempo restante", + "783454335": "Sí, eliminar", "830703311": "Mi perfil", "834075131": "Anuncios bloqueados", "838024160": "Detalles del banco", @@ -179,7 +180,6 @@ "1848044659": "No tiene anuncios.", "1859308030": "Dar su opinión", "1874956952": "Pulse el botón de abajo para añadir métodos de pago.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "No se puede bloquear al anunciante", "1908023954": "Lo sentimos, ha ocurrido un error al procesar tu solicitud.", "1923443894": "Inactivo", @@ -198,6 +198,7 @@ "2091671594": "Estado", "2096014107": "Aplicar", "2104905634": "Nadie ha recomendado este trader todavía", + "2108340400": "¡Hola! Aquí puede chatear con la contraparte para confirmar los detalles del pedido.nNota: En caso de litigio, utilizaremos este chat como referencia.", "2121837513": "El mínimo es {{value}} {{currency}}", "2142425493": "ID de anuncio", "2142752968": "Asegúrese de haber recibido {{amount}} {{local_currency}} en su cuenta y pulsar Confirmar para completar la transacción.", @@ -232,6 +233,12 @@ "-2021135479": "Este campo es obligatorio.", "-2005205076": "{{field_name}} ha superado la longitud máxima de 200 caracteres.", "-480724783": "Ya tiene un anuncio con esta tarifa", + "-1117584385": "Visto hace más de 6 meses", + "-1766199849": "Visto hace {{ duration }} meses", + "-591593016": "Visto hace {{ duration }} días", + "-1586918919": "Visto hace {{ duration }} horas", + "-664781013": "Visto hace {{ duration }} minutos", + "-1717650468": "En línea", "-1948369500": "El archivo cargado no es compatible", "-1207312691": "Completado", "-688728873": "Expirado", @@ -244,52 +251,16 @@ "-1875343569": "Detalles de pago del vendedor", "-92830427": "Instrucciones del vendedor", "-1940034707": "Instrucciones del comprador", - "-137444201": "Comprar", - "-1306639327": "Métodos de pago", - "-904197848": "Límites {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} min", - "-2109576323": "Finalización venta <0>30d", - "-165392069": "Media lanzamiento <0>30d", - "-1154208372": "Vol. trading <0>30d", - "-1887970998": "El desbloqueo no fue posible porque {{name}} ya no usa Deriv P2P.", - "-2017825013": "Entendido", - "-1070228546": "Se unió {{days_since_joined}}d", - "-2015102262": "({{number_of_ratings}} valoración)", - "-1412298133": "({{number_of_ratings}} valoraciones)", - "-260332243": "{{user_blocked_count}} persona le ha bloqueado", - "-117094654": "{{user_blocked_count}} personas le han bloqueado", - "-329713179": "Ok", - "-1689905285": "Desbloquear", - "-992568889": "No hay nadie a quien mostrar aquí", - "-1298666786": "Mis contrapartes", - "-1148912768": "Si la tasa de mercado cambia con respecto a la que se muestra aquí, no podremos procesar su pedido.", - "-55126326": "Vendedor", - "-835196958": "Recibir pago en", - "-1218007718": "Puede elegir hasta 3.", - "-1933432699": "Introduzca la cantidad {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Límite: {{min}}–{{max}} {{currency}}", - "-1974067943": "Sus datos bancarios", - "-1285759343": "Buscar", - "-1657433201": "No hay anuncios coincidentes.", - "-1862812590": "Límites {{ min_order }}-{{ max_order }} {{ currency }}", - "-375836822": "Comprar {{account_currency}}", - "-1035421133": "Vender {{account_currency}}", - "-1503997652": "No hay anuncios para esta moneda.", - "-1048001140": "No hay resultados para \"{{value}}\".", - "-73663931": "Crear anuncio", - "-141315849": "No hay anuncios en esta moneda de momento 😞", "-471384801": "Lo sentimos, no podemos aumentar sus límites en este momento. Por favor vuelva a intentarlo en unos minutos.", + "-329713179": "Ok", "-231863107": "No", "-150224710": "Sí, continúe", - "-1638172550": "Para habilitar esta función, debe completar lo siguiente:", - "-559300364": "Su cajero Deriv P2P está bloqueado", - "-740038242": "Su tasa es", "-205277874": "Su anuncio no aparece en la lista de compra/venta porque el pedido mínimo es superior a su saldo disponible de Deriv P2P ({{balance}} {{currency}}).", "-971817673": "Tu anuncio no es visible para los demás", "-1735126907": "Esto puede deberse a que el saldo de su cuenta no es suficiente, a que la cantidad de anuncios supera el límite diario o a ambas cosas. Puede seguir viendo su anuncio en <0>Mis anuncios.", "-674715853": "Su anuncio excede el límite diario", "-1530773708": "¿Bloquear a {{advertiser_name}}?", + "-1689905285": "Desbloquear", "-2035037071": "Su saldo Deriv P2P no es suficiente. Aumente su saldo antes de volver a intentarlo.", "-412680608": "Agregar método de pago", "-293182503": "¿Cancelar la adición de este método de pago?", @@ -302,8 +273,10 @@ "-848068683": "Haga clic en el enlace del correo electrónico que le enviamos para autorizar esta transacción.", "-1238182882": "El enlace caducará en 10 minutos.", "-142727028": "El correo electrónico está en su bandeja de spam (a veces las cosas se pierden allí).", + "-1306639327": "Métodos de pago", "-227512949": "Revise su ortografía o utilice un término diferente.", "-1554938377": "Buscar método de pago", + "-1285759343": "Buscar", "-75934135": "Anuncios que coinciden", "-1856204727": "Restablecer", "-1728351486": "Enlace de verificación inválido", @@ -324,7 +297,60 @@ "-937707753": "Volver atrás", "-984140537": "Añadir", "-1220275347": "Puede elegir hasta 3 métodos de pago para este anuncio.", + "-871975082": "Puede añadir hasta 3 métodos de pago.", "-1340125291": "Finalizado", + "-510341549": "He recibido menos de la cantidad acordada.", + "-650030360": "He pagado más de la cantidad acordada.", + "-1192446042": "Si su queja no aparece aquí, comuníquese con nuestro equipo de Atención al cliente.", + "-573132778": "Queja", + "-792338456": "¿Cuál es su queja?", + "-418870584": "Cancelar pedido", + "-1392383387": "He pagado", + "-727273667": "Reclamar", + "-2016990049": "Vender el pedido {{offered_currency}}", + "-811190405": "Tiempo", + "-961632398": "Colapsar todo", + "-415476028": "Sin calificar", + "-26434257": "Tiene hasta {{remaining_review_time}} GMT para valorar esta transacción.", + "-768709492": "Su experiencia de transacción", + "-652933704": "Recomendado", + "-84139378": "No recomendado", + "-2139303636": "Puede que haya seguido un enlace defectuoso o que la página se haya trasladado a una nueva dirección.", + "-1448368765": "Código del error: {{error_code}} página no encontrada", + "-1660552437": "Volver a P2P", + "-849068301": "Cargando...", + "-2061807537": "Algo no está bien", + "-1354983065": "Recargar", + "-137444201": "Comprar", + "-904197848": "Límites {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} min", + "-2109576323": "Finalización venta <0>30d", + "-165392069": "Media lanzamiento <0>30d", + "-1154208372": "Vol. trading <0>30d", + "-1887970998": "El desbloqueo no fue posible porque {{name}} ya no usa Deriv P2P.", + "-2017825013": "Entendido", + "-1070228546": "Se unió {{days_since_joined}}d", + "-2015102262": "({{number_of_ratings}} valoración)", + "-1412298133": "({{number_of_ratings}} valoraciones)", + "-260332243": "{{user_blocked_count}} persona le ha bloqueado", + "-117094654": "{{user_blocked_count}} personas le han bloqueado", + "-1148912768": "Si la tasa de mercado cambia con respecto a la que se muestra aquí, no podremos procesar su pedido.", + "-55126326": "Vendedor", + "-835196958": "Recibir pago en", + "-1218007718": "Puede elegir hasta 3.", + "-1933432699": "Introduzca la cantidad {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Límite: {{min}}–{{max}} {{currency}}", + "-1974067943": "Sus datos bancarios", + "-1657433201": "No hay anuncios coincidentes.", + "-1862812590": "Límites {{ min_order }}-{{ max_order }} {{ currency }}", + "-375836822": "Comprar {{account_currency}}", + "-1035421133": "Vender {{account_currency}}", + "-1503997652": "No hay anuncios para esta moneda.", + "-1048001140": "No hay resultados para \"{{value}}\".", + "-1179827369": "Crear nuevo anuncio", + "-73663931": "Crear anuncio", + "-141315849": "No hay anuncios en esta moneda de momento 😞", "-1889014820": "<0>¿No ve su método de pago? <1>Agregar nuevo.", "-1406830100": "Método de pago", "-1561775203": "Comprar {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Está creando un anuncio para vender <0>{{ target_amount }} {{ target_currency }} por <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Está creando un anuncio para vender <0>{{ target_amount }} {{ target_currency }} ...", "-514789442": "Está creando un anuncio para comprar...", - "-1179827369": "Crear nuevo anuncio", "-230677679": "{{text}}", "-1914431773": "Está editando un anuncio para comprar <0>{{ target_amount }} {{ target_currency }} por <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Está editando un anuncio para comprar <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Está creando un anuncio para comprar...", "-1396464057": "Está editando un anuncio para vender...", + "-1526367101": "No hay métodos de pago coincidentes.", "-372210670": "Tasa (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Cuando bloquea a alguien, no verá sus anuncios ni ellos podrán ver los suyos. Sus anuncios también se ocultarán en los resultados de búsqueda.", "-1007339977": "No coincide ningún nombre.", + "-1298666786": "Mis contrapartes", "-179005984": "Guardar", "-2059312414": "Detalles del anuncio", "-1769584466": "Estad.", @@ -364,45 +390,23 @@ "-383030149": "Todavía no ha añadido ningún método de pago", "-1156559889": "Transferencias bancarias", "-1269362917": "Agregar nuevo", - "-532709160": "Su alias", - "-1117584385": "Visto hace más de 6 meses", - "-1766199849": "Visto hace {{ duration }} meses", - "-591593016": "Visto hace {{ duration }} días", - "-1586918919": "Visto hace {{ duration }} horas", - "-664781013": "Visto hace {{ duration }} minutos", - "-1717650468": "En línea", - "-510341549": "He recibido menos de la cantidad acordada.", - "-650030360": "He pagado más de la cantidad acordada.", - "-1192446042": "Si su queja no aparece aquí, comuníquese con nuestro equipo de Atención al cliente.", - "-573132778": "Queja", - "-792338456": "¿Cuál es su queja?", - "-418870584": "Cancelar pedido", - "-1392383387": "He pagado", - "-727273667": "Reclamar", - "-2016990049": "Vender el pedido {{offered_currency}}", - "-811190405": "Tiempo", - "-961632398": "Colapsar todo", - "-415476028": "Sin calificar", - "-26434257": "Tiene hasta {{remaining_review_time}} GMT para valorar esta transacción.", - "-768709492": "Su experiencia de transacción", - "-652933704": "Recomendado", - "-84139378": "No recomendado", "-1983512566": "Esta conversación ha terminado.", - "-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 de la orden", "-2096350108": "Contraparte", "-750202930": "Pedidos activos", "-1626659964": "He recibido {{amount}} {{currency}}.", - "-2139303636": "Puede que haya seguido un enlace defectuoso o que la página se haya trasladado a una nueva dirección.", - "-1448368765": "Código del error: {{error_code}} página no encontrada", - "-1660552437": "Volver a P2P", + "-1638172550": "Para habilitar esta función, debe completar lo siguiente:", + "-559300364": "Su cajero Deriv P2P está bloqueado", + "-740038242": "Su tasa es", + "-146021156": "¿Borrar {{payment_method_name}}?", + "-1846700504": "¿Está seguro de que quiere eliminar este método de pago?", + "-1422779483": "No se puede eliminar ese método de pago", + "-532709160": "Su alias", "-237014436": "Recomendado por {{recommended_count}} traders", - "-849068301": "Cargando...", - "-2061807537": "Algo no está bien", - "-1354983065": "Recargar", "-2054589794": "Se le ha prohibido temporalmente el uso de nuestros servicios debido a múltiples intentos de cancelación. Vuelva a intentarlo después de {{date_time}} GMT.", "-1079963355": "operaciones", - "-930400128": "Para utilizar Deriv P2P debe elegir un nombre para mostrar (un alias) y verificar su identidad." + "-930400128": "Para utilizar Deriv P2P debe elegir un nombre para mostrar (un alias) y verificar su identidad.", + "-992568889": "No hay nadie a quien mostrar aquí" } \ No newline at end of file diff --git a/packages/p2p/src/translations/fr.json b/packages/p2p/src/translations/fr.json index 0fc08050f169..e33c20e3c726 100644 --- a/packages/p2p/src/translations/fr.json +++ b/packages/p2p/src/translations/fr.json @@ -23,7 +23,7 @@ "233677840": "du taux du marché", "246815378": "Une fois choisi, votre pseudo ne peut pas être modifié.", "276261353": "Délai moyen de paiement <0>30j", - "277542386": "Veuillez utiliser le <0>chat en direct pour contacter notre équipe d'assistance clientèle pour obtenir de l'aide.", + "277542386": "Veuillez utiliser le <0>chat en direct pour contacter notre équipe d'assistance à la clientèle pour obtenir de l'aide.", "316725580": "Vous ne pouvez plus évaluer cette transaction.", "323002325": "Publier annonce", "324970564": "Coordonnées du vendeur", @@ -70,6 +70,7 @@ "733311523": "Les transactions P2P sont verrouillées. Cette fonction n'est pas disponible pour les agents de paiement.", "767789372": "Attendez pour le paiement", "782834680": "Temps restant", + "783454335": "Oui, enlever", "830703311": "Mon profil", "834075131": "Annonceurs bloqués", "838024160": "Coordonnées bancaires", @@ -179,7 +180,6 @@ "1848044659": "Vous n'avez aucune annonce.", "1859308030": "Donnez votre avis", "1874956952": "Cliquez sur le bouton ci-dessous pour ajouter des méthodes de paiement.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Impossible de bloquer l'annonceur", "1908023954": "Désolé, une erreur s'est produite pendant le traitement de votre demande.", "1923443894": "Inactif", @@ -198,6 +198,7 @@ "2091671594": "Statut", "2096014107": "Appliquer", "2104905634": "Personne n'a encore recommandé ce trader", + "2108340400": "Bonjour ! C'est ici que vous pouvez discuter avec la contrepartie pour confirmer les détails de l'ordre.nNote : En cas de litige, nous utiliserons ce chat comme référence.", "2121837513": "Le minimum est {{currency}}{{value}}", "2142425493": "Nº. d'annonce", "2142752968": "Assurez-vous d'avoir reçu {{amount}} {{local_currency}} sur votre compte et cliquez sur Confirmer pour terminer la transaction.", @@ -232,6 +233,12 @@ "-2021135479": "Ce champ est requis.", "-2005205076": "{{field_name}} a dépassé la longueur maximale de 200 caractères.", "-480724783": "Vous avez déjà une annonce avec ce taux", + "-1117584385": "Vu il y a plus de 6 mois", + "-1766199849": "Vu il y a {{ duration }} mois", + "-591593016": "Vu il y a {{ duration }} jour", + "-1586918919": "Vu il y a {{ duration }} heures", + "-664781013": "Vu il y a {{ duration }} minute", + "-1717650468": "En ligne", "-1948369500": "Le fichier téléchargé n'est pas pris en charge", "-1207312691": "Achevé", "-688728873": "Expiré", @@ -244,52 +251,16 @@ "-1875343569": "Coordonnées de paiement du vendeur", "-92830427": "Instructions du vendeur", "-1940034707": "Instructions de l'acheteur", - "-137444201": "Acheter", - "-1306639327": "Moyens de paiement", - "-904197848": "Limites {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} min", - "-2109576323": "Achèvement de la vente <0>30j", - "-165392069": "Délai moyen de déblocage <0>30j", - "-1154208372": "Volume de trade <0>30j", - "-1887970998": "Le déblocage n'était pas possible car {{name}} n'utilise plus Deriv P2P.", - "-2017825013": "C'est compris", - "-1070228546": "A rejoint il y a{{days_since_joined}}j", - "-2015102262": "({{number_of_ratings}} évaluation)", - "-1412298133": "({{number_of_ratings}} évaluations)", - "-260332243": "{{user_blocked_count}} personnes vous ont bloqué", - "-117094654": "{{user_blocked_count}} personnes vous ont bloqué", - "-329713179": "Ok", - "-1689905285": "Débloquer", - "-992568889": "Il n'y a personne à montrer ici", - "-1298666786": "Mes contreparties", - "-1148912768": "Si le taux du marché change par rapport au taux indiqué ici, nous ne serons pas en mesure de traiter votre commande.", - "-55126326": "Vendeur", - "-835196958": "Recevoir le paiement sur", - "-1218007718": "Vous pouvez en choisir jusqu'à 3.", - "-1933432699": "Entrez le montant de {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Limite : {{min}}–{{max}} {{currency}}", - "-1974067943": "Vos coordonnées bancaires", - "-1285759343": "Rechercher", - "-1657433201": "Il n'y a pas d'annonces correspondantes.", - "-1862812590": "Limites {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Acheter {{account_currency}}", - "-1035421133": "Vendre {{account_currency}}", - "-1503997652": "Aucune annonce pour cette devise.", - "-1048001140": "Aucun résultat pour \"{{value}}\".", - "-73663931": "Créer une annonce", - "-141315849": "Aucune annonce pour cette devise pour le moment 😞", "-471384801": "Désolé, nous ne sommes pas en mesure d'augmenter vos limites pour le moment. Veuillez réessayer dans quelques minutes.", + "-329713179": "Ok", "-231863107": "Non", "-150224710": "Oui, continuez", - "-1638172550": "Pour activer cette fonctionnalité, vous devez effectuer les opérations suivantes:", - "-559300364": "Votre caisse Deriv P2P est verrouillée", - "-740038242": "Votre taux est", "-205277874": "Votre annonce n'est pas répertoriée sur Achat/Vente car sa commande minimale est supérieure à votre solde disponible sur Deriv P2P ({{balance}} {{currency}}).", "-971817673": "Votre annonce n'est pas visible par les autres", "-1735126907": "Cela peut être dû au fait que le solde de votre compte est insuffisant, que le montant de votre publicité dépasse votre limite quotidienne, ou aux deux. Vous pouvez toujours voir votre annonce sur <0>Mes annonces.", "-674715853": "Votre annonce dépasse la limite journalière", "-1530773708": "Bloquer {{advertiser_name}} ?", + "-1689905285": "Débloquer", "-2035037071": "Votre solde Deriv P2P ne suffit pas. Veuillez augmenter votre solde avant de réessayer.", "-412680608": "Ajouter un mode de paiement", "-293182503": "Annuler l'ajout de ce mode de paiement ?", @@ -302,8 +273,10 @@ "-848068683": "Cliquez sur le lien contenu dans l'e-mail que nous vous avons envoyé pour autoriser cette transaction.", "-1238182882": "Le lien expirera dans 10 minutes.", "-142727028": "L'email se trouve dans votre dossier spam (parfois des choses s'y perdent).", + "-1306639327": "Moyens de paiement", "-227512949": "Vérifiez votre orthographe ou utilisez un terme différent.", "-1554938377": "Rechercher un mode de paiement", + "-1285759343": "Rechercher", "-75934135": "Annonces correspondantes", "-1856204727": "Réinitialiser", "-1728351486": "Lien de vérification non valide", @@ -324,7 +297,60 @@ "-937707753": "Retour", "-984140537": "Ajouter", "-1220275347": "Vous pouvez choisir jusqu'à 3 méthodes de paiement pour cette annonce.", + "-871975082": "Vous pouvez ajouter jusqu'à 3 modes de paiement.", "-1340125291": "Terminé", + "-510341549": "J'ai reçu moins que le montant convenu.", + "-650030360": "J'ai payé plus que le montant convenu.", + "-1192446042": "Si votre réclamation n'est pas répertoriée ici, veuillez contacter notre équipe Service client.", + "-573132778": "Plainte", + "-792338456": "Quelle est votre plainte?", + "-418870584": "Annuler l'ordre", + "-1392383387": "J'ai payé", + "-727273667": "Se plaindre", + "-2016990049": "Vendre ordre {{offered_currency}}", + "-811190405": "Heure", + "-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", + "-652933704": "Recommandé", + "-84139378": "Non recommandé", + "-2139303636": "Vous avez peut-être suivi un lien brisé ou la page s'est redirigée vers une nouvelle adresse.", + "-1448368765": "Code d'erreur: page {{error_code}} introuvable", + "-1660552437": "Retour à P2P", + "-849068301": "Chargement...", + "-2061807537": "Quelque chose ne va pas", + "-1354983065": "Rafraîchir", + "-137444201": "Acheter", + "-904197848": "Limites {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} min", + "-2109576323": "Achèvement de la vente <0>30j", + "-165392069": "Délai moyen de déblocage <0>30j", + "-1154208372": "Volume de trade <0>30j", + "-1887970998": "Le déblocage n'était pas possible car {{name}} n'utilise plus Deriv P2P.", + "-2017825013": "C'est compris", + "-1070228546": "A rejoint il y a{{days_since_joined}}j", + "-2015102262": "({{number_of_ratings}} évaluation)", + "-1412298133": "({{number_of_ratings}} évaluations)", + "-260332243": "{{user_blocked_count}} personnes vous ont bloqué", + "-117094654": "{{user_blocked_count}} personnes vous ont bloqué", + "-1148912768": "Si le taux du marché change par rapport au taux indiqué ici, nous ne serons pas en mesure de traiter votre commande.", + "-55126326": "Vendeur", + "-835196958": "Recevoir le paiement sur", + "-1218007718": "Vous pouvez en choisir jusqu'à 3.", + "-1933432699": "Entrez le montant de {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Limite : {{min}}–{{max}} {{currency}}", + "-1974067943": "Vos coordonnées bancaires", + "-1657433201": "Il n'y a pas d'annonces correspondantes.", + "-1862812590": "Limites {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Acheter {{account_currency}}", + "-1035421133": "Vendre {{account_currency}}", + "-1503997652": "Aucune annonce pour cette devise.", + "-1048001140": "Aucun résultat pour \"{{value}}\".", + "-1179827369": "Créer une nouvelle annonce", + "-73663931": "Créer une annonce", + "-141315849": "Aucune annonce pour cette devise pour le moment 😞", "-1889014820": "<0>Vous ne voyez pas votre mode de paiement ? <1>Ajouter un nouveau.", "-1406830100": "Moyen de paiement", "-1561775203": "Acheter {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Vous créez une annonce pour vendre <0>{{ target_amount }} {{ target_currency }} pour <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Vous créez une annonce pour vendre <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "Vous créez une annonce pour acheter...", - "-1179827369": "Créer une nouvelle annonce", "-230677679": "{{text}}", "-1914431773": "Vous modifiez une annonce pour acheter <0>{{ target_amount }} {{ target_currency }} pour <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Vous modifiez une annonce pour acheter <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Vous modifiez une annonce pour acheter...", "-1396464057": "Vous modifiez une annonce pour vendre...", + "-1526367101": "Il n'y a pas de mode de paiement correspondant.", "-372210670": "Taux (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Lorsque vous bloquez quelqu'un, vous ne verrez pas ses publicités, et il ne pourra pas voir les vôtres. Vos annonces seront également masquées dans les résultats de recherche.", "-1007339977": "Il n'y a aucun nom correspondant.", + "-1298666786": "Mes contreparties", "-179005984": "Sauvegarder", "-2059312414": "Détails de l'annonce", "-1769584466": "Statistiques", @@ -364,45 +390,23 @@ "-383030149": "Vous n'avez pas encore ajouté de méthode de paiement", "-1156559889": "Virements bancaires", "-1269362917": "Ajouter un nouveau", - "-532709160": "Votre pseudo", - "-1117584385": "Vu il y a plus de 6 mois", - "-1766199849": "Vu il y a {{ duration }} mois", - "-591593016": "Vu il y a {{ duration }} jour", - "-1586918919": "Vu il y a {{ duration }} heures", - "-664781013": "Vu il y a {{ duration }} minute", - "-1717650468": "En ligne", - "-510341549": "J'ai reçu moins que le montant convenu.", - "-650030360": "J'ai payé plus que le montant convenu.", - "-1192446042": "Si votre réclamation n'est pas répertoriée ici, veuillez contacter notre équipe Service client.", - "-573132778": "Plainte", - "-792338456": "Quelle est votre plainte?", - "-418870584": "Annuler l'ordre", - "-1392383387": "J'ai payé", - "-727273667": "Se plaindre", - "-2016990049": "Vendre ordre {{offered_currency}}", - "-811190405": "Heure", - "-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", - "-652933704": "Recommandé", - "-84139378": "Non recommandé", "-1983512566": "La conversation est close.", - "-1797318839": "En cas de litige, nous ne prendrons en compte que la communication par le canal de chat P2P de Deriv.", "-283017497": "Réessayer", "-979459594": "Achat/Vente", "-2052184983": "Nº. d'ordre", "-2096350108": "Contrepartie", "-750202930": "Trades actifs", "-1626659964": "J'ai reçu {{amount}} {{currency}}.", - "-2139303636": "Vous avez peut-être suivi un lien brisé ou la page s'est redirigée vers une nouvelle adresse.", - "-1448368765": "Code d'erreur: page {{error_code}} introuvable", - "-1660552437": "Retour à P2P", + "-1638172550": "Pour activer cette fonctionnalité, vous devez effectuer les opérations suivantes:", + "-559300364": "Votre caisse Deriv P2P est verrouillée", + "-740038242": "Votre taux est", + "-146021156": "Supprimer {{payment_method_name}} ?", + "-1846700504": "Êtes-vous sûr de vouloir supprimer ce mode de paiement ?", + "-1422779483": "Ce mode de paiement ne peut pas être supprimé", + "-532709160": "Votre pseudo", "-237014436": "Recommandé par {{recommended_count}} trader", - "-849068301": "Chargement...", - "-2061807537": "Quelque chose ne va pas", - "-1354983065": "Rafraîchir", "-2054589794": "Vous avez été temporairement interdit d'utiliser nos services en raison de plusieurs tentatives d'annulation. Réessayez après {{date_time}} GMT.", "-1079963355": "trades", - "-930400128": "Pour utiliser Deriv P2P, vous devez choisir un nom d'affichage (un surnom) et vérifier votre identité." + "-930400128": "Pour utiliser Deriv P2P, vous devez choisir un nom d'affichage (un surnom) et vérifier votre identité.", + "-992568889": "Il n'y a personne à montrer ici" } \ No newline at end of file diff --git a/packages/p2p/src/translations/id.json b/packages/p2p/src/translations/id.json index b10fb3268c23..4e219786cde2 100644 --- a/packages/p2p/src/translations/id.json +++ b/packages/p2p/src/translations/id.json @@ -70,6 +70,7 @@ "733311523": "Transaksi P2P dibatalkan. Fitur ini tidak tersedia untuk agen pembayaran.", "767789372": "Tunggu pembayaran", "782834680": "Sisa waktu", + "783454335": "Ya, hapus", "830703311": "Profil saya", "834075131": "Pengiklan yang diblokir", "838024160": "Detail bank", @@ -110,7 +111,7 @@ "1161621759": "Pilih nama panggilan Anda", "1162965175": "Pembeli", "1163072833": "<0>ID terverifikasi", - "1164771858": "I’ve received payment from 3rd party.", + "1164771858": "Saya telah menerima pembayaran dari pihak ketiga.", "1191941618": "Masukkan nilai antara -{{limit}}% hingga +{{limit}}%", "1192337383": "Terlihat {{ duration }} jam yang lalu", "1202500203": "Bayar sekarang", @@ -179,7 +180,6 @@ "1848044659": "Anda tidak memiliki iklan.", "1859308030": "Berikan kritik dan saran", "1874956952": "Tekan tombol di bawah untuk menambahkan metode pembayaran.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Tidak dapat memblokir pengiklan", "1908023954": "Maaf, terjadi kesalahan saat memproses permintaan Anda.", "1923443894": "Tidak aktif", @@ -198,6 +198,7 @@ "2091671594": "Status", "2096014107": "Daftar", "2104905634": "Belum ada yang merekomendasikan trader ini", + "2108340400": "Halo! Di sinilah Anda dapat mengobrol dengan rekanan untuk mengonfirmasi detail pesanan.nCatatan: Jika terjadi perselisihan, kami akan menggunakan obrolan ini sebagai referensi.", "2121837513": "Minimum adalah {{value}} {{currency}}", "2142425493": "ID iklan", "2142752968": "Pastikan Anda telah menerima {{amount}} {{local_currency}} pada akun Anda dan tekan Konfirmasi untuk menyelesaikan transaksi.", @@ -232,6 +233,12 @@ "-2021135479": "Bagian ini wajib diisi.", "-2005205076": "{{field_name}} telah melebihi panjang maksimum 200 karakter.", "-480724783": "Anda sudah membuat iklan berdasarkan nilai tukar ini", + "-1117584385": "Terlihat lebih dari 6 bulan yang lalu", + "-1766199849": "Terlihat {{ duration }} bulan yang lalu", + "-591593016": "Terlihat {{ duration }} hari yang lalu", + "-1586918919": "Terlihat {{ duration }} jam yang lalu", + "-664781013": "Terlihat {{ duration }} menit yang lalu", + "-1717650468": "Online", "-1948369500": "File yang di unggah tidak didukung", "-1207312691": "Selesai", "-688728873": "Berakhir", @@ -244,52 +251,16 @@ "-1875343569": "Rincian pembayaran penjual", "-92830427": "Instruksi penjual", "-1940034707": "Instruksi pembeli", - "-137444201": "Beli", - "-1306639327": "Metode pembayaran", - "-904197848": "Batas {{min_order_amount_limit_display}}–{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} menit", - "-2109576323": "Transaksi jual <0>30hari", - "-165392069": "Waktu rilis rata-rata <0>30 hari", - "-1154208372": "Volume transaksi <0>30 hari", - "-1887970998": "Membuka blokir tidak dimungkinkan karena {{name}} tidak menggunakan Deriv P2P lagi.", - "-2017825013": "Mengerti", - "-1070228546": "Terdaftar {{days_since_joined}} hari", - "-2015102262": "({{number_of_ratings}} penilaian)", - "-1412298133": "({{number_of_ratings}} penilaian)", - "-260332243": "{{user_blocked_count}} orang telah memblokir Anda", - "-117094654": "{{user_blocked_count}} orang telah memblokir Anda", - "-329713179": "Ok", - "-1689905285": "Buka blokir", - "-992568889": "Tidak ada yang menunjukkan di sini", - "-1298666786": "Mitra saya", - "-1148912768": "Jika harga pasar berubah dari harga yang ditampilkan di sini, maka kami tidak dapat memproses order.", - "-55126326": "Penjual", - "-835196958": "Terima pembayaran melalui", - "-1218007718": "Anda dapat memilih hingga 3.", - "-1933432699": "Masukkan jumlah {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Batas: {{min}}–{{max}} {{currency}}", - "-1974067943": "Detail bank Anda", - "-1285759343": "Cari", - "-1657433201": "Tidak terdapat iklan yang cocok.", - "-1862812590": "Batas {{ min_order }}–{{ max_order }}{{ currency }}", - "-375836822": "Beli {{account_currency}}", - "-1035421133": "Jual {{account_currency}}", - "-1503997652": "Tidak ada iklan untuk mata uang ini.", - "-1048001140": "Tidak tersedia hasil untuk \"{{value}}\".", - "-73663931": "Pasang iklan", - "-141315849": "Tidak ada iklan untuk mata uang ini saat ini 😞", "-471384801": "Maaf, kami tidak dapat meningkatkan batas Anda saat ini. Silakan coba lagi dalam beberapa menit.", + "-329713179": "Ok", "-231863107": "Tidak", "-150224710": "Ya, lanjutkan", - "-1638172550": "Untuk mengaktifkan fitur ini Anda harus menyelesaikan hal berikut ini:", - "-559300364": "Kasir Deriv P2P Anda dibatalkan", - "-740038242": "Harga Anda", "-205277874": "Iklan Anda tidak tercantum di Beli/Jual karena minimum order lebih tinggi dari saldo Deriv P2P yang tersedia ({{balance}} {{currency}}).", "-971817673": "Iklan Anda tidak terlihat oleh orang lain", "-1735126907": "Ini bisa jadi karena saldo akun Anda tidak mencukupi, jumlah iklan Anda melebihi batas harian Anda, atau keduanya. Anda masih dapat melihat iklan di <0>Iklan Saya.", "-674715853": "Iklan Anda melebihi batas harian", "-1530773708": "Blokir {{advertiser_name}}?", + "-1689905285": "Buka blokir", "-2035037071": "Saldo Deriv P2P Anda tidak cukup. Tambah saldo Anda sebelum mencoba kembali.", "-412680608": "Tambah metode pembayaran", "-293182503": "Batalkan penambahan metode pembayaran ini?", @@ -302,8 +273,10 @@ "-848068683": "Klik tautan di email yang kami kirimkan untuk mengotorisasi transaksi ini.", "-1238182882": "Tautan akan berakhir dalam 10 menit.", "-142727028": "Email masuk ke dalam folder spam Anda (terkadang email masuk kesana).", + "-1306639327": "Metode pembayaran", "-227512949": "Cek ejaan atau gunakan istilah yang berbeda.", "-1554938377": "Cari metode pembayaran", + "-1285759343": "Cari", "-75934135": "Iklan yang cocok", "-1856204727": "Reset", "-1728351486": "Tautan verifikasi tidak valid", @@ -324,7 +297,60 @@ "-937707753": "Kembali", "-984140537": "Tambah", "-1220275347": "Anda dapat memilih hingga 3 metode pembayaran untuk iklan ini.", + "-871975082": "Anda dapat menambahkan hingga 3 metode pembayaran.", "-1340125291": "Selesai", + "-510341549": "Dana yang saya terima kurang dari jumlah yang disepakati.", + "-650030360": "Saya sudah membayar lebih dari jumlah yang disepakati.", + "-1192446042": "Jika keluhan Anda tidak tercantum di sini, silakan hubungi tim Customer Support kami.", + "-573132778": "Keluhan", + "-792338456": "Apa keluhan Anda?", + "-418870584": "Batalkan order", + "-1392383387": "Saya sudah membayar", + "-727273667": "Komplain", + "-2016990049": "Jual order {{offered_currency}}", + "-811190405": "Waktu", + "-961632398": "Tutup semua", + "-415476028": "Tidak dinilai", + "-26434257": "Anda memiliki waktu hingga {{remaining_review_time}} GMT untuk menilai transaksi ini.", + "-768709492": "Pengalaman transaksi Anda", + "-652933704": "Direkomendasikan", + "-84139378": "Tidak direkomendasikan", + "-2139303636": "Anda mungkin telah mengikuti tautan yang rusak, atau halaman tersebut telah pindah ke alamat baru.", + "-1448368765": "Kode eror: {{error_code}} halaman tidak ditemukan", + "-1660552437": "Kembali ke P2P", + "-849068301": "Pemuatan...", + "-2061807537": "Telah terjadi error", + "-1354983065": "Refresh", + "-137444201": "Beli", + "-904197848": "Batas {{min_order_amount_limit_display}}–{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} menit", + "-2109576323": "Transaksi jual <0>30hari", + "-165392069": "Waktu rilis rata-rata <0>30 hari", + "-1154208372": "Volume transaksi <0>30 hari", + "-1887970998": "Membuka blokir tidak dimungkinkan karena {{name}} tidak menggunakan Deriv P2P lagi.", + "-2017825013": "Mengerti", + "-1070228546": "Terdaftar {{days_since_joined}} hari", + "-2015102262": "({{number_of_ratings}} penilaian)", + "-1412298133": "({{number_of_ratings}} penilaian)", + "-260332243": "{{user_blocked_count}} orang telah memblokir Anda", + "-117094654": "{{user_blocked_count}} orang telah memblokir Anda", + "-1148912768": "Jika harga pasar berubah dari harga yang ditampilkan di sini, maka kami tidak dapat memproses order.", + "-55126326": "Penjual", + "-835196958": "Terima pembayaran melalui", + "-1218007718": "Anda dapat memilih hingga 3.", + "-1933432699": "Masukkan jumlah {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Batas: {{min}}–{{max}} {{currency}}", + "-1974067943": "Detail bank Anda", + "-1657433201": "Tidak terdapat iklan yang cocok.", + "-1862812590": "Batas {{ min_order }}–{{ max_order }}{{ currency }}", + "-375836822": "Beli {{account_currency}}", + "-1035421133": "Jual {{account_currency}}", + "-1503997652": "Tidak ada iklan untuk mata uang ini.", + "-1048001140": "Tidak tersedia hasil untuk \"{{value}}\".", + "-1179827369": "Buat iklan baru", + "-73663931": "Pasang iklan", + "-141315849": "Tidak ada iklan untuk mata uang ini saat ini 😞", "-1889014820": "<0>Metode pembayaran Anda tidak tersedia? <1>Tambah baru.", "-1406830100": "Metode pembayaran", "-1561775203": "Beli {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Anda membuat iklan untuk menjual <0>{{ target_amount }} {{ target_currency }} untuk <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Anda membuat iklan untuk menjual <0>{{ target_amount }}{{ target_currency }}...", "-514789442": "Anda membuat iklan untuk membeli...", - "-1179827369": "Buat iklan baru", "-230677679": "{{text}}", "-1914431773": "Anda mengedit iklan untuk membeli <0>{{ target_amount }} {{ target_currency }} untuk <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Anda mengedit iklan untuk membeli <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Anda mengedit iklan untuk membeli...", "-1396464057": "Anda mengedit iklan untuk menjual...", + "-1526367101": "Tidak ada metode pembayaran yang cocok.", "-372210670": "Harga (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Ketika Anda memblokir seseorang, Anda tidak akan melihat iklan mereka, dan mereka tidak dapat melihat iklan Anda. Iklan Anda juga akan disembunyikan dari hasil penelusurannya.", "-1007339977": "Tidak ada nama yang cocok.", + "-1298666786": "Mitra saya", "-179005984": "Simpan", "-2059312414": "Detail iklan", "-1769584466": "Statistik", @@ -364,45 +390,23 @@ "-383030149": "Anda belum menambahkan metode pembayaran apa pun", "-1156559889": "Transfer Bank", "-1269362917": "Tambah baru", - "-532709160": "Nama panggilan Anda", - "-1117584385": "Terlihat lebih dari 6 bulan yang lalu", - "-1766199849": "Terlihat {{ duration }} bulan yang lalu", - "-591593016": "Terlihat {{ duration }} hari yang lalu", - "-1586918919": "Terlihat {{ duration }} jam yang lalu", - "-664781013": "Terlihat {{ duration }} menit yang lalu", - "-1717650468": "Online", - "-510341549": "Dana yang saya terima kurang dari jumlah yang disepakati.", - "-650030360": "Saya sudah membayar lebih dari jumlah yang disepakati.", - "-1192446042": "Jika keluhan Anda tidak tercantum di sini, silakan hubungi tim Customer Support kami.", - "-573132778": "Keluhan", - "-792338456": "Apa keluhan Anda?", - "-418870584": "Batalkan order", - "-1392383387": "Saya sudah membayar", - "-727273667": "Komplain", - "-2016990049": "Jual order {{offered_currency}}", - "-811190405": "Waktu", - "-961632398": "Tutup semua", - "-415476028": "Tidak dinilai", - "-26434257": "Anda memiliki waktu hingga {{remaining_review_time}} GMT untuk menilai transaksi ini.", - "-768709492": "Pengalaman transaksi Anda", - "-652933704": "Direkomendasikan", - "-84139378": "Tidak direkomendasikan", "-1983512566": "Percakapan ini ditutup.", - "-1797318839": "Jika terjadi perselisihan, kami hanya akan mempertimbangkan komunikasi melalui saluran obrolan Deriv P2P.", "-283017497": "Coba kembali", "-979459594": "Beli/Jual", "-2052184983": "ID order", "-2096350108": "Rekanan", "-750202930": "Order aktif", "-1626659964": "Saya telah menerima {{amount}} {{currency}}.", - "-2139303636": "Anda mungkin telah mengikuti tautan yang rusak, atau halaman tersebut telah pindah ke alamat baru.", - "-1448368765": "Kode eror: {{error_code}} halaman tidak ditemukan", - "-1660552437": "Kembali ke P2P", + "-1638172550": "Untuk mengaktifkan fitur ini Anda harus menyelesaikan hal berikut ini:", + "-559300364": "Kasir Deriv P2P Anda dibatalkan", + "-740038242": "Harga Anda", + "-146021156": "Hapus {{payment_method_name}}?", + "-1846700504": "Yakin ingin menghapus metode pembayaran ini?", + "-1422779483": "Metode pembayaran itu tidak dapat dihapus", + "-532709160": "Nama panggilan Anda", "-237014436": "Direkomendasikan oleh {{recommended_count}} trader", - "-849068301": "Pemuatan...", - "-2061807537": "Telah terjadi error", - "-1354983065": "Refresh", "-2054589794": "Anda telah diblokir sementara waktu untuk menggunakan layanan kami berhubung beberapa kali telah melakukan pembatalan transaksi. Coba kembali setelah {{date_time}} GMT.", "-1079963355": "transaksi", - "-930400128": "Untuk menggunakan Deriv P2P, Anda harus memilih nama tampilan (nama panggilan) dan memverifikasi identitas Anda." + "-930400128": "Untuk menggunakan Deriv P2P, Anda harus memilih nama tampilan (nama panggilan) dan memverifikasi identitas Anda.", + "-992568889": "Tidak ada yang menunjukkan di sini" } \ No newline at end of file diff --git a/packages/p2p/src/translations/it.json b/packages/p2p/src/translations/it.json index d836cbfa94d4..9c9faa3d2b20 100644 --- a/packages/p2p/src/translations/it.json +++ b/packages/p2p/src/translations/it.json @@ -70,6 +70,7 @@ "733311523": "Le transazioni P2P sono bloccate. Questa funzionalità non è disponibile per agenti di pagamento.", "767789372": "Attendi il termine del pagamento", "782834680": "Tempo residuo", + "783454335": "Sì, rimuovi", "830703311": "Il mio profilo", "834075131": "Inserzionisti bloccati", "838024160": "Dettagli bancari", @@ -179,7 +180,6 @@ "1848044659": "Non hai annunci.", "1859308030": "Fornire feedback", "1874956952": "Premi il pulsante sottostante per aggiungere modalità di pagamento.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Non è possibille bloccare l'inserzionista", "1908023954": "Siamo spiacenti, si è verificato un errore durante l'elaborazione della tua richiesta.", "1923443894": "Disattivato", @@ -198,6 +198,7 @@ "2091671594": "Stato", "2096014107": "Richiedi", "2104905634": "Nessuno ha ancora consigliato questo trader", + "2108340400": "Salve! Qui è possibile chattare con la controparte per confermare i dettagli dell'ordine.nNota: in caso di controversia, utilizzeremo questa chat come riferimento.", "2121837513": "Il minimo è {{value}} {{currency}}", "2142425493": "ID annuncio", "2142752968": "Assicurati di aver ricevuto {{amount}} {{local_currency}} sul tuo conto e premi Conferma per completare la transazione.", @@ -232,6 +233,12 @@ "-2021135479": "Questo campo è obbligatorio.", "-2005205076": "{{field_name}} ha superato la lunghezza massima di 200 caratteri.", "-480724783": "Esiste già un annuncio con questo tasso", + "-1117584385": "Visto più di 6 mesi fa", + "-1766199849": "Visto {{ duration }} mesi fa", + "-591593016": "Visto {{ duration }} giorno fa", + "-1586918919": "Visto {{ duration }} ore fa", + "-664781013": "Visto {{ duration }} minuti fa", + "-1717650468": "Online", "-1948369500": "Il file caricato non è supportato", "-1207312691": "Completato", "-688728873": "Scaduto", @@ -244,52 +251,16 @@ "-1875343569": "Dettagli pagamento venditore", "-92830427": "Istruzioni del venditore", "-1940034707": "Istruzioni dell'acquirente", - "-137444201": "Acquista", - "-1306639327": "Modalità di pagamento", - "-904197848": "Limiti {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} min", - "-2109576323": "Completamento vendita <0>30gg", - "-165392069": "Tempo medio di rilascio <0>30gg", - "-1154208372": "Volume trading <0>30gg", - "-1887970998": "Lo sblocco non era possibile poiché {{name}} non utilizza più Deriv P2P.", - "-2017825013": "Ho capito", - "-1070228546": "Attivo da {{days_since_joined}}gg", - "-2015102262": "({{number_of_ratings}} valutazione)", - "-1412298133": "({{number_of_ratings}} valutazioni)", - "-260332243": "{{user_blocked_count}} persona ti ha bloccato", - "-117094654": "{{user_blocked_count}} persone ti hanno bloccato", - "-329713179": "Ok", - "-1689905285": "Sbloccare", - "-992568889": "Nessuno da mostrare", - "-1298666786": "Le mie controparti", - "-1148912768": "Se il tasso del mercato si discosta da quello riportato qui, non potremo eseguire il tuo ordine.", - "-55126326": "Venditore", - "-835196958": "Ricevi pagamento su", - "-1218007718": "Puoi scegliere fino a 3.", - "-1933432699": "Inserisci l'importo di {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Limite: {{min}}–{{max}} {{currency}}", - "-1974067943": "Dettagli bancari personali", - "-1285759343": "Cerca", - "-1657433201": "Non ci sono annunci corrispondenti.", - "-1862812590": "Limiti {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Acquista {{account_currency}}", - "-1035421133": "Vendi {{account_currency}}", - "-1503997652": "Non ci sono annunci per questa valuta.", - "-1048001140": "Nessun risultato per \"{{value}}\".", - "-73663931": "Crea annuncio", - "-141315849": "Al momento non ci sono annunci per questa valuta 😞", "-471384801": "Siamo spiacenti, ma al momento non possiamo aumentare i tuoi limiti. Riprova tra qualche minuto.", + "-329713179": "Ok", "-231863107": "No", "-150224710": "Sì, continua", - "-1638172550": "Per disabilitare questa funzione, completa quanto segue:", - "-559300364": "La tua cassa Deriv P2P è bloccata", - "-740038242": "Il tuo tasso è", "-205277874": "Il tuo annuncio non è elencato nella sezione Compra/Vendi perché il suo ordine minimo è superiore al saldo disponibile di Deriv P2P ({{balance}} {{currency}}).", "-971817673": "Il tuo annuncio non è visibile agli altri", "-1735126907": "Questo potrebbe essere dovuto a un saldo insufficiente sul conto, al superamento del limite giornaliero nell'importo dell'annuncio, oppure a entrambi i motivi. Puoi vedere l'annuncio su <0>I miei annunci.", "-674715853": "L'annuncio supera il limite giornaliero", "-1530773708": "Bloccare {{advertiser_name}}?", + "-1689905285": "Sbloccare", "-2035037071": "Il saldo Deriv P2P non è sufficiente. Ti invitiamo ad aggiungere fondi e riprovare.", "-412680608": "Aggiungi una modalità di pagamento", "-293182503": "Rimuovere questa modalità di pagamento?", @@ -302,8 +273,10 @@ "-848068683": "Clicchi sul link contenuto nell'e-mail che le abbiamo inviato per autorizzare la transazione.", "-1238182882": "Il link scadrà tra 10 minuti.", "-142727028": "L' e-mail è nella cartella spam (dove alle volte si perdono i messaggi).", + "-1306639327": "Modalità di pagamento", "-227512949": "Correggi eventuali errori ortografici o usa un termine diverso.", "-1554938377": "Cerca modalità di pagamento", + "-1285759343": "Cerca", "-75934135": "Annunci corrispondenti", "-1856204727": "Reimposta", "-1728351486": "Link di verifica non valido", @@ -324,7 +297,60 @@ "-937707753": "Torna indietro", "-984140537": "Aggiungi", "-1220275347": "Puoi scegliere fino a 3 modalità di pagamento per questo annuncio.", + "-871975082": "Può aggiungere fino a 3 metodi di pagamento.", "-1340125291": "Fatto", + "-510341549": "Ho ricevuto un importo inferiore a quello stabilito.", + "-650030360": "Ho pagato più dell'importo stabilito.", + "-1192446042": "Se il tuo reclamo non appare in questo elenco, contatta l'assistenza clienti.", + "-573132778": "Reclami", + "-792338456": "In cosa consiste il tuo reclamo?", + "-418870584": "Annulla l'ordine", + "-1392383387": "Ho pagato", + "-727273667": "Invia reclamo", + "-2016990049": "Vendi ordine in {{offered_currency}}", + "-811190405": "Orario", + "-961632398": "Comprimi", + "-415476028": "Non valutato", + "-26434257": "Hai tempo fino a {{remaining_review_time}} GMT per valutare questa transazione.", + "-768709492": "La tua esperienza di transazione", + "-652933704": "Consigliato", + "-84139378": "Non consigliato", + "-2139303636": "È possibile che il colegamento si sia interrotto, o che l'indirizzo della pagina sia cambiato.", + "-1448368765": "Codice errore: {{error_code}} pagina non trovata", + "-1660552437": "Ritorno al P2P", + "-849068301": "Caricamento in corso...", + "-2061807537": "Qualcosa non va", + "-1354983065": "Aggiorna", + "-137444201": "Acquista", + "-904197848": "Limiti {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} min", + "-2109576323": "Completamento vendita <0>30gg", + "-165392069": "Tempo medio di rilascio <0>30gg", + "-1154208372": "Volume trading <0>30gg", + "-1887970998": "Lo sblocco non era possibile poiché {{name}} non utilizza più Deriv P2P.", + "-2017825013": "Ho capito", + "-1070228546": "Attivo da {{days_since_joined}}gg", + "-2015102262": "({{number_of_ratings}} valutazione)", + "-1412298133": "({{number_of_ratings}} valutazioni)", + "-260332243": "{{user_blocked_count}} persona ti ha bloccato", + "-117094654": "{{user_blocked_count}} persone ti hanno bloccato", + "-1148912768": "Se il tasso del mercato si discosta da quello riportato qui, non potremo eseguire il tuo ordine.", + "-55126326": "Venditore", + "-835196958": "Ricevi pagamento su", + "-1218007718": "Puoi scegliere fino a 3.", + "-1933432699": "Inserisci l'importo di {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Limite: {{min}}–{{max}} {{currency}}", + "-1974067943": "Dettagli bancari personali", + "-1657433201": "Non ci sono annunci corrispondenti.", + "-1862812590": "Limiti {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Acquista {{account_currency}}", + "-1035421133": "Vendi {{account_currency}}", + "-1503997652": "Non ci sono annunci per questa valuta.", + "-1048001140": "Nessun risultato per \"{{value}}\".", + "-1179827369": "Crea nuovo annuncio", + "-73663931": "Crea annuncio", + "-141315849": "Al momento non ci sono annunci per questa valuta 😞", "-1889014820": "<0>Non vedi la tua modalità di pagamento?<1>Aggiungi una nuova.", "-1406830100": "Modalità di pagamento", "-1561775203": "Acquista {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Stai creando un annuncio per vendere <0>{{ target_amount }} {{ target_currency }} per <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Stai creando un annuncio per vendere <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "Stai creando un annuncio per acquistare...", - "-1179827369": "Crea nuovo annuncio", "-230677679": "{{text}}", "-1914431773": "Stai modificando un annuncio per acquistare <0>{{ target_amount }} {{ target_currency }} per <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Stai modificando un annuncio per acquistare <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Stai modificando un annuncio per acquistare...", "-1396464057": "Stai modificando un annuncio per vendere...", + "-1526367101": "Non ci sono metodi di pagamento corrispondenti.", "-372210670": "Tasso (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Quando blocchi qualcuno, questa persona non vedrà i tuoi annunci e tu non potrai vedere i suoi. I tuoi annunci verranno nascosti anche nei risultati di ricerca.", "-1007339977": "Nessun nome corrispondente.", + "-1298666786": "Le mie controparti", "-179005984": "Salva", "-2059312414": "Dettagli annuncio", "-1769584466": "Statistiche", @@ -364,45 +390,23 @@ "-383030149": "Non hai ancora aggiunto alcuna modalità di pagamento", "-1156559889": "Trasferimenti bancari", "-1269362917": "Aggiungi nuovo", - "-532709160": "Soprannome", - "-1117584385": "Visto più di 6 mesi fa", - "-1766199849": "Visto {{ duration }} mesi fa", - "-591593016": "Visto {{ duration }} giorno fa", - "-1586918919": "Visto {{ duration }} ore fa", - "-664781013": "Visto {{ duration }} minuti fa", - "-1717650468": "Online", - "-510341549": "Ho ricevuto un importo inferiore a quello stabilito.", - "-650030360": "Ho pagato più dell'importo stabilito.", - "-1192446042": "Se il tuo reclamo non appare in questo elenco, contatta l'assistenza clienti.", - "-573132778": "Reclami", - "-792338456": "In cosa consiste il tuo reclamo?", - "-418870584": "Annulla l'ordine", - "-1392383387": "Ho pagato", - "-727273667": "Invia reclamo", - "-2016990049": "Vendi ordine in {{offered_currency}}", - "-811190405": "Orario", - "-961632398": "Comprimi", - "-415476028": "Non valutato", - "-26434257": "Hai tempo fino a {{remaining_review_time}} GMT per valutare questa transazione.", - "-768709492": "La tua esperienza di transazione", - "-652933704": "Consigliato", - "-84139378": "Non consigliato", "-1983512566": "La conversazione è chiusa.", - "-1797318839": "In caso di controversia, solo le comunicazioni sulle chat di P2P Deriv verranno prese in considerazione.", "-283017497": "Riprova", "-979459594": "Acquista/Vendi", "-2052184983": "Identificativo dell'ordine", "-2096350108": "Controparte", "-750202930": "Ordini attivi", "-1626659964": "Ho ricevuto {{amount}} {{currency}}.", - "-2139303636": "È possibile che il colegamento si sia interrotto, o che l'indirizzo della pagina sia cambiato.", - "-1448368765": "Codice errore: {{error_code}} pagina non trovata", - "-1660552437": "Ritorno al P2P", + "-1638172550": "Per disabilitare questa funzione, completa quanto segue:", + "-559300364": "La tua cassa Deriv P2P è bloccata", + "-740038242": "Il tuo tasso è", + "-146021156": "Eliminare {{payment_method_name}}?", + "-1846700504": "Sei sicuro di voler rimuovere questo metodo di pagamento?", + "-1422779483": "Quel metodo di pagamento non può essere eliminato", + "-532709160": "Soprannome", "-237014436": "Consigliato da {{recommended_count}} trader", - "-849068301": "Caricamento in corso...", - "-2061807537": "Qualcosa non va", - "-1354983065": "Aggiorna", "-2054589794": "Il tuo profilo è stato momentaneamente bloccato e non potrai accedere ai nostri servizi a causa di vari tentativi di annullamento. Riprova nuovamente dopo il giorno {{date_time}} GMT.", "-1079963355": "trade", - "-930400128": "Per usare Deriv P2P, scegli un nome visualizzato (ossia un soprannome) e verifica la tua identità." + "-930400128": "Per usare Deriv P2P, scegli un nome visualizzato (ossia un soprannome) e verifica la tua identità.", + "-992568889": "Nessuno da mostrare" } \ No newline at end of file diff --git a/packages/p2p/src/translations/ko.json b/packages/p2p/src/translations/ko.json index c1d44377a309..c421f89fd935 100644 --- a/packages/p2p/src/translations/ko.json +++ b/packages/p2p/src/translations/ko.json @@ -20,10 +20,10 @@ "197477687": "{{ad_type}} 광고 수정", "203271702": "다시 시도하세요", "231473252": "선호 통화", - "233677840": "시장 요율의", - "246815378": "설정한 닉네임은 변경할 수 없습니다.", + "233677840": "시장 금리의", + "246815378": "닉네임은 한 번 설정하면 변경할 수 없습니다.", "276261353": "<0>평균 재생 시간 30초", - "277542386": "<0>실시간 채팅을 사용하여 고객 지원 팀에 문의하여 도움을 받으십시오.", + "277542386": "<0>실시간 채팅을 통해 고객 지원팀에 도움을 요청하세요.", "316725580": "이 거래를 더 이상 평가할 수 없습니다.", "323002325": "광고 게시", "324970564": "판매자의 연락처 세부 정보", @@ -67,9 +67,10 @@ "683273691": "요금 (1 {{ account_currency }})", "723172934": "USD 매수 또는 매도를 원하시나요?다른 사람들이 응답할 수 있도록 직접 광고를 게시할 수 있습니다.", "728383001": "합의된 금액보다 많이 받았습니다.", - "733311523": "P2P 거래가 잠겼습니다.결제 에이전트는 이 기능을 사용할 수 없습니다.", + "733311523": "P2P 거래가 잠겼습니다. 결제 대행사는 이 기능을 사용할 수 없습니다.", "767789372": "결제를 기다리세요", "782834680": "남은 시간", + "783454335": "예, 제거", "830703311": "내 프로필", "834075131": "차단된 광고주", "838024160": "은행 세부 정보", @@ -78,7 +79,7 @@ "847028402": "귀하의 이메일을 확인해주세요", "858027714": "본 {{ duration }} 몇 분 전", "873437248": "지침 (선택 사항)", - "876086855": "재무 평가 양식 작성", + "876086855": "금융 평가서를 완료하세요", "881351325": "이 판매자를 추천하시겠습니까?", "887667868": "주문", "892431976": "{{cancellation_period}} 시간 동안 주문을 {{cancellation_limit}} 번 취소하면 {{block_duration}} 시간 동안 Deriv P2P 사용이 차단됩니다.
(취소 횟수가 {{number_of_cancels_remaining}} 회 남았습니다)", @@ -107,7 +108,7 @@ "1137964885": "문자, 숫자 및 특수 문자만 포함할 수 있습니다 .- _ @.", "1151608942": "합계 금액", "1157877436": "{{field_name}} 금액을 초과해서는 안됩니다.", - "1161621759": "닉네임을 선택하세요", + "1161621759": "닉네임 선택", "1162965175": "바이어", "1163072833": "<0>신분증 확인", "1164771858": "타사로부터 결제를 받았습니다.", @@ -122,7 +123,7 @@ "1286797620": "액티브", "1287051975": "닉네임이 너무 깁니다", "1300767074": "{{name}} 는 더 이상 파생 P2P에 없습니다.", - "1303016265": "예", + "1303016265": "네", "1313218101": "이 거래를 평가하세요", "1314266187": "오늘 가입했습니다", "1320670806": "페이지 탈퇴", @@ -135,7 +136,7 @@ "1366244749": "한계", "1370999551": "변동 금리", "1371193412": "취소", - "1381949324": "<0>주소 확인됨", + "1381949324": "<0>주소 확인", "1398938904": "일반적으로 방화벽이나 필터링 때문에 이 주소로 이메일을 전송할 수 없습니다.", "1422356389": "“{{text}}”에 대한 결과가 없습니다.", "1430413419": "최대값은 {{value}} {{currency}}", @@ -179,7 +180,6 @@ "1848044659": "광고가 없습니다.", "1859308030": "피드백 남기기", "1874956952": "결제 방법을 추가하려면 아래 버튼을 누르십시오.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "광고주를 차단할 수 없습니다.", "1908023954": "죄송합니다, 요청을 처리하는 과정에서 오류가 발생했습니다.", "1923443894": "비활성", @@ -190,7 +190,7 @@ "1994023526": "입력하신 이메일 주소에 실수 또는 오타가 있습니다 (당사 측 사정에 한함).", "2020104747": "필터", "2029375371": "결제 지침", - "2032274854": "{{recommended_count}} 트레이더 추천", + "2032274854": "추천인: {{recommended_count}} 트레이더", "2039361923": "판매할 광고를 만드시는군요...", "2040110829": "한도 늘리기", "2060873863": "귀하의 주문 {{order_id}} 은 완료되었습니다", @@ -198,6 +198,7 @@ "2091671594": "상태", "2096014107": "적용하기", "2104905634": "아직 아무도 이 트레이더를 추천하지 않았습니다", + "2108340400": "안녕하세요! 주문 세부 정보를 확인하기 위해 상대방과 채팅할 수 있는 곳입니다.n주: 분쟁이 발생할 경우 이 채팅을 참고 자료로 사용합니다.", "2121837513": "최소값은 {{value}} {{currency}}", "2142425493": "광고 ID", "2142752968": "계정에 {{amount}} {{local_currency}} 이메일이 수신되었는지 확인하고 확인을 눌러 거래를 완료하세요.", @@ -232,6 +233,12 @@ "-2021135479": "이 필드는 필수입니다.", "-2005205076": "{{field_name}} 가 최대 길이인 200자를 초과했습니다.", "-480724783": "이 요율의 광고가 이미 있습니다", + "-1117584385": "6개월 이상 전 접속", + "-1766199849": "본 {{ duration }} 몇 달 전", + "-591593016": "본 {{ duration }} 일 전", + "-1586918919": "본 {{ duration }} 몇 시간 전", + "-664781013": "본 {{ duration }} 1 분 전", + "-1717650468": "온라인", "-1948369500": "업로드된 파일은 지원되지 않습니다", "-1207312691": "완료됨", "-688728873": "만료", @@ -244,52 +251,16 @@ "-1875343569": "판매자의 결제 세부 정보", "-92830427": "판매자의 지침", "-1940034707": "구매자 지침", - "-137444201": "구매", - "-1306639327": "결제 방법", - "-904197848": "제한 {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} 분", - "-2109576323": "판매 완료 <0>30일", - "-165392069": "<0>평균 릴리즈 시간 30일", - "-1154208372": "거래량 <0>30일", - "-1887970998": "{{name}} 이 더 이상 Deriv P2P를 사용하지 않기 때문에 차단을 해제할 수 없습니다.", - "-2017825013": "알겠습니다", - "-1070228546": "{{days_since_joined}}일 가입함", - "-2015102262": "({{number_of_ratings}} 등급)", - "-1412298133": "({{number_of_ratings}} 등급)", - "-260332243": "{{user_blocked_count}} 다른 사람이 나를 차단했습니다.", - "-117094654": "{{user_blocked_count}} 사람들이 나를 차단했습니다.", - "-329713179": "오케이", - "-1689905285": "차단 해제", - "-992568889": "여기 보여줄 사람이 없어요", - "-1298666786": "내 거래 상대방", - "-1148912768": "시장 요율이 여기에 표시된 요율과 다를 경우 주문을 처리할 수 없습니다.", - "-55126326": "판매자", - "-835196958": "결제대금 수령", - "-1218007718": "최대 3개까지 선택할 수 있습니다.", - "-1933432699": "{{transaction_type}} 금액 입력", - "-2021730616": "{{ad_type}}", - "-490637584": "제한: {{min}}—{{max}} {{currency}}", - "-1974067943": "은행 세부 정보", - "-1285759343": "검색", - "-1657433201": "일치하는 광고가 없습니다.", - "-1862812590": "제한 {{ min_order }}—{{ max_order }} {{ currency }}", - "-375836822": "구매하기 {{account_currency}}", - "-1035421133": "판매 {{account_currency}}", - "-1503997652": "이 통화에 대한 광고가 없습니다.", - "-1048001140": "“{{value}}”에 대한 결과가 없습니다.", - "-73663931": "광고 만들기", - "-141315849": "현재 이 통화에 대한 광고가 없습니다 😞", "-471384801": "죄송합니다. 지금은 한도를 늘릴 수 없습니다.몇 분 후에 다시 시도해 주세요.", + "-329713179": "오케이", "-231863107": "아니요", "-150224710": "예, 계속", - "-1638172550": "이 기능을 활성화하려면 다음을 완료해야 합니다.", - "-559300364": "Deriv P2P 캐셔가 차단되었습니다", - "-740038242": "귀하의 요금은", "-205277874": "최소 주문이 파생 P2P 사용 가능한 잔액보다 높기 때문에 광고가 구매/판매에 표시되지 않습니다 ({{balance}} {{currency}}).", "-971817673": "내 광고가 다른 사람에게 보이지 않음", "-1735126907": "계정 잔액이 부족하거나 광고 금액이 일일 한도를 초과했거나 둘 다일 수 있기 때문일 수 있습니다.<0>내 광고에서는 여전히 광고를 볼 수 있습니다.", "-674715853": "광고가 일일 한도를 초과했습니다", "-1530773708": "블록 {{advertiser_name}}?", + "-1689905285": "차단 해제", "-2035037071": "Deriv P2P 잔액이 충분하지 않습니다.다시 시도하기 전에 잔액을 늘리십시오.", "-412680608": "결제 방법 추가", "-293182503": "이 결제 방법 추가를 취소하시겠습니까?", @@ -302,8 +273,10 @@ "-848068683": "트위터에서 보낸 이메일에 포함된 링크를 클릭하여 거래를 승인하세요.", "-1238182882": "링크는 10분 후에 만료됩니다.", "-142727028": "이메일은 스팸 폴더에 있습니다 (때로는 스팸 폴더에서 물건을 잃어버릴 수도 있습니다).", + "-1306639327": "결제 방법", "-227512949": "철자를 확인하거나 다른 용어를 사용하세요.", "-1554938377": "결제 방법 검색", + "-1285759343": "검색", "-75934135": "매칭 광고", "-1856204727": "초기화", "-1728351486": "유효하지 않은 확인 링크", @@ -324,7 +297,60 @@ "-937707753": "뒤로 가기", "-984140537": "추가", "-1220275347": "이 광고에는 최대 3개의 결제 방법을 선택할 수 있습니다.", + "-871975082": "결제 수단을 최대 3개까지 추가할 수 있습니다.", "-1340125291": "완료", + "-510341549": "합의된 금액보다 적게 받았습니다.", + "-650030360": "합의된 금액보다 더 많이 지불했습니다.", + "-1192446042": "불만 사항이 여기에 나열되지 않은 경우 고객 지원 팀에 문의하십시오.", + "-573132778": "불만", + "-792338456": "불만 사항이 뭐예요?", + "-418870584": "주문 취소", + "-1392383387": "결제했습니다", + "-727273667": "불만 제기", + "-2016990049": "판매 {{offered_currency}} 주문", + "-811190405": "시간", + "-961632398": "모두 축소", + "-415476028": "등급 없음", + "-26434257": "이 거래에 대한 평가는 {{remaining_review_time}} GMT까지만 가능합니다.", + "-768709492": "나의 거래 경험", + "-652933704": "권장 사항", + "-84139378": "추천하지 않음", + "-2139303636": "귀하께서는 깨진 링크를 따라가셨거나 또는 해당 페이지는 새로운 주소로 이동 되었습니다.", + "-1448368765": "에러 코드: {{error_code}} 페이지가 발견되지 않았습니다", + "-1660552437": "P2P로 돌아가기", + "-849068301": "로딩중...", + "-2061807537": "문제가 발생했습니다", + "-1354983065": "새로고침", + "-137444201": "구매", + "-904197848": "제한 {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} 분", + "-2109576323": "판매 완료 <0>30일", + "-165392069": "<0>평균 릴리즈 시간 30일", + "-1154208372": "거래량 <0>30일", + "-1887970998": "{{name}} 이 더 이상 Deriv P2P를 사용하지 않기 때문에 차단을 해제할 수 없습니다.", + "-2017825013": "알겠습니다", + "-1070228546": "{{days_since_joined}}일 가입함", + "-2015102262": "({{number_of_ratings}} 등급)", + "-1412298133": "({{number_of_ratings}} 등급)", + "-260332243": "{{user_blocked_count}} 다른 사람이 나를 차단했습니다.", + "-117094654": "{{user_blocked_count}} 사람들이 나를 차단했습니다.", + "-1148912768": "시장 요율이 여기에 표시된 요율과 다를 경우 주문을 처리할 수 없습니다.", + "-55126326": "판매자", + "-835196958": "결제대금 수령", + "-1218007718": "최대 3개까지 선택할 수 있습니다.", + "-1933432699": "{{transaction_type}} 금액 입력", + "-2021730616": "{{ad_type}}", + "-490637584": "제한: {{min}}—{{max}} {{currency}}", + "-1974067943": "은행 세부 정보", + "-1657433201": "일치하는 광고가 없습니다.", + "-1862812590": "제한 {{ min_order }}—{{ max_order }} {{ currency }}", + "-375836822": "구매하기 {{account_currency}}", + "-1035421133": "판매 {{account_currency}}", + "-1503997652": "이 통화에 대한 광고가 없습니다.", + "-1048001140": "“{{value}}”에 대한 결과가 없습니다.", + "-1179827369": "새 광고 만들기", + "-73663931": "광고 만들기", + "-141315849": "현재 이 통화에 대한 광고가 없습니다 😞", "-1889014820": "<0>결제 방법이 보이지 않으세요?<1>새로 추가.", "-1406830100": "결제 방법", "-1561775203": "구매하기 {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "판매할 광고를 만들고 있습니다. <0>{{ target_amount }} {{ target_currency }} 를 위해 <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "판매할 광고를 만들고 있습니다. <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "구매하기 위해 광고를 만들고 계시군요...", - "-1179827369": "새 광고 만들기", "-230677679": "{{text}}", "-1914431773": "구매를 위한 광고를 편집하고 있습니다. <0>{{ target_amount }} {{ target_currency }} 에 대한 <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "구매를 위한 광고를 편집 중입니다. <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "구매를 위해 광고를 편집하고 계십니다...", "-1396464057": "판매하기 위해 광고를 편집하고 계시군요...", + "-1526367101": "일치하는 결제 수단이 없습니다.", "-372210670": "요금 (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "비활성화", "-1667041441": "요금 (1 {{ offered_currency }})", "-1886565882": "변동 요금이 적용되는 광고가 비활성화되었습니다.고정 요금을 설정하여 다시 활성화하세요.", "-792015701": "해당 국가에서는 Deriv P2P 계산원을 이용할 수 없습니다.", "-1241719539": "사용자를 차단하면 해당 사용자의 광고가 표시되지 않으며 해당 사용자도 내 광고를 볼 수 없습니다.귀하의 광고는 검색 결과에서도 숨겨집니다.", "-1007339977": "일치하는 이름이 없습니다.", + "-1298666786": "내 거래 상대방", "-179005984": "저장", "-2059312414": "광고 세부 정보", "-1769584466": "통계", @@ -364,45 +390,23 @@ "-383030149": "아직 결제 수단을 추가하지 않았습니다.", "-1156559889": "은행 송금", "-1269362917": "신규 추가", - "-532709160": "내 닉네임", - "-1117584385": "6개월 이상 전 접속", - "-1766199849": "본 {{ duration }} 몇 달 전", - "-591593016": "본 {{ duration }} 일 전", - "-1586918919": "본 {{ duration }} 몇 시간 전", - "-664781013": "본 {{ duration }} 1 분 전", - "-1717650468": "온라인", - "-510341549": "합의된 금액보다 적게 받았습니다.", - "-650030360": "합의된 금액보다 더 많이 지불했습니다.", - "-1192446042": "불만 사항이 여기에 나열되지 않은 경우 고객 지원 팀에 문의하십시오.", - "-573132778": "불만", - "-792338456": "불만 사항이 뭐예요?", - "-418870584": "주문 취소", - "-1392383387": "결제했습니다", - "-727273667": "불만 제기", - "-2016990049": "판매 {{offered_currency}} 주문", - "-811190405": "시간", - "-961632398": "모두 축소", - "-415476028": "등급 없음", - "-26434257": "이 거래에 대한 평가는 {{remaining_review_time}} GMT까지만 가능합니다.", - "-768709492": "나의 거래 경험", - "-652933704": "권장 사항", - "-84139378": "추천하지 않음", "-1983512566": "이 대화는 종료되었습니다.", - "-1797318839": "분쟁이 발생할 경우 Deriv P2P 채팅 채널을 통한 커뮤니케이션만 고려합니다.", "-283017497": "재시도", "-979459594": "구매/판매", "-2052184983": "주문 ID", "-2096350108": "상대방", "-750202930": "활성 주문", "-1626659964": "{{amount}} {{currency}}을 받았습니다.", - "-2139303636": "귀하께서는 깨진 링크를 따라가셨거나 또는 해당 페이지는 새로운 주소로 이동 되었습니다.", - "-1448368765": "에러 코드: {{error_code}} 페이지가 발견되지 않았습니다", - "-1660552437": "P2P로 돌아가기", - "-237014436": "{{recommended_count}} 트레이더 추천", - "-849068301": "로딩중...", - "-2061807537": "문제가 발생했습니다", - "-1354983065": "새로고침", + "-1638172550": "이 기능을 활성화 하기 위해서 귀하께서는 반드시 다음을 완료하셔야 합니다:", + "-559300364": "Deriv P2P 캐셔가 차단되었습니다", + "-740038242": "요금은 다음과 같습니다.", + "-146021156": "삭제 {{payment_method_name}}?", + "-1846700504": "정말 이 결제 방법을 제거하시겠습니까?", + "-1422779483": "해당 결제 방법은 삭제할 수 없습니다.", + "-532709160": "닉네임", + "-237014436": "추천인: {{recommended_count}} 트레이더", "-2054589794": "여러 번의 취소 시도로 인해 일시적으로 서비스 이용이 금지되었습니다. {{date_time}} GMT 이후에 다시 시도하세요.", "-1079963355": "거래", - "-930400128": "Deriv P2P를 사용하려면 표시 이름 (닉네임) 을 선택하고 ID를 확인해야 합니다." + "-930400128": "Deriv P2P를 사용하려면 표시 이름(닉네임)을 선택하고 신원을 인증해야 합니다.", + "-992568889": "여기 보여줄 사람이 없어요" } \ No newline at end of file diff --git a/packages/p2p/src/translations/pl.json b/packages/p2p/src/translations/pl.json index 5663edf01a09..caf7e088a624 100644 --- a/packages/p2p/src/translations/pl.json +++ b/packages/p2p/src/translations/pl.json @@ -23,7 +23,7 @@ "233677840": "stopy rynkowej", "246815378": "Po wybraniu pseudonimu nie można go zmienić.", "276261353": "Średni czas wypłaty <0>30 dni", - "277542386": "Skorzystaj z <0>czatu na żywo, aby skontaktować się z naszym zespołem obsługi klienta w celu uzyskania pomocy.", + "277542386": "Proszę skorzystać z <0>czatu na żywo, aby skontaktować się z naszym zespołem obsługi klienta w celu uzyskania pomocy.", "316725580": "Nie można już ocenić tej transakcji.", "323002325": "Opublikuj reklamę", "324970564": "Dane kontaktowe sprzedającego", @@ -70,6 +70,7 @@ "733311523": "Transakcje P2P są zablokowane. Funkcja ta nie jest dostępna dla pośredników płatności.", "767789372": "Poczekaj na płatność", "782834680": "Pozostały czas", + "783454335": "Tak, usuń", "830703311": "Mój profil", "834075131": "Zablokowani ogłoszeniodawcy", "838024160": "Dane banku", @@ -179,7 +180,6 @@ "1848044659": "Nie masz żadnych reklam.", "1859308030": "Przekaż opinię", "1874956952": "NAciśnij poniższy przycisk, aby dodać metody płatności.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Nie można zablokować reklamodawcy", "1908023954": "Przepraszamy, podczas przetwarzania żądania wystąpił błąd.", "1923443894": "Nieaktywne", @@ -197,7 +197,8 @@ "2063890788": "Anulowano", "2091671594": "Status", "2096014107": "Zastosuj", - "2104905634": "Nikt jeszcze nie polecił tego tradera", + "2104905634": "Nikt jeszcze nie polecił tego inwestora", + "2108340400": "Witam! W tym miejscu mogą Państwo porozmawiać z kontrahentem, aby potwierdzić szczegóły zamówienia.nUwaga: W przypadku sporu wykorzystamy ten czat jako punkt odniesienia.", "2121837513": "Minimum to {{currency}} {{value}}", "2142425493": "ID reklamy", "2142752968": "Upewnij się, że otrzymałeś {{amount}} {{local_currency}} na swoim koncie i naciśnij Potwierdź, aby sfinalizować transakcję.", @@ -232,6 +233,12 @@ "-2021135479": "To pole jest wymagane.", "-2005205076": "{{field_name}} przekroczyła maksymalną długość 200 znaków.", "-480724783": "Masz już ogłoszenie z tą stawką", + "-1117584385": "Widziałem ponad 6 miesięcy temu", + "-1766199849": "Widziany {{ duration }} miesięcy temu", + "-591593016": "Widziany {{ duration }} dzień temu", + "-1586918919": "Widziane {{ duration }} godzin temu", + "-664781013": "Widziany {{ duration }} minut temu", + "-1717650468": "Online", "-1948369500": "Załadowany plik nie jest obsługiwany", "-1207312691": "Ukończono", "-688728873": "Wygasło", @@ -244,52 +251,16 @@ "-1875343569": "Dane płatnicze sprzedającego", "-92830427": "Instrukcje sprzedającego", "-1940034707": "Instrukcje kupującego", - "-137444201": "Kup", - "-1306639327": "Metody płatności", - "-904197848": "Limity {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} min", - "-2109576323": "Zakończenie sprzedaży: <0>30 dni", - "-165392069": "Średni czas publikacji <0>30 dni", - "-1154208372": "Wolumen handlowy: <0>30 dni", - "-1887970998": "Odblokowanie nie było możliwe, ponieważ {{name}} nie używa już Deriv P2P.", - "-2017825013": "Rozumiem", - "-1070228546": "Dołączono {{days_since_joined}} dni", - "-2015102262": "({{number_of_ratings}} ocena)", - "-1412298133": "({{number_of_ratings}} oceny)", - "-260332243": "Zablokowało Cię {{user_blocked_count}} osób", - "-117094654": "Liczba osób, które Cię zablokowały: {{user_blocked_count}}", - "-329713179": "Ok", - "-1689905285": "Odblokuj", - "-992568889": "Nie ma nikogo, kto by tu pokazał", - "-1298666786": "Moi kontrahenci", - "-1148912768": "Jeśli stopa rynkowa przedstawiona tutaj się zmieni, nie będziemy mogli zrealizować Twojego zlecenia.", - "-55126326": "Sprzedający", - "-835196958": "Otrzymaj płatność na", - "-1218007718": "Możesz wybrać do 3.", - "-1933432699": "Wpisz kwotę {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Limit: {{min}}—{{max}} {{currency}}", - "-1974067943": "Dane Twojego banku", - "-1285759343": "Szukaj", - "-1657433201": "Brak pasujących ogłoszeń.", - "-1862812590": "Limity {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Kup {{account_currency}}", - "-1035421133": "Sprzedaj {{account_currency}}", - "-1503997652": "Brak reklam dla tej waluty.", - "-1048001140": "Brak wyników dla \"{{value}}\".", - "-73663931": "Stwórz reklamę", - "-141315849": "Brak reklam dla tej waluty w tej chwili 😞", "-471384801": "Przepraszam, nie możemy teraz zwiększyć Twoich limitów. Spróbuj ponownie za kilka minut.", + "-329713179": "Ok", "-231863107": "Nie", "-150224710": "Tak, kontynuuj", - "-1638172550": "Aby włączyć tę funkcję, musisz wykonać następujące czynności:", - "-559300364": "Twoja sekcja Kasjer Deriv P2P jest zablokowana", - "-740038242": "Twoja stawka wynosi", "-205277874": "Twoja reklama nie jest wymieniona na Kup/Sprzedaj, ponieważ jej minimalne zamówienie jest wyższe niż saldo dostępne Deriv P2P ({{balance}} {{currency}}).", "-971817673": "Twoja reklama nie jest widoczna dla innych", "-1735126907": "Może to być spowodowane niewystarczającym saldem konta, kwota reklamy przekracza dzienny limit lub jedno i drugie. Nadal możesz zobaczyć swoją reklamę na stronie <0>Moje reklamy.", "-674715853": "Twoje ogłoszenie przekracza dzienny limit", "-1530773708": "Zablokować {{advertiser_name}}?", + "-1689905285": "Odblokuj", "-2035037071": "Saldo konta Deriv P2P jest niewystarczające. Zwiększ swoje saldo i spróbuj ponownie.", "-412680608": "Dodaj metodę płatności", "-293182503": "Anulować dodawanie tej metody płatności?", @@ -302,8 +273,10 @@ "-848068683": "Proszę kliknąć łącze w wiadomości e-mail, którą do Państwa wysłaliśmy, aby autoryzować transakcję.", "-1238182882": "Link wygaśnie za 10 minut.", "-142727028": "Wiadomość e-mail trafiła do folderu spam (czasami wiadomości się tam gubią).", + "-1306639327": "Metody płatności", "-227512949": "Sprawdź pisownię lub użyj innego pojęcia.", "-1554938377": "Szukaj metody płatności", + "-1285759343": "Szukaj", "-75934135": "Pasujące ogłoszenia", "-1856204727": "Resetuj", "-1728351486": "Nieprawidłowy kod weryfikacyjny", @@ -324,7 +297,60 @@ "-937707753": "Wstecz", "-984140537": "Dodaj", "-1220275347": "Możesz wybrać do 3 metod płatności dla tego ogłoszenia.", + "-871975082": "Mogą Państwo dodać maksymalnie 3 metody płatności.", "-1340125291": "Gotowe", + "-510341549": "Otrzymano mniejszą kwotę niż ustalono.", + "-650030360": "Zapłacono więcej niż ustalona kwota.", + "-1192446042": "Jeśli Twoja skarga nie jest tu wyszczególniona, skontaktuj się z działem wsparcia.", + "-573132778": "Skargi", + "-792338456": "Czego dotyczy skarga?", + "-418870584": "Anuluj zlecenie", + "-1392383387": "Zapłaciłem", + "-727273667": "Skarga", + "-2016990049": "Sprzedaj {{offered_currency}} zlecenie", + "-811190405": "Czas", + "-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ą", + "-652933704": "Polecone", + "-84139378": "Niepolecona", + "-2139303636": "Być może kliknąłeś/kliknęłaś błędny link lub strona została przeniesiona pod nowy adres.", + "-1448368765": "Kod błędu: {{error_code}} nie znaleziono strony", + "-1660552437": "Powrót do P2P", + "-849068301": "Ładowanie...", + "-2061807537": "Coś jest nie tak", + "-1354983065": "Odśwież", + "-137444201": "Kup", + "-904197848": "Limity {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} min", + "-2109576323": "Zakończenie sprzedaży: <0>30 dni", + "-165392069": "Średni czas publikacji <0>30 dni", + "-1154208372": "Wolumen handlowy: <0>30 dni", + "-1887970998": "Odblokowanie nie było możliwe, ponieważ {{name}} nie używa już Deriv P2P.", + "-2017825013": "Rozumiem", + "-1070228546": "Dołączono {{days_since_joined}} dni", + "-2015102262": "({{number_of_ratings}} ocena)", + "-1412298133": "({{number_of_ratings}} oceny)", + "-260332243": "Zablokowało Cię {{user_blocked_count}} osób", + "-117094654": "Liczba osób, które Cię zablokowały: {{user_blocked_count}}", + "-1148912768": "Jeśli stopa rynkowa przedstawiona tutaj się zmieni, nie będziemy mogli zrealizować Twojego zlecenia.", + "-55126326": "Sprzedający", + "-835196958": "Otrzymaj płatność na", + "-1218007718": "Możesz wybrać do 3.", + "-1933432699": "Wpisz kwotę {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Limit: {{min}}—{{max}} {{currency}}", + "-1974067943": "Dane Twojego banku", + "-1657433201": "Brak pasujących ogłoszeń.", + "-1862812590": "Limity {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Kup {{account_currency}}", + "-1035421133": "Sprzedaj {{account_currency}}", + "-1503997652": "Brak reklam dla tej waluty.", + "-1048001140": "Brak wyników dla \"{{value}}\".", + "-1179827369": "Utwórz nową reklamę", + "-73663931": "Stwórz reklamę", + "-141315849": "Brak reklam dla tej waluty w tej chwili 😞", "-1889014820": "<0>Nie widzisz swojej metody płatności? <1>Dodaj nową.", "-1406830100": "Metoda płatności", "-1561775203": "Kup {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Tworzysz reklamę, aby sprzedać <0>{{ target_amount }} {{ target_currency }} za <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Tworzysz reklamę, aby sprzedać <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "Tworzysz reklamę, aby kupić...", - "-1179827369": "Utwórz nową reklamę", "-230677679": "{{text}}", "-1914431773": "Edytujesz reklamę, aby kupić <0>{{ target_amount }} {{ target_currency }} za <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Edytujesz reklamę, aby kupić <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Edytujesz reklamę, aby kupić...", "-1396464057": "Edytujesz reklamę, aby sprzedać...", + "-1526367101": "Nie ma pasujących metod płatności.", "-372210670": "Opłata (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Po zablokowaniu użytkownika jego ogłoszenia nie będą dla Ciebie widoczne, użytkownik nie będzie też widział Twoich ogłoszeń. Twoje ogłoszenia będą też ukryte w wynikach wyszukiwania.", "-1007339977": "Nie ma pasującej nazwy.", + "-1298666786": "Moi kontrahenci", "-179005984": "Zapisz", "-2059312414": "Szczegóły ogłoszenia", "-1769584466": "Statystyki", @@ -364,45 +390,23 @@ "-383030149": "Nie dodano jeszcze żadnych metod płatności", "-1156559889": "Przelewy bankowe", "-1269362917": "Dodaj nowe", - "-532709160": "Twój pseudonim", - "-1117584385": "Widziałem ponad 6 miesięcy temu", - "-1766199849": "Widziany {{ duration }} miesięcy temu", - "-591593016": "Widziany {{ duration }} dzień temu", - "-1586918919": "Widziane {{ duration }} godzin temu", - "-664781013": "Widziany {{ duration }} minut temu", - "-1717650468": "Online", - "-510341549": "Otrzymano mniejszą kwotę niż ustalono.", - "-650030360": "Zapłacono więcej niż ustalona kwota.", - "-1192446042": "Jeśli Twoja skarga nie jest tu wyszczególniona, skontaktuj się z działem wsparcia.", - "-573132778": "Skargi", - "-792338456": "Czego dotyczy skarga?", - "-418870584": "Anuluj zlecenie", - "-1392383387": "Zapłaciłem", - "-727273667": "Skarga", - "-2016990049": "Sprzedaj {{offered_currency}} zlecenie", - "-811190405": "Czas", - "-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ą", - "-652933704": "Polecone", - "-84139378": "Niepolecona", "-1983512566": "Konwersacja została zakończona.", - "-1797318839": "W przypadku sporu brana będzie pod uwagę wyłącznie komunikacja przez czat Deriv P2P.", "-283017497": "Spróbuj ponownie", "-979459594": "Kup/Sprzedaj", "-2052184983": "ID zlecenia", "-2096350108": "Kontrahent", "-750202930": "Aktywne zlecenia", "-1626659964": "Otrzymałem {{amount}} {{currency}}.", - "-2139303636": "Być może kliknąłeś/kliknęłaś błędny link lub strona została przeniesiona pod nowy adres.", - "-1448368765": "Kod błędu: {{error_code}} nie znaleziono strony", - "-1660552437": "Powrót do P2P", + "-1638172550": "Aby włączyć tę funkcję, musisz wykonać następujące czynności:", + "-559300364": "Twoja sekcja Kasjer Deriv P2P jest zablokowana", + "-740038242": "Twoja stawka wynosi", + "-146021156": "Usuń {{payment_method_name}}?", + "-1846700504": "Czy na pewno chcesz usunąć tę metodę płatności?", + "-1422779483": "Ta metoda płatności nie może zostać usunięta", + "-532709160": "Twój pseudonim", "-237014436": "Polecane przez {{recommended_count}} tradera", - "-849068301": "Ładowanie...", - "-2061807537": "Coś jest nie tak", - "-1354983065": "Odśwież", "-2054589794": "Objęto Cię tymczasowym zakazem korzystania z naszych usług z powodu kilkukrotnych prób anulowania. Spróbuj ponownie po {{date_time}} GMT.", "-1079963355": "inwestycje", - "-930400128": "Aby korzystać z Deriv P2P, musisz wybrać nazwę do wyświetlenia (pseudonim) i zweryfikować swoją tożsamość." + "-930400128": "Aby korzystać z Deriv P2P, musisz wybrać nazwę do wyświetlenia (pseudonim) i zweryfikować swoją tożsamość.", + "-992568889": "Brak użytkowników do wyświetlenia" } \ No newline at end of file diff --git a/packages/p2p/src/translations/pt.json b/packages/p2p/src/translations/pt.json index 0c9f4ce79977..d18761ebb561 100644 --- a/packages/p2p/src/translations/pt.json +++ b/packages/p2p/src/translations/pt.json @@ -70,6 +70,7 @@ "733311523": "As transacções P2P são bloqueadas. Esta característica não está disponível para agentes de pagamento.", "767789372": "Aguarde pagamento", "782834680": "Tempo restante", + "783454335": "Sim, remover", "830703311": "Meu perfil", "834075131": "Anunciantes bloqueados", "838024160": "Detalhes bancários", @@ -78,7 +79,7 @@ "847028402": "Verifique o seu e-mail", "858027714": "Visto há {{ duration }} minutos", "873437248": "Instruções (opcional)", - "876086855": "Preencha o formulário de Avaliação Financeira", + "876086855": "Preencher o formulário de avaliação financeira", "881351325": "Você recomendaria este vendedor?", "887667868": "Ordem", "892431976": "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)", @@ -122,7 +123,7 @@ "1286797620": "Ativo", "1287051975": "Apelido muito longo", "1300767074": "{{name}} não está mais no Deriv P2P", - "1303016265": "Sim", + "1303016265": "sim", "1313218101": "Avalie esta transação", "1314266187": "Ingressou hoje", "1320670806": "Sair da página", @@ -179,7 +180,6 @@ "1848044659": "Você não tem anúncios.", "1859308030": "Dê feedback", "1874956952": "Aperte o botão abaixo para adicionar métodos de pagamento.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Não é possível bloquear o anunciante", "1908023954": "Infelizmente, ocorreu um erro ao processar a sua solicitação.", "1923443894": "Inativo", @@ -198,6 +198,7 @@ "2091671594": "Status", "2096014107": "Aplicar", "2104905634": "Este trader ainda não foi recomendado", + "2108340400": "Olá! É aqui que pode conversar com a contraparte para confirmar os detalhes da encomenda.nNota: Em caso de litígio, utilizaremos esta conversa como referência.", "2121837513": "O mínimo é {{value}} {{currency}}", "2142425493": "ID Anúncio", "2142752968": "Certifique-se de ter recebido {{amount}} {{local_currency}} em sua conta e clique em Confirmar para concluir a transação.", @@ -232,6 +233,12 @@ "-2021135479": "Este campo é obrigatório.", "-2005205076": "Este campo excedeu o comprimento máximo de 200 caracteres.", "-480724783": "Você já tem um anúncio com esta taxa", + "-1117584385": "Visto há mais de 6 meses", + "-1766199849": "Visto há {{ duration }} meses", + "-591593016": "Visto há {{ duration }} dia", + "-1586918919": "Visto há {{ duration }} horas", + "-664781013": "Visto há {{ duration }} minutos", + "-1717650468": "Online", "-1948369500": "O ficheiro carregado não é suportado", "-1207312691": "Concluído", "-688728873": "Expirado", @@ -244,52 +251,16 @@ "-1875343569": "Detalhes de pagamento do vendedor", "-92830427": "Instruções do vendedor", "-1940034707": "Instruções do comprador", - "-137444201": "Comprar", - "-1306639327": "Métodos de Pagamento", - "-904197848": "Limites {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} min", - "-2109576323": "Vendas completadas <0>30d", - "-165392069": "Tempo de liberação <0>30d", - "-1154208372": "Vol. de negociações <0>30d", - "-1887970998": "O desbloqueio não foi possível porque {{name}} não está mais usando o Deriv P2P.", - "-2017825013": "Entendi", - "-1070228546": "Ingressou à {{days_since_joined}}d", - "-2015102262": "({{number_of_ratings}} avaliação)", - "-1412298133": "({{number_of_ratings}} avaliações)", - "-260332243": "{{user_blocked_count}} pessoas bloquearam você", - "-117094654": "{{user_blocked_count}} pessoas bloquearam você", - "-329713179": "Ok", - "-1689905285": "Desbloquear", - "-992568889": "Ninguém para mostrar aqui", - "-1298666786": "Minhas contrapartes", - "-1148912768": "Se a taxa de mercado mudar em relação à taxa mostrada aqui, não poderemos processar seu pedido.", - "-55126326": "Vendedor", - "-835196958": "Receber o pagamento para", - "-1218007718": "Você pode escolher até 3.", - "-1933432699": "Insira o valor {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Limite: {{min}}—{{max}} {{currency}}", - "-1974067943": "Seus dados bancários", - "-1285759343": "Pesquisar", - "-1657433201": "Não há anúncios correspondentes.", - "-1862812590": "Limites {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Comprar {{account_currency}}", - "-1035421133": "Vendas {{account_currency}}", - "-1503997652": "Não há anúncios para essa moeda.", - "-1048001140": "Nenhum resultado para \"{{value}}\".", - "-73663931": "Criar anúncio", - "-141315849": "Nenhum anúncio para esta moeda no momento 😞", "-471384801": "Desculpe, no momento, não foi possível aumentar os seus limites. Por favor, tente novamente em alguns minutos.", + "-329713179": "Ok", "-231863107": "Não", "-150224710": "Sim, continar", - "-1638172550": "Para habilitar este recurso, você deve completar o seguinte:", - "-559300364": "Seu caixa do Deriv P2P está bloqueado", - "-740038242": "Sua tarifa é", "-205277874": "O seu anúncio não está listado em Compra/Venda porque o seu pedido mínimo é maior que o saldo disponível no Deriv P2P ({{balance}} {{currency}}).", "-971817673": "Seu anúncio não está visível para outras pessoas", "-1735126907": "Isso pode ocorrer devido ao saldo insuficiente da conta, o valor do anúncio excedendo o limite diário, ou ambos. Você ainda pode visualizar o seu anúncio em <0>Meus anúncios.", "-674715853": "Seu anúncio excede o limite diário", "-1530773708": "Bloquear {{advertiser_name}}?", + "-1689905285": "Desbloquear", "-2035037071": "Seu saldo Deriv P2P não é suficiente. Aumente seu saldo antes de tentar novamente.", "-412680608": "Adicionar método de pagamento", "-293182503": "Cancelar a adição deste método de pagamento?", @@ -302,8 +273,10 @@ "-848068683": "Clique no link do e-mail que lhe enviamos para autorizar esta transação.", "-1238182882": "O link expirará em 10 minutos.", "-142727028": "O email está na sua pasta de spam (às vezes as mensagens se perdem por lá).", + "-1306639327": "Métodos de Pagamento", "-227512949": "Verifique a ortografia ou use um termo diferente.", "-1554938377": "Pesquisar método de pagamento", + "-1285759343": "Pesquisar", "-75934135": "Anúncios que correspondem", "-1856204727": "Resetar", "-1728351486": "Link de verificação inválido", @@ -324,7 +297,60 @@ "-937707753": "Voltar", "-984140537": "Adicionar", "-1220275347": "Você pode escolher até 3 formas de pagamento para este anúncio.", + "-871975082": "Pode adicionar até 3 métodos de pagamento.", "-1340125291": "Concluído", + "-510341549": "Eu recebi menos do que o valor combinado.", + "-650030360": "Eu paguei mais do que o valor combinado.", + "-1192446042": "Se sua reclamação não estiver listada aqui, entre em contato com nossa equipe de Suporte ao Cliente.", + "-573132778": "Reclamar", + "-792338456": "Qual é a sua reclamação?", + "-418870584": "Cancelar pedido", + "-1392383387": "Eu paguei", + "-727273667": "Reclamar", + "-2016990049": "Pedido de Venda de {{offered_currency}}", + "-811190405": "Data", + "-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", + "-652933704": "Recomendado", + "-84139378": "Não recomendado", + "-2139303636": "Poderá ter seguido uma hiperligação danificada ou a página foi transferida para um novo endereço.", + "-1448368765": "Código de erro: {{error_code}} página não encontrada", + "-1660552437": "Regressar a P2P", + "-849068301": "Carregando...", + "-2061807537": "Algo não está certo", + "-1354983065": "Atualizar", + "-137444201": "Comprar", + "-904197848": "Limites {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} min", + "-2109576323": "Vendas completadas <0>30d", + "-165392069": "Tempo de liberação <0>30d", + "-1154208372": "Vol. de negociações <0>30d", + "-1887970998": "O desbloqueio não foi possível porque {{name}} não está mais usando o Deriv P2P.", + "-2017825013": "Entendi", + "-1070228546": "Ingressou à {{days_since_joined}}d", + "-2015102262": "({{number_of_ratings}} avaliação)", + "-1412298133": "({{number_of_ratings}} avaliações)", + "-260332243": "{{user_blocked_count}} pessoas bloquearam você", + "-117094654": "{{user_blocked_count}} pessoas bloquearam você", + "-1148912768": "Se a taxa de mercado mudar em relação à taxa mostrada aqui, não poderemos processar seu pedido.", + "-55126326": "Vendedor", + "-835196958": "Receber o pagamento para", + "-1218007718": "Você pode escolher até 3.", + "-1933432699": "Insira o valor {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Limite: {{min}}—{{max}} {{currency}}", + "-1974067943": "Seus dados bancários", + "-1657433201": "Não há anúncios correspondentes.", + "-1862812590": "Limites {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Comprar {{account_currency}}", + "-1035421133": "Vendas {{account_currency}}", + "-1503997652": "Não há anúncios para essa moeda.", + "-1048001140": "Nenhum resultado para \"{{value}}\".", + "-1179827369": "Criar novo anúncio", + "-73663931": "Criar anúncio", + "-141315849": "Nenhum anúncio para esta moeda no momento 😞", "-1889014820": "<0>Não visualiza seu método de pagamento? <1>Adicionar novo.", "-1406830100": "Método de pagamento", "-1561775203": "Comprar {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Você está criando um anúncio para vender <0>{{ target_amount }} {{ target_currency }} por <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "\nVocê está criando um anúncio para vender <0> {{target_amount}} {{target_currency}} ...", "-514789442": "\nVocê está criando um anúncio para comprar ...", - "-1179827369": "Criar novo anúncio", "-230677679": "{{text}}", "-1914431773": "Você está editando um anúncio para comprar <0>{{ target_amount }} {{ target_currency }} por <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Você está editando um anúncio para comprar <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Você está editando um anúncio para comprar...", "-1396464057": "Você está editando um anúncio para vender...", + "-1526367101": "Não existem métodos de pagamento correspondentes.", "-372210670": "Taxa (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Ao bloquear alguém, você não verá os anúncios dessa pessoa e essa pessoa também não verá os seus. Além disso, os seus anúncios ficarão ocultos dos resultados de pesquisa.", "-1007339977": "Não há anúncios correspondentes.", + "-1298666786": "Minhas contrapartes", "-179005984": "Salvar", "-2059312414": "Detalhes do anúncio", "-1769584466": "Estatísticas", @@ -364,45 +390,23 @@ "-383030149": "Você ainda não adicionou nenhum método de pagamento", "-1156559889": "Transferências bancárias", "-1269362917": "Adicionar novo", - "-532709160": "Seu apelido", - "-1117584385": "Visto há mais de 6 meses", - "-1766199849": "Visto há {{ duration }} meses", - "-591593016": "Visto há {{ duration }} dia", - "-1586918919": "Visto há {{ duration }} horas", - "-664781013": "Visto há {{ duration }} minutos", - "-1717650468": "Online", - "-510341549": "Eu recebi menos do que o valor combinado.", - "-650030360": "Eu paguei mais do que o valor combinado.", - "-1192446042": "Se sua reclamação não estiver listada aqui, entre em contato com nossa equipe de Suporte ao Cliente.", - "-573132778": "Reclamar", - "-792338456": "Qual é a sua reclamação?", - "-418870584": "Cancelar pedido", - "-1392383387": "Eu paguei", - "-727273667": "Reclamar", - "-2016990049": "Pedido de Venda de {{offered_currency}}", - "-811190405": "Data", - "-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", - "-652933704": "Recomendado", - "-84139378": "Não recomendado", "-1983512566": "Este chat está encerrado.", - "-1797318839": "Em caso de disputa, consideraremos apenas a comunicação através do canal de bate-papo Deriv P2P.", "-283017497": "Tentar novamente", "-979459594": "Comprar/Vender", "-2052184983": "Número do lance", "-2096350108": "Contraparte", "-750202930": "Pedidos ativos", "-1626659964": "Eu recebi {{amount}} {{currency}}.", - "-2139303636": "Poderá ter seguido uma hiperligação danificada ou a página foi transferida para um novo endereço.", - "-1448368765": "Código de erro: {{error_code}} página não encontrada", - "-1660552437": "Regressar a P2P", + "-1638172550": "Para habilitar este recurso, você deve completar o seguinte:", + "-559300364": "Seu caixa do Deriv P2P está bloqueado", + "-740038242": "Sua tarifa é", + "-146021156": "Deletar {{payment_method_name}}?", + "-1846700504": "Tem certeza de que deseja remover este método de pagamento?", + "-1422779483": "Esse método de pagamento não pode ser excluído", + "-532709160": "Seu apelido", "-237014436": "Recomendado por {{recommended_count}} trader", - "-849068301": "Carregando...", - "-2061807537": "Algo não está certo", - "-1354983065": "Atualizar", "-2054589794": "Você foi temporariamente impedido de usar nossos serviços devido às várias tentativas de cancelamento. Tente novamente após {{date_time}} GMT.", "-1079963355": "negócios", - "-930400128": "Para usar o Deriv P2P, você precisa escolher um nome de exibição (um apelido) e verificar sua identidade." + "-930400128": "Para usar o Deriv P2P, você precisa escolher um nome de exibição (um apelido) e verificar sua identidade.", + "-992568889": "Ninguém a ser exibido aqui" } \ No newline at end of file diff --git a/packages/p2p/src/translations/ru.json b/packages/p2p/src/translations/ru.json index 76bb92fa9133..1a4ad94d5983 100644 --- a/packages/p2p/src/translations/ru.json +++ b/packages/p2p/src/translations/ru.json @@ -70,6 +70,7 @@ "733311523": "Транзакции P2P заблокированы. Эта функция недоступна для платежных агентов.", "767789372": "Дождитесь оплаты", "782834680": "Осталось времени", + "783454335": "Да, удалить", "830703311": "Мой профайл", "834075131": "Заблокированные", "838024160": "Банковские реквизиты", @@ -179,7 +180,6 @@ "1848044659": "У вас нет объявлений.", "1859308030": "Оставить отзыв", "1874956952": "Нажмите кнопку ниже, чтобы добавить платежные методы.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Не удалось заблокировать адвертайзера", "1908023954": "Извините, при обработке вашего запроса произошла ошибка.", "1923443894": "Неактивен", @@ -198,6 +198,7 @@ "2091671594": "Статус", "2096014107": "Применить", "2104905634": "Никто пока не рекомендовал этого трейдера", + "2108340400": "Здравствуйте! Здесь Вы можете пообщаться с контрагентом, чтобы подтвердить детали заказа.nПримечание: В случае возникновения спорной ситуации мы будем использовать этот чат в качестве справочного материала.", "2121837513": "Минимум: {{value}} {{currency}}", "2142425493": "ID объявления", "2142752968": "Убедитесь, что получили {{amount}} {{local_currency}} на свой счет, и нажмите «Подтвердить», чтобы завершить транзакцию.", @@ -232,6 +233,12 @@ "-2021135479": "Обязательное поле.", "-2005205076": "{{field_name}} превышает максимальную длину в 200 символов.", "-480724783": "У вас уже есть объявление с таким курсом", + "-1117584385": "Просмотрено: более 6мес.", + "-1766199849": "Просмотрено: {{ duration }}мес.", + "-591593016": "Просмотрено: {{ duration }}д.", + "-1586918919": "Просмотрено: {{ duration }}ч.", + "-664781013": "Просмотрено: {{ duration }}мин.", + "-1717650468": "Онлайн", "-1948369500": "Загруженный файл не поддерживается", "-1207312691": "Завершенные", "-688728873": "Истек", @@ -244,52 +251,16 @@ "-1875343569": "Платежные реквизиты продавца", "-92830427": "Инструкции продавца", "-1940034707": "Инструкции покупателя", - "-137444201": "Купить", - "-1306639327": "Платежные методы", - "-904197848": "Лимиты: {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} мин", - "-2109576323": "Завершенные (продажа) <0>30д", - "-165392069": "Средн. время отправки <0>30д", - "-1154208372": "Объем сделок <0>30д", - "-1887970998": "Разблокировка невозможна – {{name}} больше не использует Deriv P2P.", - "-2017825013": "Понятно", - "-1070228546": "На платформе {{days_since_joined}}д", - "-2015102262": "({{number_of_ratings}} оценка)", - "-1412298133": "({{number_of_ratings}} оценок)", - "-260332243": "{{user_blocked_count}} человек заблокировали вас", - "-117094654": "{{user_blocked_count}} человек заблокировали вас", - "-329713179": "Ok", - "-1689905285": "Разблокировать", - "-992568889": "Здесь никого нет", - "-1298666786": "Мои контрагенты", - "-1148912768": "Если рыночный курс изменится по сравнению с указанным здесь, мы не сможем обработать ваш ордер.", - "-55126326": "Продавец", - "-835196958": "Получить платеж на", - "-1218007718": "Вы можете выбрать до 3.", - "-1933432699": "Введите сумму: {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Лимиты: {{min}}–{{max}} {{currency}}", - "-1974067943": "Ваши банковские реквизиты", - "-1285759343": "Поиск", - "-1657433201": "Нет подходящих объявлений.", - "-1862812590": "Лимиты {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Купить {{account_currency}}", - "-1035421133": "Продать {{account_currency}}", - "-1503997652": "Нет объявлений для этой валюты.", - "-1048001140": "Нет результатов с \"{{value}}\".", - "-73663931": "Создать объявление", - "-141315849": "Для этой валюты пока нет объявлений 😞", "-471384801": "К сожалению, сейчас мы не можем увеличить ваши лимиты. Попробуйте еще раз через несколько минут.", + "-329713179": "Ok", "-231863107": "Нет", "-150224710": "Да, продолжить", - "-1638172550": "Чтобы активировать эту функцию, сделайте следующее:", - "-559300364": "Ваша касса Deriv P2P заблокирована", - "-740038242": "Ваш курс", "-205277874": "Объявление не указано в разделе «покупка/продажа», потому что минимальный ордер превышает ваш доступный баланс Deriv P2P ({{balance}} {{currency}}).", "-971817673": "Другие не видят ваше объявление", "-1735126907": "Это может быть связано с тем, что на вашем счете недостаточно средств, сумма объявления превышает дневной лимит или и то, и другое. Вы все еще можете увидеть свое объявление в разделе <0>Мои объявления.", "-674715853": "Ваше объявление превышает дневной лимит", "-1530773708": "Блокировать {{advertiser_name}}?", + "-1689905285": "Разблокировать", "-2035037071": "Недостаточный баланс Deriv P2P. Пожалуйста, увеличьте баланс и попробуйте еще раз.", "-412680608": "Добавить платежный метод", "-293182503": "Не добавлять платежный метод?", @@ -302,8 +273,10 @@ "-848068683": "Перейдите по ссылке в письме, которое мы Вам отправили, чтобы авторизовать эту транзакцию.", "-1238182882": "Срок действия ссылки истечет через 10 минут.", "-142727028": "Письмо попало в папку со спамом.", + "-1306639327": "Платежные методы", "-227512949": "Проверьте орфографию или используйте другой термин.", "-1554938377": "Поиск платежного метода", + "-1285759343": "Поиск", "-75934135": "Подходящие объявления", "-1856204727": "Сбросить", "-1728351486": "Неверная ссылка для подтверждения", @@ -324,7 +297,60 @@ "-937707753": "Назад", "-984140537": "Добавить", "-1220275347": "Для этого объявления можно выбрать до 3 платежных методов.", + "-871975082": "Вы можете добавить до 3 способов оплаты.", "-1340125291": "Готово", + "-510341549": "Я получил(а) меньше оговоренной суммы.", + "-650030360": "Я заплатил(а) больше оговоренной суммы.", + "-1192446042": "Если вашей проблемы нет в этом списке, свяжитесь с нашей службой поддержки клиентов.", + "-573132778": "Жалоба", + "-792338456": "Что случилось?", + "-418870584": "Отменить ордер", + "-1392383387": "Я заплатил(а)", + "-727273667": "Пожаловаться", + "-2016990049": "Продать ордер {{offered_currency}}", + "-811190405": "Время", + "-961632398": "Свернуть все", + "-415476028": "Нет оценки", + "-26434257": "Вы можете оценить эту транзакцию до {{remaining_review_time}} GMT.", + "-768709492": "Оценка транзакции", + "-652933704": "Рекомендовано", + "-84139378": "Не рекомендовано", + "-2139303636": "Возможно, вы перешли по нерабочей ссылке или у страницы изменился адрес.", + "-1448368765": "Код ошибки: {{error_code}} страница не найдена", + "-1660552437": "Возврат к странице P2P", + "-849068301": "Загрузка...", + "-2061807537": "Что-то пошло не так", + "-1354983065": "Обновить", + "-137444201": "Купить", + "-904197848": "Лимиты: {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} мин", + "-2109576323": "Завершенные (продажа) <0>30д", + "-165392069": "Средн. время отправки <0>30д", + "-1154208372": "Объем сделок <0>30д", + "-1887970998": "Разблокировка невозможна – {{name}} больше не использует Deriv P2P.", + "-2017825013": "Понятно", + "-1070228546": "На платформе {{days_since_joined}}д", + "-2015102262": "({{number_of_ratings}} оценка)", + "-1412298133": "({{number_of_ratings}} оценок)", + "-260332243": "{{user_blocked_count}} человек заблокировали вас", + "-117094654": "{{user_blocked_count}} человек заблокировали вас", + "-1148912768": "Если рыночный курс изменится по сравнению с указанным здесь, мы не сможем обработать ваш ордер.", + "-55126326": "Продавец", + "-835196958": "Получить платеж на", + "-1218007718": "Вы можете выбрать до 3.", + "-1933432699": "Введите сумму: {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Лимиты: {{min}}–{{max}} {{currency}}", + "-1974067943": "Ваши банковские реквизиты", + "-1657433201": "Нет подходящих объявлений.", + "-1862812590": "Лимиты {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Купить {{account_currency}}", + "-1035421133": "Продать {{account_currency}}", + "-1503997652": "Нет объявлений для этой валюты.", + "-1048001140": "Нет результатов с \"{{value}}\".", + "-1179827369": "Создать новое объявление", + "-73663931": "Создать объявление", + "-141315849": "Для этой валюты пока нет объявлений 😞", "-1889014820": "<0>Не нашли свой платежный метод? <1>Добавьте новый.", "-1406830100": "Способ оплаты", "-1561775203": "Купить {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Вы создаете объявление о продаже <0>{{ target_amount }} {{ target_currency }} за <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "Вы создаете объявление о продаже <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "Вы создаете объявление о покупке...", - "-1179827369": "Создать новое объявление", "-230677679": "{{text}}", "-1914431773": "Вы редактируете объявление о покупке <0>{{ target_amount }} {{ target_currency }} за <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Вы редактируете объявление о покупке <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Вы редактируете объявление о покупке...", "-1396464057": "Вы редактируете объявление о продаже...", + "-1526367101": "Не существует подходящих способов оплаты.", "-372210670": "Курс (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "Деактивировать", "-1667041441": "Курс (1 {{ offered_currency }})", "-1886565882": "Объявления с плавающими курсами отключены. Установите фиксированные курсы, чтобы активировать их.", "-792015701": "Касса Deriv P2P недоступна в вашей стране.", "-1241719539": "Заблокированные вами пользователи не увидят ваши объявления, а вы не увидите их. Ваши объявления будут скрыты из их результатов поиска.", "-1007339977": "Нет подходящего имени.", + "-1298666786": "Мои контрагенты", "-179005984": "Сохранить", "-2059312414": "Детали объявления", "-1769584466": "Статистика", @@ -364,45 +390,23 @@ "-383030149": "Вы пока не добавили платежные методы", "-1156559889": "Банковские переводы", "-1269362917": "Добавить новый", - "-532709160": "Ваш псевдоним", - "-1117584385": "Просмотрено: более 6мес.", - "-1766199849": "Просмотрено: {{ duration }}мес.", - "-591593016": "Просмотрено: {{ duration }}д.", - "-1586918919": "Просмотрено: {{ duration }}ч.", - "-664781013": "Просмотрено: {{ duration }}мин.", - "-1717650468": "Онлайн", - "-510341549": "Я получил(а) меньше оговоренной суммы.", - "-650030360": "Я заплатил(а) больше оговоренной суммы.", - "-1192446042": "Если вашей проблемы нет в этом списке, свяжитесь с нашей службой поддержки клиентов.", - "-573132778": "Жалоба", - "-792338456": "Что случилось?", - "-418870584": "Отменить ордер", - "-1392383387": "Я заплатил(а)", - "-727273667": "Пожаловаться", - "-2016990049": "Продать ордер {{offered_currency}}", - "-811190405": "Время", - "-961632398": "Свернуть все", - "-415476028": "Нет оценки", - "-26434257": "Вы можете оценить эту транзакцию до {{remaining_review_time}} GMT.", - "-768709492": "Оценка транзакции", - "-652933704": "Рекомендовано", - "-84139378": "Не рекомендовано", "-1983512566": "Этот диалог закрыт.", - "-1797318839": "В случае возникновения спора мы будем рассматривать историю общения между сторонами спора только в чате Deriv P2P.", "-283017497": "Повторить", "-979459594": "Покупка/продажа", "-2052184983": "ID ордера", "-2096350108": "Контрагент", "-750202930": "Активные ордеры", "-1626659964": "Я получил(а) {{amount}} {{currency}}.", - "-2139303636": "Возможно, вы перешли по нерабочей ссылке или у страницы изменился адрес.", - "-1448368765": "Код ошибки: {{error_code}} страница не найдена", - "-1660552437": "Возврат к странице P2P", + "-1638172550": "Чтобы активировать эту функцию, сделайте следующее:", + "-559300364": "Ваша касса Deriv P2P заблокирована", + "-740038242": "Ваш курс", + "-146021156": "Удалить {{payment_method_name}}?", + "-1846700504": "Вы уверены, что хотите удалить этот платежный метод?", + "-1422779483": "Этот платежный метод нельзя удалить", + "-532709160": "Ваш псевдоним", "-237014436": "Рекомендаций трейдеров: {{recommended_count}}", - "-849068301": "Загрузка...", - "-2061807537": "Что-то пошло не так", - "-1354983065": "Обновить", "-2054589794": "Вам временно закрыт доступ к сервису из-за нескольких попыток отмены. Повторите попытку через {{date_time}} GMT.", "-1079963355": "обменов", - "-930400128": "Чтобы использовать Deriv P2P, вам нужно выбрать отображаемое имя (псевдоним) и подтвердить свою личность." + "-930400128": "Чтобы использовать Deriv P2P, вам нужно выбрать отображаемое имя (псевдоним) и подтвердить свою личность.", + "-992568889": "Здесь никого нет" } \ No newline at end of file diff --git a/packages/p2p/src/translations/si.json b/packages/p2p/src/translations/si.json index 697bc25f2fe0..488eb1307149 100644 --- a/packages/p2p/src/translations/si.json +++ b/packages/p2p/src/translations/si.json @@ -70,6 +70,7 @@ "733311523": "P2P ගනුදෙනු අගුළු දමා ඇත. ගෙවීම් නියෝජිතයන් සඳහා මෙම අංගය ලබා ගත නොහැක.", "767789372": "ගෙවීම් සඳහා රැඳී සිටින්න", "782834680": "ඉතිරිව ඇති කාලය", + "783454335": "ඔව්, ඉවත් කරන්න", "830703311": "මගේ පැතිකඩ", "834075131": "අවහිර කළ දැන්වීම්කරුවන්", "838024160": "බැංකු විස්තර", @@ -78,7 +79,7 @@ "847028402": "ඔබේ ඊ-තැපෑල පරීක්ෂා කරන්න​", "858027714": "මිනිත්තු {{ duration }} කට පෙර දැක ඇත", "873437248": "උපදෙස් (විකල්ප)", - "876086855": "මූල්ය තක්සේරු ආකෘතිය සම්පූර්ණ කරන්න", + "876086855": "මූල්‍ය තක්සේරු පෝරමය සම්පූර්ණ කරන්න", "881351325": "ඔබ මෙම විකුණන්නා නිර්දේශ කරනවාද?", "887667868": "ඇණවුම", "892431976": "ඔබ ඔබේ ඇණවුම {{cancellation_limit}} වතාවක් පැය {{cancellation_period}} කින් අවලංගු කළහොත්, පැය {{block_duration}} ක් සඳහා ඔබට Deriv P2P භාවිත කිරීම අවහිර කරනු ලැබේ.
(අවලංගු කිරීම් {{number_of_cancels_remaining}} ක් ඉතිරිව ඇත)", @@ -179,7 +180,6 @@ "1848044659": "ඔබට දැන්වීම් නොමැත.", "1859308030": "ප්රතිපෝෂණය ලබා දෙන්න", "1874956952": "ගෙවීම් ක්රම එකතු කිරීම සඳහා පහත බොත්තම ඔබන්න.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "දැන්වීම්කරු අවහිර කිරීමට නොහැකි විය", "1908023954": "කණගාටුයි, ඔබගේ ඉල්ලීම සැකසීමේදී දෝෂයක් සිදුවිය.", "1923443894": "අක්‍රීය", @@ -198,6 +198,7 @@ "2091671594": "තත්ත්වය", "2096014107": "අයදුම් කරන්න", "2104905634": "කිසිවෙකු තවමත් මෙම වෙළෙන්දා නිර්දේශ කර නැත", + "2108340400": "හෙලෝ! ඇණවුමේ විස්තර තහවුරු කිරීම සඳහා ඔබට කවුන්ටරය සමඟ කතාබස් කළ හැකි ස්ථානය මෙයයි. සටහන: ආරවුලක් ඇති වුවහොත්, අපි මෙම කතාබස් යොමු කිරීමක් ලෙස භාවිතා කරමු.", "2121837513": "අවම {{value}} {{currency}}", "2142425493": "දැන්වීම බෙදා ගන්න ID", "2142752968": "කරුණාකර ඔබගේ ගිණුමේ {{amount}} {{local_currency}} ලැබී ඇති බවට සහතික වී ගනුදෙනුව සම්පූර්ණ කිරීම සඳහා තහවුරු කරන්න.", @@ -232,6 +233,12 @@ "-2021135479": "මෙම ක්ෂේත්රය අවශ්ය වේ.", "-2005205076": "{{field_name}} අක්ෂර 200 ක උපරිම දිග ඉක්මවා ඇත.", "-480724783": "ඔබට දැනටමත් මෙම අනුපාතය සමඟ දැන්වීමක් තිබේ", + "-1117584385": "මාස 6 කට පෙර දැක ඇත", + "-1766199849": "දැක ඇත {{ duration }} මාස කිහිපයකට පෙර", + "-591593016": "දැක ඇත {{ duration }} දිනකට පෙර", + "-1586918919": "පැය {{ duration }} කට පෙර දැක ඇත", + "-664781013": "මිනිත්තු {{ duration }} කට පෙර දැක ඇත", + "-1717650468": "ඔන්ලයින්", "-1948369500": "උඩුගත කරන ලද ගොනුව සහය නොදක්වයි", "-1207312691": "සම්පූර්ණ කරන ලද", "-688728873": "කල් ඉකුත් වූ", @@ -244,52 +251,16 @@ "-1875343569": "විකුණුම්කරුගේ ගෙවීම් විස්තර", "-92830427": "විකුණුම්කරුගේ උපදෙස්", "-1940034707": "ගැනුම්කරුගේ උපදෙස්", - "-137444201": "මිලදී ගන්න", - "-1306639327": "ගෙවීම් ක්රම", - "-904197848": "සීමාවන් {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "මිනිත්තු {{- avg_buy_time_in_minutes}} යි", - "-2109576323": "සම්පූර්ණ <0>30d විකුණන්න", - "-165392069": "Avg. මුදා හැරීමේ කාලය <0>30d", - "-1154208372": "වෙළඳ පරිමාව <0>30 ඩී", - "-1887970998": "{{name}} තවදුරටත් ඩෙරිව් පී 2 පී භාවිතා නොකරන බැවින් අවහිර කිරීම කළ නොහැකි විය.", - "-2017825013": "ඒක ගත්තා", - "-1070228546": "සම්බන්ධ {{days_since_joined}}ඈ", - "-2015102262": "({{number_of_ratings}} ශ්රේණිගත කිරීම)", - "-1412298133": "({{number_of_ratings}} ශ්රේණිගත කිරීම්)", - "-260332243": "{{user_blocked_count}} පුද්ගලයා ඔබව අවහිර කර ඇත", - "-117094654": "{{user_blocked_count}} දෙනෙක් ඔබව අවහිර කර ඇත", - "-329713179": "හරි", - "-1689905285": "අවහිර කරන්න", - "-992568889": "මෙහි පෙන්වීමට කිසිවෙකු නැත", - "-1298666786": "මගේ සගයන්", - "-1148912768": "මෙහි පෙන්වා ඇති අනුපාතයෙන් වෙළඳපල අනුපාතය වෙනස් වුවහොත්, ඔබගේ ඇණවුම සැකසීමට අපට නොහැකි වනු ඇත.", - "-55126326": "විකුණන්නා", - "-835196958": "ගෙවීම ලබා ගන්න", - "-1218007718": "ඔබට 3 දක්වා තෝරා ගත හැකිය.", - "-1933432699": "{{transaction_type}} ප්රමාණය ඇතුළත් කරන්න", - "-2021730616": "{{ad_type}}", - "-490637584": "සීමාව: {{min}}-{{max}} {{currency}}", - "-1974067943": "ඔබේ බැංකු විස්තර", - "-1285759343": "සොයන්න", - "-1657433201": "ගැලපෙන දැන්වීම් නොමැත.", - "-1862812590": "සීමාවන් {{ min_order }}-{{ max_order }} {{ currency }}", - "-375836822": "{{account_currency}}මිලදී ගන්න", - "-1035421133": "{{account_currency}}විකුණන්න", - "-1503997652": "මෙම මුදල් සඳහා දැන්වීම් නොමැත.", - "-1048001140": "“{{value}}” සඳහා ප්රතිඵල නොමැත.", - "-73663931": "දැන්වීමක් සාදන්න", - "-141315849": "මේ මොහොතේ මෙම මුදල් සඳහා දැන්වීම් නොමැත 😞", "-471384801": "කණගාටුයි, අපට දැන් ඔබේ සීමාවන් වැඩි කිරීමට නොහැකි ය. කරුණාකර මිනිත්තු කිහිපයකින් නැවත උත්සාහ කරන්න.", + "-329713179": "හරි", "-231863107": "නැත", "-150224710": "ඔව්, දිගටම", - "-1638172550": "මෙම අංගය සක්රීය කිරීම සඳහා ඔබ පහත සඳහන් දෑ සම්පූර්ණ කළ යුතුය:", - "-559300364": "ඔබේ ඩෙරිව් පී 2 පී මුදල් අයකැමි අවහිර කර ඇත", - "-740038242": "ඔබේ අනුපාතය", "-205277874": "ඔබේ දැන්වීම Buy/Sell හි ලැයිස්තුගත කර නොමැත, මන්ද එහි අවම ඇණවුම ඔබේ ඩෙරිව් පී 2 පී ලබා ගත හැකි ශේෂයට වඩා වැඩි බැවිනි ({{balance}} {{currency}}).", "-971817673": "ඔබේ දැන්වීම අන් අයට නොපෙනේ", "-1735126907": "මෙයට හේතුව ඔබගේ ගිණුමේ ශේෂය ප්රමාණවත් නොවන නිසා, ඔබේ දැන්වීම් ප්රමාණය ඔබේ දෛනික සීමාව ඉක්මවා යාම හෝ දෙකම. ඔබ තවමත් <0>මගේ දැන්වීම් මත ඔබේ දැන්වීම බලන්න පුළුවන්.", "-674715853": "ඔබගේ දැන්වීම දෛනික සීමාව ඉක්මවා යයි", "-1530773708": "බ්ලොක් {{advertiser_name}}?", + "-1689905285": "අවහිර කරන්න", "-2035037071": "ඔබගේ Deriv පී 2P ශේෂය ප්රමාණවත් නොවේ. නැවත උත්සාහ කිරීමට පෙර කරුණාකර ඔබේ ශේෂය වැඩි කරන්න.", "-412680608": "ගෙවීම් ක්රමය එකතු කරන්න", "-293182503": "මෙම ගෙවීම් ක්රමය එකතු කිරීම අවලංගු කරන්න?", @@ -302,8 +273,10 @@ "-848068683": "මෙම ගනුදෙනුවට බලය පැවරීම සඳහා අපි ඔබට එවූ විද්යුත් තැපෑලෙහි සබැඳියට පහර දෙන්න.", "-1238182882": "සබැඳිය මිනිත්තු 10 කින් කල් ඉකුත් වේ.", "-142727028": "විද්යුත් තැපෑල ඔබගේ ස්පෑම් ෆෝල්ඩරයේ ඇත (සමහර විට දේවල් එහි නැති වී යයි).", + "-1306639327": "ගෙවීම් ක්රම", "-227512949": "ඔබේ අක්ෂර වින්යාසය පරීක්ෂා කරන්න හෝ වෙනත් යෙදුමක් භාවිතා කරන්න.", "-1554938377": "ගෙවීම් ක්රමය සොයන්න", + "-1285759343": "සොයන්න", "-75934135": "ගැලපෙන දැන්වීම්", "-1856204727": "නැවත සකසන්න", "-1728351486": "වලංගු නොවන සත්යාපන සබැඳිය", @@ -324,7 +297,60 @@ "-937707753": "ආපසු යන්න", "-984140537": "එකතු කරන්න", "-1220275347": "මෙම දැන්වීම සඳහා ඔබට ගෙවීම් ක්රම 3 ක් දක්වා තෝරා ගත හැකිය.", + "-871975082": "ඔබට ගෙවීම් ක්රම 3 ක් දක්වා එකතු කළ හැකිය.", "-1340125291": "සිදු කළා", + "-510341549": "මට එකඟ වූ මුදලට වඩා අඩු මුදලක් ලැබී ඇත.", + "-650030360": "මම එකඟ වූ මුදලට වඩා වැඩි මුදලක් ගෙවා ඇත.", + "-1192446042": "ඔබගේ පැමිණිල්ල මෙහි ලැයිස්තුගත කර නොමැති නම්, කරුණාකර අපගේ පාරිභෝගික සහාය කණ්ඩායම අමතන්න.", + "-573132778": "පැමිණිල්ල", + "-792338456": "ඔබේ පැමිණිල්ල කුමක්ද?", + "-418870584": "ඇණවුම අවලංගු කරන්න", + "-1392383387": "මම ගෙවා ඇත", + "-727273667": "පැමිණිලි කරන්න", + "-2016990049": "{{offered_currency}} ඇණවුම විකුණන්න", + "-811190405": "වේලාව", + "-961632398": "සියල්ල බිඳ වැටෙන්න", + "-415476028": "ශ්රේණිගත කර නැත", + "-26434257": "මෙම ගනුදෙනුව අනුපාත කිරීමට ඔබට {{remaining_review_time}} GMT තෙක් තිබේ.", + "-768709492": "ඔබේ ගනුදෙනු අත්දැකීම", + "-652933704": "නිර්දේශිත", + "-84139378": "නිර්දේශ නොකරයි", + "-2139303636": "ඔබ කැඩුණු සබැඳියක් අනුගමනය කර ඇති හෝ පිටුව නව ලිපිනයකට ගෙන ගොස් ඇත.", + "-1448368765": "දෝෂ කේතය: {{error_code}} පිටුව සොයාගත නොහැක", + "-1660552437": "P2P වෙත ආපසු යන්න", + "-849068301": "පැටවීම...", + "-2061807537": "යමක් හරි නැහැ", + "-1354983065": "නැවුම් කරන්න", + "-137444201": "මිලදී ගන්න", + "-904197848": "සීමාවන් {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "මිනිත්තු {{- avg_buy_time_in_minutes}} යි", + "-2109576323": "සම්පූර්ණ <0>30d විකුණන්න", + "-165392069": "Avg. මුදා හැරීමේ කාලය <0>30d", + "-1154208372": "වෙළඳ පරිමාව <0>30 ඩී", + "-1887970998": "{{name}} තවදුරටත් ඩෙරිව් පී 2 පී භාවිතා නොකරන බැවින් අවහිර කිරීම කළ නොහැකි විය.", + "-2017825013": "ඒක ගත්තා", + "-1070228546": "සම්බන්ධ {{days_since_joined}}ඈ", + "-2015102262": "({{number_of_ratings}} ශ්රේණිගත කිරීම)", + "-1412298133": "({{number_of_ratings}} ශ්රේණිගත කිරීම්)", + "-260332243": "{{user_blocked_count}} පුද්ගලයා ඔබව අවහිර කර ඇත", + "-117094654": "{{user_blocked_count}} දෙනෙක් ඔබව අවහිර කර ඇත", + "-1148912768": "මෙහි පෙන්වා ඇති අනුපාතයෙන් වෙළඳපල අනුපාතය වෙනස් වුවහොත්, ඔබගේ ඇණවුම සැකසීමට අපට නොහැකි වනු ඇත.", + "-55126326": "විකුණන්නා", + "-835196958": "ගෙවීම ලබා ගන්න", + "-1218007718": "ඔබට 3 දක්වා තෝරා ගත හැකිය.", + "-1933432699": "{{transaction_type}} ප්රමාණය ඇතුළත් කරන්න", + "-2021730616": "{{ad_type}}", + "-490637584": "සීමාව: {{min}}-{{max}} {{currency}}", + "-1974067943": "ඔබේ බැංකු විස්තර", + "-1657433201": "ගැලපෙන දැන්වීම් නොමැත.", + "-1862812590": "සීමාවන් {{ min_order }}-{{ max_order }} {{ currency }}", + "-375836822": "{{account_currency}}මිලදී ගන්න", + "-1035421133": "{{account_currency}}විකුණන්න", + "-1503997652": "මෙම මුදල් සඳහා දැන්වීම් නොමැත.", + "-1048001140": "“{{value}}” සඳහා ප්රතිඵල නොමැත.", + "-1179827369": "නව දැන්වීමක් සාදන්න", + "-73663931": "දැන්වීමක් සාදන්න", + "-141315849": "මේ මොහොතේ මෙම මුදල් සඳහා දැන්වීම් නොමැත 😞", "-1889014820": "<0>ඔබේ ගෙවීම් ක්රමය නොදකිනවාද? <1>නව එකතු කරන්න.", "-1406830100": "ගෙවීම් ක්රමය", "-1561775203": "{{currency}}මිලදී ගන්න", @@ -338,20 +364,20 @@ "-2139632895": "ඔබ විකිණීමට දැන්වීමක් නිර්මාණය කරන්නේ <0>{{ target_amount }} {{ target_currency }} සඳහා <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "ඔබ <0>{{ target_amount }} {{ target_currency }} විකිණීමට දැන්වීමක් නිර්මාණය කරන්නේ...", "-514789442": "ඔබ මිලදී ගැනීමට දැන්වීමක් නිර්මාණය කරයි...", - "-1179827369": "නව දැන්වීමක් සාදන්න", "-230677679": "{{text}}", "-1914431773": "ඔබ <0>{{ target_amount }} {{ target_currency }} සඳහා <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }}) මිලදී ගැනීමට දැන්වීමක් සංස්කරණය කරයි", "-107996509": "ඔබ <0>{{ target_amount }} {{ target_currency }} මිලදී ගැනීම සඳහා දැන්වීමක් සංස්කරණය කරයි...", "-863580260": "ඔබ මිලදී ගැනීම සඳහා දැන්වීමක් සංස්කරණය කරයි...", "-1396464057": "ඔබ විකිණීම සඳහා දැන්වීමක් සංස්කරණය කරයි...", + "-1526367101": "ගැලපෙන ගෙවීම් ක්රම නොමැත.", "-372210670": "අනුපාතය (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "අක්‍රිය කරන්න", "-1667041441": "අනුපාතය (1 {{ offered_currency }})", "-1886565882": "පාවෙන ගාස්තු සහිත ඔබගේ දැන්වීම් අක්රිය කර ඇත. ඒවා නැවත ක්රියාත්මක කිරීම සඳහා ස්ථාවර ගාස්තු නියම කරන්න.", "-792015701": "ඩෙරිව් පී 2 පී මුදල් අයකැමි ඔබේ රටේ නොමැත.", "-1241719539": "ඔබ යමෙකු අවහිර කළ විට, ඔබට ඔවුන්ගේ දැන්වීම් නොපෙනේ, ඔවුන්ට ඔබේ දේ නොපෙනේ. ඔබගේ දැන්වීම් ඔවුන්ගේ සෙවුම් ප්රති results ල වලින් ද සැඟවී ඇත.", "-1007339977": "ගැලපෙන නමක් නොමැත.", + "-1298666786": "මගේ සගයන්", "-179005984": "සුරකින්න", "-2059312414": "දැන්වීම බෙදා ගන්න විස්තර", "-1769584466": "සංඛ්යාන", @@ -364,45 +390,23 @@ "-383030149": "ඔබ තවමත් කිසිදු ගෙවීම් ක්රමයක් එකතු කර නොමැත", "-1156559889": "බැංකු මාරුවීම්", "-1269362917": "නව එකතු කරන්න", - "-532709160": "ඔබේ අන්වර්ථ නාමය", - "-1117584385": "මාස 6 කට පෙර දැක ඇත", - "-1766199849": "දැක ඇත {{ duration }} මාස කිහිපයකට පෙර", - "-591593016": "දැක ඇත {{ duration }} දිනකට පෙර", - "-1586918919": "පැය {{ duration }} කට පෙර දැක ඇත", - "-664781013": "මිනිත්තු {{ duration }} කට පෙර දැක ඇත", - "-1717650468": "ඔන්ලයින්", - "-510341549": "මට එකඟ වූ මුදලට වඩා අඩු මුදලක් ලැබී ඇත.", - "-650030360": "මම එකඟ වූ මුදලට වඩා වැඩි මුදලක් ගෙවා ඇත.", - "-1192446042": "ඔබගේ පැමිණිල්ල මෙහි ලැයිස්තුගත කර නොමැති නම්, කරුණාකර අපගේ පාරිභෝගික සහාය කණ්ඩායම අමතන්න.", - "-573132778": "පැමිණිල්ල", - "-792338456": "ඔබේ පැමිණිල්ල කුමක්ද?", - "-418870584": "ඇණවුම අවලංගු කරන්න", - "-1392383387": "මම ගෙවා ඇත", - "-727273667": "පැමිණිලි කරන්න", - "-2016990049": "{{offered_currency}} ඇණවුම විකුණන්න", - "-811190405": "වේලාව", - "-961632398": "සියල්ල බිඳ වැටෙන්න", - "-415476028": "ශ්රේණිගත කර නැත", - "-26434257": "මෙම ගනුදෙනුව අනුපාත කිරීමට ඔබට {{remaining_review_time}} GMT තෙක් තිබේ.", - "-768709492": "ඔබේ ගනුදෙනු අත්දැකීම", - "-652933704": "නිර්දේශිත", - "-84139378": "නිර්දේශ නොකරයි", "-1983512566": "මෙම සංවාදය වසා ඇත.", - "-1797318839": "ආරවුලක් ඇති වුවහොත්, අපි පමණක් ඩෙරිව් පී 2 පී චැට් නාලිකාව හරහා සන්නිවේදනය සලකා බලමු.", "-283017497": "නැවත උත්සාහ කරන්න", "-979459594": "මිලදී ගන්න/විකුණන්න", "-2052184983": "ඇණවුම් හැඳුනුම්පත", "-2096350108": "කවුන්ටරය", "-750202930": "සක්රීය ඇණවුම්", "-1626659964": "මට {{amount}} {{currency}}ලැබී ඇත.", - "-2139303636": "ඔබ කැඩුණු සබැඳියක් අනුගමනය කර ඇති හෝ පිටුව නව ලිපිනයකට ගෙන ගොස් ඇත.", - "-1448368765": "දෝෂ කේතය: {{error_code}} පිටුව සොයාගත නොහැක", - "-1660552437": "P2P වෙත ආපසු යන්න", + "-1638172550": "මෙම අංගය සක්රීය කිරීම සඳහා ඔබ පහත සඳහන් දෑ සම්පූර්ණ කළ යුතුය:", + "-559300364": "ඔබේ ඩෙරිව් පී 2 පී මුදල් අයකැමි අවහිර කර ඇත", + "-740038242": "ඔබේ අනුපාතය", + "-146021156": "මකන්න {{payment_method_name}}?", + "-1846700504": "ඔබට මෙම ගෙවීම් ක්රමය ඉවත් කිරීමට අවශ්ය බව ඔබට විශ්වාසද?", + "-1422779483": "එම ගෙවීම් ක්රමය මකා දැමිය නොහැක", + "-532709160": "ඔබේ අන්වර්ථ නාමය", "-237014436": "{{recommended_count}} වෙළෙන්දා විසින් නිර්දේශ කරනු ලැබේ", - "-849068301": "පැටවීම...", - "-2061807537": "යමක් හරි නැහැ", - "-1354983065": "නැවුම් කරන්න", "-2054589794": "බහු අවලංගු කිරීමේ උත්සාහයන් හේතුවෙන් ඔබට අපගේ සේවාවන් භාවිතා කිරීම තාවකාලිකව තහනම් කර ඇත. {{date_time}} GMT පසු නැවත උත්සාහ කරන්න.", "-1079963355": "වෙළඳාම්", - "-930400128": "Deriv P2P භාවිතා කිරීම සඳහා, ඔබට දර්ශන නාමයක් (අන්වර්ථ නාමයක්) තෝරාගෙන ඔබේ අනන්යතාවය තහවුරු කර ගත යුතුය." + "-930400128": "Deriv P2P භාවිතා කිරීම සඳහා, ඔබට දර්ශන නාමයක් (අන්වර්ථ නාමයක්) තෝරාගෙන ඔබේ අනන්යතාවය තහවුරු කර ගත යුතුය.", + "-992568889": "මෙහි පෙන්වීමට කිසිවෙකු නැත" } \ No newline at end of file diff --git a/packages/p2p/src/translations/th.json b/packages/p2p/src/translations/th.json index d871b84a739f..3eac4fa6dace 100644 --- a/packages/p2p/src/translations/th.json +++ b/packages/p2p/src/translations/th.json @@ -70,6 +70,7 @@ "733311523": "ธุรกรรม P2P ได้ถูกล็อก ฟีเจอร์นี้ไม่สามารถใช้ได้สำหรับตัวแทนการชำระเงิน", "767789372": "รอการชำระเงิน", "782834680": "เหลือเวลาอีก", + "783454335": "ใช่ ให้เอาออกไป", "830703311": "โปรไฟล์ของฉัน", "834075131": "ผู้ลงโฆษณาที่ถูกปิดกั้น", "838024160": "รายละเอียดข้อมูลธนาคาร", @@ -179,7 +180,6 @@ "1848044659": "คุณยังไม่มีโฆษณา", "1859308030": "ให้ข้อเสนอแนะ", "1874956952": "กดปุ่มด้านล่างเพื่อเพิ่มวิธีการชำระเงิน", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "ไม่สามารถบล็อกผู้ลงโฆษณาได้", "1908023954": "ขออภัย มีความผิดพลาดเกิดขึ้นขณะที่ประมวลผลคำขอของคุณ", "1923443894": "ไม่ได้ใช้งาน", @@ -198,6 +198,7 @@ "2091671594": "สถานะ", "2096014107": "นำมาใช้งาน", "2104905634": "ยังไม่มีใครแนะนำเทรดเดอร์รายนี้เลย", + "2108340400": "ฮัลโหล!นี่คือที่ที่คุณสามารถแชทกับคู่ค้าเพื่อยืนยันรายละเอียดการสั่งซื้อnหมายเหตุ: ในกรณีที่เกิดข้อพิพาท เราจะใช้การสนทนานี้เป็นข้อมูลอ้างอิง", "2121837513": "จำนวนขั้นต่ำสุด คือ {{value}} {{currency}}", "2142425493": "รหัสของโฆษณา", "2142752968": "โปรดทำให้แน่ใจว่าคุณได้รับ {{amount}} {{local_currency}} ในบัญชีของคุณและกดยืนยันเพื่อทำธุรกรรมให้เสร็จสิ้นสมบูรณ์", @@ -232,6 +233,12 @@ "-2021135479": "ข้อมูลในช่องนี้จำเป็นต้องมี", "-2005205076": "ช่อง {{field_name}} นี้ยาวเกินความยาวสูงสุดที่ตั้งไว้เป็น 200 อักขระ", "-480724783": "คุณมีโฆษณาที่ใช้อัตรานี้อยู่แล้ว", + "-1117584385": "เห็นมาแล้วมากกว่า 6 เดือนก่อน", + "-1766199849": "เห็นเมื่อ {{ duration }} เดือนก่อน", + "-591593016": "เห็นเมื่อ {{ duration }} วันก่อน", + "-1586918919": "เห็นเมื่อ {{ duration }} ชั่วโมงก่อน", + "-664781013": "เห็นเมื่อ {{ duration }} นาทีก่อน", + "-1717650468": "ทางออนไลน์", "-1948369500": "ไม่รองรับไฟล์ที่อัปโหลด", "-1207312691": "เสร็จสิ้น", "-688728873": "หมดอายุ", @@ -244,52 +251,16 @@ "-1875343569": "รายละเอียดการชําระเงินของผู้ขาย", "-92830427": "คำแนะนำของผู้ขาย", "-1940034707": "คำแนะนำของผู้ซื้อ", - "-137444201": "ซื้อ", - "-1306639327": "วิธีการชำระเงิน", - "-904197848": "ขีดจำกัด {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} นาที", - "-2109576323": "การทำธุรกรรมการขายสำเร็จ <0>30d", - "-165392069": "เวลาปล่อยโดยเฉลี่ย <0>30d", - "-1154208372": "ปริมาณการเทรด <0>30d", - "-1887970998": "ไม่สามารถยกเลิกการบล็อกได้เนื่องจาก {{name}} ไม่ได้ใช้งานแอป Deriv P2P อีกต่อไป", - "-2017825013": "รับทราบ", - "-1070228546": "เข้าร่วมเมื่อ {{days_since_joined}} วันก่อน", - "-2015102262": "(คะแนน{{number_of_ratings}})", - "-1412298133": "(คะแนน{{number_of_ratings}})", - "-260332243": "มีผู้ใช้งานจำนวน {{user_blocked_count}} คนได้บล็อกคุณ", - "-117094654": "มีผู้ปิดกั้นคุณไว้จำนวน {{user_blocked_count}} คน", - "-329713179": "ตกลง", - "-1689905285": "ยกเลิกการปิดกั้น", - "-992568889": "ไม่มีผู้ใดที่จะแสดงที่นี่", - "-1298666786": "คู่ค้าของฉัน", - "-1148912768": "หากอัตราแลกเปลี่ยนของตลาดเปลี่ยนแปลงไปจากอัตราที่แสดงอยู่ที่นี่ เราจะไม่สามารถดำเนินการตามคำสั่งซื้อของคุณได้", - "-55126326": "ผู้ขาย", - "-835196958": "รับชำระเงินที่", - "-1218007718": "คุณสามารถเลือกได้ถึง 3 ตัวเลือก", - "-1933432699": "ป้อนจำนวนเงิน {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "จำกัด: {{min}}—{{max}} {{currency}}", - "-1974067943": "รายละเอียดข้อมูลธนาคารของคุณ", - "-1285759343": "ค้นหา", - "-1657433201": "ไม่มีโฆษณาที่ตรงกัน", - "-1862812590": "ขีดจำกัด {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "ซื้อ {{account_currency}}", - "-1035421133": "ขาย {{account_currency}}", - "-1503997652": "ไม่มีโฆษณาสำหรับสกุลเงินนี้", - "-1048001140": "ไม่พบผลลัพธ์สำหรับ \"{{value}}\"", - "-73663931": "สร้างโฆษณา", - "-141315849": "ไม่มีโฆษณาสำหรับสกุลเงินนี้ในขณะนี้ 😞", "-471384801": "ขออภัย เราไม่สามารถเพิ่มวงเงินของคุณได้ในขณะนี้ โปรดลองอีกครั้งในอีกสักครู่", + "-329713179": "ตกลง", "-231863107": "ไม่ใช่", "-150224710": "ใช่ ดำเนินการต่อ", - "-1638172550": "ในการเปิดใช้งานฟีเจอร์นี้ คุณต้องดำเนินการดังต่อไปนี้:", - "-559300364": "แคชเชียร์ Deriv P2P ของคุณได้ถูกปิดกั้น", - "-740038242": "อัตราของคุณคือ", "-205277874": "โฆษณาของคุณไม่อยู่ในรายการซื้อ/ขาย เนื่องจากมูลค่าคำสั่งซื้อขั้นต่ำนั้นยังสูงกว่ายอดคงเหลือ Deriv P2P ของคุณ ({{balance}} {{currency}})", "-971817673": "โฆษณาของคุณไม่ปรากฏให้ผู้อื่นเห็น", "-1735126907": "นี่อาจเป็นเพราะยอดคงเหลือในบัญชีของคุณนั้นไม่เพียงพอ หรือ จำนวนโฆษณาของคุณได้เกินขีดจำกัดรายวันของคุณไปแล้ว หรือทั้งสองอย่าง ทั้งนี้คุณยังสามารถเห็นโฆษณาของคุณได้บนหน้า <0>โฆษณาของฉัน", "-674715853": "โฆษณาของคุณเกินขีดจำกัดรายวัน", "-1530773708": "ปิดกั้น {{advertiser_name}}?", + "-1689905285": "ยกเลิกการปิดกั้น", "-2035037071": "ยอดคงเหลือ Deriv P2P ของคุณไม่เพียงพอ โปรดเพิ่มยอดเงินของคุณก่อนลองอีกครั้ง", "-412680608": "เพิ่มวิธีการชําระเงิน", "-293182503": "ยกเลิกการเพิ่มวิธีการชำระเงินนี้ไหม", @@ -302,8 +273,10 @@ "-848068683": "กดลิงก์ในอีเมล์ที่เราส่งให้คุณเพื่ออนุญาตการทำธุรกรรมนี้", "-1238182882": "ลิงก์จะหมดอายุใน 10 นาที", "-142727028": "อีเมล์นั้นไปอยู่ในกล่องจดหมายขยะ (บางครั้งบางอย่างก็หลงเข้าไปในนั้นได้)", + "-1306639327": "วิธีการชำระเงิน", "-227512949": "ตรวจสอบการสะกดคำหรือใช้คำอื่น", "-1554938377": "ค้นหาวิธีการชําระเงิน", + "-1285759343": "ค้นหา", "-75934135": "โฆษณาที่ตรงกัน", "-1856204727": "ตั้งค่าใหม่", "-1728351486": "ลิงก์ยืนยันไม่ถูกต้องหรือเป็นโมฆะ", @@ -324,7 +297,60 @@ "-937707753": "ย้อนกลับไป", "-984140537": "เพิ่ม", "-1220275347": "คุณสามารถเลือกวิธีการชำระเงินได้ถึง 3 วิธีสำหรับโฆษณานี้", + "-871975082": "คุณสามารถเพิ่มวิธีการชำระเงินได้สูงสุด 3 วิธี", "-1340125291": "เสร็จสิ้นแล้ว", + "-510341549": "ฉันได้รับจำนวนเงินน้อยกว่าที่ตกลงกัน", + "-650030360": "ฉันจ่ายเงินเกินกว่าจำนวนเงินที่ตกลงกัน", + "-1192446042": "หากข้อร้องเรียนของคุณไม่ได้แสดงอยู่ที่นี่ โปรดติดต่อทีมฝ่ายบริการลูกค้าของเรา", + "-573132778": "ข้อร้องเรียน", + "-792338456": "คุณร้องเรียนเรื่องอะไร?", + "-418870584": "ยกเลิกคำสั่งซื้อ", + "-1392383387": "ฉันจ่ายเรียบร้อยแล้ว", + "-727273667": "ร้องเรียน", + "-2016990049": "ขายคำสั่งซื้อ {{offered_currency}}", + "-811190405": "เวลา", + "-961632398": "พับเก็บทั้งหมด", + "-415476028": "ไม่ได้รับการให้คะแนน", + "-26434257": "คุณมีเวลาถึง {{remaining_review_time}} GMT เพื่อให้คะแนนการทำธุรกรรมนี้", + "-768709492": "ประสบการณ์การทำธุรกรรมของคุณ", + "-652933704": "เป็นที่แนะนำ", + "-84139378": "ไม่เป็นที่แนะนำ", + "-2139303636": "คุณอาจคลิกลิงก์เสีย หรือเพจได้ย้ายไปยังที่อยู่ใหม่", + "-1448368765": "รหัสข้อผิดพลาด: ไม่พบหน้าเว็บ {{error_code}} ที่คุณต้องการ", + "-1660552437": "กลับไปที่ P2P", + "-849068301": "กำลังโหลด...", + "-2061807537": "มีบางอย่างไม่ถูกต้อง", + "-1354983065": "รีเฟรช", + "-137444201": "ซื้อ", + "-904197848": "ขีดจำกัด {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} นาที", + "-2109576323": "การทำธุรกรรมการขายสำเร็จ <0>30d", + "-165392069": "เวลาปล่อยโดยเฉลี่ย <0>30d", + "-1154208372": "ปริมาณการเทรด <0>30d", + "-1887970998": "ไม่สามารถยกเลิกการบล็อกได้เนื่องจาก {{name}} ไม่ได้ใช้งานแอป Deriv P2P อีกต่อไป", + "-2017825013": "รับทราบ", + "-1070228546": "เข้าร่วมเมื่อ {{days_since_joined}} วันก่อน", + "-2015102262": "(คะแนน{{number_of_ratings}})", + "-1412298133": "(คะแนน{{number_of_ratings}})", + "-260332243": "มีผู้ใช้งานจำนวน {{user_blocked_count}} คนได้บล็อกคุณ", + "-117094654": "มีผู้ปิดกั้นคุณไว้จำนวน {{user_blocked_count}} คน", + "-1148912768": "หากอัตราแลกเปลี่ยนของตลาดเปลี่ยนแปลงไปจากอัตราที่แสดงอยู่ที่นี่ เราจะไม่สามารถดำเนินการตามคำสั่งซื้อของคุณได้", + "-55126326": "ผู้ขาย", + "-835196958": "รับชำระเงินที่", + "-1218007718": "คุณสามารถเลือกได้ถึง 3 ตัวเลือก", + "-1933432699": "ป้อนจำนวนเงิน {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "จำกัด: {{min}}—{{max}} {{currency}}", + "-1974067943": "รายละเอียดข้อมูลธนาคารของคุณ", + "-1657433201": "ไม่มีโฆษณาที่ตรงกัน", + "-1862812590": "ขีดจำกัด {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "ซื้อ {{account_currency}}", + "-1035421133": "ขาย {{account_currency}}", + "-1503997652": "ไม่มีโฆษณาสำหรับสกุลเงินนี้", + "-1048001140": "ไม่พบผลลัพธ์สำหรับ \"{{value}}\"", + "-1179827369": "สร้างโฆษณาใหม่", + "-73663931": "สร้างโฆษณา", + "-141315849": "ไม่มีโฆษณาสำหรับสกุลเงินนี้ในขณะนี้ 😞", "-1889014820": "<0>มองไม่เห็นวิธีการชำระเงินของคุณใช่หรือไม่? <1>เพิ่มใหม่", "-1406830100": "วิธีการชำระเงิน", "-1561775203": "ซื้อ {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "คุณกำลังสร้างโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }} สำหรับ <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-40669120": "คุณกำลังสร้างโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "คุณกำลังสร้างโฆษณาสำหรับซื้อ...", - "-1179827369": "สร้างโฆษณาใหม่", "-230677679": "{{text}}", "-1914431773": "คุณกำลังแก้ไขโฆษณาเพื่อซื้อ <0>{{ target_amount }} {{ target_currency }} สำหรับ <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "คุณกำลังแก้ไขโฆษณาเพื่อซื้อ <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "คุณกำลังแก้ไขโฆษณาเพื่อซื้อ...", "-1396464057": "คุณกำลังแก้ไขโฆษณาเพื่อขาย...", + "-1526367101": "ไม่มีวิธีการชำระเงินที่ตรงกัน", "-372210670": "อัตรา (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "ปิดใช้งาน", "-1667041441": "อัตรา (1 {{ offered_currency }})", "-1886565882": "โฆษณาของคุณที่มีอัตราลอยตัวถูกปิดใช้งาน กรุณาตั้งอัตราคงที่เพื่อเปิดใช้งานอีกครั้ง", "-792015701": "แคชเชียร์ Deriv P2P นั้นไม่สามารถใช้ได้ในประเทศของคุณ", "-1241719539": "เมื่อคุณบล็อกใครไว้คุณจะไม่เห็นโฆษณาของเขาและเขาจะไม่เห็นโฆษณาของคุณ แล้วโฆษณาของคุณก็จะถูกซ่อนจากผลการค้นหาของเขาด้วย", "-1007339977": "ไม่มีชื่อที่ตรงกัน", + "-1298666786": "คู่ค้าของฉัน", "-179005984": "บันทึก", "-2059312414": "รายละเอียดโฆษณา", "-1769584466": "สถิติ", @@ -364,45 +390,23 @@ "-383030149": "คุณยังไม่ได้เพิ่มวิธีการชำระเงินใด ๆ", "-1156559889": "การโอนผ่านธนาคาร", "-1269362917": "เพิ่มใหม่", - "-532709160": "ชื่อเล่นของคุณ", - "-1117584385": "เห็นมาแล้วมากกว่า 6 เดือนก่อน", - "-1766199849": "เห็นเมื่อ {{ duration }} เดือนก่อน", - "-591593016": "เห็นเมื่อ {{ duration }} วันก่อน", - "-1586918919": "เห็นเมื่อ {{ duration }} ชั่วโมงก่อน", - "-664781013": "เห็นเมื่อ {{ duration }} นาทีก่อน", - "-1717650468": "ทางออนไลน์", - "-510341549": "ฉันได้รับจำนวนเงินน้อยกว่าที่ตกลงกัน", - "-650030360": "ฉันจ่ายเงินเกินกว่าจำนวนเงินที่ตกลงกัน", - "-1192446042": "หากข้อร้องเรียนของคุณไม่ได้แสดงอยู่ที่นี่ โปรดติดต่อทีมฝ่ายบริการลูกค้าของเรา", - "-573132778": "ข้อร้องเรียน", - "-792338456": "คุณร้องเรียนเรื่องอะไร?", - "-418870584": "ยกเลิกคำสั่งซื้อ", - "-1392383387": "ฉันจ่ายเรียบร้อยแล้ว", - "-727273667": "ร้องเรียน", - "-2016990049": "ขายคำสั่งซื้อ {{offered_currency}}", - "-811190405": "เวลา", - "-961632398": "พับเก็บทั้งหมด", - "-415476028": "ไม่ได้รับการให้คะแนน", - "-26434257": "คุณมีเวลาถึง {{remaining_review_time}} GMT เพื่อให้คะแนนการทำธุรกรรมนี้", - "-768709492": "ประสบการณ์การทำธุรกรรมของคุณ", - "-652933704": "เป็นที่แนะนำ", - "-84139378": "ไม่เป็นที่แนะนำ", "-1983512566": "การสนทนานี้ถูกปิดลงแล้ว", - "-1797318839": "ในกรณีที่มีข้อพิพาท เราจะพิจารณาการสื่อสารผ่านช่องทางแชท Deriv P2P เท่านั้น", "-283017497": "ลองใหม่อีกครั้ง", "-979459594": "ซื้อ/ขาย", "-2052184983": "รหัสคำสั่งซื้อ", "-2096350108": "คู่สัญญา", "-750202930": "คำสั่งซื้อขายที่กำลังใช้งานอยู่", "-1626659964": "ฉันได้รับ {{amount}} {{currency}}", - "-2139303636": "คุณอาจคลิกลิงก์เสีย หรือเพจได้ย้ายไปยังที่อยู่ใหม่", - "-1448368765": "รหัสข้อผิดพลาด: ไม่พบหน้าเว็บ {{error_code}} ที่คุณต้องการ", - "-1660552437": "กลับไปที่ P2P", + "-1638172550": "ในการเปิดใช้งานฟีเจอร์นี้ คุณต้องดำเนินการดังต่อไปนี้:", + "-559300364": "แคชเชียร์ Deriv P2P ของคุณได้ถูกปิดกั้น", + "-740038242": "อัตราของคุณคือ", + "-146021156": "ลบ {{payment_method_name}}?", + "-1846700504": "คุณแน่ใจหรือไม่ว่าต้องการลบวิธีการชำระเงินนี้", + "-1422779483": "วิธีการชำระเงินดังกล่าวไม่สามารถลบได้", + "-532709160": "ชื่อเล่นของคุณ", "-237014436": "แนะนำโดยเทรดเดอร์ {{recommended_count}} คน", - "-849068301": "กำลังโหลด...", - "-2061807537": "มีบางอย่างไม่ถูกต้อง", - "-1354983065": "รีเฟรช", "-2054589794": "คุณถูกกันไม่ให้ใช้บริการของเราชั่วคราว เนื่องจากมีความพยายามในการยกเลิกหลายครั้ง คุณจะลองอีกครั้งได้หลังจาก {{date_time}} GMT", "-1079963355": "ธุรกรรมซื้อ-ขาย", - "-930400128": "ในการใช้ Deriv P2P คุณต้องเลือกชื่อที่ปรากฏให้เห็น (ชื่อเล่น) และยืนยันตัวตนของคุณ" + "-930400128": "ในการใช้ Deriv P2P คุณต้องเลือกชื่อที่ปรากฏให้เห็น (ชื่อเล่น) และยืนยันตัวตนของคุณ", + "-992568889": "ไม่มีผู้ใดที่จะแสดงที่นี่" } \ No newline at end of file diff --git a/packages/p2p/src/translations/tr.json b/packages/p2p/src/translations/tr.json index 2f6cbd601810..9ba1bac14932 100644 --- a/packages/p2p/src/translations/tr.json +++ b/packages/p2p/src/translations/tr.json @@ -23,7 +23,7 @@ "233677840": "piyasa oranının", "246815378": "Ayarlandıktan sonra takma adınız değiştirilemez.", "276261353": "Ort. ödeme süresi <0>30g", - "277542386": "Yardım için Müşteri Destek ekibimizle iletişime geçmek için lütfen <0>canlı sohbeti kullanın.", + "277542386": "Yardım için lütfen Müşteri Destek ekibimizle iletişime geçmek üzere <0>canlı sohbeti kullanın.", "316725580": "Artık bu işlemi değerlendiriremezsiniz.", "323002325": "İlan ver", "324970564": "Satıcının iletişim bilgileri", @@ -70,6 +70,7 @@ "733311523": "P2P işlemleri kitlenir. Bu özellik ödeme aracıları tarafından kullanılamaz.", "767789372": "Ödeme için bekleyin", "782834680": "Kalan zaman", + "783454335": "Evet, kaldır", "830703311": "Profilim", "834075131": "Engellenen ilan verenler", "838024160": "Banka bilgileri", @@ -179,7 +180,6 @@ "1848044659": "İlanınız yok.", "1859308030": "Geri bildirim verin", "1874956952": "Ödeme yöntemleri eklemek için aşağıdaki düğmeye basın.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Reklamveren engellenemiyor", "1908023954": "Üzgünüz, talebiniz işlenirken bir hata oluştu.", "1923443894": "İnaktif", @@ -197,7 +197,8 @@ "2063890788": "İptal edildi", "2091671594": "Durum", "2096014107": "Uygula", - "2104905634": "Henüz kimse bu tüccar tavsiye etmedi", + "2104905634": "Henüz kimse bu tüccarı tavsiye etmedi", + "2108340400": "Merhaba! Sipariş ayrıntılarını onaylamak için karşı tarafla sohbet edebileceğiniz yer burasıdır.nNot: Bir anlaşmazlık durumunda, bu sohbeti referans olarak kullanacağız.", "2121837513": "Minimum: {{value}} {{currency}}", "2142425493": "İlan Kimliği", "2142752968": "Lütfen hesabınızda {{amount}} {{local_currency}} aldığınızdan emin olun ve İşlemi tamamlamak için Onayla düğmesine basın.", @@ -232,6 +233,12 @@ "-2021135479": "Bu alan zorunludur.", "-2005205076": "{{field_name}} maksimum 200 karakter uzunluğunu aştı.", "-480724783": "Bu orana sahip bir ilanınız zaten var", + "-1117584385": "6 aydan fazla önce görüldü", + "-1766199849": "Seen {{ duration }} ay önce", + "-591593016": "Seen {{ duration }} gün önce", + "-1586918919": "Seen {{ duration }} saat önce", + "-664781013": "Seen {{ duration }} dakika önce", + "-1717650468": "Online", "-1948369500": "Yüklenen dosya desteklenmiyor", "-1207312691": "Tamamlandı", "-688728873": "Süresi doldu", @@ -244,52 +251,16 @@ "-1875343569": "Satıcının ödeme bilgileri", "-92830427": "Satıcı talimatları", "-1940034707": "Alıcı talimatları", - "-137444201": "Satın al", - "-1306639327": "Ödeme yöntemleri", - "-904197848": "Sınırlar {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} dk", - "-2109576323": "Satış tamamlama <0>30g", - "-165392069": "Ort. serbest bırakma süresi <0>30g", - "-1154208372": "Ticaret hacmi <0>30g", - "-1887970998": "{{name}} artık Deriv P2P kullanmadığından engellemenin kaldırılması mümkün değildi.", - "-2017825013": "Anlaşıldı", - "-1070228546": "Katıldı {{days_since_joined}}g", - "-2015102262": "({{number_of_ratings}} değerlendirme)", - "-1412298133": "({{number_of_ratings}} değerlendirme)", - "-260332243": "{{user_blocked_count}} kişi seni engelledi", - "-117094654": "{{user_blocked_count}} kişi seni engelledi", - "-329713179": "Tamam", - "-1689905285": "Engellemeyi kaldır", - "-992568889": "Burada gösterilecek kimse yok", - "-1298666786": "Karşı taraflarım", - "-1148912768": "Piyasa oranı burada gösterilen orandan farklılaşırsa, siparişinizi işleme alamayacağız.", - "-55126326": "Satıcı", - "-835196958": "Ödeme al", - "-1218007718": "En fazla 3 tane seçebilirsiniz.", - "-1933432699": "{{transaction_type}} tutarı girin", - "-2021730616": "{{ad_type}}", - "-490637584": "Sınır: {{min}}—{{max}} {{currency}}", - "-1974067943": "Banka bilgileriniz", - "-1285759343": "Ara", - "-1657433201": "Eşleşen ilan yok.", - "-1862812590": "Limitler {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Satın al {{account_currency}}", - "-1035421133": "Sat {{account_currency}}", - "-1503997652": "Bu para birimi için ilan yok.", - "-1048001140": "\"{{value}}\" için sonuç yok.", - "-73663931": "İlan Oluştur", - "-141315849": "Şu anda bu para birimi için reklam yok 😞", "-471384801": "Üzgünüm, şu anda sınırlarınızı artıramıyoruz. Lütfen birkaç dakika içinde tekrar deneyin.", + "-329713179": "Tamam", "-231863107": "Hayır", "-150224710": "Evet, devam", - "-1638172550": "Bu özelliği etkinleştirmek için aşağıdakileri tamamlamanız gerekir:", - "-559300364": "Deriv P2P kasiyeriniz engellendi", - "-740038242": "Sizin oranınız", "-205277874": "Minimum siparişi Deriv P2P mevcut bakiyenizden ({{balance}} {{currency}}) yüksek olduğu için reklamınız Al/Sat bölümünde listelenmemiştir.", "-971817673": "Reklamınız başkaları tarafından görünmüyor", "-1735126907": "Bunun nedeni, hesap bakiyenizin yetersiz olması, reklam tutarınızın günlük limitinizi aşması veya her ikisi de olabilir. Reklamınızı yine de <0>Reklamlarım'da görebilirsiniz.", "-674715853": "Reklamınız günlük sınırı aşıyor", "-1530773708": "{{advertiser_name}} adlı kişiyi engelle?", + "-1689905285": "Engellemeyi kaldır", "-2035037071": "Deriv P2P bakiyeniz yeterli değil. Lütfen tekrar denemeden önce bakiyenizi artırın.", "-412680608": "Ödeme yöntemi ekle", "-293182503": "Bu ödeme yöntemini ekleme iptal edilsin mi?", @@ -302,8 +273,10 @@ "-848068683": "Bu işlemi onaylamak için size gönderdiğimiz e-postadaki bağlantıya tıklayın.", "-1238182882": "Bağlantı 10 dakika içinde sona erecektir.", "-142727028": "E-posta spam klasörünüzdedir (bazen birşeyler orada kayboluyor).", + "-1306639327": "Ödeme yöntemleri", "-227512949": "Yazımınızı denetleyin veya farklı bir terim kullanın.", "-1554938377": "Ödeme yöntemi ara", + "-1285759343": "Ara", "-75934135": "Eşleşen ilanlar", "-1856204727": "Sıfırla", "-1728351486": "Geçersiz doğrulama bağlantısı", @@ -324,7 +297,60 @@ "-937707753": "Geri dön", "-984140537": "Ekle", "-1220275347": "Bu ilan için en fazla 3 ödeme yöntemi seçebilirsiniz.", + "-871975082": "En fazla 3 ödeme yöntemi ekleyebilirsiniz.", "-1340125291": "Bitti", + "-510341549": "Kabul edilen tutardan daha azını aldım.", + "-650030360": "Kabul edilen tutardan daha fazla para ödedim.", + "-1192446042": "Şikayetiniz burada listelenmemişse lütfen Müşteri Destek ekibimizle iletişime geçin.", + "-573132778": "Şikayet", + "-792338456": "Şikayetiniz nedir?", + "-418870584": "Emri iptal et", + "-1392383387": "Ödeme yaptım", + "-727273667": "Şikâyet", + "-2016990049": "{{offered_currency}} satış emri", + "-811190405": "Zaman", + "-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", + "-652933704": "Tavsiye edildi", + "-84139378": "Tavsiye edilmedi", + "-2139303636": "Bozuk bir bağlantıyı izlemiş veya sayfa yeni bir adrese taşınmış olabilir.", + "-1448368765": "Hata kodu: {{error_code}} sayfa bulunamadı", + "-1660552437": "P2P'ye geri dönün", + "-849068301": "Yükleniyor...", + "-2061807537": "Doğru olmayan bir şeyler var", + "-1354983065": "Yenile", + "-137444201": "Satın al", + "-904197848": "Sınırlar {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} dk", + "-2109576323": "Satış tamamlama <0>30g", + "-165392069": "Ort. serbest bırakma süresi <0>30g", + "-1154208372": "Ticaret hacmi <0>30g", + "-1887970998": "{{name}} artık Deriv P2P kullanmadığından engellemenin kaldırılması mümkün değildi.", + "-2017825013": "Anlaşıldı", + "-1070228546": "Katıldı {{days_since_joined}}g", + "-2015102262": "({{number_of_ratings}} değerlendirme)", + "-1412298133": "({{number_of_ratings}} değerlendirme)", + "-260332243": "{{user_blocked_count}} kişi seni engelledi", + "-117094654": "{{user_blocked_count}} kişi seni engelledi", + "-1148912768": "Piyasa oranı burada gösterilen orandan farklılaşırsa, siparişinizi işleme alamayacağız.", + "-55126326": "Satıcı", + "-835196958": "Ödeme al", + "-1218007718": "En fazla 3 tane seçebilirsiniz.", + "-1933432699": "{{transaction_type}} tutarı girin", + "-2021730616": "{{ad_type}}", + "-490637584": "Sınır: {{min}}—{{max}} {{currency}}", + "-1974067943": "Banka bilgileriniz", + "-1657433201": "Eşleşen ilan yok.", + "-1862812590": "Limitler {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Satın al {{account_currency}}", + "-1035421133": "Sat {{account_currency}}", + "-1503997652": "Bu para birimi için ilan yok.", + "-1048001140": "\"{{value}}\" için sonuç yok.", + "-1179827369": "Yeni ilan oluştur", + "-73663931": "İlan Oluştur", + "-141315849": "Şu anda bu para birimi için reklam yok 😞", "-1889014820": "<0>Ödeme yönteminizi görmüyor musunuz? <1>Yeni ekle.", "-1406830100": "Ödeme yöntemi", "-1561775203": "Satın al {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "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 }}", "-40669120": "<0>{{ target_amount }} {{ target_currency }} satmak için bir ilan oluşturuyorsunuz...", "-514789442": "Satın almak için bir ilan oluşturuyorsunuz...", - "-1179827369": "Yeni ilan oluştur", "-230677679": "{{text}}", "-1914431773": "Satın almak 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 }}", "-107996509": "<0>{{ target_amount }} {{ target_currency }} satın almak için bir ilan oluşturuyorsunuz...", "-863580260": "Satın almak için bir ilan oluşturuyorsunuz...", "-1396464057": "Satmak için bir ilan oluşturuyorsunuz...", + "-1526367101": "Eşleşen ödeme yöntemi bulunmamaktadır.", "-372210670": "Oran (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-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.", "-1241719539": "Birini engellediğinde, reklamlarını görmeyeceksin, ve seninkini göremezler. Reklamlarınız arama sonuçlarından gizlenecek, çok.", "-1007339977": "Eşleşen isim yok.", + "-1298666786": "Karşı taraflarım", "-179005984": "Kaydet", "-2059312414": "İlan ayrıntıları", "-1769584466": "İstatistikler", @@ -364,45 +390,23 @@ "-383030149": "Henüz herhangi bir ödeme yöntemi eklemediniz", "-1156559889": "Banka Havaleleri", "-1269362917": "Yeni ekle", - "-532709160": "Takma adınız", - "-1117584385": "6 aydan fazla önce görüldü", - "-1766199849": "Seen {{ duration }} ay önce", - "-591593016": "Seen {{ duration }} gün önce", - "-1586918919": "Seen {{ duration }} saat önce", - "-664781013": "Seen {{ duration }} dakika önce", - "-1717650468": "Online", - "-510341549": "Kabul edilen tutardan daha azını aldım.", - "-650030360": "Kabul edilen tutardan daha fazla para ödedim.", - "-1192446042": "Şikayetiniz burada listelenmemişse lütfen Müşteri Destek ekibimizle iletişime geçin.", - "-573132778": "Şikayet", - "-792338456": "Şikayetiniz nedir?", - "-418870584": "Emri iptal et", - "-1392383387": "Ödeme yaptım", - "-727273667": "Şikâyet", - "-2016990049": "{{offered_currency}} satış emri", - "-811190405": "Zaman", - "-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", - "-652933704": "Tavsiye edildi", - "-84139378": "Tavsiye edilmedi", "-1983512566": "Bu görüşme kapatıldı.", - "-1797318839": "Anlaşmazlık halinde, iletişimi yalnızca Deriv P2P sohbet kanalı aracılığıyla değerlendireceğiz.", "-283017497": "Yeniden dene", "-979459594": "Satın al/Sat", "-2052184983": "Emir ID", "-2096350108": "Karşı taraf", "-750202930": "Aktif emirler", "-1626659964": "{{amount}} {{currency}} aldım.", - "-2139303636": "Bozuk bir bağlantıyı izlemiş veya sayfa yeni bir adrese taşınmış olabilir.", - "-1448368765": "Hata kodu: {{error_code}} sayfa bulunamadı", - "-1660552437": "P2P'ye geri dönün", + "-1638172550": "Bu özelliği etkinleştirmek için aşağıdakileri tamamlamanız gerekir:", + "-559300364": "Deriv P2P kasiyeriniz engellendi", + "-740038242": "Sizin oranınız", + "-146021156": "{{payment_method_name}} silinsin mi?", + "-1846700504": "Bu ödeme yöntemini kaldırmak istediğinizden emin misiniz?", + "-1422779483": "Bu ödeme yöntemi silinemez", + "-532709160": "Takma adınız", "-237014436": "{{recommended_count}} tüccar tarafından önerildi", - "-849068301": "Yükleniyor...", - "-2061807537": "Doğru olmayan bir şeyler var", - "-1354983065": "Yenile", "-2054589794": "Birden fazla iptal girişimi nedeniyle hizmetlerimizi kullanmanız geçici olarak engellendi. {{date_time}} GMT'den sonra tekrar deneyin.", "-1079963355": "işlemler", - "-930400128": "Deriv P2P'yi kullanmak için bir ekran adı (takma ad) seçmeniz ve kimliğinizi doğrulamanız gerekir." + "-930400128": "Deriv P2P'yi kullanmak için bir ekran adı (takma ad) seçmeniz ve kimliğinizi doğrulamanız gerekir.", + "-992568889": "Burada gösterilecek kimse yok" } \ No newline at end of file diff --git a/packages/p2p/src/translations/vi.json b/packages/p2p/src/translations/vi.json index 0def84d8167f..ccc2ed5c6158 100644 --- a/packages/p2p/src/translations/vi.json +++ b/packages/p2p/src/translations/vi.json @@ -70,6 +70,7 @@ "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", "782834680": "Thời gian còn lại", + "783454335": "Có, bỏ", "830703311": "Thông tin của tôi", "834075131": "Nhà quảng cáo bị chặn", "838024160": "Thông tin ngân hàng", @@ -179,7 +180,6 @@ "1848044659": "Bạn không có quảng cáo nào.", "1859308030": "Gửi phản hồi", "1874956952": "Nhấn vào nút bên dưới để thêm phương thức thanh toán.", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "Không thể chặn nhà quảng cáo", "1908023954": "Rất tiếc, đã xảy ra lỗi khi xử lý yêu cầu của bạn.", "1923443894": "Không hoạt động", @@ -198,6 +198,7 @@ "2091671594": "Trạng thái", "2096014107": "Áp dụng", "2104905634": "Chưa ai giới thiệu trader này", + "2108340400": "Xin chào! Đây là nơi bạn có thể trò chuyện với đối tác để xác nhận chi tiết đơn hàng. Lưu ý: Trong trường hợp có tranh chấp, chúng tôi sẽ sử dụng cuộc trò chuyện này làm tài liệu tham khảo.", "2121837513": "Tối thiểu là {{value}} {{currency}}", "2142425493": "ID Quảng Cáo", "2142752968": "Vui lòng đảm bảo rằng bạn đã nhận được {{amount}} {{local_currency}} trong tài khoản và nhấn Xác nhận để hoàn tất giao dịch.", @@ -232,6 +233,12 @@ "-2021135479": "Trường này là bắt buộc.", "-2005205076": "{{field_name}} đã vượt quá độ dài tối đa 200 ký tự.", "-480724783": "Bạn đã có một quảng cáo với tỷ giá này", + "-1117584385": "Đã xem cách đây hơn 6 tháng", + "-1766199849": "Đã xem {{ duration }} tháng trước", + "-591593016": "Đã xem {{ duration }} ngày trước", + "-1586918919": "Đã xem {{ duration }} giờ trước", + "-664781013": "Đã xem {{ duration }} phút trước", + "-1717650468": "Online", "-1948369500": "Tệp tải lên không được hỗ trợ", "-1207312691": "Hoàn thành", "-688728873": "Hết hạn", @@ -244,52 +251,16 @@ "-1875343569": "Thông tin thanh toán của người bán", "-92830427": "Hướng dẫn của người bán", "-1940034707": "Hướng dẫn của người mua", - "-137444201": "Mua", - "-1306639327": "Phương thức thanh toán", - "-904197848": "Giới hạn {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} phút", - "-2109576323": "Lệnh bán hoàn thành <0>30 ngày", - "-165392069": "Thời gian xuất tiền trung bình <0>30 ngày", - "-1154208372": "Khối lượng giao dịch <0>30 ngày", - "-1887970998": "Không thể bỏ chặn vì {{name}} không còn sử dụng Deriv P2P.", - "-2017825013": "Đã hiểu", - "-1070228546": "Đã gia nhập {{days_since_joined}} ngày", - "-2015102262": "(Đánh giá {{number_of_ratings}})", - "-1412298133": "(Đánh giá {{number_of_ratings}})", - "-260332243": "{{user_blocked_count}} người đã chặn bạn", - "-117094654": "{{user_blocked_count}} người đã chặn bạn", - "-329713179": "Ok", - "-1689905285": "Bỏ chặn", - "-992568889": "Không có người dùng để hiển thị ở đây", - "-1298666786": "Đối tác của tôi", - "-1148912768": "Nếu tỷ giá thị trường thay đổi so với tỷ giá hiển thị ở đây, chúng tôi sẽ không thể xử lý giao dịch của bạn.", - "-55126326": "Người bán", - "-835196958": "Nhận thanh toán tới", - "-1218007718": "Bạn có thể chọn tối đa 3.", - "-1933432699": "Nhập số tiền {{transaction_type}}", - "-2021730616": "{{ad_type}}", - "-490637584": "Giới hạn: {{min}}–{{max}} {{currency}}", - "-1974067943": "Thông tin ngân hàng của bạn", - "-1285759343": "Tìm kiếm", - "-1657433201": "Không có quảng cáo phù hợp.", - "-1862812590": "Giới hạn {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "Mua {{account_currency}}", - "-1035421133": "Bán {{account_currency}}", - "-1503997652": "Không có quảng cáo cho loại tiền tệ này.", - "-1048001140": "Không tìm thấy kết quả cho \"{{value}}”.", - "-73663931": "Tạo quảng cáo", - "-141315849": "Không có quảng cáo cho đơn vị tiền tệ này tại thời điểm này 😞", "-471384801": "Xin lỗi, chúng tôi không thể tăng giới hạn của bạn ngay bây giờ. Vui lòng thử lại trong vài phút.", + "-329713179": "Ok", "-231863107": "Không", "-150224710": "Có, tiếp tục", - "-1638172550": "Để kích hoạt tính năng này, bạn phải hoàn thành các bước sau:", - "-559300364": "Cổng thu ngân Deriv P2P của bạn bị khóa", - "-740038242": "Tỷ giá của bạn là", "-205277874": "Quảng cáo của bạn không được hiển thị trên Mua/Bán vì yêu cầu số tiền giao dịch tối thiểu cao hơn số dư có sẵn trong Deriv P2P của bạn ({{balance}} {{currency}}).", "-971817673": "Quảng cáo của bạn không hiển thị cho những người khác", "-1735126907": "Điều này có thể là do số dư tài khoản của bạn không đủ, hoặc số lượng quảng cáo của bạn vượt quá giới hạn hàng ngày hoặc cả hai. Bạn vẫn có thể thấy quảng cáo của mình trong <0>Quảng cáo của tôi.", "-674715853": "Quảng cáo của bạn vượt quá giới hạn hàng ngày", "-1530773708": "Chặn {{advertiser_name}}?", + "-1689905285": "Bỏ chặn", "-2035037071": "Số dư trong Deriv P2P của bạn không đủ. Vui lòng nạp thêm vào tài khoản của bạn rồi thử lại.", "-412680608": "Thêm phương thức thanh toán", "-293182503": "Hủy thêm phương thức thanh toán này?", @@ -302,8 +273,10 @@ "-848068683": "Nhấn vào liên kết chúng tôi đã gửi qua email cho bạn để ủy quyền giao dịch này.", "-1238182882": "Liên kết sẽ hết hạn sau 10 phút.", "-142727028": "Email có thể đã bị chuyển vào hòm thư spam (đôi lúc email sẽ bị thất lạc trong đó).", + "-1306639327": "Phương thức thanh toán", "-227512949": "Kiểm tra lại chính tả hoặc sử dụng một cụm từ khác.", "-1554938377": "Tìm phương thức thanh toán", + "-1285759343": "Tìm kiếm", "-75934135": "Tìm quảng cáo phù hợp", "-1856204727": "Thiết lập lại", "-1728351486": "Link xác thực không hợp lệ", @@ -324,7 +297,60 @@ "-937707753": "Quay lại", "-984140537": "Thêm", "-1220275347": "Bạn có thể chọn tối đa 3 phương thức thanh toán cho quảng cáo này.", + "-871975082": "Bạn có thể thêm tối đa 3 phương thức thanh toán.", "-1340125291": "Hoàn tất", + "-510341549": "Tôi đã nhận được ít hơn khoản thỏa thuận.", + "-650030360": "Tôi đã trả nhiều hơn khoản thỏa thuận.", + "-1192446042": "Nếu khiếu nại của bạn không được liệt kê ở đây, vui lòng liên hệ với nhóm Hỗ trợ Khách hàng của chúng tôi.", + "-573132778": "Khiếu nại", + "-792338456": "Khiếu nại của bạn là gì?", + "-418870584": "Hủy đơn hàng", + "-1392383387": "Tôi đã thanh toán", + "-727273667": "Khiếu nại", + "-2016990049": "Bán {{offered_currency}} lệnh", + "-811190405": "Thời gian", + "-961632398": "Thu gọn hết", + "-415476028": "Không được đánh giá", + "-26434257": "Bạn có thể đánh giá 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", + "-652933704": "Khuyên dùng", + "-84139378": "Không khuyên dùng", + "-2139303636": "Bạn có thể đã chọn một liên kết không còn hoạt động, hoặc trang web đã được chuyển đến một địa chỉ mới.", + "-1448368765": "Lỗi: {{error_code}} không tìm thấy trang", + "-1660552437": "Quay lại P2P", + "-849068301": "Đang tải...", + "-2061807537": "Đã có vấn đề xảy ra", + "-1354983065": "Làm mới", + "-137444201": "Mua", + "-904197848": "Giới hạn {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} phút", + "-2109576323": "Lệnh bán hoàn thành <0>30 ngày", + "-165392069": "Thời gian xuất tiền trung bình <0>30 ngày", + "-1154208372": "Khối lượng giao dịch <0>30 ngày", + "-1887970998": "Không thể bỏ chặn vì {{name}} không còn sử dụng Deriv P2P.", + "-2017825013": "Đã hiểu", + "-1070228546": "Đã gia nhập {{days_since_joined}} ngày", + "-2015102262": "(Đánh giá {{number_of_ratings}})", + "-1412298133": "(Đánh giá {{number_of_ratings}})", + "-260332243": "{{user_blocked_count}} người đã chặn bạn", + "-117094654": "{{user_blocked_count}} người đã chặn bạn", + "-1148912768": "Nếu tỷ giá thị trường thay đổi so với tỷ giá hiển thị ở đây, chúng tôi sẽ không thể xử lý giao dịch của bạn.", + "-55126326": "Người bán", + "-835196958": "Nhận thanh toán tới", + "-1218007718": "Bạn có thể chọn tối đa 3.", + "-1933432699": "Nhập số tiền {{transaction_type}}", + "-2021730616": "{{ad_type}}", + "-490637584": "Giới hạn: {{min}}–{{max}} {{currency}}", + "-1974067943": "Thông tin ngân hàng của bạn", + "-1657433201": "Không có quảng cáo phù hợp.", + "-1862812590": "Giới hạn {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "Mua {{account_currency}}", + "-1035421133": "Bán {{account_currency}}", + "-1503997652": "Không có quảng cáo cho loại tiền tệ này.", + "-1048001140": "Không tìm thấy kết quả cho \"{{value}}”.", + "-1179827369": "Tạo quảng cáo mới", + "-73663931": "Tạo quảng cáo", + "-141315849": "Không có quảng cáo cho đơn vị tiền tệ này tại thời điểm này 😞", "-1889014820": "<0>Bạn không thấy phương thức thanh toán của mình? <1>Thêm mới.", "-1406830100": "Phương thức thanh toán", "-1561775203": "Mua {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "Bạn đang tạo 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 }})", "-40669120": "Bạn đang tạo một quảng cáo để bán <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "Bạn đang tạo một quảng cáo để mua...", - "-1179827369": "Tạo quảng cáo mới", "-230677679": "{{text}}", "-1914431773": "Bạn đang chỉnh sửa một quảng cáo để mua <0>{{ target_amount }} {{ target_currency }} cho <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})", "-107996509": "Bạn đang chỉnh sửa một quảng cáo để mua <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "Bạn đang chỉnh sửa một quảng cáo để mua...", "-1396464057": "Bạn đang chỉnh sửa một quảng cáo để bán...", + "-1526367101": "Không có phương thức thanh toán phù hợp.", "-372210670": "Tỷ giá (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "Hủy tài khoản", "-1667041441": "Tỷ lệ (1 {{ offered_currency }})", "-1886565882": "Quảng cáo với tỷ giá thả nổi của bạn đã bị vô hiệu hóa. Đặt tỷ giá cố định để kích hoạt lại.", "-792015701": "Cổng thu ngân Deriv P2P không khả dụng ở quốc gia của bạn.", "-1241719539": "Khi bạn chặn ai đó, bạn sẽ không thấy quảng cáo của họ và họ cũng không thể thấy quảng cáo của bạn. Quảng cáo của bạn cũng sẽ bị ẩn khỏi kết quả tìm kiếm của họ.", "-1007339977": "Không có tên trùng khớp.", + "-1298666786": "Đối tác của tôi", "-179005984": "Lưu", "-2059312414": "Thông tin quảng cáo", "-1769584466": "Chỉ số", @@ -364,45 +390,23 @@ "-383030149": "Bạn chưa thêm bất kỳ phương thức thanh toán nào", "-1156559889": "Chuyển khoản ngân hàng", "-1269362917": "Thêm mới", - "-532709160": "Nickname của bạn", - "-1117584385": "Đã xem cách đây hơn 6 tháng", - "-1766199849": "Đã xem {{ duration }} tháng trước", - "-591593016": "Đã xem {{ duration }} ngày trước", - "-1586918919": "Đã xem {{ duration }} giờ trước", - "-664781013": "Đã xem {{ duration }} phút trước", - "-1717650468": "Online", - "-510341549": "Tôi đã nhận được ít hơn khoản thỏa thuận.", - "-650030360": "Tôi đã trả nhiều hơn khoản thỏa thuận.", - "-1192446042": "Nếu khiếu nại của bạn không được liệt kê ở đây, vui lòng liên hệ với nhóm Hỗ trợ Khách hàng của chúng tôi.", - "-573132778": "Khiếu nại", - "-792338456": "Khiếu nại của bạn là gì?", - "-418870584": "Hủy đơn hàng", - "-1392383387": "Tôi đã thanh toán", - "-727273667": "Khiếu nại", - "-2016990049": "Bán {{offered_currency}} lệnh", - "-811190405": "Thời gian", - "-961632398": "Thu gọn hết", - "-415476028": "Không được đánh giá", - "-26434257": "Bạn có thể đánh giá 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", - "-652933704": "Khuyên dùng", - "-84139378": "Không khuyên dùng", "-1983512566": "Phiên trò chuyện này đã kết thúc.", - "-1797318839": "Trong trường hợp có tranh chấp, chúng tôi sẽ chỉ xử lý dựa trên nội dung liên lạc thông qua kênh chat của Deriv P2P.", "-283017497": "Thử lại", "-979459594": "Mua/Bán", "-2052184983": "ID Giao dịch", "-2096350108": "Đối tác", "-750202930": "Giao dịch đang hoạt động", "-1626659964": "Tôi đã nhận {{amount}} {{currency}}.", - "-2139303636": "Bạn có thể đã chọn một liên kết không còn hoạt động, hoặc trang web đã được chuyển đến một địa chỉ mới.", - "-1448368765": "Lỗi: {{error_code}} không tìm thấy trang", - "-1660552437": "Quay lại P2P", + "-1638172550": "Để kích hoạt tính năng này, bạn phải hoàn thành các bước sau:", + "-559300364": "Cổng thu ngân Deriv P2P của bạn bị khóa", + "-740038242": "Tỷ giá của bạn là", + "-146021156": "Xóa {{payment_method_name}}?", + "-1846700504": "Bạn có chắc chắn bạn muốn xóa phương thức thanh toán này không?", + "-1422779483": "Phương thức thanh toán đó không thể bị xóa", + "-532709160": "Nickname của bạn", "-237014436": "Được khuyên dùng bởi {{recommended_count}} trader", - "-849068301": "Đang tải...", - "-2061807537": "Đã có vấn đề xảy ra", - "-1354983065": "Làm mới", "-2054589794": "Bạn tạm thời bị cấm sử dụng dịch vụ của chúng tôi do hủy quá nhiều lần. Hãy thử lại sau {{date_time}} GMT.", "-1079963355": "giao dịch", - "-930400128": "Để sử dụng Deriv P2P, bạn cần chọn tên hiển thị (nickname) và xác thực danh tính của mình." + "-930400128": "Để sử dụng Deriv P2P, bạn cần chọn tên hiển thị (nickname) và xác thực danh tính của mình.", + "-992568889": "Không có người dùng để hiển thị ở đây" } \ No newline at end of file diff --git a/packages/p2p/src/translations/zh_cn.json b/packages/p2p/src/translations/zh_cn.json index f54ee846e9f6..a3fa91de91f0 100644 --- a/packages/p2p/src/translations/zh_cn.json +++ b/packages/p2p/src/translations/zh_cn.json @@ -70,6 +70,7 @@ "733311523": "P2P 交易已被锁。支付代理不能使用此功能。", "767789372": "等待付款", "782834680": "剩余时间", + "783454335": "是,删除", "830703311": "我的个人资料", "834075131": "被封禁的广告商", "838024160": "银行详细信息", @@ -179,7 +180,6 @@ "1848044659": "您没有广告。", "1859308030": "提供反馈", "1874956952": "点击下面的按钮添加付款方式。", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "无法封禁广告商", "1908023954": "对不起,处理您的请求时发生错误。", "1923443894": "非活动状态", @@ -198,6 +198,7 @@ "2091671594": "状态", "2096014107": "申请", "2104905634": "还没有人推荐这个交易者", + "2108340400": "您好!您可以在此与交易方聊天,确认订单详情。注:如果发生争议,我们将以该聊天记录为参考。", "2121837513": "最小为{{value}}{{currency}}", "2142425493": "广告ID", "2142752968": "请确保账户已收到 {{amount}} {{local_currency}} 并点击确认以完成交易。", @@ -232,6 +233,12 @@ "-2021135479": "此为必填字段。", "-2005205076": "{{field_name}} 已超过最大长度 200 个字符。", "-480724783": "您已经有符合此费率的广告", + "-1117584385": "6 个多月前上线", + "-1766199849": "{{ duration }} 个月前上线", + "-591593016": "{{ duration }} 天前上线", + "-1586918919": "{{ duration }} 小时前上线", + "-664781013": "{{ duration }} 分钟前上线", + "-1717650468": "在线", "-1948369500": "上传的文件不受支持", "-1207312691": "已完成", "-688728873": "已过期", @@ -244,52 +251,16 @@ "-1875343569": "卖方的详细付款信息", "-92830427": "卖方的指示", "-1940034707": "买方的指示", - "-137444201": "买入", - "-1306639327": "支付方式", - "-904197848": "限额 {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} 分钟", - "-2109576323": "卖出完成 <0>30天", - "-165392069": "平均发布时间 <0>30天", - "-1154208372": "交易量 <0>30天", - "-1887970998": "无法解除封锁,因为 {{name}} 不再使用 Deriv P2P 了。", - "-2017825013": "知道了", - "-1070228546": "已加入 {{days_since_joined}} 天", - "-2015102262": "({{number_of_ratings}} 个评分)", - "-1412298133": "({{number_of_ratings}} 个评分)", - "-260332243": "{{user_blocked_count}} 个人已封禁您", - "-117094654": "{{user_blocked_count}} 个人已封禁您", - "-329713179": "确定", - "-1689905285": "解除封禁", - "-992568889": "没人在此显示", - "-1298666786": "我的交易对手", - "-1148912768": "如果市场汇率与此处显示的汇率有所不同,将无法处理订单。", - "-55126326": "卖方", - "-835196958": "收到款项用于", - "-1218007718": "可选数多达3 。", - "-1933432699": "输入 {{transaction_type}} 金额", - "-2021730616": "{{ad_type}}", - "-490637584": "限额: {{min}}–{{max}} {{currency}}", - "-1974067943": "您的银行详细信息", - "-1285759343": "搜索", - "-1657433201": "没有匹配的广告。", - "-1862812590": "限额 {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "买入 {{account_currency}}", - "-1035421133": "卖出 {{account_currency}}", - "-1503997652": "此货币暂无广告。", - "-1048001140": "{{value}} 没有结果。", - "-73663931": "创建广告", - "-141315849": "此货币目前无广告😞", "-471384801": "抱歉,现在无法提高限额。几分钟后请重试。", + "-329713179": "确定", "-231863107": "否", "-150224710": "是的,继续", - "-1638172550": "要启用此功能,您必须完成以下操作:", - "-559300364": "您的 Deriv P2P 收银台已锁定", - "-740038242": "汇率是", "-205277874": "您的广告未在 “买入/卖出” 列出,因为其最低订购量高于 Deriv P2P 可用余额 ({{balance}} {{currency}})。", "-971817673": "其他人无法看到您的广告", "-1735126907": "这可能是因为您的账户余额不足、广告金额超出了每日限额,或两者兼而有之。您仍然可以在<0>我的广告看到广告。", "-674715853": "广告超出了每日限额", "-1530773708": "封禁 {{advertiser_name}}?", + "-1689905285": "解除封禁", "-2035037071": "Deriv P2P 余额不足。重试前请添加余额。", "-412680608": "添加付款方式", "-293182503": "取消添加付款方式?", @@ -302,8 +273,10 @@ "-848068683": "点击发送给您的电子邮件中的链接以授权此交易。", "-1238182882": "验证链接将于 10 分钟后过期.", "-142727028": "邮件在垃圾邮箱里(有时一些邮件会误送到那儿)。", + "-1306639327": "支付方式", "-227512949": "检查拼写或使用其他术语.", "-1554938377": "搜索付款方式", + "-1285759343": "搜索", "-75934135": "匹配的广告", "-1856204727": "重置", "-1728351486": "验证链接无效", @@ -324,7 +297,60 @@ "-937707753": "返回", "-984140537": "添加", "-1220275347": "此广告有多达 3 种付款方式供选择。", + "-871975082": "您最多可添加 3 种付款方式。", "-1340125291": "完成", + "-510341549": "我收到的金额比约定的金额更小。", + "-650030360": "我支付的金额比约定的金额更大。", + "-1192446042": "如果您的投诉未在此处列出,请与我们的客户支持团队联系。", + "-573132778": "投诉", + "-792338456": "您的投诉是什么?", + "-418870584": "取消订单", + "-1392383387": "我已付款", + "-727273667": "投诉", + "-2016990049": "卖出 {{offered_currency}} 订单", + "-811190405": "时间", + "-961632398": "折叠全部", + "-415476028": "未评分", + "-26434257": "您须在格林尼治标准时间 {{remaining_review_time}} 前给此交易评分。", + "-768709492": "您的交易经验", + "-652933704": "受推荐", + "-84139378": "不受推荐", + "-2139303636": "可能您使用的链接已无效,或该页面已转移到新地址。", + "-1448368765": "错误代码: {{error_code}} 未找到页面", + "-1660552437": "返回点对点", + "-849068301": "正在加载...", + "-2061807537": "出现问题", + "-1354983065": "刷新", + "-137444201": "买入", + "-904197848": "限额 {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} 分钟", + "-2109576323": "卖出完成 <0>30天", + "-165392069": "平均发布时间 <0>30天", + "-1154208372": "交易量 <0>30天", + "-1887970998": "无法解除封锁,因为 {{name}} 不再使用 Deriv P2P 了。", + "-2017825013": "知道了", + "-1070228546": "已加入 {{days_since_joined}} 天", + "-2015102262": "({{number_of_ratings}} 个评分)", + "-1412298133": "({{number_of_ratings}} 个评分)", + "-260332243": "{{user_blocked_count}} 个人已封禁您", + "-117094654": "{{user_blocked_count}} 个人已封禁您", + "-1148912768": "如果市场汇率与此处显示的汇率有所不同,将无法处理订单。", + "-55126326": "卖方", + "-835196958": "收到款项用于", + "-1218007718": "可选数多达3 。", + "-1933432699": "输入 {{transaction_type}} 金额", + "-2021730616": "{{ad_type}}", + "-490637584": "限额: {{min}}–{{max}} {{currency}}", + "-1974067943": "您的银行详细信息", + "-1657433201": "没有匹配的广告。", + "-1862812590": "限额 {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "买入 {{account_currency}}", + "-1035421133": "卖出 {{account_currency}}", + "-1503997652": "此货币暂无广告。", + "-1048001140": "{{value}} 没有结果。", + "-1179827369": "创建新广告", + "-73663931": "创建广告", + "-141315849": "此货币目前无广告😞", "-1889014820": "<0>没有看到付款方式? <1>添加新的。", "-1406830100": "付款方式", "-1561775203": "买入 {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "正在创建广告以<0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }}) 卖出<0>{{ target_amount }} {{ target_currency }}", "-40669120": "您正在创建广告以卖出 <0>{{ target_amount }} {{ target_currency }}...", "-514789442": "您正在创建广告以买入...", - "-1179827369": "创建新广告", "-230677679": "{{text}}", "-1914431773": "正在编辑广告以 <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})买入 <0>{{ target_amount }} {{ target_currency }}", "-107996509": "您正在编辑广告以买入<0>{{ target_amount }} {{ target_currency }}...", "-863580260": "您正在编辑广告以买入...", "-1396464057": "您正在编辑广告以卖出...", + "-1526367101": "没有匹配的付款方式。", "-372210670": "费率 (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "停用", "-1667041441": "费率 (1 {{ offered_currency }})", "-1886565882": "浮动汇率广告已停用。设置固定汇率以重新激活。", "-792015701": "您的国家不能使用 Deriv P2P 收银台。", "-1241719539": "封禁某人后,您将看不到其广告,被封者也看不到您的广告。您的广告也不会在其搜索结果中显示。", "-1007339977": "没有匹配的名称。", + "-1298666786": "我的交易对手", "-179005984": "保存", "-2059312414": "广告详情", "-1769584466": "统计", @@ -364,45 +390,23 @@ "-383030149": "您尚未添加任何付款方式", "-1156559889": "银行转账", "-1269362917": "添新", - "-532709160": "您的昵称", - "-1117584385": "6 个多月前上线", - "-1766199849": "{{ duration }} 个月前上线", - "-591593016": "{{ duration }} 天前上线", - "-1586918919": "{{ duration }} 小时前上线", - "-664781013": "{{ duration }} 分钟前上线", - "-1717650468": "在线", - "-510341549": "我收到的金额比约定的金额更小。", - "-650030360": "我支付的金额比约定的金额更大。", - "-1192446042": "如果您的投诉未在此处列出,请与我们的客户支持团队联系。", - "-573132778": "投诉", - "-792338456": "您的投诉是什么?", - "-418870584": "取消订单", - "-1392383387": "我已付款", - "-727273667": "投诉", - "-2016990049": "卖出 {{offered_currency}} 订单", - "-811190405": "时间", - "-961632398": "折叠全部", - "-415476028": "未评分", - "-26434257": "您须在格林尼治标准时间 {{remaining_review_time}} 前给此交易评分。", - "-768709492": "您的交易经验", - "-652933704": "受推荐", - "-84139378": "不受推荐", "-1983512566": "此对话已关闭.", - "-1797318839": "如有争议,我们只会考虑通过Deriv P2P聊天频道进行的沟通。", "-283017497": "重试", "-979459594": "买入/卖出", "-2052184983": "订单ID", "-2096350108": "相对方", "-750202930": "可用订单", "-1626659964": "我已收到 {{amount}} {{currency}}。", - "-2139303636": "可能您使用的链接已无效,或该页面已转移到新地址。", - "-1448368765": "错误代码: {{error_code}} 未找到页面", - "-1660552437": "返回点对点", + "-1638172550": "要启用此功能,您必须完成以下操作:", + "-559300364": "您的 Deriv P2P 收银台已锁定", + "-740038242": "汇率是", + "-146021156": "删除 {{payment_method_name}}?", + "-1846700504": "确认删除此付款方式?", + "-1422779483": "该付款方式无法删除", + "-532709160": "您的昵称", "-237014436": "{{recommended_count}} 个交易者推荐", - "-849068301": "正在加载...", - "-2061807537": "出现问题", - "-1354983065": "刷新", "-2054589794": "由于多次尝试取消,您已被暂时禁止使用我们的服务。请于GMT{{date_time}} 之后重试。", "-1079963355": "交易", - "-930400128": "要使用 Deriv P2P,您需选择一个显示名称(昵称)并验证您的身份。" + "-930400128": "要使用 Deriv P2P,您需选择一个显示名称(昵称)并验证您的身份。", + "-992568889": "没人在此显示" } \ No newline at end of file diff --git a/packages/p2p/src/translations/zh_tw.json b/packages/p2p/src/translations/zh_tw.json index e45df0b79eb1..1e8543c40502 100644 --- a/packages/p2p/src/translations/zh_tw.json +++ b/packages/p2p/src/translations/zh_tw.json @@ -70,6 +70,7 @@ "733311523": "P2P交易已被鎖。支付代理不能使用此功能。", "767789372": "等待付款", "782834680": "剩餘時間", + "783454335": "是,刪除", "830703311": "我的個人資料", "834075131": "被封禁廣告商", "838024160": "銀行詳細資料", @@ -179,7 +180,6 @@ "1848044659": "您沒有廣告。", "1859308030": "提供意見反應", "1874956952": "點選下面的按鈕新增付款方式。", - "1886623509": "{{ad_type}} {{ account_currency }}", "1902229457": "無法封禁廣告商", "1908023954": "對不起,在處理您的請求時發生錯誤。", "1923443894": "非使用中", @@ -198,6 +198,7 @@ "2091671594": "狀況", "2096014107": "申請", "2104905634": "還沒有人推薦這個交易者", + "2108340400": "你好!在這裡,您可以與對手聊天以確認訂單詳細信息。N 注意:如果發生爭議,我們將使用此聊天作為參考。", "2121837513": "最小為{{value}}{{currency}}", "2142425493": "廣告ID", "2142752968": "請確保帳戶中收到 {{amount}} {{local_currency}},然後點選確認以完成交易。", @@ -232,6 +233,12 @@ "-2021135479": "此為必填欄位。", "-2005205076": "{{field_name}} 已超過最大長度 200 個字元。", "-480724783": "您已經有符合此費率的廣告", + "-1117584385": "6 個多月前上缐", + "-1766199849": "{{ duration }} 個月前上缐", + "-591593016": "{{ duration }} 天前上缐", + "-1586918919": "{{ duration }} 小時前上缐", + "-664781013": "{{ duration }} 分鐘前上缐", + "-1717650468": "線上", "-1948369500": "上傳的文件不受支援", "-1207312691": "已完成", "-688728873": "已過期", @@ -244,52 +251,16 @@ "-1875343569": "賣方的詳細付款資訊", "-92830427": "賣方的指示", "-1940034707": "買方的指示", - "-137444201": "買入", - "-1306639327": "支付方式", - "-904197848": "限額 {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", - "-464361439": "{{- avg_buy_time_in_minutes}} 分鐘", - "-2109576323": "完成賣出 <0>30天", - "-165392069": "平均發布時間 <0>30天", - "-1154208372": "30天<0>交易量", - "-1887970998": "無法解除封鎖,因為 {{name}} 不再使用 Deriv P2P 了。", - "-2017825013": "知道了", - "-1070228546": "已加入 {{days_since_joined}}天", - "-2015102262": "({{number_of_ratings}} 個評分)", - "-1412298133": "({{number_of_ratings}} 個評分)", - "-260332243": "{{user_blocked_count}} 人封禁了您", - "-117094654": "{{user_blocked_count}} 人封禁了您", - "-329713179": "確定", - "-1689905285": "解除封禁", - "-992568889": "沒人在此顯示", - "-1298666786": "我的交易對手", - "-1148912768": "如果市場匯率與此處顯示的匯率有所不同,將無法處理訂單。", - "-55126326": "賣方", - "-835196958": "收到款項用於", - "-1218007718": "可選數多達 3。", - "-1933432699": "輸入 {{transaction_type}} 金額", - "-2021730616": "{{ad_type}}", - "-490637584": "限額: {{min}}–{{max}} {{currency}}", - "-1974067943": "您的銀行詳細資料", - "-1285759343": "搜尋", - "-1657433201": "沒有匹配的廣告。", - "-1862812590": "限額 {{ min_order }}–{{ max_order }} {{ currency }}", - "-375836822": "買入 {{account_currency}}", - "-1035421133": "賣出 {{account_currency}}", - "-1503997652": "此貨幣沒有廣告。", - "-1048001140": "{{value}} 沒有結果。", - "-73663931": "建立廣告", - "-141315849": "目前沒有此貨幣的廣告 😞", "-471384801": "抱歉,目前無法提高限額。請在幾分鐘後再試一次。", + "-329713179": "確定", "-231863107": "否", "-150224710": "是,繼續", - "-1638172550": "要啟用此功能,您必須完成以下操作:", - "-559300364": "您的 Deriv P2P 收銀台已鎖定", - "-740038242": "匯率是", "-205277874": "您的廣告未在買入/賣出清單内,因為其最低訂購量高於 Deriv P2P 可用餘額 ({{balance}} {{currency}})。", "-971817673": "其他人無法看到您的廣告", "-1735126907": "這可能是因為您的帳戶餘額不足、廣告金額超出了每日限額,或兩者兼而有之。您仍然可以在<0>我的廣告看到廣告.", "-674715853": "廣告超出了每日限額", "-1530773708": "封禁 {{advertiser_name}}?", + "-1689905285": "解除封禁", "-2035037071": "Deriv P2P 餘額不足。重試前請補充餘額。", "-412680608": "新增支付方式", "-293182503": "取消新增此支付方式?", @@ -302,8 +273,10 @@ "-848068683": "點選傳送給您的電子郵件中的連結以授權此交易。", "-1238182882": "連結將於 10 分鐘後過期.", "-142727028": "郵件在垃圾郵箱裡(有時一些郵件會誤送到那兒)。", + "-1306639327": "支付方式", "-227512949": "檢查拼寫或使用其他字詞.", "-1554938377": "搜尋支付方式", + "-1285759343": "搜尋", "-75934135": "相符的廣告", "-1856204727": "重設", "-1728351486": "無效的驗證連結", @@ -324,7 +297,60 @@ "-937707753": "返回", "-984140537": "新增", "-1220275347": "此廣告有多達 3 種付款方式供選擇。", + "-871975082": "您最多可以添加 3 種付款方式。", "-1340125291": "完成", + "-510341549": "我收到的金額比約定的金額更小。", + "-650030360": "我支付的金額比約定的金額更大。", + "-1192446042": "如果您的投訴未在此處列出,請聯繫我們的客戶支援團隊.", + "-573132778": "投訴", + "-792338456": "您的投訴是甚麼?", + "-418870584": "取消訂單", + "-1392383387": "我已付款", + "-727273667": "投訴", + "-2016990049": "賣出 {{offered_currency}} 訂單", + "-811190405": "時間", + "-961632398": "摺疊全部", + "-415476028": "未評分", + "-26434257": "您須在格林威治標準時間 {{remaining_review_time}} 前給此交易評分。", + "-768709492": "您的交易經驗", + "-652933704": "受推薦", + "-84139378": "不受推薦", + "-2139303636": "可能使用的連結已無效,或該頁面已轉移到新地址。", + "-1448368765": "錯誤代碼: {{error_code}} 未找到頁面", + "-1660552437": "返回點對點", + "-849068301": "正在載入...", + "-2061807537": "出現問題", + "-1354983065": "更新", + "-137444201": "買入", + "-904197848": "限額 {{min_order_amount_limit_display}}-{{max_order_amount_limit_display}} {{currency}}", + "-464361439": "{{- avg_buy_time_in_minutes}} 分鐘", + "-2109576323": "完成賣出 <0>30天", + "-165392069": "平均發布時間 <0>30天", + "-1154208372": "30天<0>交易量", + "-1887970998": "無法解除封鎖,因為 {{name}} 不再使用 Deriv P2P 了。", + "-2017825013": "知道了", + "-1070228546": "已加入 {{days_since_joined}}天", + "-2015102262": "({{number_of_ratings}} 個評分)", + "-1412298133": "({{number_of_ratings}} 個評分)", + "-260332243": "{{user_blocked_count}} 人封禁了您", + "-117094654": "{{user_blocked_count}} 人封禁了您", + "-1148912768": "如果市場匯率與此處顯示的匯率有所不同,將無法處理訂單。", + "-55126326": "賣方", + "-835196958": "收到款項用於", + "-1218007718": "可選數多達 3。", + "-1933432699": "輸入 {{transaction_type}} 金額", + "-2021730616": "{{ad_type}}", + "-490637584": "限額: {{min}}–{{max}} {{currency}}", + "-1974067943": "您的銀行詳細資料", + "-1657433201": "沒有匹配的廣告。", + "-1862812590": "限額 {{ min_order }}–{{ max_order }} {{ currency }}", + "-375836822": "買入 {{account_currency}}", + "-1035421133": "賣出 {{account_currency}}", + "-1503997652": "此貨幣沒有廣告。", + "-1048001140": "{{value}} 沒有結果。", + "-1179827369": "新增廣告", + "-73663931": "建立廣告", + "-141315849": "目前沒有此貨幣的廣告 😞", "-1889014820": "<0>沒看到付款方式? <1>新增。", "-1406830100": "付款方式", "-1561775203": "買入 {{currency}}", @@ -338,20 +364,20 @@ "-2139632895": "正在建立廣告以 <0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})賣出<0>{{ target_amount }} {{ target_currency }}", "-40669120": "您正在建立廣告以賣出<0>{{ target_amount }} {{ target_currency }}...", "-514789442": "您正在建立廣告以買入...", - "-1179827369": "新增廣告", "-230677679": "{{text}}", "-1914431773": "正在編輯廣告以<0>{{ local_amount }} {{ local_currency }} <1>({{ price_rate }} {{local_currency}}/{{ target_currency }})買入<0>{{ target_amount }} {{ target_currency }}", "-107996509": "您正在編輯廣告以買入 <0>{{ target_amount }} {{ target_currency }}...", "-863580260": "您正在編輯廣告以買入...", "-1396464057": "您正在編輯廣告以賣出...", + "-1526367101": "沒有匹配的付款方式。", "-372210670": "費率 (1 {{account_currency}})", - "-1400835517": "{{ad_type}} {{ id }}", "-1318334333": "停用", "-1667041441": "費率 (1 {{ offered_currency }})", "-1886565882": "浮動匯率廣告已停用。設定固定匯率以重新激活。", "-792015701": "您的國家不能使用 Deriv P2P 收銀台。", "-1241719539": "封禁某人後,您將看不到其廣告,被封者也看不到您的廣告。您的廣告也不會在其搜尋結果中顯示。", "-1007339977": "沒有相符的名稱。", + "-1298666786": "我的交易對手", "-179005984": "儲存", "-2059312414": "詳細廣告資料", "-1769584466": "統計", @@ -364,45 +390,23 @@ "-383030149": "您尚未新增任何付款方式", "-1156559889": "銀行轉帳", "-1269362917": "新增", - "-532709160": "您的暱稱", - "-1117584385": "6 個多月前上缐", - "-1766199849": "{{ duration }} 個月前上缐", - "-591593016": "{{ duration }} 天前上缐", - "-1586918919": "{{ duration }} 小時前上缐", - "-664781013": "{{ duration }} 分鐘前上缐", - "-1717650468": "線上", - "-510341549": "我收到的金額比約定的金額更小。", - "-650030360": "我支付的金額比約定的金額更大。", - "-1192446042": "如果您的投訴未在此處列出,請聯繫我們的客戶支援團隊.", - "-573132778": "投訴", - "-792338456": "您的投訴是甚麼?", - "-418870584": "取消訂單", - "-1392383387": "我已付款", - "-727273667": "投訴", - "-2016990049": "賣出 {{offered_currency}} 訂單", - "-811190405": "時間", - "-961632398": "摺疊全部", - "-415476028": "未評分", - "-26434257": "您須在格林威治標準時間 {{remaining_review_time}} 前給此交易評分。", - "-768709492": "您的交易經驗", - "-652933704": "受推薦", - "-84139378": "不受推薦", "-1983512566": "此交談已關閉.", - "-1797318839": "如有爭議,我們只會考慮通過Deriv P2P聊天頻道進行的溝通。", "-283017497": "重試", "-979459594": "買入/賣出", "-2052184983": "訂單ID", "-2096350108": "相對方", "-750202930": "使用中的訂單", "-1626659964": "我已收到 {{amount}} {{currency}}.", - "-2139303636": "可能使用的連結已無效,或該頁面已轉移到新地址。", - "-1448368765": "錯誤代碼: {{error_code}} 未找到頁面", - "-1660552437": "返回點對點", + "-1638172550": "要啟用此功能,必須完成以下操作:", + "-559300364": "您的 Deriv P2P 收銀台已鎖定", + "-740038242": "匯率是", + "-146021156": "刪除 {{payment_method_name}}?", + "-1846700504": "確認刪除此付款方式?", + "-1422779483": "無法刪除該付款方式", + "-532709160": "您的暱稱", "-237014436": "{{recommended_count}} 個交易者推薦", - "-849068301": "正在載入...", - "-2061807537": "出現問題", - "-1354983065": "更新", "-2054589794": "由於多次嘗試取消,您已被暫時禁止使用我們的服務。請於GMT{{date_time}} 之後重試。", "-1079963355": "交易", - "-930400128": "要使用 Deriv P2P,您需選擇一個顯示名稱(暱稱)並驗證您的身份。" + "-930400128": "要使用 Deriv P2P,您需選擇一個顯示名稱(暱稱)並驗證您的身份。", + "-992568889": "沒人在此顯示" } \ No newline at end of file diff --git a/packages/translations/crowdin/messages.json b/packages/translations/crowdin/messages.json index ab87ff4983ba..d06b35c910e5 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.","1485191":"1:1000","2091451":"Deriv Bot - your automated trading partner","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","3420069":"To avoid delays, enter your <0>name and <0>date of birth exactly as they appear on your identity document.","7100308":"Hour must be between 0 and 23.","9488203":"Deriv Bot is a web-based strategy builder for trading digital options. It’s a platform where you can build your own automated trading bot using drag-and-drop 'blocks'.","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}}","27731356":"Your account is temporarily disabled. Please contact us via <0>live chat to enable deposits and withdrawals again.","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.","41737927":"Thank you","44877997":"Residence permit","45453595":"Binary Coin","45941470":"Where would you like to start?","46523711":"Your proof of identity is verified","49404821":"If you buy a \"<0>{{trade_type}}\" option, you receive a payout at expiry if the final price is {{payout_status}} the strike price. Otherwise, your “<0>{{trade_type}}” option will expire worthless.","50200731":"FX majors (standard/micro lots), FX minors, basket indices, commodities, and cryptocurrencies","53801223":"Hong Kong 50","53964766":"5. Hit Save to download your bot. You can choose to download your bot to your device or your Google Drive.","54185751":"Less than $100,000","55340304":"Keep your current contract?","55916349":"All","56764670":"Deriv Bot 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.","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","67923436":"No, Deriv Bot will stop running when your web browser is closed.","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.","76925355":"Check your bot’s performance","77945356":"Trade on the go with our mobile app.","77982950":"Vanilla options allow you to predict an upward (bullish) or downward (bearish) direction of the underlying asset by purchasing a \"Call\" or a \"Put\".","81450871":"We couldn’t find that page","82839270":"Upload the page of your passport that contains your photo.","83202647":"Collapse Block","84402478":"Where do I find the blocks I need?","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.","93154671":"1. Hit Reset at the bottom of stats panel.","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","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.","111215238":"Move away from direct light","111718006":"End date","111931529":"Max. total stake over 7 days","113378532":"ETH/USD","115032488":"Buy price and P/L","116005488":"Indicators","117056711":"We’re updating our site","117318539":"Password should have lower and uppercase English letters with numbers.","118158064":"2. Use a logic block to check if current profit/loss exceeds maximum loss. If it does, set trade again to false to prevent the bot from running another cycle.","118586231":"Document number (identity card, passport)","119261701":"Prediction:","119446122":"Contract type is not selected","120340777":"Complete your personal details","123454801":"{{withdraw_amount}} {{currency_symbol}}","124723298":"Upload a proof of address to verify your address","125443840":"6. Restart last trade on error","127307725":"A politically exposed person (PEP) is someone appointed with a prominent public position. Close associates and family members of a PEP are also considered to be PEPs.","129729742":"Tax Identification Number*","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","133284316":"Supported formats: JPEG, JPG, PNG, PDF and GIF only","133523018":"Please go to the Deposit page to get an address.","133536621":"and","133655768":"Note: If you wish to learn more about the Bot Builder, you can proceed to the <0>Tutorials tab.","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","149616444":"cTrader Demo","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.","154545319":"Country of residence is where you currently live.","157593038":"random integer from {{ start_number }} to {{ end_number }}","157871994":"Link expired","158355408":"Some services may be temporarily unavailable.","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.","174793462":"Strike","176078831":"Added","176319758":"Max. total stake over 30 days","176327749":"- Android: Tap the account, open <0>Options, and tap <0>Delete.","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","179737767":"Our legacy options trading platform.","181346014":"Notes ","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","190834737":"Guide","191372501":"Accumulation of Income/Savings","192436105":"No need for symbols, digits, or uppercase letters","192573933":"Verification complete","195972178":"Get character","196810983":"If the duration is more than 24 hours, the Cut-off time and Expiry date will apply instead.","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","203108063":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} account. ","203179929":"<0>You can open this account once your submitted documents have been verified.","203271702":"Try again","203297887":"The Quick Strategy you just created will be loaded to the workspace.","203924654":"Hit the <0>Start button to begin and follow the tutorial.","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","220019594":"Need more help? Contact us through live chat for assistance.","220186645":"Text Is empty","220232017":"demo CFDs","221261209":"A Deriv account will allow you to fund (and withdraw from) your CFDs account(s).","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.","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","243537306":"1. Under the Blocks menu, go to Utility > Variables.","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 }}","246428134":"Step-by-step guides","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.","248153700":"Reset your password","248565468":"Check your {{ identifier_title }} account email and click the link in the email to proceed.","248909149":"Send a secure link to your phone","251134918":"Account Information","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:","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.","261074187":"4. Once the blocks are loaded onto the workspace, tweak the parameters if you want, or hit Run to start trading.","261250441":"Drag the <0>Trade again block and add it into the <0>do part of the <0>Repeat until block.","262095250":"If you select <0>\"Put\", you’ll earn a payout if the final price is below the strike price at expiry. Otherwise, you won’t receive a payout.","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.","269322978":"Deposit with your local currency via peer-to-peer exchange with fellow traders in your country.","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","280021988":"Use these shortcuts","282319001":"Check your image","282564053":"Next, we'll need your proof of address.","283830551":"Your address doesn’t match your profile","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","284809500":"Financial Demo","287934290":"Are you sure you want to cancel this transaction?","289898640":"TERMS OF USE","291744889":"<0>1. Trade parameters:<0>","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","295173783":"Long/Short","301441673":"Select your citizenship/nationality as it appears on your passport or other government-issued ID.","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?","318865860":"close","318984807":"This block repeats the instructions contained within for a specific number of times.","321457615":"Oops, something went wrong!","323179846":"The time interval for each candle can be set from one minute to one day.","323209316":"Select a Deriv Bot Strategy","323360883":"Baskets","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","329353047":"Malta Financial Services Authority (MFSA) (licence no. IS/70156)","329404045":"<0>Switch to your real account<1> to create a {{platform}} {{account_title}} account.","333121115":"Select Deriv MT5's account type","333456603":"Withdrawal limits","333807745":"Click on the block you want to remove and press Delete on your keyboard.","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","345818851":"Sorry, an internal error occurred. Hit the above checkbox to try again.","347029309":"Forex: standard/micro","347039138":"Iterate (2)","347217485":"Trouble accessing Deriv MT5 on your mobile?","348951052":"Your cashier is currently locked","349047911":"Over","349110642":"<0>{{payment_agent}}<1>'s contact details","350602311":"Stats show the history of consecutive tick counts, i.e. the number of ticks the price remained within range continuously.","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","360773403":"Bot Builder","362946954":"Our legacy automated trading platform.","363576009":"- High price: the highest price","363738790":"Browser","363990763":"Sell price:","367801124":"Total assets in your Deriv accounts.","368160866":"in list","369035361":"<0>•Your account number","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.","374537470":"No results for \"{{text}}\"","375714803":"Deal Cancellation Error","377231893":"Deriv Bot is unavailable in the EU","379523479":"To avoid loss of funds, do not share tokens with the Admin scope with unauthorised parties.","380606668":"tick","380694312":"Maximum consecutive trades","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.","386191140":"You can choose between CFD trading accounts or Options and Multipliers accounts","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","393789743":"Letters, spaces, periods, hyphens, apostrophes only.","396418990":"Offline","396801529":"To start trading, top-up funds from your Deriv account into this account.","398816980":"Launch {{platform_name_trader}} in seconds the next time you want to trade.","401339495":"Verify address","401345454":"Head to the Tutorials tab to do so.","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","419485005":"Spot","419496000":"Your contract is closed automatically when your profit is more than or equals to this amount. This block can only be used with the multipliers trade type.","420072489":"CFD trading frequency","422055502":"From","424272085":"We take your financial well-being seriously and want to ensure you are fully aware of the risks before trading.<0/><0/>","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:","431267979":"Here’s a quick guide on how to use Deriv Bot on the go.","432273174":"1:100","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.","436534334":"<0>We've sent you an email.","437138731":"Create a new {{platform}} password","437453244":"Choose your preferred cryptocurrency","437485293":"File type not supported","437904704":"Maximum open positions","438067535":"Over $500,000","439398769":"This strategy is currently not compatible with Deriv Bot.","442520703":"$250,001 - $500,000","443203714":"Your contract will be closed automatically if your loss reaches this amount.","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.","454196938":"Regulation:","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.","459612953":"Select account","459817765":"Pending","460070238":"Congratulations","460975214":"Complete your Appropriateness Test","461795838":"Please contact us via live chat to unlock it.","462079779":"Resale not offered","463361726":"Select an item","465993338":"Oscar's Grind","466369320":"Your gross profit is the percentage change in market price times your stake and the multiplier chosen here.","466837068":"Yes, increase my limits","467839232":"I trade forex CFDs and other complex financial instruments regularly on other platforms.","473154195":"Settings","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","480356486":"*Boom 300 and Crash 300 Index","481276888":"Goes Outside","483279638":"Assessment Completed<0/><0/>","483551811":"Your <0>payout is the sum of your inital stake and profit.","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","492566838":"Taxpayer identification number","497518317":"Function that returns a value","498562439":"or","499522484":"1. for \"string\": 1325.68 USD","500215405":"Server maintenance starts at 01:00 GMT every Sunday and may last up to 2 hours. You may experience service disruption during this time.","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","502007051":"Demo Swap-Free SVG","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","511679687":"Accumulators allow you to express a view on the range of movement of an index and grow your stake exponentially at a fixed <0>growth rate.","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","524459540":"How do I create variables?","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","537788407":"Other CFDs Platform","538017420":"0.5 pips","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","549479175":"Deriv Multipliers","550589723":"Your stake will grow at {{growth_rate}}% per tick as long as the current spot price remains within ±{{tick_size_barrier}} from the previous spot price.","551569133":"Learn more about trading limits","554135844":"Edit","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.","555881991":"National Identity Number Slip","556264438":"Time interval","558262475":"On your MT5 mobile app, delete your existing Deriv account:","558866810":"Run your bot","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?","575702000":"Remember, selfies, pictures of houses, or non-related images will be rejected.","576355707":"Select your country and citizenship:","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?","588609216":"Repeat tour","592087722":"Employment status is required.","593459109":"Try a different currency","594937260":"Derived - BVI","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","603849445":"Strike price","603849863":"Look for the <0>Repeat While/Until, and click the + icon to add the block to the workspace area.","603899222":"Distance to current spot","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","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.","617910072":"Use your Deriv account email and password to login into the {{ platform }} platform.","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)","624668261":"You’ve just stopped the bot. Any open contracts can be viewed on the <0>Reports page.","625571750":"Entry spot:","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.","628193133":"Account ID","629145209":"In case if the \"AND\" operation is selected, the block returns \"True\" only if both given values are \"True\"","629395043":"All growth rates","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","644150241":"The number of contracts you have won since you last cleared your stats.","645016681":"Trading frequency in other financial instruments","645902266":"EUR/NZD","647039329":"Proof of address required","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 }}","648035589":"Other CFD Platforms","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.","656296740":"While “Deal cancellation” is active:","656893085":"Timestamp","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.","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/>","662548260":"Forex, Stock indices, Commodities and Cryptocurrencies","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\".","666724936":"Please enter a valid ID number.","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 }}","680334348":"This block was required to correctly convert your old strategy.","680478881":"Total withdrawal limit","681808253":"Previous spot price","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","686312916":"Trading accounts","686387939":"How do I clear my transaction log?","687193018":"Slippage risk","687212287":"Amount is a required field.","688510664":"You've {{two_fa_status}} 2FA on this device. You'll be logged out of your account on other devices (if any). Use your password and a 2FA code to log back in.","689137215":"Purchase price","691956534":"<0>You have added a {{currency}} account.<0> Make a deposit now to start trading.","693396140":"Deal cancellation (expired)","694035561":"Trade options multipliers","696870196":"- Open time: the opening time stamp","697630556":"This market is presently closed.","698037001":"National Identity Number","699159918":"1. Filing complaints","699646180":"A minimum deposit value of <0>{{minimum_deposit}} {{currency}} is required. Otherwise, the funds will be lost and cannot be recovered.","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","702451070":"National ID (No Photo)","702561961":"Change theme","705299518":"Next, upload the page of your passport that contains your photo.","706413212":"To access the cashier, you are now in your {{regulation}} {{currency}} ({{loginid}}) account.","706727320":"Binary options trading frequency","706755289":"This block performs trigonometric functions.","706960383":"We’ll offer to buy your contract at this price should you choose to sell it before its expiry. This is based on several factors, such as the current spot price, duration, etc. However, we won’t offer a contract value if the remaining duration is below 60 seconds.","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.","724526379":"Learn more with our tutorials","728042840":"To continue trading with us, please confirm where you live.","728824018":"Spanish Index","729651741":"Choose a photo","730473724":"This block performs the \"AND\" or the \"OR\" logic operation with the given values.","731382582":"BNB/USD","734390964":"Insufficient balance","734881840":"false","742469109":"Reset Balance","742676532":"Trade CFDs on forex, derived indices, cryptocurrencies, and commodities with high leverage.","743623600":"Reference","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","750886728":"Switch to your real account to submit your documents","751468800":"Start now","751692023":"We <0>do not guarantee a refund if you make a wrong transfer.","752024971":"Reached maximum number of digits","752992217":"This block gives you the selected constant values.","753088835":"Default","753184969":"In providing our services to you, we are required to obtain information from you in order to assess whether a given product or service is appropriate for you (that is, whether you possess the experience and knowledge to understand the risks involved).<0/><1/>","753727511":"Type","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","762926186":"A quick strategy is a ready-made strategy that you can use in Deriv Bot. There are 3 quick strategies you can choose from: Martingale, D'Alembert, and Oscar's Grind.","763019867":"Your Gaming account is scheduled to be closed","764366329":"Trading limits","766317539":"Language","770171141":"Go to {{hostname}}","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)","775706054":"Do you sell trading bots?","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","787727156":"Barrier","788005234":"NA","792164271":"This is when your contract will expire based on the Duration or End time you’ve selected.","792622364":"Negative balance protection","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.","793826881":"This is your personal start page for Deriv","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","806165583":"Australia 200","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.","812430133":"Spot price on the previous tick.","812775047":"below the barrier","814827314":"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.","815925952":"This block is mandatory. Only one copy of this block is allowed. It is added to the canvas by default when you open Deriv Bot.","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","821163626":"Server maintenance occurs every first Saturday of the month from 7 to 10 GMT time. You may experience service disruption during this time.","823186089":"A block that can contain text.","824797920":"Is list empty?","825042307":"Let’s try again","826511719":"USD/SEK","827688195":"Disable Block","828219890":"then","828602451":"Returns the list of tick values in string format","830164967":"Last name","830703311":"My profile","830993327":"No current transactions available","832053636":"Document submission","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","835336137":"View Detail","835350845":"Add another word or two. Uncommon words are better.","836097457":"I am interested in trading but have very little experience.","837063385":"Do not send other currencies to this address.","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","840672750":"If this doesn’t work, uninstall and re-install the MT5 app. Then redo steps <0>2 and <0>3.","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.","848083350":"Your payout is equal to the <0>payout per point multiplied by the difference between the final price and the strike price. You will only earn a profit if your payout is higher than your initial stake.","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.","852527030":"Step 2","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","869068127":"The cashier is temporarily down due to maintenance. It will be available as soon as the maintenance is complete.","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}}?","872721776":"2. Select your XML file and hit Select.","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.","875101277":"If I close my web browser, will Deriv Bot continue to run?","875532284":"Restart process on a different device","876086855":"Complete the financial assessment form","876292912":"Exit","879014472":"Reached maximum number of decimals","879647892":"You may sell the contract up until 60 seconds before expiry. If you do, we’ll pay you the <0>contract value.","881963105":"(XAUUSD, XAGUSD)","885065431":"Get a Deriv account","888274063":"Town/City","888924866":"We don’t accept the following inputs for:","890299833":"Go to Reports","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.","898904393":"Barrier:","900646972":"page.","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.","907680782":"Proof of ownership verification failed","909272635":"Financial - SVG","910888293":"Too many attempts","911048905":"(BTCUSD, ETHUSD)","912406629":"Follow these steps:","912967164":"Import from your computer","915735109":"Back to {{platform_name}}","918447723":"Real","920125517":"Add demo account","921901739":"- your account details of the bank linked to your account","924046954":"Upload a document showing your name and bank account number or account details.","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.","938947787":"Withdrawal {{currency}}","938988777":"High barrier","943535887":"Please close your positions in the following Deriv MT5 account(s):","944499219":"Max. open positions","945532698":"Contract sold","946204249":"Read","946841802":"A white (or green) candle indicates that the open price is lower than the close price. This represents an upward movement of the market price.","946944859":"Hit the button below and we'll send you an email with a link. Click that link to verify your withdrawal request.","947046137":"Your withdrawal will be processed within 24 hours","947363256":"Create list","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948176566":"New!","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","961178214":"You can only purchase one contract at a time","961266215":"140+","961327418":"My computer","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","975668699":"I confirm and accept {{company}} 's <0>Terms and Conditions","975950139":"Country of Residence","977929335":"Go to my account settings","981138557":"Redirect","981568830":"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 <0>live chat.","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","983451828":"2. Select the asset and trade type.","987224688":"How many trades have you placed with other financial instruments in the past 12 months?","988064913":"4. Come back to Deriv Bot and add the Notify Telegram block to the workspace. Paste the Telegram API token and chat ID into the block fields accordingly.","988361781":"You have no trading activity yet.","988934465":"When prompted, you must enable camera access to continue","990739582":"170+","992294492":"Your postal code is invalid","992677950":"Logging out on other devices","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.","1010337648":"We were unable to verify your proof of ownership.","1011424042":"{{text}}. stake<0/>","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","1021679446":"Multipliers only","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","1025887996":"Negative Balance Protection","1026046972":"Please enter a payout amount that's lower than {{max_payout}}.","1026289179":"Trade on the go","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","1033076894":"- current profit/loss: Use this variable to store the cumulative profit or loss while your bot is running. Set the initial value to 0.","1035893169":"Delete","1036116144":"Speculate on the price movement of an asset without actually owning it.","1036867749":"The desired duration, stake, prediction, and/or barrier(s) for the contract is defined here.","1038575777":"Change password","1039428638":"EU regulation","1039755542":"Use a few words, avoid common phrases","1040472990":"1. Go to Bot Builder.","1040677897":"To continue trading, you must also submit a proof of address.","1041001318":"This block performs the following operations on a given list: sum, minimum, maximum, average, median, mode, antimode, standard deviation, random item.","1041620447":"If you are unable to scan the QR code, you can manually enter this code instead:","1042659819":"You have an account that needs action","1043790274":"There was an error","1044540155":"100+","1044599642":"<0> has been credited into your {{platform}} {{title}} account.","1045704971":"Jump 150 Index","1045782294":"Click the <0>Change password button to change your Deriv password.","1047389068":"Food Services","1047881477":"Unfortunately, your browser does not support the video.","1048687543":"Labuan Financial Services Authority","1048947317":"Sorry, this app is unavailable in {{clients_country}}.","1049384824":"Rise","1050063303":"Videos on Deriv Bot","1050128247":"I confirm that I have verified the payment agent’s transfer information.","1050844889":"Reports","1052779010":"You are on your demo account","1053153674":"Jump 50 Index","1053159279":"Level of education","1053556481":"Once you submit your complaint, we will send you an acknowledgement email to confirm that we have received it.","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.","1058804653":"Expiry","1060231263":"When are you required to pay an initial margin?","1061308507":"Purchase {{ contract_type }}","1062423382":"Explore the video guides and FAQs to build your bot in the tutorials tab.","1062536855":"Equals","1065353420":"110+","1065498209":"Iterate (1)","1066235879":"Transferring funds will require you to create a second account.","1066459293":"4.3. Acknowledging your complaint","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","1073261747":"Verifications","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","1087112394":"You must select the strike price before entering the contract.","1088031284":"Strike:","1088138125":"Tick {{current_tick}} - ","1089085289":"Mobile number","1089436811":"Tutorials","1089687322":"Stop your current bot?","1090041864":"The {{block_type}} block is mandatory and cannot be deleted/disabled.","1095295626":"<0>•The Arbiter for Financial Services will determine whether the complaint can be accepted and is in accordance with the law.","1096078516":"We’ll review your documents and notify you of its status within 3 days.","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.","1100133959":"National ID","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","1114679006":"You have successfully created your bot using a simple strategy.","1117281935":"Sell conditions (optional)","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§","1127224297":"Sorry for the interruption","1128139358":"How many CFD trades have you placed in the past 12 months?","1128321947":"Clear All","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","1138126442":"Forex: standard","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.","1150637063":"*Volatility 150 Index and Volatility 250 Index","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).","1155626418":"below","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","1163771266":"The third block is <0>optional. You may use this block if you want to sell your contract before it expires. For now, leave the block as it is. ","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}}","1171765024":"Step 3","1171961126":"trade parameters","1172524677":"CFDs Demo","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с.","1184968647":"Close your contract now or keep it running. If you decide to keep it running, you can check and close it later on the ","1188316409":"To receive your funds, contact the payment agent with the details below","1188980408":"5 minutes","1189249001":"4.1. What is considered a complaint?","1189368976":"Please complete your personal details before you verify your identity.","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.","1192708099":"Duration unit","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1196683606":"Deriv MT5 CFDs demo account","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\".","1206227936":"How to mask your card?","1206821331":"Armed Forces","1207152000":"Choose a template and set your trade parameters.","1208714859":"For Short:","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","1217159705":"Bank account number","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","1234764730":"Upload a screenshot of your name and email address from the personal details section.","1235426525":"50%","1237330017":"Pensioner","1238311538":"Admin","1239752061":"In your cryptocurrency wallet, make sure to select the <0>{{network_name}} network when you transfer funds to Deriv.","1239760289":"Complete your trading assessment","1239940690":"Restarts the bot when an error is encountered.","1240027773":"Please Log in","1240688917":"Glossary","1241238585":"You may transfer between your Deriv fiat, cryptocurrency, and {{platform_name_mt5}} accounts.","1242288838":"Hit the checkbox above to choose your document.","1242994921":"Click here to start building your Deriv Bot.","1243064300":"Local","1243287470":"Transaction status","1246207976":"Enter the authentication code generated by your 2FA app:","1246880072":"Select issuing country","1247280835":"Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.","1248018350":"Source of income","1248940117":"<0>a.The decisions made by the DRC are binding on us. DRC decisions are binding on you only if you accept them.","1250495155":"Token copied!","1252669321":"Import from your Google Drive","1253531007":"Confirmed","1254565203":"set {{ variable }} to create list with","1255827200":"You can also import or build your bot using any of these shortcuts.","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","1264842111":"You can switch between real and demo accounts.","1265704976":"","1269296089":"Let's build a Bot!","1270581106":"If you select \"No Touch\", you win the payout if the market never touches the barrier at any time during the contract period.","1271461759":"Your contract will be closed automatically if your profit reaches this amount.","1272012156":"GBP/CHF","1272337240":"Days","1272681097":"Hours","1274819385":"3. Complaints and Disputes","1281045211":"Sorts the items in a given list, by their numeric or alphabetical value, in either ascending or descending order.","1281290230":"Select","1282951921":"Only Downs","1284522768":"If \"Loss\" is selected, it will return \"True\" if your last trade was unsuccessful. Otherwise, it will return an empty string.","1286094280":"Withdraw","1286507651":"Close identity verification screen","1288965214":"Passport","1289146554":"British Virgin Islands Financial Services Commission","1289646209":"Margin call","1290525720":"Example: ","1291887623":"Digital options trading frequency","1291997417":"Contracts will expire at exactly 23:59:59 GMT on your selected expiry date.","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.","1304807342":"Compare CFDs demo accounts","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","1309133590":"Earn a range of payouts by correctly predicting market movements with <0>options, or get the upside of CFDs without risking more than your initial stake with <1>multipliers.","1309186223":"- current stake: Use this variable to store the stake amount used in the last contract. You can assign any amount you want, but it must be a positive number.","1310483610":"Results for \"{{ search_term }}\"","1311680770":"payout","1313167179":"Please log in","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.","1323941798":"Short","1323996051":"Profile","1324922837":"2. The new variable will appear as a block under Set variable.","1325514262":"(licence no. MB/18/0024)","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","1336052175":"Switch accounts","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","1339613797":"Regulator/External dispute resolution","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 }}","1356373528":"Run Deriv EZ on your browser","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","1358543748":"enabled","1359424217":"You have sold this contract at <0 />","1360929368":"Add a Deriv account","1362578283":"High","1363060668":"Your trading statistics since:","1363645836":"Derived FX","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","1370647009":"Enjoy higher daily limits","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","1375884086":"Financial, legal, or government document: recent bank statement, affidavit, or government-issued letter.","1376329801":"Last 60 days","1378419333":"Ether","1380349261":"Range","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","1400341216":"We’ll review your documents and notify you of its status within 1 to 3 days.","1400732866":"View from camera","1402208292":"Change text case","1403376207":"Update my details","1405584799":"with interval: {{ candle_interval_type }}","1407191858":"DTrader","1408844944":"Click the plus icon to extend the functionality of this block.","1411373212":"Strong passwords contain at least 8 characters. combine uppercase and lowercase letters, numbers, and symbols.","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","1415513655":"Download cTrader on your phone to trade with the Deriv cTrader account","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","1423296980":"Enter your SSNIT number","1424741507":"See more","1424779296":"If you've recently used bots but don't see them in this list, it may be because you:","1428657171":"You can only make deposits. Please contact us via <0>live chat for more information.","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.","1433468641":"We offer our services in all countries, except for the ones mentioned in our terms and conditions.","1434382099":"Displays a dialog window with a message","1434767075":"Get started on Deriv Bot","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","1444843056":"Corporate Affairs Commission","1445592224":"You accidentally gave us another email address (Usually a work or a personal one instead of the one you meant).","1446742608":"Click here if you ever need to repeat this tour.","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.","1454406889":"Choose <0>until as the repeat option.","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","1458160370":"Enter your {{platform}} password to add a {{platform_name}} {{account}} {{jurisdiction_shortcode}} account.","1459761348":"Submit proof of identity","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","1467880277":"3. General queries","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}}","1469133110":"cTrader Windows app","1469150826":"Take Profit","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1471008053":"Deriv Bot isn't quite ready for real accounts","1471070549":"Can contract be sold?","1471741480":"Severe error","1473369747":"Synthetics only","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","1480915523":"Skip","1481977420":"Please help us verify your withdrawal request.","1483470662":"Click ‘Open’ to start trading with your account","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","1488548367":"Upload again","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","1505927599":"Our servers hit a bump. Let’s refresh to move on.","1509559328":"cTrader","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","1516834467":"‘Get’ the accounts you want","1517503814":"Drop file or click here to upload","1519124277":"Derived SVG","1519891032":"Welcome to Trader's Hub","1520332426":"Net annual income","1524636363":"Authentication failed","1526483456":"2. Enter a name for your variable, and hit Create. New blocks containing your new variable will appear below.","1527251898":"Unsuccessful","1527664853":"Your payout is equal to the payout per point multiplied by the difference between the final price and the strike price.","1527906715":"This block adds the given number to the selected variable.","1531017969":"Creates a single text string from combining the text value of each attached item, without spaces in between. The number of items can be added accordingly.","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.","1540585098":"Decline","1541508606":"Looking for CFDs? Go to Trader's Hub","1541969455":"Both","1542742708":"Synthetics, Forex, Stocks, Stock indices, Commodities, and Cryptocurrencies","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.","1547148381":"That file is too big (only up to 8MB allowed). Please upload another file.","1548765374":"Verification of document number failed","1549098835":"Total withdrawn","1551172020":"AUD Basket","1552162519":"View onboarding","1555345325":"User Guide","1557426040":"Demo Derived SVG","1557682012":"Account Settings","1557904289":"We accept only these types of documents as proof of your address. The document must be recent (issued within last 6 months) and include your name and address:","1558972889":"set {{ variable }} to Simple Moving Average {{ dummy }}","1559220089":"Options and multipliers trading platform.","1560302445":"Copied","1562374116":"Students","1562982636":"Re-add your MT5 account using the same log in credentials.","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}})","1566717687":"We also provide a guide on the Tutorial tab to show you how you can build and execute a simple strategy.","1567076540":"Only use an address for which you have proof of residence - ","1567586204":"Self-exclusion","1567745852":"Bot name","1569624004":"Dismiss alert","1570484627":"Ticks list","1571303610":"3. Set your trade parameters and hit Create.","1571575776":"Accepted formats: pdf, jpeg, jpg, and png. Max file size: 8MB","1572504270":"Rounding operation","1572982976":"Server","1573429525":"Call/Put","1573533094":"Your document is pending for verification.","1574989243":"- trade again: Use this variable to stop trading when your loss limit is reached. Set the initial value to true.","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","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","1589148299":"Start","1589640950":"Resale of this contract is not offered.","1589702653":"Proof of address","1590400723":"Total assets in all your accounts","1591933071":"Resubmit document","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.","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","1612638396":"Cancel your trade at any time within a specified timeframe.","1613633732":"Interval should be between 10-60 minutes","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","1622944161":"Now, go to the <0>Restart trading conditions block.","1623706874":"Use this block when you want to use multipliers as your trade type.","1628981793":"Can I trade cryptocurrencies on Deriv Bot?","1630417358":"Please go to your account settings and complete your personal details to enable withdrawals.","1631281562":"GBP Basket","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.","1635628424":"An envelope with your name and address.","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.","1644636153":"Transaction hash: <0>{{value}}","1644703962":"Looking for CFD accounts? Go to Trader's Hub","1644864436":"You’ll need to authenticate your account before requesting to become a professional client. <0>Authenticate my account","1644908559":"Digit code is required.","1647186767":"The bot encountered an error while running.","1648938920":"Netherlands 25","1649239667":"2. Under the Blocks menu, you'll see a list of categories. Blocks are grouped within these categories. Choose the block you want and drag them to the workspace.","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","1654721858":"Upload anyway","1655627840":"UPPER CASE","1656155124":"Resend in <0 /> seconds","1658954996":"Plant and Machine Operators and Assemblers","1659074761":"Reset Put","1659352235":"Add your Deriv MT5 CFDs account under Deriv Investments (Europe) Limited, regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156).","1665272539":"Remember: You cannot log in to your account until the selected date.","1665738338":"Balance","1665756261":"Go to live chat","1668138872":"Modify account settings","1670016002":"Multiplier: {{ multiplier }}","1670426231":"End Time","1671232191":"You have set the following limits:","1674163852":"You can determine the expiry of your contract by setting the duration or end time.","1675030608":"To create this account first we need you to resubmit your proof of address.","1675289747":"Switched to real account","1676549796":"Dynamic Leverage","1677027187":"Forex","1677990284":"My apps","1679743486":"1. Go to Quick strategy and select the strategy you want.","1680666439":"Upload your bank statement showing your name, account number, and transaction history.","1682409128":"Untitled Strategy","1682636566":"Resend email in","1683522174":"Top-up","1683963454":"Your contract will be closed automatically at the next available asset price on {{date}} at {{timestamp}}.","1684419981":"What's this?","1686800117":"{{error_msg}}","1687173740":"Get more","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.","1691335819":"To continue trading with us, please confirm who you are.","1691765860":"- Negation","1692912479":"Deriv MT5, Deriv X","1693614409":"Start time","1694331708":"You can switch between CFDs, digital options, and multipliers at any time.","1694517345":"Enter a new email address","1698624570":"2. Hit Ok to confirm.","1700233813":"Transfer from {{selected_value}} is not allowed, Please choose another account from dropdown","1701447705":"Please update your address","1702339739":"Common mistakes","1703091957":"We collect information about your employment as part of our due diligence obligations, as required by anti-money laundering legislation.","1704656659":"How much experience do you have in CFD trading?","1708413635":"For your {{currency_name}} ({{currency}}) account","1709401095":"Trade CFDs on Deriv X with financial markets and our Derived indices.","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","1717023554":"Resubmit documents","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","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.","1725958461":"Account number","1726472773":"Function with no return value","1726565314":"Close my account","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","1733711201":"Regulators/external dispute resolution","1734185104":"Balance: %1","1734264460":"Disclaimer","1736292549":"Update postal code","1737352280":"Bot.init is not called","1738094481":"<0>Duration: Ticks 1","1738681493":"Remove your glasses, if necessary","1739086943":"Wall Street 30","1739384082":"Unemployed","1739668049":"Close your account","1740371444":"Underlying market is not selected","1742256256":"Please upload one of the following documents:","1743448290":"Payment agents","1743679873":"If you select <0>\"Call\", you’ll earn a <1>payout if the <1>final price is above the <1>strike price at <1>expiry. Otherwise, you won’t receive a payout.","1743902050":"Complete your financial assessment","1744509610":"Just drag the XML file from your computer onto the workspace, and your bot will be loaded accordingly. Alternatively, you can hit Import in Bot Builder, and choose to import your bot from your computer or from your Google Drive.","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:","1753183432":"We take all complaints seriously and aim to resolve them as quickly and fairly as possible. If you are unhappy with any aspect of our service, please let us know by submitting a complaint using the guidance below:","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","1762746301":"MF4581125","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","1768293340":"Contract value","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","1777847421":"This is a very common password","1778893716":"Click here","1779144409":"Account verification required","1779519903":"Should be a valid number.","1780442963":"Scan the QR code to download {{ platform }}.","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","1783526986":"How do I build a trading bot?","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.","1788515547":"<0/>For more information on submitting a complaint with the Office of the Arbiter for Financial Services, please <1>see their guidance.","1788966083":"01-07-1999","1789273878":"Payout per point","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","1791017883":"Check out this <0>user guide.","1791432284":"Search for country","1791971912":"Recent","1793913365":"To deposit money, please switch to your {{currency_symbol}} account.","1794815502":"Download your transaction history.","1796787905":"Please upload the following document(s).","1798943788":"You can only make deposits.","1801093206":"Get candle list","1801270786":"Ready to automate your trading strategy without writing any code? You’ve come to the right place.","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","1806017862":"Max. ticks","1806355993":"No commission","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","1812006199":"Identity verification","1812582011":"Connecting to server","1813700208":"Boom 300 Index","1813958354":"Remove comment","1815034361":"alphabetic","1815905959":"DTrader, DBot, SmartTrader, and Binary Bot","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","1821818748":"Enter Driver License Reference number","1823177196":"Most popular","1824193700":"This block gives you the last digit of the latest tick value.","1824292864":"Call","1827607208":"File not uploaded.","1828370654":"Onboarding","1830520348":"{{platform_name_dxtrade}} Password","1831847842":"I confirm that the name and date of birth above match my chosen identity document (see below)","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 }}","1841381387":"Get more wallets","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","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.","1856755117":"Pending action required","1856932069":"For Long:","1858251701":"minute","1859308030":"Give feedback","1863053247":"Please upload your identity document.","1863694618":"Trade CFDs on MT5 with forex, stocks, stock indices, commodities, and cryptocurrencies.","1863731653":"To receive your funds, contact the payment agent","1865525612":"No recent transactions.","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","1871377550":"Do you offer pre-built trading bots on Deriv Bot?","1871664426":"Note","1873838570":"Please verify your address","1874481756":"Use this block to purchase the specific contract you want. You may add multiple Purchase blocks together with conditional blocks to define your purchase conditions. This block can only be used within the Purchase conditions block.","1874756442":"BVI","1875702561":"Load or build your bot","1876015808":"Social Security and National Insurance Trust","1876325183":"Minutes","1877225775":"Your proof of address is verified","1877410120":"What you need to do now","1877832150":"# from end","1878172674":"No, we don't. However, you'll find quick strategies on Deriv Bot that'll help you build your own trading bot for free.","1879042430":"Appropriateness Test, WARNING:","1879412976":"Profit amount: <0>{{profit}}","1879651964":"<0>Pending verification","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":"#","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.","1893869876":"(lots)","1894667135":"Please verify your proof of address","1898670234":"{{formatted_opening_time}} (GMT) on {{opening_day}},<0> {{opening_date}}.","1899898605":"Maximum size: 8MB","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.","1906213000":"Our system will finish any Deriv Bot trades that are running, and Deriv Bot will not place any new trades.","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.","1917178459":"Bank Verification Number","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.)","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.","1919694313":"To start trading, transfer funds from your Deriv account into this account.","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}}.","1926987784":"- iOS: Swipe left on the account and tap <0>Delete.","1928930389":"GBP/NOK","1929309951":"Employment Status","1929379978":"Switch between your demo and real accounts.","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.","1934450653":"For <0>Contract type, set it to Both.","1938327673":"Deriv {{platform}} <0>{{is_demo}}","1939014728":"How do I remove blocks from the workspace?","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","1970060713":"You’ve successfully deleted a bot.","1971898712":"Add or manage account","1973060793":"- maximum loss: Use this variable to store your maximum loss limit. You can assign any amount you want, but it must be a positive number.","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.","1973910243":"Manage your accounts","1974273865":"This scope will allow third-party apps to view your account activity, settings, limits, balance sheets, trade purchase history, and more.","1974903951":"If you hit Yes, the info you entered will be lost.","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.","1983358602":"This policy, which may change from time to time, applies to your account registered with {{legal_entity_name}}.","1983387308":"Preview","1983480826":"Sign in","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","1990331072":"Proof of ownership","1990735316":"Rise Equals","1991055223":"View the market price of your favourite assets.","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.","1997313835":"Your stake will continue to grow as long as the current spot price remains within a specified <0>range from the <0>previous spot price. Otherwise, you lose your stake and the trade is terminated.","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. ","1999346412":"For faster verification, input the same address here as in your proof of address document (see section below)","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.","2010759971":"Uploads successful","2010866561":"Returns the total profit/loss","2011609940":"Please input number greater than 0","2011808755":"Purchase Time","2014536501":"Card number","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.","2021161151":"Watch this video to learn how to build a trading bot on Deriv Bot. Also, check out this blog post on building a trading bot.","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","2029641956":"CFDCompareAccounts","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}}","2037607934":"The purchase of <0>{{trade_type_name}} contract has been completed successfully for the amount of <0> {{buy_price}} {{currency}}","2037665157":"Expand All Blocks","2037906477":"get sub-list from #","2042023623":"We’re reviewing your documents. This should take about 5 minutes.","2042050260":"- Purchase price: the purchase price (stake) of the contract","2042115724":"Upload a screenshot of your account and personal details page with your name, account number, phone number, and email address.","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","2046577663":"Import or choose your bot","2048110615":"Email address*","2048134463":"File size exceeded.","2049386104":"We need you to submit these in order to get this account:","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","2059365224":"Yes, you can get started with a pre-built bot using the Quick strategy feature. You’ll find some of the most popular trading strategies here: Martingale, D'Alembert, and Oscar's Grind. Just select the strategy, enter your trade parameters, and your bot will be created for you. You can always tweak the parameters later.","2059753381":"Why did my verification fail?","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","2070345146":"When opening a leveraged CFD trade.","2070518923":"Import your bot or tap Quick Strategies to choose from the ready-to-use bot templates.","2070752475":"Regulatory Information","2071043849":"Browse","2073813664":"CFDs, Options or Multipliers","2074235904":"Last name is required.","2074497711":"The Telegram notification could not be sent","2074713563":"4.2. Submission of a complaint","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.","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","2089581483":"Expires on","2090650973":"The spot price may change by the time your order reaches our servers. When this happens, your payout may be affected.","2091671594":"Status","2093675079":"- Close: the closing price","2096014107":"Apply","2096456845":"Date of birth*","2096603244":"Derived - Vanuatu","2097170986":"About Tether (Omni)","2097365786":"A copy of your identity document (identity card, passport)","2097381850":"Calculates Simple Moving Average line from a list with a period","2097932389":"Upload 2 separate screenshots from the personal details page and the account page via <0>https://app.astropay.com/profile","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","2104364680":"Please switch to your demo account to run your Deriv Bot.","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","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:","2119710534":"FAQ","2121227568":"NEO/USD","2122152120":"Assets","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","2146698770":"Pro tip: You can also click and drag out the desired block","2146892766":"Binary options trading experience","2147244655":"How do I import my own trading bot into Deriv Bot?","-1232613003":"<0>Verification failed. <1>Why?","-2029508615":"<0>Need verification.<1>Verify now","-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","-1823540512":"Personal details","-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","-1227878799":"Speculative","-1196936955":"Upload a screenshot of your name and email address from the personal information section.","-1286823855":"Upload your mobile bill statement showing your name and phone number.","-1309548471":"Upload your bank statement showing your name and account details.","-1410396115":"Upload a photo showing your name and the first six and last four digits of your card number. If the card does not display your name, upload the bank statement showing your name and card number in the transaction history.","-3805155":"Upload a screenshot of either of the following to process the transaction:","-1523487566":"- your account profile section on the website","-613062596":"- the Account Information page on the app","-1718304498":"User ID","-609424336":"Upload a screenshot of your name, account number, and email address from the personal details section of the app or profile section of your account on the website.","-1954436643":"Upload a screenshot of your username on the General Information page at <0>https://onlinenaira.com/members/index.htm","-79853954":"Upload a screenshot of your account number and phone number on the Bank Account/Mobile wallet page at <0>https://onlinenaira.com/members/bank.htm","-1192882870":"Upload a screenshot of your name and account number from the personal details section.","-1120954663":"First name*","-1659980292":"First name","-962979523":"Your {{ field_name }} as in your identity document","-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","-766265812":"first name","-1857534296":"John","-1282749116":"last name","-1485480657":"Other details","-1784741577":"date of birth","-1702919018":"Second line of address (optional)","-1315410953":"State/Province","-2040322967":"Citizenship","-344715612":"Employment status*","-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.","-946282997":"Additional information","-1315571766":"Place of birth","-789291456":"Tax residence*","-1692219415":"Tax residence","-1903720068":"The country in which you meet the criteria for paying taxes. Usually the country in which you physically reside.","-651516152":"Tax Identification Number","-1387062433":"Account opening reason","-222283483":"Account opening reason*","-1113902570":"Details","-71696502":"Previous","-1541554430":"Next","-987011273":"Your proof of ownership isn't required.","-808299796":"You are not required to submit proof of ownership at this time. We will inform you if proof of ownership is required in the future.","-179726573":"We’ve received your proof of ownership.","-813779897":"Proof of ownership verification passed.","-638756912":"Black out digits 7 to 12 of the card number that’s shown on the front of your debit/credit card.⁤","-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.","-684271315":"OK","-740157281":"Trading Experience Assessment","-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}}","-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","-2145244263":"This field is required","-884768257":"You should enter 0-35 characters.","-1784470716":"State is not in a proper format","-1699820408":"Please enter a {{field_name}} under {{max_number}} characters.","-1575567374":"postal/ZIP code","-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.","-1174064217":"Mr","-855506127":"Ms","-1037916704":"Miss","-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.","-1024240099":"Address","-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.","-179005984":"Save","-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}}","-839094775":"Back","-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","-937707753":"Go Back","-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","-1725454783":"Failed","-506510414":"Date and time","-1708927037":"IP address","-619126443":"Use the <0>Deriv password to log in to {{brand_website_name}} and {{platform_name_trader}}.","-623760979":"Use the <0>Deriv password to log in to {{brand_website_name}}, {{platform_name_trader}} and {{platform_name_go}}.","-459147994":"Use the <0>Deriv password to log in to {{brand_website_name}}, {{platform_name_go}}, {{platform_name_trader}}, {{platform_name_smarttrader}}, {{platform_name_dbot}} and {{platform_name_ctrader}}.","-80717068":"Apps you have linked to your <0>Deriv password:","-9570380":"Use the {{platform_name_dxtrade}} password to log in to your {{platform_name_dxtrade}} accounts on the web and mobile apps.","-2131200819":"Disable","-200487676":"Enable","-1840392236":"That's not the right code. Please try again.","-2067796458":"Authentication 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!","-1592318047":"See example","-1376950117":"That file format isn't supported. Please upload .pdf, .png, .jpg, or .jpeg files only.","-1272489896":"Please complete this field.","-397487797":"Enter your full card number","-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","-1497654315":"Our accounts and services are unavailable for the Jersey postal code.","-755626951":"Complete your address details","-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.","-212167954":"Tax Identification Number is not properly formatted.","-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.","-860053164":"When trading multipliers.","-1250327770":"When buying shares of a company.","-1222388581":"All of the above.","-477761028":"Voter ID","-1466346630":"CPF","-1515286538":"Please enter your document number. ","-1694758788":"Enter your document number","-1458676679":"You should enter 2-50 characters.","-1176889260":"Please select a document type.","-1030759620":"Government Officers","-612752984":"These are default limits that we apply to your accounts.","-1598263601":"To learn more about trading limits and how they apply, please go to the <0>Help Centre.","-1411635770":"Learn more about account limits","-1340125291":"Done","-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.","-173346300":"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","-1940457555":"Postal/ZIP Code*","-1964954030":"Postal/ZIP Code","-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","-1076138910":"Trade","-1666909852":"Payments","-488597603":"Trading information","-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.","-2005211699":"Create","-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.","-184202848":"Upload file","-1447142373":"Click here to upload.","-863586176":"Drag and drop a file or click to browse your files.","-723198394":"File size should be 8MB or less","-1948369500":"File uploaded is not supported","-1040865880":"Drop files here..","-1100235269":"Industry of employment","-684388823":"Estimated net worth","-509054266":"Anticipated annual turnover","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1117345066":"Choose the document type","-651192353":"Sample:","-1044962593":"Upload Document","-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","-1982432743":"It appears that the address in your document doesn’t match the address\n in your Deriv profile. Please update your personal details now with the\n correct address.","-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.","-1088324715":"We’ll review your documents and notify you of its status within 1 - 3 working days.","-329713179":"Ok","-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.","-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","-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:","-155705811":"A clear colour photo or scanned image","-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","-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.","-1598167506":"Success","-1077809489":"You have a new {{platform}} password to log in to your {{platform}} accounts on the web and mobile apps.","-2068479232":"{{platform}} password","-1332137219":"Strong passwords contain at least 8 characters that include uppercase and lowercase letters, numbers, and symbols.","-1597186502":"Reset {{platform}} password","-848721396":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. If you live in the United Kingdom, Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request. If you live in the Isle of Man, Customer Support can only remove or weaken your trading limits after your trading limit period has expired.","-469096390":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request.","-42808954":"You can also exclude yourself entirely for a specified duration. This can only be removed once your self-exclusion has expired. If you wish to continue trading once your self-exclusion period expires, you must contact Customer Support by calling <0>+447723580049 to lift this self-exclusion. Requests by chat or email shall not be entertained. There will be a 24-hour cooling-off period before you can resume trading.","-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.","-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.","-818898181":"Name in document doesn’t match your Deriv profile.","-310316375":"Address in document doesn’t match address you entered above.","-485368404":"Document issued more than 6-months ago.","-367016488":"Blurry document. All information must be clear and visible.","-1957076143":"Cropped document. All information must be clear and visible.","-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","-254792921":"You can only make deposits at the moment. To enable withdrawals, please complete your financial assessment.","-1437017790":"Financial information","-70342544":"We’re legally obliged to ask for your financial information.","-39038029":"Trading experience","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-1743024217":"Select Language","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-1526404112":"Utility bill: electricity, water, gas, or landline phone bill.","-537552700":"Home rental agreement: valid and current agreement.","-890084320":"Save and submit","-30772747":"Your personal details have been saved successfully.","-1107320163":"Automate your trading, no coding needed.","-829643221":"Multipliers trading platform.","-1585707873":"Financial Commission","-199154602":"Vanuatu Financial Services Commission","-191165775":"Malta Financial Services Authority","-194969520":"Counterparty company","-1089385344":"Deriv (SVG) LLC","-2019617323":"Deriv (BVI) Ltd","-112814932":"Deriv (FX) Ltd","-1131400885":"Deriv Investments (Europe) Limited","-1471207907":"All assets","-781132577":"Leverage","-1591882610":"Synthetics","-543177967":"Stock indices","-362324454":"Commodities","-1071336803":"Platform","-820028470":"Options & Multipliers","-1018945969":"TradersHub","-1856204727":"Reset","-213142918":"Deposits and withdrawals temporarily unavailable ","-224804428":"Transactions","-1186807402":"Transfer","-1308346982":"Derived","-1145604233":"Trade CFDs on MT5 with Derived indices that simulate real-world market movements.","-328128497":"Financial","-1484404784":"Trade CFDs on MT5 with forex, stock indices, commodities, and cryptocurrencies.","-659955365":"Swap-Free","-674118045":"Trade swap-free CFDs on MT5 with synthetics, forex, stocks, stock indices, cryptocurrencies, and ETFs.","-1210359945":"Transfer funds to your accounts","-81256466":"You need a Deriv account to create a CFD account.","-699372497":"Trade with leverage and tight spreads for better returns on successful trades. <0>Learn more","-1884966862":"Get more Deriv MT5 account with different type and jurisdiction.","-145462920":"Deriv cTrader","-982095728":"Get","-1277942366":"Total assets","-1255879419":"Trader's Hub","-493788773":"Non-EU","-673837884":"EU","-230566990":"The following documents you submitted did not pass our checks:","-846812148":"Proof of address.","-2055865877":"Non-EU regulation","-643108528":"Non-EU and EU regulation","-172898036":"CR5236585","-1665192032":"Multipliers account","-744999940":"Deriv account","-1638358352":"Get the upside of CFDs without risking more than your initial stake with <0>Multipliers.","-749129977":"Get a real Deriv account, start trading and manage your funds.","-1814994113":"CFDs <0>{{compare_accounts_title}}","-318106501":"Trade CFDs on MT5 with synthetics, baskets, and derived FX.","-1328701106":"Trade CFDs on MT5 with forex, stocks, stock indices, synthetics, cryptocurrencies, and commodities.","-1173266642":"This account offers CFDs on a feature-rich trading platform.","-1290112064":"Deriv EZ","-1453519913":"Trade CFDs on an easy-to-get-started platform with all your favourite assets.","-2051096382":"Earn a range of payouts by correctly predicting market movements with <0>options, or get the\n upside of CFDs without risking more than your initial stake with <1>multipliers.","-2146691203":"Choice of regulation","-249184528":"You can create real accounts under EU or non-EU regulation. Click the <0><0/> icon to learn more about these accounts.","-1505234170":"Trader's Hub tour","-181080141":"Trading hub tour","-1042025112":"Need help moving around?<0>We have a short tutorial that might help. Hit Repeat tour to begin.","-1536335438":"These are the trading accounts available to you. You can click on an account’s icon or description to find out more","-1034232248":"CFDs or Multipliers","-1320214549":"You can choose between CFD trading accounts and Multipliers accounts","-2069414013":"Click the ‘Get’ button to create an account","-951876657":"Top-up your account","-1945421757":"Once you have an account click on ‘Deposit’ or ‘Transfer’ to add funds to an account","-1965920446":"Start trading","-33612390":"<0>EU statutory disclaimer: CFDs are complex instruments and come with a high risk of losing money rapidly due to leverage. <0>73% of retail investor accounts lose money when trading CFDs with this provider. You should consider whether you understand how CFDs work and whether you can afford to take the high risk of losing your money.","-2021135479":"This field is required.","-1870909526":"Our server cannot retrieve an address.","-582721696":"The current allowed withdraw amount is {{format_min_withdraw_amount}} to {{format_max_withdraw_amount}} {{currency}}","-1975494965":"Cashier","-42592103":"Deposit cryptocurrencies","-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. ","-954082208":"Your cashier is currently locked. Please contact us via <0>live chat to find out how to unlock it.","-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.","-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.","-1923809087":"Unfortunately, you can only make deposits. Please contact us via <0>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","-1995606668":"Amount","-2024290965":"Confirmations","-811190405":"Time","-1984478597":"The details of this transaction is available on CoinsPaid.","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-1332236294":"Please verify your identity","-1675848843":"Error","-283017497":"Retry","-1838982691":"UNKNOWN","-532693866":"Something went wrong. Please refresh the page and try again.","-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}})","-1957498244":"more","-1059419768":"Notes","-285921910":"Learn more about <0>payment methods.","-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","-1787304306":"Deriv P2P","-174976899":"P2P verification","-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.","-1463156905":"Learn more about payment methods","-1236567184":"This is your <0>{{regulation}}{{currency}} account {{loginid}}.","-1547606079":"We accept the following cryptocurrencies:","-1517325716":"Deposit via the following payment methods:","-639677539":"Buy cryptocurrencies","-1560098002":"Buy cryptocurrencies via fiat onramp","-541870313":"Deposit via payment agents","-197251450":"Don't want to trade in {{currency_code}}? You can open another cryptocurrency account.","-91824739":"Deposit {{currency}}","-523804269":"{{amount}} {{currency}} on {{date}}","-494847428":"Address: <0>{{value}}","-1117977576":"Confirmations: <0>{{value}}","-1935946851":"View more","-1744490898":"Unfortunately, we cannot retrieve the information at this time. ","-515809216":"Send only {{currency_name}} ({{currency_code}}) to this address.","-1589407981":"To avoid loss of funds:","-1042704302":"Make sure to copy your Deriv account address correctly into your crypto wallet.","-80329359":"<0>Note: You’ll receive an email when your deposit start being processed.","-2108344100":"Looking for a way to buy cryptocurrencies? <0>Try Fiat onramp.","-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.","-314177745":"Unfortunately, we couldn't get the address since our server was down. Please click Refresh to reload the address or try again later.","-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.","-1866405488":"Deriv cTrader accounts","-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:","-1949883551":"You only have one account","-1149845849":"Back to Trader's Hub","-1232852916":"We’re switching over to your {{currency}} account to view the transaction.","-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","-1309258714":"From account number","-1247676678":"To account number","-816476007":"Account holder name","-344403983":"Description","-922432739":"Please enter a valid client login ID.","-1024241603":"Insufficient balance.","-1979554765":"Please enter a valid description.","-1254233806":"You've transferred","-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.","-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.","-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:","-2027409966":"Initial stake:","-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.","-590765322":"Unfortunately, this trading platform is not available for EU Deriv account. Please switch to a non-EU account to continue trading.","-2110207996":"Deriv Bot is unavailable for this account","-971295844":"Switch to another account","-1194079833":"Deriv Bot is not available for EU clients","-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","-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.","-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","-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","-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","-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","-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","-1842451303":"Welcome to Deriv Bot!","-1391310674":"Check out these guides and FAQs to learn more about building your bot:","-2066779239":"FAQs","-280324365":"What is Deriv Bot?","-1016171176":"Asset","-621128676":"Trade type","-447853970":"Loss threshold","-507620484":"Unsaved","-764102808":"Google Drive","-1696412885":"Import","-320197558":"Sort blocks","-1566369363":"Zoom out","-1285759343":"Search","-1291088318":"Purchase conditions","-112876186":"Analysis","-1769584466":"Stats","-1133736197":"Utility","-1682372359":"Text","-907562847":"Lists","-1646497683":"Loops","-251326965":"Miscellaneous","-934909826":"Load strategy","-1692205739":"Import a bot from your computer or Google Drive, build it from scratch, or start with a quick strategy.","-1545070554":"Delete bot","-1972599670":"Your bot will be permanently deleted when you hit ","-1692956623":"Yes, delete.","-573479616":"Are you sure you want to delete it?","-786915692":"You are connected to Google Drive","-1256971627":"To import your bot from your Google Drive, you'll need to sign in to your Google account.","-1233084347":"To know how Google Drive handles your data, please review Deriv’s <0>Privacy policy.","-1150107517":"Connect","-1150390589":"Last modified","-1393876942":"Your bots:","-767342552":"Enter your bot name, choose to save on your computer or Google Drive, and hit ","-1372891985":"Save.","-1003476709":"Save as collection","-636521735":"Save strategy","-1953880747":"Stop my bot","-1899230001":"Stopping the current bot will load the Quick Strategy you just created to the workspace.","-2131847097":"Any open contracts can be viewed on the ","-563774117":"Dashboard","-939764287":"Charts","-683790172":"Now, <0>run the bot to test out the strategy.","-1127164953":"Hi! Hit <0>Start for a quick tour.","-358288026":"Note: You can also find this tutorial in the <0>Tutorials tab.","-1793577405":"Build from scratch","-358753028":"Create your bot using our drag-and-drop blocks or click Quick Strategy to choose from the ready-to-use bot templates.","-1212601535":"Monitor the market","-21136101":"See how your bot is doing in real-time.","-631097919":"Click <0>Run when you want to start trading, and click <0>Stop when you want to stop.","-1999747212":"Want to retake the tour?","-129587613":"Got it, thanks!","-782992165":"Step 1 :","-1207872534":"First, set the <0>Trade parameters block.","-1656388044":"First, set <0>Market to Derived > Continuous Indices > Volatility 100 (1s) Index.","-1706298865":"Then, set <0>Trade type to Up/Down > Rise/Fall.","-1834358537":"For <0>Default candle interval, set it to 1 minute","-1940971254":"For <0>Trade options, set it as below:","-512839354":"<0>Stake: USD 10 (min: 0.35 - max: 50000)","-753745278":"Step 2 :","-1056713679":"Then, set the <0>Purchase conditions block.","-245497823":"<0>2. Purchase conditions:","-916770284":"<0>Purchase: Rise","-758077259":"Step 3 :","-677396944":"Step 4 :","-295975118":"Next, go to <0>Utility tab under the Blocks menu. Tap the drop-down arrow and hit <0>Loops.","-698493945":"Step 5 :","-1992994687":"Now, tap the <0>Analysis drop-down arrow and hit <0>Contract.","-1844492873":"Go to the <0>Last trade result block and click + icon to add the <0>Result is Win block to the workspace.","-1547091772":"Then, drag the <0>Result is win into the empty slot next to <0>repeat until block.","-736400802":"Step 6 :","-732067680":"Finally, drag and add the whole <0>Repeat block to the <0>Restart trading conditions block.","-1411787252":"Step 1","-1109392787":"Learn how to build your bot from scratch using a simple strategy.","-1263822623":"You can import a bot from your mobile device or from Google drive, see a preview in the bot builder, and start trading by running the bot.","-563921656":"Bot Builder guide","-1109191651":"Must be a number higher than 0","-689786738":"Minimum duration: {{ min }}","-184183432":"Maximum duration: {{ max }}","-1494924808":"The value must be equal to or greater than 2.","-1823621139":"Quick Strategy","-1778025545":"You’ve successfully imported a bot.","-1519425996":"No results found \"{{ faq_search_value }}\"","-155173714":"Let’s build a bot!","-1919212468":"3. You can also search for the blocks you want using the search bar above the categories.","-1520558271":"For more info, check out this blog post on the basics of building a trading bot.","-980360663":"3. Choose the block you want and drag it to the workspace.","-1493168314":"What is a quick strategy?","-1680391945":"Using a quick strategy","-1177914473":"How do I save my strategy?","-271986909":"In Bot Builder, hit Save on the toolbar at the top to download your bot. Give your bot a name, and choose to download your bot to your device or Google Drive. Your bot will be downloaded as an XML file.","-1149045595":"1. After hitting Import, select Local and click Continue.","-288041546":"2. Select your XML file and hit Open.","-2127548288":"3. Your bot will be loaded accordingly.","-1311297611":"1. After hitting Import, select Google Drive and click Continue.","-1549564044":"How do I reset the workspace?","-1127331928":"In Bot Builder, hit Reset on the toolbar at the top. This will clear the workspace. Please note that any unsaved changes will be lost.","-1720444288":"How do I control my losses with Deriv Bot?","-1142295124":"There are several ways to control your losses with Deriv Bot. Here’s a simple example of how you can implement loss control in your strategy:","-986689483":"1. Create the following variables:","-269910127":"3. Update current profit/loss with the profit from the last contract. If the last contract was lost, the value of current profit/loss will be negative.","-1565344891":"Can I run Deriv Bot on multiple tabs in my web browser?","-90192474":"Yes, you can. However, there are limits on your account, such as maximum number of open positions and maximum aggregate payouts on open positions. So, just keep these limits in mind when opening multiple positions. You can find more info about these limits at Settings > Account limits.","-213872712":"No, we don't offer cryptocurrencies on Deriv Bot.","-2147346223":"In which countries is Deriv Bot available?","-352345777":"What are the most popular strategies for automated trading?","-552392096":"Three of the most commonly used strategies in automated trading are Martingale, D'Alembert, and Oscar's Grind — you can find them all ready-made and waiting for you in Deriv Bot.","-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","-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","-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","-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.","-24780060":"When you’re ready to trade, hit ","-2147110353":". You’ll be able to track your bot’s performance here.","-2140412463":"Buy price","-1299484872":"Account","-2004386410":"Win","-266502731":"Transactions detailed summary","-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.","-1309011360":"Open positions","-1597214874":"Trade table","-1929724703":"Compare CFD accounts","-883103549":"Account deactivated","-1837059346":"Buy / Sell","-1845037007":"Advertiser's page","-494667560":"Orders","-679691613":"My ads","-821418875":"Trader","-679102561":"Contract Details","-430118939":"Complaints policy","-568280383":"Deriv Gaming","-895331276":"Complete your proof of address","-782679300":"Complete your proof of identity","-579984289":"Derived Demo","-1596515467":"Derived BVI","-222394569":"Derived Vanuatu","-533935232":"Financial BVI","-565431857":"Financial Labuan","-291535132":"Swap-Free Demo","-1472945832":"Swap-Free SVG","-144803045":"Only numbers and these special characters are allowed: {{permitted_characters}}","-1450516268":"Only letters, numbers, space, hyphen, period, and apostrophe are allowed.","-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.","-2063700253":"disabled","-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","-1601813176":"Would you like to increase your daily limits to {{max_daily_buy}} {{currency}} (buy) and {{max_daily_sell}} {{currency}} (sell)?","-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.","-493564794":"Please complete your financial assessment.","-1125797291":"Password updated.","-157145612":"Please log in with your updated password.","-1728185398":"Resubmit proof of address","-612396514":"Please resubmit your 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.","-2136953532":"Scheduled cashier maintenance","-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.","-949074612":"Please contact us via live chat.","-2087822170":"You are offline","-1669693571":"Check your connection.","-1706642239":"<0>Proof of ownership <1>required","-553262593":"<0><1>Your account is currently locked <2><3>Please upload your proof of <4>ownership to unlock your account. <5>","-1834929362":"Upload my document","-1043638404":"<0>Proof of ownership <1>verification failed","-1766760306":"<0><1>Please upload your document <2>with the correct details. <3>","-8892474":"Start assessment","-1330929685":"Please submit your proof of identity and proof of address to verify your account and continue trading.","-99461057":"Please submit your proof of address to verify your account and continue trading.","-577279362":"Please submit your proof of identity to verify your account and continue trading.","-197134911":"Your proof of identity is expired","-152823394":"Your proof of identity has expired. Please submit a new proof of identity to verify your account and continue trading.","-420930276":"Follow these simple instructions to fix it.","-2142540205":"It appears that the address in your document doesn’t match the address in your Deriv profile. Please update your personal details now with the correct address.","-482715448":"Go to Personal details","-2072411961":"Your proof of address has been verified","-384887227":"Update the address in your profile.","-448961363":"non-EU","-1998049070":"If you agree to our use of cookies, click on Accept. For more information, <0>see our policy.","-2061807537":"Something’s not right","-402093392":"Add Deriv Account","-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","-1323441180":"I hereby confirm that my request for opening an account with Deriv to trade OTC products issued and offered exclusively outside Brazil was initiated by me. I fully understand that Deriv is not regulated by CVM and by approaching Deriv I intend to set up a relation with a foreign company.","-1396326507":"Unfortunately, {{website_name}} is not available in your country.","-1019903756":"Synthetic","-288996254":"Unavailable","-735306327":"Manage accounts","-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","-1813972756":"Account creation paused for 24 hours","-366030582":"Sorry, you're unable to create an account at this time. As you declined our previous risk warnings, we need you to wait for 24 hours after your first account creation attempt before you can proceed.<0/><0/>","-534047566":"Thank you for your understanding. You can create your account on {{real_account_unblock_date}} or later.","-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.","-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","-1740162250":"Manage account","-1016775979":"Choose an account","-1362081438":"Adding more real accounts has been restricted for your country.","-1602122812":"24-hour Cool Down Warning","-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?","-730377053":"You can’t add another real account","-2100785339":"Invalid inputs","-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","-1193651304":"Country of residence","-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.","-1728963310":"Stop creating an 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.","-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}}.","-813256361":"We are committed to treating our clients fairly and providing them with excellent service.<0/><1/>We would love to hear from you on how we can improve our services to you. Any information you provide will be treated in the strictest confidence. Rest assured that you will be heard, valued, and always treated fairly.","-1622847732":"If you have an inquiry regarding your trading account with {{legal_entity_name}}, you can contact us through our <0>Help centre or by chatting with a representative via <1>Live Chat.<2/><3/>We are committed to resolving your query in the quickest time possible and appreciate your patience in allowing us time to resolve the matter.<4/><5/>We strive to provide the best possible service and support to our customers. However, in the event that we are unable to resolve your query or if you feel that our response is unsatisfactory, we want to hear from you. We welcome and encourage you to submit an official complaint to us so that we can review your concerns and work towards a resolution.","-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","-1280998762":"4. Complaints","-1886635232":"A complaint is any expression of dissatisfaction by a client regarding our products or services that requires a formal response.<0/><1/>If what you submit does not fall within the scope of a complaint, we may reclassify it as a query and forward it to the relevant department for handling. However, if you believe that your query should be classified as a complaint due to its relevance to the investment services provided by {{legal_entity_name}}, you may request that we reclassify it accordingly.","-1771496016":"To submit a complaint, please send an email to <0>complaints@deriv.com, providing as much detail as possible. To help us investigate and resolve your complaint more efficiently, please include the following information:","-1197243525":"<0>•A clear and detailed description of your complaint, including any relevant dates, times, and transactions","-1795134892":"<0>•Any relevant screenshots or supporting documentation that will assist us in understanding the issue","-2053887036":"4.4. Handling your complaint","-717170429":"Once we have received the details of your complaint, we shall 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.","-1841922393":"4.5. Resolving your complaint","-1327119795":"4.6. Your decision","-2019654103":"If we are unable to resolve your complaint or you are not satisfied with the outcome, you can escalate your complaint to the Office of the Arbiter for Financial Services.<0/><1/><2>Filing complaints with the Office of the Arbiter for Financial Services","-687172857":"<0>•You may file a complaint with the Arbiter for Financial Services only if you are not satisfied with our decision or the decision wasn’t made within 15 business days.","-262934706":"<0>•If the complaint is accepted by the Arbiter, you will receive another email with further details relating to the payment of the €25 complaint fee and the processes that follow.","-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","-29496115":"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/>","-648669944":"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/>","-794294380":"This suite is only available for Windows, and is most recommended for financial assets.","-922510206":"Need help using Acuity?","-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","-778309978":"The link you clicked has expired. Ensure to click the link in the latest email in your inbox. Alternatively, enter your email below and click <0>Resend email for a new link.","-336222114":"Follow these simple steps to fix it:","-1064116456":"Search for the broker <0>Deriv Holdings (Guernsey) Limited and select it.","-941870889":"The cashier is for real accounts only","-352838513":"It looks like you don’t have a real {{regulation}} account. To use the cashier, switch to your {{active_real_regulation}} real account, or get an {{regulation}} real account.","-1858915164":"Ready to deposit and trade for real?","-162753510":"Add real account","-1208519001":"You need a real Deriv account to access the cashier.","-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.","-705682181":"Malta","-409563066":"Regulator","-1302404116":"Maximum leverage","-2098459063":"British Virgin Islands","-1510474851":"British Virgin Islands Financial Services Commission (licence no. SIBA/L/18/1114)","-761250329":"Labuan Financial Services Authority (Licence no. MB/18/0024)","-1264604378":"Up to 1:1000","-1686150678":"Up to 1:100","-637908996":"100%","-1420548257":"20+","-1344709651":"40+","-1373949478":"50+","-1382029900":"70+","-1493055298":"90+","-523602297":"Forex majors","-1303090739":"Up to 1:1500","-19213603":"Metals","-1728334460":"Up to 1:300","-646902589":"(US_30, US_100, US_500)","-1835174654":"1:30","-1647612934":"Spreads from","-1587894214":"about verifications needed.","-466784048":"Regulator/EDR","-1920034143":"Synthetics, Baskets and Derived FX","-1326848138":"British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114)","-777580328":"Forex, Stocks, Stock indices, Commodities, and Cryptocurrencies","-1372141447":"Straight-through processing","-1969608084":"Forex and Cryptocurrencies","-800771713":"Labuan Financial Services Authority (licence no. MB/18/0024)","-1497128311":"80+","-1501230046":"0.6 pips","-1689815930":"You will need to submit proof of identity and address once you reach certain thresholds.","-1175785439":"Deriv (SVG) LLC (company no. 273 LLC 2020)","-235833244":"Synthetics, Forex, Stocks, Stock Indices, Cryptocurrencies, and ETFs","-139026353":"A selfie of yourself.","-70314394":"A recent utility bill (electricity, water or gas) or recent bank statement or government-issued letter with your name and address.","-435524000":"Verification failed. Resubmit during account creation.","-1385099152":"Your document is verified.","-931599668":"ETF","-651501076":"Derived - SVG","-865172869":"Financial - BVI","-1851765767":"Financial - Vanuatu","-558597854":"Financial - Labuan","-2052425142":"Swap-Free - SVG","-1192904361":"Deriv X Demo","-1269597956":"MT5 Platform","-239789243":"(License no. SIBA/L/18/1114)","-1434036215":"Demo Financial","-1416247163":"Financial STP","-1637969571":"Demo Swap-Free","-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","-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","-511301450":"Indicates the availability of cryptocurrency trading on a particular account.","-1647569139":"Synthetics, Baskets, Derived FX, Forex: standard/micro, Stocks, Stock indices, Commodities, Cryptocurrencies","-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.","-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.","-1922462747":"Trader's hub","-700260448":"demo","-1769158315":"real","-2015785957":"Compare CFDs {{demo_title}} 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","-393388362":"We’re reviewing your documents. This should take about 1 to 3 days.","-790488576":"Forgot password?","-535365199":"Enter your {{platform}} password to add a {{platform_name}} {{account}} account.","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1936102840":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} {{jurisdiction_selected_shortcode}} account. ","-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","-1318070255":"EUR/GBP","-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","-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)","-2016975615":"Deriv MT5 CFDs real account","-1207265427":"Compare CFDs real accounts","-1225160479":"Compare available accounts","-266701451":"derivX wordmark","-2145356061":"Download Deriv X on your phone to trade with the Deriv X account","-251202291":"Broker","-81650212":"MetaTrader 5 web","-2123571162":"Download","-941636117":"MetaTrader 5 Linux app","-637537305":"Download {{ platform }} on your phone to trade with the {{ platform }} {{ account }} account","-678964540":"to","-206829624":"(1:x)","-616293830":"Enjoy dynamic leverage of <0>up to 1:1500 when trading selected instruments in the forex, commodities, cryptocurrencies, and stock indices markets. Our dynamic leverage adjusts automatically to your trading position, based on asset type and trading volume.","-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","-21438174":"Add your Deriv cTrader account under Deriv (SVG) LLC (company no. 273 LLC 2020).","-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).","-271828350":"Get more out of Deriv MT5 Financial","-2125860351":"Choose a jurisdiction for your Deriv MT5 CFDs account","-450424792":"You need a real account (fiat currency or cryptocurrency) in Deriv to create a real Deriv MT5 account.","-1760596315":"Create a Deriv account","-525896186":"Download Deriv GO on your phone to trade with the Deriv EZ account","-1547458328":"Run cTrader on your browser","-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.","-35790392":"Scan the QR code to download {{Deriv}} {{ platform }}.","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-1455298001":"Now","-256210543":"Trading is unavailable at this time.","-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.","-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","-2035315547":"Low barrier","-1551639437":"No history","-1214703885":"You have yet to update either take profit or stop loss","-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}}","-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:","-1694314813":"Contract value:","-153220091":"{{display_value}} Tick","-802374032":"Hour","-2039780875":"Purchase confirmation","-1672470173":"Require confirmation before purchasing a contract","-1342661765":"Lock contract purchase buttons","-351875097":"Number of ticks","-729830082":"View less","-149836494":"Your transaction reference number is {{transaction_id}}","-1382749084":"Go back to trading","-1231210510":"Tick","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-1977959027":"hours","-442488432":"day","-337314714":"days","-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","-338707425":"Minimum duration is 1 day","-1003473648":"Duration: {{duration}} day","-740702998":"<0>{{title}} {{message}}","-1669741470":"The payout at expiry is equal to the payout per point multiplied by the difference between the final price and the strike price.","-1527492178":"Purchase Locked","-725375562":"You can lock/unlock the purchase button from the Settings menu","-2131851017":"Growth rate","-1358367903":"Stake","-542594338":"Max. payout","-690963898":"Your contract will be automatically closed when your payout reaches this amount.","-511541916":"Your contract will be automatically closed upon reaching this number of ticks.","-434270664":"Current Price","-1956787775":"Barrier Price:","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-1804019534":"Expiry: {{date}}","-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.","-339236213":"Multiplier","-1763848396":"Put","-194424366":"above","-857660728":"Strike Prices","-243332856":"Last digit stats for latest 1000 ticks for {{ underlying_name }}","-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.","-347156282":"Submit Proof","-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.","-1738427539":"Purchase","-1937372493":"You can close your trade anytime. However, be aware of <0>slippage risk<0/>.","-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.","-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.","-1192494358":"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.","-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.","-1576967286":"This product allows you to express a strong bullish or bearish view on an underlying asset.","-610471235":"If you think the market price will rise continuously for a specific period, choose <0>Long. You will get a payout at the expiry time if the market price doesn’t touch or cross below the barrier. Your payout will grow proportionally to the distance between the market price and the barrier if the barrier is not breached. You will start making a profit when the payout is higher than your stake. If the market price ever crosses the barrier, there won’t be a payout.","-454245976":"If you think the market price will drop continuously for a specific period, choose <0>Short. You will get a payout at the expiry time if the market price doesn’t touch or cross above the barrier. Your payout will grow proportionally to the distance between the market price and the barrier if the barrier is not breached. You will start making a profit when the payout is higher than your stake. If the market price ever crosses the barrier, there won’t be a payout.","-1790089996":"NEW!","-993480898":"Accumulators","-45873457":"NEW","-1422269966":"You can choose a growth rate with values of 1%, 2%, 3%, 4%, and 5%.","-1186791513":"Payout is the sum of your initial stake and profit.","-1682624802":"It is a percentage of the previous spot price. The percentage rate is based on your choice of the index and the growth rate.","-1221049974":"Final price","-1247327943":"This is the spot price of the last tick at expiry.","-878534036":"If you select \"Call\", you’ll earn a payout if the final price is above the strike price at expiry. Otherwise, you won’t receive a payout.","-1587076792":"If you select \"Put\", you’ll earn a payout if the final price is below the strike price at expiry. Otherwise, you won’t receive a payout.","-1482134885":"We calculate this based on the strike price and duration you’ve selected.","-1890561510":"Cut-off time","-565990678":"Your contract will expire on this date (in GMT), based on the End time you’ve selected.","-127118348":"Choose {{contract_type}}","-543478618":"Try checking your spelling or use a different term","-700280380":"Deal cancel. fee","-1683683754":"Long","-1046859144":"<0>{{title}} You will get a payout if the market price stays {{price_position}} and doesn't touch or cross the barrier. Otherwise, your payout will be zero.","-1815023694":"above the barrier","-1572548510":"Ups & Downs","-71301554":"Ins & Outs","-952298801":"Look Backs","-763273340":"Digits","-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","-1072292603":"No Change","-1631669591":"string","-1768939692":"number","-795152863":"green","-1640576332":"blue","-804983649":"yellow","-94281841":"red","-1242470654":"Earned money","-841561409":"Put Spread","-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","-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","-985351204":"Trade again","-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.","-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 }}","-1374685318":"Your contract is closed automatically when your loss is more than or equals to this amount. This block can only be used with the multipliers trade type.","-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","-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","-1919680487":"workspace","-1703118772":"The {{block_type}} block is misplaced from {{missing_space}}.","-1785726890":"purchase conditions","-538215347":"Net deposits","-280147477":"All transactions","-137444201":"Buy","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-1904030160":"Transaction performed by (App ID: {{app_id}})","-513103225":"Transaction time","-2066666313":"Credit/Debit","-1981004241":"Sell time","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-3423966":"Take profit<0 />Stop loss","-2082644096":"Current stake","-1131753095":"The {{trade_type_name}} contract details aren't currently available. We're working on making them available soon.","-360975483":"You've made no transactions of this type during this period.","-1226595254":"Turbos","-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","-123659792":"Vanillas","-1669418686":"AUD/CAD","-1548588249":"AUD/CHF","-1552890620":"AUD/JPY","-681231560":"AUD/PLN","-64938413":"AUD/USD","-1430522808":"EUR/AUD","-2020477069":"EUR/CAD","-1201853162":"EUR/CHF","-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","-853582174":"France 40","-1096386695":"UK 100","-617646862":"Germany 40","-2077690248":"Japan 225","-512194910":"US Tech 100","-381746202":"US 500","-1935463381":"Swiss 20","-1941767726":"Euro 50","-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","-816110209":"Volatility 150 (1s) Index","-1374309449":"Volatility 200 (1s) Index","-1288044380":"Volatility 250 (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","-1715390759":"I want to do this later","-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","-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.","1485191":"1:1000","2091451":"Deriv Bot - your automated trading partner","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","3420069":"To avoid delays, enter your <0>name and <0>date of birth exactly as they appear on your identity document.","7100308":"Hour must be between 0 and 23.","9488203":"Deriv Bot is a web-based strategy builder for trading digital options. It’s a platform where you can build your own automated trading bot using drag-and-drop 'blocks'.","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}}","27731356":"Your account is temporarily disabled. Please contact us via <0>live chat to enable deposits and withdrawals again.","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.","41737927":"Thank you","44877997":"Residence permit","45453595":"Binary Coin","45941470":"Where would you like to start?","46523711":"Your proof of identity is verified","49404821":"If you buy a \"<0>{{trade_type}}\" option, you receive a payout at expiry if the final price is {{payout_status}} the strike price. Otherwise, your “<0>{{trade_type}}” option will expire worthless.","50200731":"FX majors (standard/micro lots), FX minors, basket indices, commodities, and cryptocurrencies","53801223":"Hong Kong 50","53964766":"5. Hit Save to download your bot. You can choose to download your bot to your device or your Google Drive.","54185751":"Less than $100,000","55340304":"Keep your current contract?","55916349":"All","56764670":"Deriv Bot 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.","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","67923436":"No, Deriv Bot will stop running when your web browser is closed.","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.","76925355":"Check your bot’s performance","77945356":"Trade on the go with our mobile app.","77982950":"Vanilla options allow you to predict an upward (bullish) or downward (bearish) direction of the underlying asset by purchasing a \"Call\" or a \"Put\".","81450871":"We couldn’t find that page","82839270":"Upload the page of your passport that contains your photo.","83202647":"Collapse Block","84402478":"Where do I find the blocks I need?","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.","93154671":"1. Hit Reset at the bottom of stats panel.","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","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.","111215238":"Move away from direct light","111718006":"End date","111931529":"Max. total stake over 7 days","113378532":"ETH/USD","115032488":"Buy price and P/L","116005488":"Indicators","117056711":"We’re updating our site","117318539":"Password should have lower and uppercase English letters with numbers.","118158064":"2. Use a logic block to check if current profit/loss exceeds maximum loss. If it does, set trade again to false to prevent the bot from running another cycle.","118586231":"Document number (identity card, passport)","119261701":"Prediction:","119446122":"Contract type is not selected","120340777":"Complete your personal details","123454801":"{{withdraw_amount}} {{currency_symbol}}","124723298":"Upload a proof of address to verify your address","125443840":"6. Restart last trade on error","127307725":"A politically exposed person (PEP) is someone appointed with a prominent public position. Close associates and family members of a PEP are also considered to be PEPs.","129729742":"Tax Identification Number*","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","133284316":"Supported formats: JPEG, JPG, PNG, PDF and GIF only","133523018":"Please go to the Deposit page to get an address.","133536621":"and","133655768":"Note: If you wish to learn more about the Bot Builder, you can proceed to the <0>Tutorials tab.","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","149616444":"cTrader Demo","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.","154545319":"Country of residence is where you currently live.","157593038":"random integer from {{ start_number }} to {{ end_number }}","157871994":"Link expired","158355408":"Some services may be temporarily unavailable.","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.","174793462":"Strike","176078831":"Added","176319758":"Max. total stake over 30 days","176327749":"- Android: Tap the account, open <0>Options, and tap <0>Delete.","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","179737767":"Our legacy options trading platform.","181346014":"Notes ","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","190834737":"Guide","191372501":"Accumulation of Income/Savings","192436105":"No need for symbols, digits, or uppercase letters","192573933":"Verification complete","195972178":"Get character","196810983":"If the duration is more than 24 hours, the Cut-off time and Expiry date will apply instead.","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","203108063":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} account. ","203179929":"<0>You can open this account once your submitted documents have been verified.","203271702":"Try again","203297887":"The Quick Strategy you just created will be loaded to the workspace.","203924654":"Hit the <0>Start button to begin and follow the tutorial.","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","220019594":"Need more help? Contact us through live chat for assistance.","220186645":"Text Is empty","220232017":"demo CFDs","221261209":"A Deriv account will allow you to fund (and withdraw from) your CFDs account(s).","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.","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","243537306":"1. Under the Blocks menu, go to Utility > Variables.","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 }}","246428134":"Step-by-step guides","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.","248153700":"Reset your password","248565468":"Check your {{ identifier_title }} account email and click the link in the email to proceed.","248909149":"Send a secure link to your phone","251134918":"Account Information","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:","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.","261074187":"4. Once the blocks are loaded onto the workspace, tweak the parameters if you want, or hit Run to start trading.","261250441":"Drag the <0>Trade again block and add it into the <0>do part of the <0>Repeat until block.","262095250":"If you select <0>\"Put\", you’ll earn a payout if the final price is below the strike price at expiry. Otherwise, you won’t receive a payout.","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.","269322978":"Deposit with your local currency via peer-to-peer exchange with fellow traders in your country.","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","280021988":"Use these shortcuts","282319001":"Check your image","282564053":"Next, we'll need your proof of address.","283830551":"Your address doesn’t match your profile","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","284809500":"Financial Demo","287934290":"Are you sure you want to cancel this transaction?","289898640":"TERMS OF USE","291744889":"<0>1. Trade parameters:<0>","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","295173783":"Long/Short","301441673":"Select your citizenship/nationality as it appears on your passport or other government-issued ID.","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?","318865860":"close","318984807":"This block repeats the instructions contained within for a specific number of times.","321457615":"Oops, something went wrong!","323179846":"The time interval for each candle can be set from one minute to one day.","323209316":"Select a Deriv Bot Strategy","323360883":"Baskets","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","329353047":"Malta Financial Services Authority (MFSA) (licence no. IS/70156)","329404045":"<0>Switch to your real account<1> to create a {{platform}} {{account_title}} account.","333121115":"Select Deriv MT5's account type","333456603":"Withdrawal limits","333807745":"Click on the block you want to remove and press Delete on your keyboard.","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","345818851":"Sorry, an internal error occurred. Hit the above checkbox to try again.","347029309":"Forex: standard/micro","347039138":"Iterate (2)","347217485":"Trouble accessing Deriv MT5 on your mobile?","348951052":"Your cashier is currently locked","349047911":"Over","349110642":"<0>{{payment_agent}}<1>'s contact details","350602311":"Stats show the history of consecutive tick counts, i.e. the number of ticks the price remained within range continuously.","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","360773403":"Bot Builder","362946954":"Our legacy automated trading platform.","363576009":"- High price: the highest price","363738790":"Browser","363990763":"Sell price:","367801124":"Total assets in your Deriv accounts.","368160866":"in list","369035361":"<0>•Your account number","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.","374537470":"No results for \"{{text}}\"","375714803":"Deal Cancellation Error","377231893":"Deriv Bot is unavailable in the EU","379523479":"To avoid loss of funds, do not share tokens with the Admin scope with unauthorised parties.","380606668":"tick","380694312":"Maximum consecutive trades","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.","386191140":"You can choose between CFD trading accounts or Options and Multipliers accounts","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","393789743":"Letters, spaces, periods, hyphens, apostrophes only.","396418990":"Offline","396801529":"To start trading, top-up funds from your Deriv account into this account.","398816980":"Launch {{platform_name_trader}} in seconds the next time you want to trade.","401339495":"Verify address","401345454":"Head to the Tutorials tab to do so.","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","419485005":"Spot","419496000":"Your contract is closed automatically when your profit is more than or equals to this amount. This block can only be used with the multipliers trade type.","420072489":"CFD trading frequency","422055502":"From","424272085":"We take your financial well-being seriously and want to ensure you are fully aware of the risks before trading.<0/><0/>","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:","431267979":"Here’s a quick guide on how to use Deriv Bot on the go.","432273174":"1:100","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.","436534334":"<0>We've sent you an email.","437138731":"Create a new {{platform}} password","437453244":"Choose your preferred cryptocurrency","437485293":"File type not supported","437904704":"Maximum open positions","438067535":"Over $500,000","439398769":"This strategy is currently not compatible with Deriv Bot.","442520703":"$250,001 - $500,000","443203714":"Your contract will be closed automatically if your loss reaches this amount.","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.","454196938":"Regulation:","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.","459612953":"Select account","459817765":"Pending","460070238":"Congratulations","460975214":"Complete your Appropriateness Test","461795838":"Please contact us via live chat to unlock it.","462079779":"Resale not offered","463361726":"Select an item","465993338":"Oscar's Grind","466369320":"Your gross profit is the percentage change in market price times your stake and the multiplier chosen here.","466837068":"Yes, increase my limits","467839232":"I trade forex CFDs and other complex financial instruments regularly on other platforms.","473154195":"Settings","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","480356486":"*Boom 300 and Crash 300 Index","481276888":"Goes Outside","483279638":"Assessment Completed<0/><0/>","483551811":"Your <0>payout is the sum of your inital stake and profit.","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","492566838":"Taxpayer identification number","497518317":"Function that returns a value","498562439":"or","499522484":"1. for \"string\": 1325.68 USD","500215405":"Server maintenance starts at 01:00 GMT every Sunday and may last up to 2 hours. You may experience service disruption during this time.","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","502007051":"Demo Swap-Free SVG","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","511679687":"Accumulators allow you to express a view on the range of movement of an index and grow your stake exponentially at a fixed <0>growth rate.","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","524459540":"How do I create variables?","527329988":"This is a top-100 common password","529056539":"Options","530953413":"Authorised applications","531114081":"3. Contract Type","531675669":"Euro","535041346":"Max. total stake per day","537788407":"Other CFDs Platform","538017420":"0.5 pips","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","549479175":"Deriv Multipliers","550589723":"Your stake will grow at {{growth_rate}}% per tick as long as the current spot price remains within ±{{tick_size_barrier}} from the previous spot price.","551569133":"Learn more about trading limits","554135844":"Edit","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.","555881991":"National Identity Number Slip","556264438":"Time interval","558262475":"On your MT5 mobile app, delete your existing Deriv account:","558866810":"Run your bot","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?","575702000":"Remember, selfies, pictures of houses, or non-related images will be rejected.","576355707":"Select your country and citizenship:","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?","588609216":"Repeat tour","592087722":"Employment status is required.","593459109":"Try a different currency","594937260":"Derived - BVI","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","603849445":"Strike price","603849863":"Look for the <0>Repeat While/Until, and click the + icon to add the block to the workspace area.","603899222":"Distance to current spot","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","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.","617910072":"Use your Deriv account email and password to login into the {{ platform }} platform.","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)","624668261":"You’ve just stopped the bot. Any open contracts can be viewed on the <0>Reports page.","625571750":"Entry spot:","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.","628193133":"Account ID","629145209":"In case if the \"AND\" operation is selected, the block returns \"True\" only if both given values are \"True\"","629395043":"All growth rates","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","644150241":"The number of contracts you have won since you last cleared your stats.","645016681":"Trading frequency in other financial instruments","645902266":"EUR/NZD","647039329":"Proof of address required","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 }}","648035589":"Other CFD Platforms","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.","656296740":"While “Deal cancellation” is active:","656893085":"Timestamp","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.","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/>","662548260":"Forex, Stock indices, Commodities and Cryptocurrencies","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\".","666724936":"Please enter a valid ID number.","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 }}","680334348":"This block was required to correctly convert your old strategy.","680478881":"Total withdrawal limit","681808253":"Previous spot price","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","686312916":"Trading accounts","686387939":"How do I clear my transaction log?","687193018":"Slippage risk","687212287":"Amount is a required field.","688510664":"You've {{two_fa_status}} 2FA on this device. You'll be logged out of your account on other devices (if any). Use your password and a 2FA code to log back in.","689137215":"Purchase price","691956534":"<0>You have added a {{currency}} account.<0> Make a deposit now to start trading.","693396140":"Deal cancellation (expired)","694035561":"Trade options multipliers","696870196":"- Open time: the opening time stamp","697630556":"This market is presently closed.","698037001":"National Identity Number","699159918":"1. Filing complaints","699646180":"A minimum deposit value of <0>{{minimum_deposit}} {{currency}} is required. Otherwise, the funds will be lost and cannot be recovered.","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","702451070":"National ID (No Photo)","702561961":"Change theme","705299518":"Next, upload the page of your passport that contains your photo.","706413212":"To access the cashier, you are now in your {{regulation}} {{currency}} ({{loginid}}) account.","706727320":"Binary options trading frequency","706755289":"This block performs trigonometric functions.","706960383":"We’ll offer to buy your contract at this price should you choose to sell it before its expiry. This is based on several factors, such as the current spot price, duration, etc. However, we won’t offer a contract value if the remaining duration is below 60 seconds.","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.","724526379":"Learn more with our tutorials","728042840":"To continue trading with us, please confirm where you live.","728824018":"Spanish Index","729651741":"Choose a photo","730473724":"This block performs the \"AND\" or the \"OR\" logic operation with the given values.","731382582":"BNB/USD","734390964":"Insufficient balance","734881840":"false","742469109":"Reset Balance","742676532":"Trade CFDs on forex, derived indices, cryptocurrencies, and commodities with high leverage.","743623600":"Reference","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","750886728":"Switch to your real account to submit your documents","751468800":"Start now","751692023":"We <0>do not guarantee a refund if you make a wrong transfer.","752024971":"Reached maximum number of digits","752992217":"This block gives you the selected constant values.","753088835":"Default","753184969":"In providing our services to you, we are required to obtain information from you in order to assess whether a given product or service is appropriate for you (that is, whether you possess the experience and knowledge to understand the risks involved).<0/><1/>","753727511":"Type","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","762926186":"A quick strategy is a ready-made strategy that you can use in Deriv Bot. There are 3 quick strategies you can choose from: Martingale, D'Alembert, and Oscar's Grind.","764366329":"Trading limits","766317539":"Language","770171141":"Go to {{hostname}}","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)","775706054":"Do you sell trading bots?","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","787727156":"Barrier","788005234":"NA","792164271":"This is when your contract will expire based on the Duration or End time you’ve selected.","792622364":"Negative balance protection","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.","793826881":"This is your personal start page for Deriv","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","806165583":"Australia 200","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.","812430133":"Spot price on the previous tick.","812775047":"below the barrier","814827314":"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.","815925952":"This block is mandatory. Only one copy of this block is allowed. It is added to the canvas by default when you open Deriv Bot.","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","821163626":"Server maintenance occurs every first Saturday of the month from 7 to 10 GMT time. You may experience service disruption during this time.","823186089":"A block that can contain text.","824797920":"Is list empty?","825042307":"Let’s try again","826511719":"USD/SEK","827688195":"Disable Block","828219890":"then","828602451":"Returns the list of tick values in string format","830164967":"Last name","830703311":"My profile","830993327":"No current transactions available","832053636":"Document submission","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","835336137":"View Detail","835350845":"Add another word or two. Uncommon words are better.","836097457":"I am interested in trading but have very little experience.","837063385":"Do not send other currencies to this address.","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","840672750":"If this doesn’t work, uninstall and re-install the MT5 app. Then redo steps <0>2 and <0>3.","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 }}","848083350":"Your payout is equal to the <0>payout per point multiplied by the difference between the final price and the strike price. You will only earn a profit if your payout is higher than your initial stake.","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.","852527030":"Step 2","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","869068127":"The cashier is temporarily down due to maintenance. It will be available as soon as the maintenance is complete.","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}}?","872721776":"2. Select your XML file and hit Select.","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.","875101277":"If I close my web browser, will Deriv Bot continue to run?","875532284":"Restart process on a different device","876086855":"Complete the financial assessment form","876292912":"Exit","879014472":"Reached maximum number of decimals","879647892":"You may sell the contract up until 60 seconds before expiry. If you do, we’ll pay you the <0>contract value.","881963105":"(XAUUSD, XAGUSD)","885065431":"Get a Deriv account","888274063":"Town/City","888924866":"We don’t accept the following inputs for:","890299833":"Go to Reports","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.","898904393":"Barrier:","900646972":"page.","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.","907680782":"Proof of ownership verification failed","909272635":"Financial - SVG","910888293":"Too many attempts","911048905":"(BTCUSD, ETHUSD)","912406629":"Follow these steps:","912967164":"Import from your computer","915735109":"Back to {{platform_name}}","918447723":"Real","920125517":"Add demo account","921901739":"- your account details of the bank linked to your account","924046954":"Upload a document showing your name and bank account number or account details.","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.","938947787":"Withdrawal {{currency}}","938988777":"High barrier","943535887":"Please close your positions in the following Deriv MT5 account(s):","944499219":"Max. open positions","945532698":"Contract sold","946204249":"Read","946841802":"A white (or green) candle indicates that the open price is lower than the close price. This represents an upward movement of the market price.","946944859":"Hit the button below and we'll send you an email with a link. Click that link to verify your withdrawal request.","947046137":"Your withdrawal will be processed within 24 hours","947363256":"Create list","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948176566":"New!","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","961178214":"You can only purchase one contract at a time","961266215":"140+","961327418":"My computer","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","975668699":"I confirm and accept {{company}} 's <0>Terms and Conditions","975950139":"Country of Residence","977929335":"Go to my account settings","981138557":"Redirect","981568830":"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 <0>live chat.","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","983451828":"2. Select the asset and trade type.","987224688":"How many trades have you placed with other financial instruments in the past 12 months?","988064913":"4. Come back to Deriv Bot and add the Notify Telegram block to the workspace. Paste the Telegram API token and chat ID into the block fields accordingly.","988361781":"You have no trading activity yet.","988934465":"When prompted, you must enable camera access to continue","990739582":"170+","992294492":"Your postal code is invalid","992677950":"Logging out on other devices","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.","1010337648":"We were unable to verify your proof of ownership.","1011424042":"{{text}}. stake<0/>","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","1021679446":"Multipliers only","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","1025887996":"Negative Balance Protection","1026046972":"Please enter a payout amount that's lower than {{max_payout}}.","1026289179":"Trade on the go","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","1033076894":"- current profit/loss: Use this variable to store the cumulative profit or loss while your bot is running. Set the initial value to 0.","1035893169":"Delete","1036116144":"Speculate on the price movement of an asset without actually owning it.","1036867749":"The desired duration, stake, prediction, and/or barrier(s) for the contract is defined here.","1038575777":"Change password","1039428638":"EU regulation","1039755542":"Use a few words, avoid common phrases","1040472990":"1. Go to Bot Builder.","1040677897":"To continue trading, you must also submit a proof of address.","1041001318":"This block performs the following operations on a given list: sum, minimum, maximum, average, median, mode, antimode, standard deviation, random item.","1041620447":"If you are unable to scan the QR code, you can manually enter this code instead:","1042659819":"You have an account that needs action","1043790274":"There was an error","1044540155":"100+","1044599642":"<0> has been credited into your {{platform}} {{title}} account.","1045704971":"Jump 150 Index","1045782294":"Click the <0>Change password button to change your Deriv password.","1047389068":"Food Services","1047881477":"Unfortunately, your browser does not support the video.","1048687543":"Labuan Financial Services Authority","1048947317":"Sorry, this app is unavailable in {{clients_country}}.","1049384824":"Rise","1050063303":"Videos on Deriv Bot","1050128247":"I confirm that I have verified the payment agent’s transfer information.","1050844889":"Reports","1052779010":"You are on your demo account","1053153674":"Jump 50 Index","1053159279":"Level of education","1053556481":"Once you submit your complaint, we will send you an acknowledgement email to confirm that we have received it.","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.","1058804653":"Expiry","1060231263":"When are you required to pay an initial margin?","1061308507":"Purchase {{ contract_type }}","1062423382":"Explore the video guides and FAQs to build your bot in the tutorials tab.","1062536855":"Equals","1065353420":"110+","1065498209":"Iterate (1)","1066235879":"Transferring funds will require you to create a second account.","1066459293":"4.3. Acknowledging your complaint","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","1073261747":"Verifications","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","1087112394":"You must select the strike price before entering the contract.","1088031284":"Strike:","1088138125":"Tick {{current_tick}} - ","1089085289":"Mobile number","1089436811":"Tutorials","1089687322":"Stop your current bot?","1090041864":"The {{block_type}} block is mandatory and cannot be deleted/disabled.","1095295626":"<0>•The Arbiter for Financial Services will determine whether the complaint can be accepted and is in accordance with the law.","1096078516":"We’ll review your documents and notify you of its status within 3 days.","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.","1100133959":"National ID","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","1114679006":"You have successfully created your bot using a simple strategy.","1117281935":"Sell conditions (optional)","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§","1127224297":"Sorry for the interruption","1128139358":"How many CFD trades have you placed in the past 12 months?","1128321947":"Clear All","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","1138126442":"Forex: standard","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.","1150637063":"*Volatility 150 Index and Volatility 250 Index","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).","1155626418":"below","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","1163771266":"The third block is <0>optional. You may use this block if you want to sell your contract before it expires. For now, leave the block as it is. ","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}}","1171765024":"Step 3","1171961126":"trade parameters","1172524677":"CFDs Demo","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с.","1184968647":"Close your contract now or keep it running. If you decide to keep it running, you can check and close it later on the ","1188316409":"To receive your funds, contact the payment agent with the details below","1188980408":"5 minutes","1189249001":"4.1. What is considered a complaint?","1189368976":"Please complete your personal details before you verify your identity.","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.","1192708099":"Duration unit","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1196683606":"Deriv MT5 CFDs demo 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\".","1206227936":"How to mask your card?","1206821331":"Armed Forces","1207152000":"Choose a template and set your trade parameters.","1208714859":"For Short:","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","1217159705":"Bank account number","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","1234764730":"Upload a screenshot of your name and email address from the personal details section.","1235426525":"50%","1237330017":"Pensioner","1238311538":"Admin","1239752061":"In your cryptocurrency wallet, make sure to select the <0>{{network_name}} network when you transfer funds to Deriv.","1239760289":"Complete your trading assessment","1239940690":"Restarts the bot when an error is encountered.","1240027773":"Please Log in","1240688917":"Glossary","1241238585":"You may transfer between your Deriv fiat, cryptocurrency, and {{platform_name_mt5}} accounts.","1242288838":"Hit the checkbox above to choose your document.","1242994921":"Click here to start building your Deriv Bot.","1243064300":"Local","1243287470":"Transaction status","1246207976":"Enter the authentication code generated by your 2FA app:","1246880072":"Select issuing country","1247280835":"Our cryptocurrency cashier is temporarily down due to system maintenance. You can make cryptocurrency deposits and withdrawals in a few minutes when the maintenance is complete.","1248018350":"Source of income","1248940117":"<0>a.The decisions made by the DRC are binding on us. DRC decisions are binding on you only if you accept them.","1250495155":"Token copied!","1252669321":"Import from your Google Drive","1253531007":"Confirmed","1254565203":"set {{ variable }} to create list with","1255827200":"You can also import or build your bot using any of these shortcuts.","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","1264842111":"You can switch between real and demo accounts.","1265704976":"","1269296089":"Let's build a Bot!","1270581106":"If you select \"No Touch\", you win the payout if the market never touches the barrier at any time during the contract period.","1271461759":"Your contract will be closed automatically if your profit reaches this amount.","1272012156":"GBP/CHF","1272337240":"Days","1272681097":"Hours","1274819385":"3. Complaints and Disputes","1281045211":"Sorts the items in a given list, by their numeric or alphabetical value, in either ascending or descending order.","1281290230":"Select","1282951921":"Only Downs","1284522768":"If \"Loss\" is selected, it will return \"True\" if your last trade was unsuccessful. Otherwise, it will return an empty string.","1286094280":"Withdraw","1286507651":"Close identity verification screen","1288965214":"Passport","1289146554":"British Virgin Islands Financial Services Commission","1289646209":"Margin call","1290525720":"Example: ","1291887623":"Digital options trading frequency","1291997417":"Contracts will expire at exactly 23:59:59 GMT on your selected expiry date.","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.","1304807342":"Compare CFDs demo accounts","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","1309133590":"Earn a range of payouts by correctly predicting market movements with <0>options, or get the upside of CFDs without risking more than your initial stake with <1>multipliers.","1309186223":"- current stake: Use this variable to store the stake amount used in the last contract. You can assign any amount you want, but it must be a positive number.","1310483610":"Results for \"{{ search_term }}\"","1311680770":"payout","1313167179":"Please log in","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.","1323941798":"Short","1323996051":"Profile","1324922837":"2. The new variable will appear as a block under Set variable.","1325514262":"(licence no. MB/18/0024)","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","1336052175":"Switch accounts","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","1339613797":"Regulator/External dispute resolution","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 }}","1356373528":"Run Deriv EZ on your browser","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","1358543748":"enabled","1359424217":"You have sold this contract at <0 />","1360929368":"Add a Deriv account","1362578283":"High","1363060668":"Your trading statistics since:","1363645836":"Derived FX","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","1370647009":"Enjoy higher daily limits","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","1375884086":"Financial, legal, or government document: recent bank statement, affidavit, or government-issued letter.","1376329801":"Last 60 days","1378419333":"Ether","1380349261":"Range","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","1400341216":"We’ll review your documents and notify you of its status within 1 to 3 days.","1400732866":"View from camera","1402208292":"Change text case","1403376207":"Update my details","1405584799":"with interval: {{ candle_interval_type }}","1407191858":"DTrader","1408844944":"Click the plus icon to extend the functionality of this block.","1411373212":"Strong passwords contain at least 8 characters. combine uppercase and lowercase letters, numbers, and symbols.","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","1415513655":"Download cTrader on your phone to trade with the Deriv cTrader account","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","1423296980":"Enter your SSNIT number","1424741507":"See more","1424779296":"If you've recently used bots but don't see them in this list, it may be because you:","1428657171":"You can only make deposits. Please contact us via <0>live chat for more information.","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.","1433468641":"We offer our services in all countries, except for the ones mentioned in our terms and conditions.","1434382099":"Displays a dialog window with a message","1434767075":"Get started on Deriv Bot","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","1444843056":"Corporate Affairs Commission","1445592224":"You accidentally gave us another email address (Usually a work or a personal one instead of the one you meant).","1446742608":"Click here if you ever need to repeat this tour.","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.","1454406889":"Choose <0>until as the repeat option.","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","1458160370":"Enter your {{platform}} password to add a {{platform_name}} {{account}} {{jurisdiction_shortcode}} account.","1459761348":"Submit proof of identity","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","1467880277":"3. General queries","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}}","1469133110":"cTrader Windows app","1469150826":"Take Profit","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1471008053":"Deriv Bot isn't quite ready for real accounts","1471070549":"Can contract be sold?","1471741480":"Severe error","1473369747":"Synthetics only","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","1480915523":"Skip","1481977420":"Please help us verify your withdrawal request.","1483470662":"Click ‘Open’ to start trading with your account","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","1488548367":"Upload again","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","1505927599":"Our servers hit a bump. Let’s refresh to move on.","1509559328":"cTrader","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.","1516559721":"Please select one file only","1516676261":"Deposit","1516834467":"‘Get’ the accounts you want","1517503814":"Drop file or click here to upload","1519124277":"Derived SVG","1519891032":"Welcome to Trader's Hub","1520332426":"Net annual income","1524636363":"Authentication failed","1526483456":"2. Enter a name for your variable, and hit Create. New blocks containing your new variable will appear below.","1527251898":"Unsuccessful","1527664853":"Your payout is equal to the payout per point multiplied by the difference between the final price and the strike price.","1527906715":"This block adds the given number to the selected variable.","1531017969":"Creates a single text string from combining the text value of each attached item, without spaces in between. The number of items can be added accordingly.","1533177906":"Fall","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.","1540585098":"Decline","1541508606":"Looking for CFDs? Go to Trader's Hub","1541969455":"Both","1542742708":"Synthetics, Forex, Stocks, Stock indices, Commodities, and Cryptocurrencies","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.","1547148381":"That file is too big (only up to 8MB allowed). Please upload another file.","1548765374":"Verification of document number failed","1549098835":"Total withdrawn","1551172020":"AUD Basket","1552162519":"View onboarding","1555345325":"User Guide","1557426040":"Demo Derived SVG","1557682012":"Account Settings","1557904289":"We accept only these types of documents as proof of your address. The document must be recent (issued within last 6 months) and include your name and address:","1558972889":"set {{ variable }} to Simple Moving Average {{ dummy }}","1559220089":"Options and multipliers trading platform.","1560302445":"Copied","1562374116":"Students","1562982636":"Re-add your MT5 account using the same log in credentials.","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}})","1566717687":"We also provide a guide on the Tutorial tab to show you how you can build and execute a simple strategy.","1567076540":"Only use an address for which you have proof of residence - ","1567586204":"Self-exclusion","1567745852":"Bot name","1569624004":"Dismiss alert","1570484627":"Ticks list","1571303610":"3. Set your trade parameters and hit Create.","1571575776":"Accepted formats: pdf, jpeg, jpg, and png. Max file size: 8MB","1572504270":"Rounding operation","1572982976":"Server","1573429525":"Call/Put","1573533094":"Your document is pending for verification.","1574989243":"- trade again: Use this variable to stop trading when your loss limit is reached. Set the initial value to true.","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","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","1589148299":"Start","1589640950":"Resale of this contract is not offered.","1589702653":"Proof of address","1590400723":"Total assets in all your accounts","1591933071":"Resubmit document","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.","1598443642":"Transaction hash","1602894348":"Create a password","1604916224":"Absolute","1605222432":"I have no knowledge and experience in trading at all.","1605292429":"Max. total loss","1612105450":"Get substring","1612638396":"Cancel your trade at any time within a specified timeframe.","1613633732":"Interval should be between 10-60 minutes","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","1622944161":"Now, go to the <0>Restart trading conditions block.","1623706874":"Use this block when you want to use multipliers as your trade type.","1628981793":"Can I trade cryptocurrencies on Deriv Bot?","1630417358":"Please go to your account settings and complete your personal details to enable withdrawals.","1631281562":"GBP Basket","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.","1635628424":"An envelope with your name and address.","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.","1644636153":"Transaction hash: <0>{{value}}","1644703962":"Looking for CFD accounts? Go to Trader's Hub","1644864436":"You’ll need to authenticate your account before requesting to become a professional client. <0>Authenticate my account","1644908559":"Digit code is required.","1647186767":"The bot encountered an error while running.","1648938920":"Netherlands 25","1649239667":"2. Under the Blocks menu, you'll see a list of categories. Blocks are grouped within these categories. Choose the block you want and drag them to the workspace.","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","1654721858":"Upload anyway","1655627840":"UPPER CASE","1656155124":"Resend in <0 /> seconds","1658954996":"Plant and Machine Operators and Assemblers","1659074761":"Reset Put","1659352235":"Add your Deriv MT5 CFDs account under Deriv Investments (Europe) Limited, regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156).","1665272539":"Remember: You cannot log in to your account until the selected date.","1665738338":"Balance","1665756261":"Go to live chat","1668138872":"Modify account settings","1670016002":"Multiplier: {{ multiplier }}","1670426231":"End Time","1671232191":"You have set the following limits:","1674163852":"You can determine the expiry of your contract by setting the duration or end time.","1675030608":"To create this account first we need you to resubmit your proof of address.","1675289747":"Switched to real account","1676549796":"Dynamic Leverage","1677027187":"Forex","1677990284":"My apps","1679743486":"1. Go to Quick strategy and select the strategy you want.","1680666439":"Upload your bank statement showing your name, account number, and transaction history.","1682409128":"Untitled Strategy","1682636566":"Resend email in","1683522174":"Top-up","1683963454":"Your contract will be closed automatically at the next available asset price on {{date}} at {{timestamp}}.","1684419981":"What's this?","1686800117":"{{error_msg}}","1687173740":"Get more","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.","1691335819":"To continue trading with us, please confirm who you are.","1691765860":"- Negation","1692912479":"Deriv MT5, Deriv X","1693614409":"Start time","1694331708":"You can switch between CFDs, digital options, and multipliers at any time.","1694517345":"Enter a new email address","1698624570":"2. Hit Ok to confirm.","1700233813":"Transfer from {{selected_value}} is not allowed, Please choose another account from dropdown","1701447705":"Please update your address","1702339739":"Common mistakes","1703091957":"We collect information about your employment as part of our due diligence obligations, as required by anti-money laundering legislation.","1704656659":"How much experience do you have in CFD trading?","1708413635":"For your {{currency_name}} ({{currency}}) account","1709401095":"Trade CFDs on Deriv X with financial markets and our Derived indices.","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","1717023554":"Resubmit documents","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","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.","1725958461":"Account number","1726472773":"Function with no return value","1726565314":"Close my account","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","1733711201":"Regulators/external dispute resolution","1734185104":"Balance: %1","1734264460":"Disclaimer","1736292549":"Update postal code","1737352280":"Bot.init is not called","1738094481":"<0>Duration: Ticks 1","1738681493":"Remove your glasses, if necessary","1739086943":"Wall Street 30","1739384082":"Unemployed","1739668049":"Close your account","1740371444":"Underlying market is not selected","1742256256":"Please upload one of the following documents:","1743448290":"Payment agents","1743679873":"If you select <0>\"Call\", you’ll earn a <1>payout if the <1>final price is above the <1>strike price at <1>expiry. Otherwise, you won’t receive a payout.","1743902050":"Complete your financial assessment","1744509610":"Just drag the XML file from your computer onto the workspace, and your bot will be loaded accordingly. Alternatively, you can hit Import in Bot Builder, and choose to import your bot from your computer or from your Google Drive.","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:","1753183432":"We take all complaints seriously and aim to resolve them as quickly and fairly as possible. If you are unhappy with any aspect of our service, please let us know by submitting a complaint using the guidance below:","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","1762746301":"MF4581125","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","1768293340":"Contract value","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","1777847421":"This is a very common password","1778893716":"Click here","1779144409":"Account verification required","1779519903":"Should be a valid number.","1780442963":"Scan the QR code to download {{ platform }}.","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","1783526986":"How do I build a trading bot?","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.","1788515547":"<0/>For more information on submitting a complaint with the Office of the Arbiter for Financial Services, please <1>see their guidance.","1788966083":"01-07-1999","1789273878":"Payout per point","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","1791017883":"Check out this <0>user guide.","1791432284":"Search for country","1791971912":"Recent","1793913365":"To deposit money, please switch to your {{currency_symbol}} account.","1794815502":"Download your transaction history.","1796787905":"Please upload the following document(s).","1798943788":"You can only make deposits.","1801093206":"Get candle list","1801270786":"Ready to automate your trading strategy without writing any code? You’ve come to the right place.","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","1806017862":"Max. ticks","1806355993":"No commission","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","1812006199":"Identity verification","1812582011":"Connecting to server","1813700208":"Boom 300 Index","1813958354":"Remove comment","1815034361":"alphabetic","1815905959":"DTrader, DBot, SmartTrader, and Binary Bot","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","1821818748":"Enter Driver License Reference number","1823177196":"Most popular","1824193700":"This block gives you the last digit of the latest tick value.","1824292864":"Call","1827607208":"File not uploaded.","1828370654":"Onboarding","1830520348":"{{platform_name_dxtrade}} Password","1831847842":"I confirm that the name and date of birth above match my chosen identity document (see below)","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 }}","1841381387":"Get more wallets","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","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.","1856755117":"Pending action required","1856932069":"For Long:","1858251701":"minute","1859308030":"Give feedback","1863053247":"Please upload your identity document.","1863694618":"Trade CFDs on MT5 with forex, stocks, stock indices, commodities, and cryptocurrencies.","1863731653":"To receive your funds, contact the payment agent","1865525612":"No recent transactions.","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","1871377550":"Do you offer pre-built trading bots on Deriv Bot?","1871664426":"Note","1873838570":"Please verify your address","1874481756":"Use this block to purchase the specific contract you want. You may add multiple Purchase blocks together with conditional blocks to define your purchase conditions. This block can only be used within the Purchase conditions block.","1874756442":"BVI","1875702561":"Load or build your bot","1876015808":"Social Security and National Insurance Trust","1876325183":"Minutes","1877225775":"Your proof of address is verified","1877832150":"# from end","1878172674":"No, we don't. However, you'll find quick strategies on Deriv Bot that'll help you build your own trading bot for free.","1879042430":"Appropriateness Test, WARNING:","1879412976":"Profit amount: <0>{{profit}}","1879651964":"<0>Pending verification","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":"#","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.","1893869876":"(lots)","1894667135":"Please verify your proof of address","1898670234":"{{formatted_opening_time}} (GMT) on {{opening_day}},<0> {{opening_date}}.","1899898605":"Maximum size: 8MB","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.","1906213000":"Our system will finish any Deriv Bot trades that are running, and Deriv Bot will not place any new trades.","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.","1917178459":"Bank Verification Number","1917523456":"This block sends a message to a Telegram channel. You will need to create your own Telegram bot to use this block.","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.","1919694313":"To start trading, transfer funds from your Deriv account into this account.","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*","1926987784":"- iOS: Swipe left on the account and tap <0>Delete.","1928930389":"GBP/NOK","1929309951":"Employment Status","1929379978":"Switch between your demo and real accounts.","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.","1934450653":"For <0>Contract type, set it to Both.","1938327673":"Deriv {{platform}} <0>{{is_demo}}","1939014728":"How do I remove blocks from the workspace?","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","1970060713":"You’ve successfully deleted a bot.","1971898712":"Add or manage account","1973060793":"- maximum loss: Use this variable to store your maximum loss limit. You can assign any amount you want, but it must be a positive number.","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.","1973910243":"Manage your accounts","1974273865":"This scope will allow third-party apps to view your account activity, settings, limits, balance sheets, trade purchase history, and more.","1974903951":"If you hit Yes, the info you entered will be lost.","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.","1983358602":"This policy, which may change from time to time, applies to your account registered with {{legal_entity_name}}.","1983387308":"Preview","1983480826":"Sign in","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","1990331072":"Proof of ownership","1990735316":"Rise Equals","1991055223":"View the market price of your favourite assets.","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.","1997313835":"Your stake will continue to grow as long as the current spot price remains within a specified <0>range from the <0>previous spot price. Otherwise, you lose your stake and the trade is terminated.","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. ","1999346412":"For faster verification, input the same address here as in your proof of address document (see section below)","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.","2010759971":"Uploads successful","2010866561":"Returns the total profit/loss","2011609940":"Please input number greater than 0","2011808755":"Purchase Time","2014536501":"Card number","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.","2021161151":"Watch this video to learn how to build a trading bot on Deriv Bot. Also, check out this blog post on building a trading bot.","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","2029641956":"CFDCompareAccounts","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}}","2037607934":"The purchase of <0>{{trade_type_name}} contract has been completed successfully for the amount of <0> {{buy_price}} {{currency}}","2037665157":"Expand All Blocks","2037906477":"get sub-list from #","2042023623":"We’re reviewing your documents. This should take about 5 minutes.","2042050260":"- Purchase price: the purchase price (stake) of the contract","2042115724":"Upload a screenshot of your account and personal details page with your name, account number, phone number, and email address.","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","2046577663":"Import or choose your bot","2048110615":"Email address*","2048134463":"File size exceeded.","2049386104":"We need you to submit these in order to get this account:","2050170533":"Tick list","2051558666":"View transaction history","2054889300":"Create \"%1\"","2055317803":"Copy the link to your mobile browser","2057082550":"Accept our updated <0>terms and conditions","2057419639":"Exit Spot","2059365224":"Yes, you can get started with a pre-built bot using the Quick strategy feature. You’ll find some of the most popular trading strategies here: Martingale, D'Alembert, and Oscar's Grind. Just select the strategy, enter your trade parameters, and your bot will be created for you. You can always tweak the parameters later.","2059753381":"Why did my verification fail?","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","2070345146":"When opening a leveraged CFD trade.","2070518923":"Import your bot or tap Quick Strategies to choose from the ready-to-use bot templates.","2070752475":"Regulatory Information","2071043849":"Browse","2073813664":"CFDs, Options or Multipliers","2074235904":"Last name is required.","2074497711":"The Telegram notification could not be sent","2074713563":"4.2. Submission of a complaint","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.","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","2089581483":"Expires on","2090650973":"The spot price may change by the time your order reaches our servers. When this happens, your payout may be affected.","2091671594":"Status","2093675079":"- Close: the closing price","2096014107":"Apply","2096456845":"Date of birth*","2096603244":"Derived - Vanuatu","2097170986":"About Tether (Omni)","2097365786":"A copy of your identity document (identity card, passport)","2097381850":"Calculates Simple Moving Average line from a list with a period","2097932389":"Upload 2 separate screenshots from the personal details page and the account page via <0>https://app.astropay.com/profile","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","2104364680":"Please switch to your demo account to run your Deriv Bot.","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","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:","2119710534":"FAQ","2121227568":"NEO/USD","2122152120":"Assets","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","2146698770":"Pro tip: You can also click and drag out the desired block","2146892766":"Binary options trading experience","2147244655":"How do I import my own trading bot into Deriv Bot?","-1232613003":"<0>Verification failed. <1>Why?","-2029508615":"<0>Need verification.<1>Verify now","-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","-1823540512":"Personal details","-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","-1227878799":"Speculative","-1196936955":"Upload a screenshot of your name and email address from the personal information section.","-1286823855":"Upload your mobile bill statement showing your name and phone number.","-1309548471":"Upload your bank statement showing your name and account details.","-1410396115":"Upload a photo showing your name and the first six and last four digits of your card number. If the card does not display your name, upload the bank statement showing your name and card number in the transaction history.","-3805155":"Upload a screenshot of either of the following to process the transaction:","-1523487566":"- your account profile section on the website","-613062596":"- the Account Information page on the app","-1718304498":"User ID","-609424336":"Upload a screenshot of your name, account number, and email address from the personal details section of the app or profile section of your account on the website.","-1954436643":"Upload a screenshot of your username on the General Information page at <0>https://onlinenaira.com/members/index.htm","-79853954":"Upload a screenshot of your account number and phone number on the Bank Account/Mobile wallet page at <0>https://onlinenaira.com/members/bank.htm","-1192882870":"Upload a screenshot of your name and account number from the personal details section.","-1120954663":"First name*","-1659980292":"First name","-962979523":"Your {{ field_name }} as in your identity document","-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","-766265812":"first name","-1857534296":"John","-1282749116":"last name","-1485480657":"Other details","-1784741577":"date of birth","-1702919018":"Second line of address (optional)","-1315410953":"State/Province","-2040322967":"Citizenship","-344715612":"Employment status*","-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.","-946282997":"Additional information","-1315571766":"Place of birth","-789291456":"Tax residence*","-1692219415":"Tax residence","-1903720068":"The country in which you meet the criteria for paying taxes. Usually the country in which you physically reside.","-651516152":"Tax Identification Number","-1387062433":"Account opening reason","-222283483":"Account opening reason*","-1113902570":"Details","-71696502":"Previous","-1541554430":"Next","-987011273":"Your proof of ownership isn't required.","-808299796":"You are not required to submit proof of ownership at this time. We will inform you if proof of ownership is required in the future.","-179726573":"We’ve received your proof of ownership.","-813779897":"Proof of ownership verification passed.","-638756912":"Black out digits 7 to 12 of the card number that’s shown on the front of your debit/credit card.⁤","-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.","-684271315":"OK","-740157281":"Trading Experience Assessment","-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}}","-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","-2145244263":"This field is required","-884768257":"You should enter 0-35 characters.","-1784470716":"State is not in a proper format","-1699820408":"Please enter a {{field_name}} under {{max_number}} characters.","-1575567374":"postal/ZIP code","-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.","-1174064217":"Mr","-855506127":"Ms","-1037916704":"Miss","-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.","-1024240099":"Address","-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.","-179005984":"Save","-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}}","-839094775":"Back","-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","-937707753":"Go Back","-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","-1725454783":"Failed","-506510414":"Date and time","-1708927037":"IP address","-619126443":"Use the <0>Deriv password to log in to {{brand_website_name}} and {{platform_name_trader}}.","-623760979":"Use the <0>Deriv password to log in to {{brand_website_name}}, {{platform_name_trader}} and {{platform_name_go}}.","-459147994":"Use the <0>Deriv password to log in to {{brand_website_name}}, {{platform_name_go}}, {{platform_name_trader}}, {{platform_name_smarttrader}}, {{platform_name_dbot}} and {{platform_name_ctrader}}.","-80717068":"Apps you have linked to your <0>Deriv password:","-9570380":"Use the {{platform_name_dxtrade}} password to log in to your {{platform_name_dxtrade}} accounts on the web and mobile apps.","-2131200819":"Disable","-200487676":"Enable","-1840392236":"That's not the right code. Please try again.","-2067796458":"Authentication 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!","-1592318047":"See example","-1376950117":"That file format isn't supported. Please upload .pdf, .png, .jpg, or .jpeg files only.","-1272489896":"Please complete this field.","-397487797":"Enter your full card number","-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","-1497654315":"Our accounts and services are unavailable for the Jersey postal code.","-755626951":"Complete your address details","-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.","-212167954":"Tax Identification Number is not properly formatted.","-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.","-860053164":"When trading multipliers.","-1250327770":"When buying shares of a company.","-1222388581":"All of the above.","-477761028":"Voter ID","-1466346630":"CPF","-1515286538":"Please enter your document number. ","-1694758788":"Enter your document number","-1458676679":"You should enter 2-50 characters.","-1176889260":"Please select a document type.","-1030759620":"Government Officers","-612752984":"These are default limits that we apply to your accounts.","-1598263601":"To learn more about trading limits and how they apply, please go to the <0>Help Centre.","-1411635770":"Learn more about account limits","-1340125291":"Done","-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.","-173346300":"Maximum daily turnover","-138380129":"Total withdrawal allowed","-854023608":"To increase limit please verify your identity","-1500958859":"Verify","-1502578110":"Your account is fully authenticated and your withdrawal limits have been lifted.","-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","-1940457555":"Postal/ZIP Code*","-1964954030":"Postal/ZIP Code","-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","-1076138910":"Trade","-1666909852":"Payments","-488597603":"Trading information","-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.","-2005211699":"Create","-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.","-184202848":"Upload file","-1447142373":"Click here to upload.","-863586176":"Drag and drop a file or click to browse your files.","-723198394":"File size should be 8MB or less","-1948369500":"File uploaded is not supported","-1040865880":"Drop files here..","-1100235269":"Industry of employment","-684388823":"Estimated net worth","-509054266":"Anticipated annual turnover","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1117345066":"Choose the document type","-651192353":"Sample:","-1044962593":"Upload Document","-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","-1982432743":"It appears that the address in your document doesn’t match the address\n in your Deriv profile. Please update your personal details now with the\n correct address.","-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.","-1088324715":"We’ll review your documents and notify you of its status within 1 - 3 working days.","-329713179":"Ok","-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.","-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","-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:","-155705811":"A clear colour photo or scanned image","-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","-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.","-1598167506":"Success","-1077809489":"You have a new {{platform}} password to log in to your {{platform}} accounts on the web and mobile apps.","-2068479232":"{{platform}} password","-1332137219":"Strong passwords contain at least 8 characters that include uppercase and lowercase letters, numbers, and symbols.","-1597186502":"Reset {{platform}} password","-848721396":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. If you live in the United Kingdom, Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request. If you live in the Isle of Man, Customer Support can only remove or weaken your trading limits after your trading limit period has expired.","-469096390":"These trading limits are optional, and you can strengthen them at any time. If you don’t wish to set a specific limit, leave the field blank. Customer Support can only remove or weaken your trading limits after 24 hours of receiving the request.","-42808954":"You can also exclude yourself entirely for a specified duration. This can only be removed once your self-exclusion has expired. If you wish to continue trading once your self-exclusion period expires, you must contact Customer Support by calling <0>+447723580049 to lift this self-exclusion. Requests by chat or email shall not be entertained. There will be a 24-hour cooling-off period before you can resume trading.","-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.","-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.","-818898181":"Name in document doesn’t match your Deriv profile.","-310316375":"Address in document doesn’t match address you entered above.","-485368404":"Document issued more than 6-months ago.","-367016488":"Blurry document. All information must be clear and visible.","-1957076143":"Cropped document. All information must be clear and visible.","-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","-254792921":"You can only make deposits at the moment. To enable withdrawals, please complete your financial assessment.","-1437017790":"Financial information","-70342544":"We’re legally obliged to ask for your financial information.","-39038029":"Trading experience","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-1743024217":"Select Language","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-1526404112":"Utility bill: electricity, water, gas, or landline phone bill.","-537552700":"Home rental agreement: valid and current agreement.","-890084320":"Save and submit","-30772747":"Your personal details have been saved successfully.","-1107320163":"Automate your trading, no coding needed.","-829643221":"Multipliers trading platform.","-1585707873":"Financial Commission","-199154602":"Vanuatu Financial Services Commission","-191165775":"Malta Financial Services Authority","-194969520":"Counterparty company","-1089385344":"Deriv (SVG) LLC","-2019617323":"Deriv (BVI) Ltd","-112814932":"Deriv (FX) Ltd","-1131400885":"Deriv Investments (Europe) Limited","-1471207907":"All assets","-781132577":"Leverage","-1591882610":"Synthetics","-543177967":"Stock indices","-362324454":"Commodities","-1071336803":"Platform","-820028470":"Options & Multipliers","-1018945969":"TradersHub","-1856204727":"Reset","-213142918":"Deposits and withdrawals temporarily unavailable ","-224804428":"Transactions","-1186807402":"Transfer","-1308346982":"Derived","-1145604233":"Trade CFDs on MT5 with Derived indices that simulate real-world market movements.","-328128497":"Financial","-1484404784":"Trade CFDs on MT5 with forex, stock indices, commodities, and cryptocurrencies.","-659955365":"Swap-Free","-674118045":"Trade swap-free CFDs on MT5 with synthetics, forex, stocks, stock indices, cryptocurrencies, and ETFs.","-1210359945":"Transfer funds to your accounts","-81256466":"You need a Deriv account to create a CFD account.","-699372497":"Trade with leverage and tight spreads for better returns on successful trades. <0>Learn more","-1884966862":"Get more Deriv MT5 account with different type and jurisdiction.","-145462920":"Deriv cTrader","-982095728":"Get","-1277942366":"Total assets","-1255879419":"Trader's Hub","-493788773":"Non-EU","-673837884":"EU","-230566990":"The following documents you submitted did not pass our checks:","-846812148":"Proof of address.","-2055865877":"Non-EU regulation","-643108528":"Non-EU and EU regulation","-172898036":"CR5236585","-1665192032":"Multipliers account","-744999940":"Deriv account","-1638358352":"Get the upside of CFDs without risking more than your initial stake with <0>Multipliers.","-749129977":"Get a real Deriv account, start trading and manage your funds.","-1814994113":"CFDs <0>{{compare_accounts_title}}","-318106501":"Trade CFDs on MT5 with synthetics, baskets, and derived FX.","-1328701106":"Trade CFDs on MT5 with forex, stocks, stock indices, synthetics, cryptocurrencies, and commodities.","-1173266642":"This account offers CFDs on a feature-rich trading platform.","-1290112064":"Deriv EZ","-1453519913":"Trade CFDs on an easy-to-get-started platform with all your favourite assets.","-2051096382":"Earn a range of payouts by correctly predicting market movements with <0>options, or get the\n upside of CFDs without risking more than your initial stake with <1>multipliers.","-2146691203":"Choice of regulation","-249184528":"You can create real accounts under EU or non-EU regulation. Click the <0><0/> icon to learn more about these accounts.","-1505234170":"Trader's Hub tour","-181080141":"Trading hub tour","-1042025112":"Need help moving around?<0>We have a short tutorial that might help. Hit Repeat tour to begin.","-1536335438":"These are the trading accounts available to you. You can click on an account’s icon or description to find out more","-1034232248":"CFDs or Multipliers","-1320214549":"You can choose between CFD trading accounts and Multipliers accounts","-2069414013":"Click the ‘Get’ button to create an account","-951876657":"Top-up your account","-1945421757":"Once you have an account click on ‘Deposit’ or ‘Transfer’ to add funds to an account","-1965920446":"Start trading","-33612390":"<0>EU statutory disclaimer: CFDs are complex instruments and come with a high risk of losing money rapidly due to leverage. <0>73% of retail investor accounts lose money when trading CFDs with this provider. You should consider whether you understand how CFDs work and whether you can afford to take the high risk of losing your money.","-2021135479":"This field is required.","-1870909526":"Our server cannot retrieve an address.","-582721696":"The current allowed withdraw amount is {{format_min_withdraw_amount}} to {{format_max_withdraw_amount}} {{currency}}","-1975494965":"Cashier","-42592103":"Deposit cryptocurrencies","-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. ","-954082208":"Your cashier is currently locked. Please contact us via <0>live chat to find out how to unlock it.","-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.","-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.","-1923809087":"Unfortunately, you can only make deposits. Please contact us via <0>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","-1995606668":"Amount","-2024290965":"Confirmations","-811190405":"Time","-1984478597":"The details of this transaction is available on CoinsPaid.","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-1332236294":"Please verify your identity","-1675848843":"Error","-283017497":"Retry","-1838982691":"UNKNOWN","-532693866":"Something went wrong. Please refresh the page and try again.","-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}})","-1957498244":"more","-1059419768":"Notes","-285921910":"Learn more about <0>payment methods.","-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","-1787304306":"Deriv P2P","-174976899":"P2P verification","-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.","-1463156905":"Learn more about payment methods","-1236567184":"This is your <0>{{regulation}}{{currency}} account {{loginid}}.","-1547606079":"We accept the following cryptocurrencies:","-1517325716":"Deposit via the following payment methods:","-639677539":"Buy cryptocurrencies","-1560098002":"Buy cryptocurrencies via fiat onramp","-541870313":"Deposit via payment agents","-197251450":"Don't want to trade in {{currency_code}}? You can open another cryptocurrency account.","-91824739":"Deposit {{currency}}","-523804269":"{{amount}} {{currency}} on {{date}}","-494847428":"Address: <0>{{value}}","-1117977576":"Confirmations: <0>{{value}}","-1935946851":"View more","-1744490898":"Unfortunately, we cannot retrieve the information at this time. ","-515809216":"Send only {{currency_name}} ({{currency_code}}) to this address.","-1589407981":"To avoid loss of funds:","-1042704302":"Make sure to copy your Deriv account address correctly into your crypto wallet.","-80329359":"<0>Note: You’ll receive an email when your deposit start being processed.","-2108344100":"Looking for a way to buy cryptocurrencies? <0>Try Fiat onramp.","-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.","-314177745":"Unfortunately, we couldn't get the address since our server was down. Please click Refresh to reload the address or try again later.","-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.","-1866405488":"Deriv cTrader accounts","-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:","-1949883551":"You only have one account","-1149845849":"Back to Trader's Hub","-1232852916":"We’re switching over to your {{currency}} account to view the transaction.","-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","-1309258714":"From account number","-1247676678":"To account number","-816476007":"Account holder name","-344403983":"Description","-922432739":"Please enter a valid client login ID.","-1024241603":"Insufficient balance.","-1979554765":"Please enter a valid description.","-1254233806":"You've transferred","-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.","-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.","-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:","-2027409966":"Initial stake:","-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.","-590765322":"Unfortunately, this trading platform is not available for EU Deriv account. Please switch to a non-EU account to continue trading.","-2110207996":"Deriv Bot is unavailable for this account","-971295844":"Switch to another account","-1194079833":"Deriv Bot is not available for EU clients","-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","-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.","-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","-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","-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","-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","-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","-1842451303":"Welcome to Deriv Bot!","-1391310674":"Check out these guides and FAQs to learn more about building your bot:","-2066779239":"FAQs","-280324365":"What is Deriv Bot?","-1016171176":"Asset","-621128676":"Trade type","-447853970":"Loss threshold","-507620484":"Unsaved","-764102808":"Google Drive","-1696412885":"Import","-320197558":"Sort blocks","-1566369363":"Zoom out","-1285759343":"Search","-1291088318":"Purchase conditions","-112876186":"Analysis","-1769584466":"Stats","-1133736197":"Utility","-1682372359":"Text","-907562847":"Lists","-1646497683":"Loops","-251326965":"Miscellaneous","-934909826":"Load strategy","-1692205739":"Import a bot from your computer or Google Drive, build it from scratch, or start with a quick strategy.","-1545070554":"Delete bot","-1972599670":"Your bot will be permanently deleted when you hit ","-1692956623":"Yes, delete.","-573479616":"Are you sure you want to delete it?","-786915692":"You are connected to Google Drive","-1256971627":"To import your bot from your Google Drive, you'll need to sign in to your Google account.","-1233084347":"To know how Google Drive handles your data, please review Deriv’s <0>Privacy policy.","-1150107517":"Connect","-1150390589":"Last modified","-1393876942":"Your bots:","-767342552":"Enter your bot name, choose to save on your computer or Google Drive, and hit ","-1372891985":"Save.","-1003476709":"Save as collection","-636521735":"Save strategy","-1953880747":"Stop my bot","-1899230001":"Stopping the current bot will load the Quick Strategy you just created to the workspace.","-2131847097":"Any open contracts can be viewed on the ","-563774117":"Dashboard","-939764287":"Charts","-683790172":"Now, <0>run the bot to test out the strategy.","-1127164953":"Hi! Hit <0>Start for a quick tour.","-358288026":"Note: You can also find this tutorial in the <0>Tutorials tab.","-1793577405":"Build from scratch","-358753028":"Create your bot using our drag-and-drop blocks or click Quick Strategy to choose from the ready-to-use bot templates.","-1212601535":"Monitor the market","-21136101":"See how your bot is doing in real-time.","-631097919":"Click <0>Run when you want to start trading, and click <0>Stop when you want to stop.","-1999747212":"Want to retake the tour?","-129587613":"Got it, thanks!","-782992165":"Step 1 :","-1207872534":"First, set the <0>Trade parameters block.","-1656388044":"First, set <0>Market to Derived > Continuous Indices > Volatility 100 (1s) Index.","-1706298865":"Then, set <0>Trade type to Up/Down > Rise/Fall.","-1834358537":"For <0>Default candle interval, set it to 1 minute","-1940971254":"For <0>Trade options, set it as below:","-512839354":"<0>Stake: USD 10 (min: 0.35 - max: 50000)","-753745278":"Step 2 :","-1056713679":"Then, set the <0>Purchase conditions block.","-245497823":"<0>2. Purchase conditions:","-916770284":"<0>Purchase: Rise","-758077259":"Step 3 :","-677396944":"Step 4 :","-295975118":"Next, go to <0>Utility tab under the Blocks menu. Tap the drop-down arrow and hit <0>Loops.","-698493945":"Step 5 :","-1992994687":"Now, tap the <0>Analysis drop-down arrow and hit <0>Contract.","-1844492873":"Go to the <0>Last trade result block and click + icon to add the <0>Result is Win block to the workspace.","-1547091772":"Then, drag the <0>Result is win into the empty slot next to <0>repeat until block.","-736400802":"Step 6 :","-732067680":"Finally, drag and add the whole <0>Repeat block to the <0>Restart trading conditions block.","-1411787252":"Step 1","-1109392787":"Learn how to build your bot from scratch using a simple strategy.","-1263822623":"You can import a bot from your mobile device or from Google drive, see a preview in the bot builder, and start trading by running the bot.","-563921656":"Bot Builder guide","-1109191651":"Must be a number higher than 0","-689786738":"Minimum duration: {{ min }}","-184183432":"Maximum duration: {{ max }}","-1494924808":"The value must be equal to or greater than 2.","-1823621139":"Quick Strategy","-1778025545":"You’ve successfully imported a bot.","-1519425996":"No results found \"{{ faq_search_value }}\"","-155173714":"Let’s build a bot!","-1919212468":"3. You can also search for the blocks you want using the search bar above the categories.","-1520558271":"For more info, check out this blog post on the basics of building a trading bot.","-980360663":"3. Choose the block you want and drag it to the workspace.","-1493168314":"What is a quick strategy?","-1680391945":"Using a quick strategy","-1177914473":"How do I save my strategy?","-271986909":"In Bot Builder, hit Save on the toolbar at the top to download your bot. Give your bot a name, and choose to download your bot to your device or Google Drive. Your bot will be downloaded as an XML file.","-1149045595":"1. After hitting Import, select Local and click Continue.","-288041546":"2. Select your XML file and hit Open.","-2127548288":"3. Your bot will be loaded accordingly.","-1311297611":"1. After hitting Import, select Google Drive and click Continue.","-1549564044":"How do I reset the workspace?","-1127331928":"In Bot Builder, hit Reset on the toolbar at the top. This will clear the workspace. Please note that any unsaved changes will be lost.","-1720444288":"How do I control my losses with Deriv Bot?","-1142295124":"There are several ways to control your losses with Deriv Bot. Here’s a simple example of how you can implement loss control in your strategy:","-986689483":"1. Create the following variables:","-269910127":"3. Update current profit/loss with the profit from the last contract. If the last contract was lost, the value of current profit/loss will be negative.","-1565344891":"Can I run Deriv Bot on multiple tabs in my web browser?","-90192474":"Yes, you can. However, there are limits on your account, such as maximum number of open positions and maximum aggregate payouts on open positions. So, just keep these limits in mind when opening multiple positions. You can find more info about these limits at Settings > Account limits.","-213872712":"No, we don't offer cryptocurrencies on Deriv Bot.","-2147346223":"In which countries is Deriv Bot available?","-352345777":"What are the most popular strategies for automated trading?","-552392096":"Three of the most commonly used strategies in automated trading are Martingale, D'Alembert, and Oscar's Grind — you can find them all ready-made and waiting for you in Deriv Bot.","-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","-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","-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","-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.","-24780060":"When you’re ready to trade, hit ","-2147110353":". You’ll be able to track your bot’s performance here.","-2140412463":"Buy price","-1299484872":"Account","-2004386410":"Win","-266502731":"Transactions detailed summary","-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.","-1309011360":"Open positions","-1597214874":"Trade table","-1929724703":"Compare CFD accounts","-883103549":"Account deactivated","-1837059346":"Buy / Sell","-1845037007":"Advertiser's page","-494667560":"Orders","-679691613":"My ads","-821418875":"Trader","-679102561":"Contract Details","-430118939":"Complaints policy","-568280383":"Deriv Gaming","-895331276":"Complete your proof of address","-782679300":"Complete your proof of identity","-579984289":"Derived Demo","-1596515467":"Derived BVI","-222394569":"Derived Vanuatu","-533935232":"Financial BVI","-565431857":"Financial Labuan","-291535132":"Swap-Free Demo","-1472945832":"Swap-Free SVG","-144803045":"Only numbers and these special characters are allowed: {{permitted_characters}}","-1450516268":"Only letters, numbers, space, hyphen, period, and apostrophe are allowed.","-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","-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.","-2063700253":"disabled","-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","-1601813176":"Would you like to increase your daily limits to {{max_daily_buy}} {{currency}} (buy) and {{max_daily_sell}} {{currency}} (sell)?","-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.","-493564794":"Please complete your financial assessment.","-1125797291":"Password updated.","-157145612":"Please log in with your updated password.","-1728185398":"Resubmit proof of address","-612396514":"Please resubmit your 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.","-2136953532":"Scheduled cashier maintenance","-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.","-949074612":"Please contact us via live chat.","-2087822170":"You are offline","-1669693571":"Check your connection.","-1706642239":"<0>Proof of ownership <1>required","-553262593":"<0><1>Your account is currently locked <2><3>Please upload your proof of <4>ownership to unlock your account. <5>","-1834929362":"Upload my document","-1043638404":"<0>Proof of ownership <1>verification failed","-1766760306":"<0><1>Please upload your document <2>with the correct details. <3>","-8892474":"Start assessment","-1330929685":"Please submit your proof of identity and proof of address to verify your account and continue trading.","-99461057":"Please submit your proof of address to verify your account and continue trading.","-577279362":"Please submit your proof of identity to verify your account and continue trading.","-197134911":"Your proof of identity is expired","-152823394":"Your proof of identity has expired. Please submit a new proof of identity to verify your account and continue trading.","-420930276":"Follow these simple instructions to fix it.","-2142540205":"It appears that the address in your document doesn’t match the address in your Deriv profile. Please update your personal details now with the correct address.","-482715448":"Go to Personal details","-2072411961":"Your proof of address has been verified","-384887227":"Update the address in your profile.","-448961363":"non-EU","-1998049070":"If you agree to our use of cookies, click on Accept. For more information, <0>see our policy.","-402093392":"Add Deriv Account","-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","-1323441180":"I hereby confirm that my request for opening an account with Deriv to trade OTC products issued and offered exclusively outside Brazil was initiated by me. I fully understand that Deriv is not regulated by CVM and by approaching Deriv I intend to set up a relation with a foreign company.","-1396326507":"Unfortunately, {{website_name}} is not available in your country.","-1019903756":"Synthetic","-288996254":"Unavailable","-735306327":"Manage accounts","-2024365882":"Explore","-1197864059":"Create free demo account","-1813972756":"Account creation paused for 24 hours","-366030582":"Sorry, you're unable to create an account at this time. As you declined our previous risk warnings, we need you to wait for 24 hours after your first account creation attempt before you can proceed.<0/><0/>","-534047566":"Thank you for your understanding. You can create your account on {{real_account_unblock_date}} or later.","-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.","-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","-1740162250":"Manage account","-1016775979":"Choose an account","-1362081438":"Adding more real accounts has been restricted for your country.","-1602122812":"24-hour Cool Down Warning","-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?","-730377053":"You can’t add another real account","-2100785339":"Invalid inputs","-2061807537":"Something’s not right","-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","-1193651304":"Country of residence","-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.","-1728963310":"Stop creating an 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.","-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}}.","-813256361":"We are committed to treating our clients fairly and providing them with excellent service.<0/><1/>We would love to hear from you on how we can improve our services to you. Any information you provide will be treated in the strictest confidence. Rest assured that you will be heard, valued, and always treated fairly.","-1622847732":"If you have an inquiry regarding your trading account with {{legal_entity_name}}, you can contact us through our <0>Help centre or by chatting with a representative via <1>Live Chat.<2/><3/>We are committed to resolving your query in the quickest time possible and appreciate your patience in allowing us time to resolve the matter.<4/><5/>We strive to provide the best possible service and support to our customers. However, in the event that we are unable to resolve your query or if you feel that our response is unsatisfactory, we want to hear from you. We welcome and encourage you to submit an official complaint to us so that we can review your concerns and work towards a resolution.","-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","-1280998762":"4. Complaints","-1886635232":"A complaint is any expression of dissatisfaction by a client regarding our products or services that requires a formal response.<0/><1/>If what you submit does not fall within the scope of a complaint, we may reclassify it as a query and forward it to the relevant department for handling. However, if you believe that your query should be classified as a complaint due to its relevance to the investment services provided by {{legal_entity_name}}, you may request that we reclassify it accordingly.","-1771496016":"To submit a complaint, please send an email to <0>complaints@deriv.com, providing as much detail as possible. To help us investigate and resolve your complaint more efficiently, please include the following information:","-1197243525":"<0>•A clear and detailed description of your complaint, including any relevant dates, times, and transactions","-1795134892":"<0>•Any relevant screenshots or supporting documentation that will assist us in understanding the issue","-2053887036":"4.4. Handling your complaint","-717170429":"Once we have received the details of your complaint, we shall 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.","-1841922393":"4.5. Resolving your complaint","-1327119795":"4.6. Your decision","-2019654103":"If we are unable to resolve your complaint or you are not satisfied with the outcome, you can escalate your complaint to the Office of the Arbiter for Financial Services.<0/><1/><2>Filing complaints with the Office of the Arbiter for Financial Services","-687172857":"<0>•You may file a complaint with the Arbiter for Financial Services only if you are not satisfied with our decision or the decision wasn’t made within 15 business days.","-262934706":"<0>•If the complaint is accepted by the Arbiter, you will receive another email with further details relating to the payment of the €25 complaint fee and the processes that follow.","-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","-29496115":"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/>","-648669944":"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/>","-794294380":"This suite is only available for Windows, and is most recommended for financial assets.","-922510206":"Need help using Acuity?","-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","-778309978":"The link you clicked has expired. Ensure to click the link in the latest email in your inbox. Alternatively, enter your email below and click <0>Resend email for a new link.","-336222114":"Follow these simple steps to fix it:","-1064116456":"Search for the broker <0>Deriv Holdings (Guernsey) Limited and select it.","-941870889":"The cashier is for real accounts only","-352838513":"It looks like you don’t have a real {{regulation}} account. To use the cashier, switch to your {{active_real_regulation}} real account, or get an {{regulation}} real account.","-1858915164":"Ready to deposit and trade for real?","-162753510":"Add real account","-1208519001":"You need a real Deriv account to access the cashier.","-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.","-705682181":"Malta","-409563066":"Regulator","-1302404116":"Maximum leverage","-2098459063":"British Virgin Islands","-1510474851":"British Virgin Islands Financial Services Commission (licence no. SIBA/L/18/1114)","-761250329":"Labuan Financial Services Authority (Licence no. MB/18/0024)","-1264604378":"Up to 1:1000","-1686150678":"Up to 1:100","-637908996":"100%","-1420548257":"20+","-1344709651":"40+","-1373949478":"50+","-1382029900":"70+","-1493055298":"90+","-523602297":"Forex majors","-1303090739":"Up to 1:1500","-19213603":"Metals","-1728334460":"Up to 1:300","-646902589":"(US_30, US_100, US_500)","-1835174654":"1:30","-1647612934":"Spreads from","-1587894214":"about verifications needed.","-466784048":"Regulator/EDR","-1920034143":"Synthetics, Baskets and Derived FX","-1326848138":"British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114)","-777580328":"Forex, Stocks, Stock indices, Commodities, and Cryptocurrencies","-1372141447":"Straight-through processing","-1969608084":"Forex and Cryptocurrencies","-800771713":"Labuan Financial Services Authority (licence no. MB/18/0024)","-1497128311":"80+","-1501230046":"0.6 pips","-1689815930":"You will need to submit proof of identity and address once you reach certain thresholds.","-1175785439":"Deriv (SVG) LLC (company no. 273 LLC 2020)","-235833244":"Synthetics, Forex, Stocks, Stock Indices, Cryptocurrencies, and ETFs","-139026353":"A selfie of yourself.","-70314394":"A recent utility bill (electricity, water or gas) or recent bank statement or government-issued letter with your name and address.","-435524000":"Verification failed. Resubmit during account creation.","-1385099152":"Your document is verified.","-931599668":"ETF","-651501076":"Derived - SVG","-865172869":"Financial - BVI","-1851765767":"Financial - Vanuatu","-558597854":"Financial - Labuan","-2052425142":"Swap-Free - SVG","-1192904361":"Deriv X Demo","-1269597956":"MT5 Platform","-239789243":"(License no. SIBA/L/18/1114)","-1434036215":"Demo Financial","-1416247163":"Financial STP","-1637969571":"Demo Swap-Free","-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","-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","-511301450":"Indicates the availability of cryptocurrency trading on a particular account.","-1647569139":"Synthetics, Baskets, Derived FX, Forex: standard/micro, Stocks, Stock indices, Commodities, Cryptocurrencies","-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.","-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.","-1922462747":"Trader's hub","-700260448":"demo","-1769158315":"real","-2015785957":"Compare CFDs {{demo_title}} 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","-393388362":"We’re reviewing your documents. This should take about 1 to 3 days.","-790488576":"Forgot password?","-535365199":"Enter your {{platform}} password to add a {{platform_name}} {{account}} account.","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1936102840":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} {{jurisdiction_selected_shortcode}} account. ","-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","-1318070255":"EUR/GBP","-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","-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)","-2016975615":"Deriv MT5 CFDs real account","-1207265427":"Compare CFDs real accounts","-1225160479":"Compare available accounts","-266701451":"derivX wordmark","-2145356061":"Download Deriv X on your phone to trade with the Deriv X account","-251202291":"Broker","-81650212":"MetaTrader 5 web","-2123571162":"Download","-941636117":"MetaTrader 5 Linux app","-637537305":"Download {{ platform }} on your phone to trade with the {{ platform }} {{ account }} account","-678964540":"to","-206829624":"(1:x)","-616293830":"Enjoy dynamic leverage of <0>up to 1:1500 when trading selected instruments in the forex, commodities, cryptocurrencies, and stock indices markets. Our dynamic leverage adjusts automatically to your trading position, based on asset type and trading volume.","-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","-21438174":"Add your Deriv cTrader account under Deriv (SVG) LLC (company no. 273 LLC 2020).","-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).","-271828350":"Get more out of Deriv MT5 Financial","-2125860351":"Choose a jurisdiction for your Deriv MT5 CFDs account","-450424792":"You need a real account (fiat currency or cryptocurrency) in Deriv to create a real Deriv MT5 account.","-1760596315":"Create a Deriv account","-525896186":"Download Deriv GO on your phone to trade with the Deriv EZ account","-1547458328":"Run cTrader on your browser","-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.","-35790392":"Scan the QR code to download {{Deriv}} {{ platform }}.","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-1455298001":"Now","-256210543":"Trading is unavailable at this time.","-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.","-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","-2035315547":"Low barrier","-1551639437":"No history","-1214703885":"You have yet to update either take profit or stop loss","-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}}","-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:","-1694314813":"Contract value:","-153220091":"{{display_value}} Tick","-802374032":"Hour","-2039780875":"Purchase confirmation","-1672470173":"Require confirmation before purchasing a contract","-1342661765":"Lock contract purchase buttons","-351875097":"Number of ticks","-729830082":"View less","-149836494":"Your transaction reference number is {{transaction_id}}","-1382749084":"Go back to trading","-1231210510":"Tick","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-1977959027":"hours","-442488432":"day","-337314714":"days","-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","-338707425":"Minimum duration is 1 day","-1003473648":"Duration: {{duration}} day","-740702998":"<0>{{title}} {{message}}","-1669741470":"The payout at expiry is equal to the payout per point multiplied by the difference between the final price and the strike price.","-1527492178":"Purchase Locked","-725375562":"You can lock/unlock the purchase button from the Settings menu","-2131851017":"Growth rate","-1358367903":"Stake","-542594338":"Max. payout","-690963898":"Your contract will be automatically closed when your payout reaches this amount.","-511541916":"Your contract will be automatically closed upon reaching this number of ticks.","-434270664":"Current Price","-1956787775":"Barrier Price:","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-1804019534":"Expiry: {{date}}","-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.","-339236213":"Multiplier","-1763848396":"Put","-194424366":"above","-857660728":"Strike Prices","-243332856":"Last digit stats for latest 1000 ticks for {{ underlying_name }}","-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.","-347156282":"Submit Proof","-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.","-1738427539":"Purchase","-1937372493":"You can close your trade anytime. However, be aware of <0>slippage risk<0/>.","-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.","-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.","-1192494358":"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.","-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.","-1576967286":"This product allows you to express a strong bullish or bearish view on an underlying asset.","-610471235":"If you think the market price will rise continuously for a specific period, choose <0>Long. You will get a payout at the expiry time if the market price doesn’t touch or cross below the barrier. Your payout will grow proportionally to the distance between the market price and the barrier if the barrier is not breached. You will start making a profit when the payout is higher than your stake. If the market price ever crosses the barrier, there won’t be a payout.","-454245976":"If you think the market price will drop continuously for a specific period, choose <0>Short. You will get a payout at the expiry time if the market price doesn’t touch or cross above the barrier. Your payout will grow proportionally to the distance between the market price and the barrier if the barrier is not breached. You will start making a profit when the payout is higher than your stake. If the market price ever crosses the barrier, there won’t be a payout.","-1790089996":"NEW!","-993480898":"Accumulators","-45873457":"NEW","-1422269966":"You can choose a growth rate with values of 1%, 2%, 3%, 4%, and 5%.","-1186791513":"Payout is the sum of your initial stake and profit.","-1682624802":"It is a percentage of the previous spot price. The percentage rate is based on your choice of the index and the growth rate.","-1221049974":"Final price","-1247327943":"This is the spot price of the last tick at expiry.","-878534036":"If you select \"Call\", you’ll earn a payout if the final price is above the strike price at expiry. Otherwise, you won’t receive a payout.","-1587076792":"If you select \"Put\", you’ll earn a payout if the final price is below the strike price at expiry. Otherwise, you won’t receive a payout.","-1482134885":"We calculate this based on the strike price and duration you’ve selected.","-1890561510":"Cut-off time","-565990678":"Your contract will expire on this date (in GMT), based on the End time you’ve selected.","-127118348":"Choose {{contract_type}}","-543478618":"Try checking your spelling or use a different term","-700280380":"Deal cancel. fee","-1683683754":"Long","-1046859144":"<0>{{title}} You will get a payout if the market price stays {{price_position}} and doesn't touch or cross the barrier. Otherwise, your payout will be zero.","-1815023694":"above the barrier","-1572548510":"Ups & Downs","-71301554":"Ins & Outs","-952298801":"Look Backs","-763273340":"Digits","-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","-1072292603":"No Change","-1631669591":"string","-1768939692":"number","-795152863":"green","-1640576332":"blue","-804983649":"yellow","-94281841":"red","-1242470654":"Earned money","-841561409":"Put Spread","-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","-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","-985351204":"Trade again","-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.","-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 }}","-1374685318":"Your contract is closed automatically when your loss is more than or equals to this amount. This block can only be used with the multipliers trade type.","-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","-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","-1919680487":"workspace","-1703118772":"The {{block_type}} block is misplaced from {{missing_space}}.","-1785726890":"purchase conditions","-538215347":"Net deposits","-280147477":"All transactions","-137444201":"Buy","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-1904030160":"Transaction performed by (App ID: {{app_id}})","-513103225":"Transaction time","-2066666313":"Credit/Debit","-1981004241":"Sell time","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-3423966":"Take profit<0 />Stop loss","-2082644096":"Current stake","-1131753095":"The {{trade_type_name}} contract details aren't currently available. We're working on making them available soon.","-360975483":"You've made no transactions of this type during this period.","-1226595254":"Turbos","-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","-123659792":"Vanillas","-1669418686":"AUD/CAD","-1548588249":"AUD/CHF","-1552890620":"AUD/JPY","-681231560":"AUD/PLN","-64938413":"AUD/USD","-1430522808":"EUR/AUD","-2020477069":"EUR/CAD","-1201853162":"EUR/CHF","-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","-853582174":"France 40","-1096386695":"UK 100","-617646862":"Germany 40","-2077690248":"Japan 225","-512194910":"US Tech 100","-381746202":"US 500","-1935463381":"Swiss 20","-1941767726":"Euro 50","-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","-816110209":"Volatility 150 (1s) Index","-1374309449":"Volatility 200 (1s) Index","-1288044380":"Volatility 250 (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","-1715390759":"I want to do this later","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-1603581277":"minutes","-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 8e37eb1f0474..d20e87637bc3 100644 --- a/packages/translations/src/translations/ach.json +++ b/packages/translations/src/translations/ach.json @@ -459,7 +459,6 @@ "524459540": "crwdns2101753:0crwdne2101753:0", "527329988": "crwdns1259711:0crwdne1259711:0", "529056539": "crwdns1259713:0crwdne1259713:0", - "529597350": "crwdns1259715:0crwdne1259715:0", "530953413": "crwdns1259717:0crwdne1259717:0", "531114081": "crwdns1259719:0crwdne1259719:0", "531675669": "crwdns1259721:0crwdne1259721:0", @@ -680,7 +679,6 @@ "762185380": "crwdns1260075:0crwdne1260075:0", "762871622": "crwdns1260077:0{{remaining_time}}crwdne1260077:0", "762926186": "crwdns2301437:0crwdne2301437:0", - "763019867": "crwdns1260079:0crwdne1260079:0", "764366329": "crwdns1260081:0crwdne1260081:0", "766317539": "crwdns1260085:0crwdne1260085:0", "770171141": "crwdns1260087:0{{hostname}}crwdne1260087:0", @@ -757,7 +755,6 @@ "843333337": "crwdns1260199:0crwdne1260199:0", "845213721": "crwdns1260201:0crwdne1260201:0", "845304111": "crwdns1260203:0{{ input_number }}crwdne1260203:0", - "847888634": "crwdns1260205:0crwdne1260205:0", "848083350": "crwdns2301189:0crwdne2301189:0", "850582774": "crwdns1260207:0crwdne1260207:0", "851054273": "crwdns1260209:0crwdne1260209:0", @@ -1043,7 +1040,6 @@ "1145927365": "crwdns1260659:0crwdne1260659:0", "1146064568": "crwdns1260661:0crwdne1260661:0", "1147269948": "crwdns1260663:0crwdne1260663:0", - "1147625645": "crwdns1260665:0crwdne1260665:0", "1150637063": "crwdns1719391:0crwdne1719391:0", "1151964318": "crwdns1260667:0crwdne1260667:0", "1152294962": "crwdns1260669:0crwdne1260669:0", @@ -1090,7 +1086,6 @@ "1195393249": "crwdns1260739:0{{ notification_type }}crwdnd1260739:0{{ notification_sound }}crwdnd1260739:0{{ input_message }}crwdne1260739:0", "1196006480": "crwdns2620879:0crwdne2620879:0", "1196683606": "crwdns1600221:0crwdne1600221:0", - "1197326289": "crwdns1260743:0crwdne1260743:0", "1198368641": "crwdns1260745:0crwdne1260745:0", "1199281499": "crwdns1260747:0crwdne1260747:0", "1201533528": "crwdns1260749:0crwdne1260749:0", @@ -1399,7 +1394,6 @@ "1510357015": "crwdns1261263:0crwdne1261263:0", "1510735345": "crwdns1261265:0crwdne1261265:0", "1512469749": "crwdns1261267:0crwdne1261267:0", - "1516537408": "crwdns1261269:0crwdne1261269:0", "1516559721": "crwdns1261271:0crwdne1261271:0", "1516676261": "crwdns1261273:0crwdne1261273:0", "1516834467": "crwdns1719409:0crwdne1719409:0", @@ -1414,7 +1408,6 @@ "1527906715": "crwdns1261287:0crwdne1261287:0", "1531017969": "crwdns1261291:0crwdne1261291:0", "1533177906": "crwdns1261293:0crwdne1261293:0", - "1534569275": "crwdns1261295:0crwdne1261295:0", "1534796105": "crwdns1261297:0crwdne1261297:0", "1537711064": "crwdns1261299:0crwdne1261299:0", "1540585098": "crwdns1261303:0crwdne1261303:0", @@ -1474,7 +1467,6 @@ "1598009247": "crwdns1261377:0crwdne1261377:0", "1598443642": "crwdns1261381:0crwdne1261381:0", "1602894348": "crwdns1261383:0crwdne1261383:0", - "1604171868": "crwdns1261385:0crwdne1261385:0", "1604916224": "crwdns1261387:0crwdne1261387:0", "1605222432": "crwdns1335141:0crwdne1335141:0", "1605292429": "crwdns1261389:0crwdne1261389:0", @@ -1746,7 +1738,6 @@ "1876015808": "crwdns1935217:0crwdne1935217:0", "1876325183": "crwdns1261835:0crwdne1261835:0", "1877225775": "crwdns1261837:0crwdne1261837:0", - "1877410120": "crwdns1261839:0crwdne1261839:0", "1877832150": "crwdns1261841:0crwdne1261841:0", "1878172674": "crwdns2301455:0crwdne2301455:0", "1879042430": "crwdns1261843:0crwdne1261843:0", @@ -1784,7 +1775,6 @@ "1914725623": "crwdns1261899:0crwdne1261899:0", "1917178459": "crwdns1935219:0crwdne1935219:0", "1917523456": "crwdns1261901:0crwdne1261901:0", - "1917804780": "crwdns1261903:0crwdne1261903:0", "1918796823": "crwdns1261907:0crwdne1261907:0", "1918832194": "crwdns1335153:0crwdne1335153:0", "1919030163": "crwdns1261909:0crwdne1261909:0", @@ -1799,7 +1789,6 @@ "1923431535": "crwdns1261925:0crwdne1261925:0", "1924365090": "crwdns1261927:0crwdne1261927:0", "1924765698": "crwdns1261929:0crwdne1261929:0", - "1925090823": "crwdns1261931:0{{clients_country}}crwdne1261931:0", "1926987784": "crwdns2694281:0crwdne2694281:0", "1928930389": "crwdns1261935:0crwdne1261935:0", "1929309951": "crwdns1261937:0crwdne1261937:0", @@ -1880,7 +1869,6 @@ "2004792696": "crwdns123868:0crwdne123868:0", "2007028410": "crwdns121792:0crwdne121792:0", "2007092908": "crwdns163512:0crwdne163512:0", - "2008809853": "crwdns168115:0crwdne168115:0", "2010759971": "crwdns156502:0crwdne156502:0", "2010866561": "crwdns69608:0crwdne69608:0", "2011609940": "crwdns156504:0crwdne156504:0", @@ -1920,7 +1908,6 @@ "2049386104": "crwdns2154511:0crwdne2154511:0", "2050170533": "crwdns69622:0crwdne69622:0", "2051558666": "crwdns165841:0crwdne165841:0", - "2053617863": "crwdns171266:0crwdne171266:0", "2054889300": "crwdns89398:0%1crwdne89398:0", "2055317803": "crwdns156510:0crwdne156510:0", "2057082550": "crwdns160414:0crwdne160414:0", @@ -2341,10 +2328,10 @@ "-1412690135": "crwdns81249:0crwdne81249:0", "-1598751496": "crwdns81253:0crwdne81253:0", "-173346300": "crwdns1742115:0crwdne1742115:0", - "-1502578110": "crwdns81257:0crwdne81257:0", "-138380129": "crwdns1381145:0crwdne1381145:0", "-854023608": "crwdns160968:0crwdne160968:0", "-1500958859": "crwdns160970:0crwdne160970:0", + "-1502578110": "crwdns81257:0crwdne81257:0", "-1662154767": "crwdns124010:0crwdne124010:0", "-190838815": "crwdns159394:0crwdne159394:0", "-223216785": "crwdns159396:0crwdne159396:0", @@ -3071,9 +3058,6 @@ "-405439829": "crwdns81019:0crwdne81019:0", "-1590712279": "crwdns81427:0crwdne81427:0", "-16448469": "crwdns81429:0crwdne81429:0", - "-540474806": "crwdns168641:0crwdne168641:0", - "-618539786": "crwdns168117:0crwdne168117:0", - "-945275490": "crwdns168643:0crwdne168643:0", "-2093768906": "crwdns921092:0{{name}}crwdne921092:0", "-705744796": "crwdns158018:0crwdne158018:0", "-2063700253": "crwdns1918511:0crwdne1918511:0", @@ -3149,7 +3133,6 @@ "-384887227": "crwdns1490915:0crwdne1490915:0", "-448961363": "crwdns1787781:0crwdne1787781:0", "-1998049070": "crwdns123964:0crwdne123964:0", - "-2061807537": "crwdns120642:0crwdne120642:0", "-402093392": "crwdns838642:0crwdne838642:0", "-1721181859": "crwdns123966:0{{deriv_account}}crwdne123966:0", "-1989074395": "crwdns167523:0{{deriv_account}}crwdnd167523:0{{dmt5_account}}crwdnd167523:0{{dmt5_label}}crwdnd167523:0{{deriv_label}}crwdne167523:0", @@ -3170,15 +3153,6 @@ "-1019903756": "crwdns118042:0crwdne118042:0", "-288996254": "crwdns159000:0crwdne159000:0", "-735306327": "crwdns1719325:0crwdne1719325:0", - "-1310654342": "crwdns168121:0crwdne168121:0", - "-626152766": "crwdns168645:0crwdne168645:0", - "-490100162": "crwdns168119:0crwdne168119:0", - "-1208958060": "crwdns168647:0crwdne168647:0", - "-2050417883": "crwdns168901:0crwdne168901:0", - "-1950045402": "crwdns168649:0crwdne168649:0", - "-168971942": "crwdns168123:0crwdne168123:0", - "-905560792": "crwdns168127:0crwdne168127:0", - "-1308593541": "crwdns171300:0crwdne171300:0", "-2024365882": "crwdns158754:0crwdne158754:0", "-1197864059": "crwdns158966:0crwdne158966:0", "-1813972756": "crwdns1774605:0crwdne1774605:0", @@ -3225,6 +3199,7 @@ "-1369294608": "crwdns124050:0crwdne124050:0", "-730377053": "crwdns1935473:0crwdne1935473:0", "-2100785339": "crwdns1935475:0crwdne1935475:0", + "-2061807537": "crwdns120642:0crwdne120642:0", "-617844567": "crwdns125146:0crwdne125146:0", "-292363402": "crwdns124058:0crwdne124058:0", "-1656860130": "crwdns124264:0crwdne124264:0", @@ -3976,8 +3951,6 @@ "-1715390759": "crwdns2783071:0crwdne2783071:0", "-2092611555": "crwdns117868:0crwdne117868:0", "-1488537825": "crwdns81071:0crwdne81071:0", - "-555592125": "crwdns168651:0crwdne168651:0", - "-1571816573": "crwdns168129:0crwdne168129:0", "-1603581277": "crwdns81039:0crwdne81039:0", "-1714959941": "crwdns81021:0crwdne81021:0", "-1254554534": "crwdns81023:0crwdne81023:0", diff --git a/packages/translations/src/translations/ar.json b/packages/translations/src/translations/ar.json index 2818b5c44cdc..62827a2f82e9 100644 --- a/packages/translations/src/translations/ar.json +++ b/packages/translations/src/translations/ar.json @@ -459,7 +459,6 @@ "524459540": "كيف أقوم بإنشاء متغيرات؟", "527329988": "هذه اعلى 100 كلمة مرور اكثر استخداماً", "529056539": "خيارات", - "529597350": "إذا كانت لديك أي صفقات مفتوحة، لقد قمنا بإغلاقها واسترداد أموالك.", "530953413": "التطبيقات المعتمدة", "531114081": "3. نوع العقد", "531675669": "يورو", @@ -680,7 +679,6 @@ "762185380": "<0>ضاعف العوائد من خلال <0>المخاطرة بما تضعه فقط.", "762871622": "{{remaining_time}}ثانية", "762926186": "الإستراتيجية السريعة هي استراتيجية جاهزة يمكنك استخدامها في Deriv Bot. هناك 3 استراتيجيات سريعة يمكنك الاختيار من بينها: مارتينجال وداليمبيرت وأوسكار جريند.", - "763019867": "من المقرر إغلاق حساب الألعاب الخاص بك", "764366329": "حدود التداول", "766317539": "اللغة", "770171141": "انتقل إلى {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "يمكنك الايداع فقط. يرجى إكمال <0>التقييم المالي لفتح عمليات السحب.", "845213721": "تسجيل خروج", "845304111": "فترة EMA البطيئة {{ input_number }}", - "847888634": "يرجى سحب جميع أموالك.", "848083350": "العائد الخاص بك يساوي <0>العائد لكل نقطة مضروبًا في الفرق بين السعر النهائي وسعر التنفيذ. لن تحقق ربحًا إلا إذا كانت عائداتك أعلى من حصتك الأولية.", "850582774": "يرجى تحديث معلوماتك الشخصية", "851054273": "إذا اخترت «أعلى»، فستفوز بالعائد إذا كانت نقطة الخروج أعلى بكثير من الحاجز.", @@ -1043,7 +1040,6 @@ "1145927365": "قم بتشغيل الكتل بالداخل بعد عدد معين من الثواني", "1146064568": "اذهب إلى صفحة الإيداع", "1147269948": "لا يمكن أن يكون الحاجز صفرًا.", - "1147625645": "يرجى متابعة سحب جميع أموالك من حسابك قبل <0>30 نوفمبر 2021.", "1150637063": "*مؤشر التقلب 150 ومؤشر التقلب 250", "1151964318": "كلا الجانبين", "1152294962": "قم بتحميل الجزء الأمامي من رخصة القيادة الخاصة بك.", @@ -1090,7 +1086,6 @@ "1195393249": "إعلام {{ notification_type }} بالصوت: {{ notification_sound }} {{ input_message }}", "1196006480": "حد الربح", "1196683606": "حساب ديريف MT5 التجريبي للعقود مقابل الفروقات", - "1197326289": "لم تعد قادرًا على تداول الخيارات الرقمية على أي من منصاتنا. كما لا يمكنك عمل ودائع في حساب الخيارات الخاص بك.", "1198368641": "مؤشر القوة النسبية (RSI)", "1199281499": "قائمة الأرقام الأخيرة", "1201533528": "العقود التي تم الفوز بها", @@ -1399,7 +1394,6 @@ "1510357015": "الإقامة الضريبية مطلوبة.", "1510735345": "تمنحك هذه المجموعة قائمة بالأرقام الأخيرة من قيم 1000 علامة الأخيرة.", "1512469749": "في المثال أعلاه، يُفترض أن المتغير candle_open_price تتم معالجته في مكان ما داخل الكتل الأخرى.", - "1516537408": "لم يعد بإمكانك التداول على Deriv أو إيداع الأموال في حسابك.", "1516559721": "يرجى اختيار ملف واحد فقط", "1516676261": "الإيداع", "1516834467": "«احصل» على الحسابات التي تريدها", @@ -1414,7 +1408,6 @@ "1527906715": "تقوم هه المجموعة بجمع الرقم المحدد الى متغير محدد.", "1531017969": "يقوم بإنشاء سلسلة نصية واحدة من خلال دمج القيمة النصية لكل عنصر مرفق، بدون مسافات بينهما. يمكن إضافة عدد العناصر وفقًا لذلك.", "1533177906": "سقط", - "1534569275": "كجزء من التغييرات في أسواقنا، سنقوم بإغلاق حسابات عملائنا في المملكة المتحدة.", "1534796105": "يحصل على قيمة متغيرة", "1537711064": "تحتاج إلى إجراء تحقق سريع من الهوية قبل أن تتمكن من الوصول إلى Cashier. يرجى الانتقال إلى إعدادات حسابك لإرسال إثبات الهوية الخاص بك.", "1540585098": "تراجع", @@ -1474,7 +1467,6 @@ "1598009247": "<0>أ- يمكنك تقديم شكوى إلى الهيئة المالية حتى 45 يومًا بعد وقوع الحادث.", "1598443642": "تجزئة المعاملات", "1602894348": "قم بإنشاء كلمة مرور", - "1604171868": "يرجى سحب جميع أموالك في أقرب وقت ممكن.", "1604916224": "مطلق", "1605222432": "ليس لدي أي معرفة وخبرة في التداول على الإطلاق.", "1605292429": "الحد الأقصى للخسارة الإجمالية", @@ -1746,7 +1738,6 @@ "1876015808": "صندوق الضمان الاجتماعي والتأمين الوطني", "1876325183": "دقائق", "1877225775": "تم التحقق من إثبات العنوان الخاص بك", - "1877410120": "ما عليك القيام به الآن", "1877832150": "# من النهاية", "1878172674": "لا، نحن لا نفعل ذلك. ومع ذلك، ستجد استراتيجيات سريعة على Deriv Bot ستساعدك على بناء روبوت التداول الخاص بك مجانًا.", "1879042430": "اختبار الملاءمة، تحذير:", @@ -1784,7 +1775,6 @@ "1914725623": "قم بتحميل الصفحة التي تحتوي على صورتك.", "1917178459": "رقم التحقق المصرفي", "1917523456": "ترسل هذه المجموعة رسالة إلى قناة Telegram. ستحتاج إلى إنشاء روبوت Telegram الخاص بك لاستخدام هذه الكتلة.", - "1917804780": "ستفقد الوصول إلى حساب الخيارات الخاص بك عندما يتم إغلاقه، لذا تأكد من سحب جميع أموالك. (إذا كان لديك حساب CFDs، يمكنك أيضًا تحويل الأموال من حساب الخيارات الخاص بك إلى حساب CFDs الخاص بك.)", "1918796823": "يرجى إدخال مبلغ إيقاف الخسارة.", "1918832194": "لا توجد خبرة", "1919030163": "نصائح لالتقاط صورة ذاتية جيدة", @@ -1799,7 +1789,6 @@ "1923431535": "تم إلغاء «إيقاف الخسارة» ولن يكون متاحًا إلا عند انتهاء صلاحية «إلغاء الصفقة».", "1924365090": "ربما في وقت لاحق", "1924765698": "مكان الولادة*", - "1925090823": "عذرًا، التداول غير متاح في {{clients_country}}.", "1926987784": "- iOS: مرر لليسار على الحساب وانقر فوق <0>حذف.", "1928930389": "جنيه استرليني/كرونة", "1929309951": "حالة التوظيف", @@ -1880,7 +1869,6 @@ "2004792696": "إذا كنت مقيمًا في المملكة المتحدة، للاستبعاد الذاتي من جميع شركات المقامرة عبر الإنترنت المرخصة في بريطانيا العظمى، انتقل إلى <0>www.gamstop.co.uk.", "2007028410": "السوق، نوع التجارة، نوع العقد", "2007092908": "تداول برافعة مالية وفروق أسعار منخفضة للحصول على عوائد أفضل على الصفقات الناجحة.", - "2008809853": "يرجى المضي قدمًا في سحب أموالك قبل 30 نوفمبر 2021.", "2010759971": "تم التحميلات بنجاح", "2010866561": "يُرجع إجمالي الربح/الخسارة", "2011609940": "الرجاء إدخال رقم أكبر من 0", @@ -1920,7 +1908,6 @@ "2049386104": "نحتاج منك إرسالها للحصول على هذا الحساب:", "2050170533": "قائمة الاختيار", "2051558666": "عرض سجل المعاملات", - "2053617863": "يرجى المتابعة لسحب جميع أموالك من حسابك.", "2054889300": "قم بإنشاء \"%1»", "2055317803": "انسخ الرابط إلى متصفح الجوال الخاص بك", "2057082550": "اقبل <0>الشروط والأحكام المحدثة", @@ -2341,10 +2328,10 @@ "-1412690135": "*ستؤدي أي حدود في إعدادات الاستبعاد الذاتي إلى تجاوز هذه الحدود الافتراضية.", "-1598751496": "يمثل الحد الأقصى لحجم العقود التي يمكنك شراؤها في أي يوم تداول معين.", "-173346300": "الحد الأقصى لحجم التداول اليومي", - "-1502578110": "تم مصادقة حسابك بالكامل وتم رفع حدود السحب الخاصة بك.", "-138380129": "إجمالي السحب المسموح به", "-854023608": "لزيادة الحد، يرجى التحقق من هويتك", "-1500958859": "تحقق", + "-1502578110": "تم مصادقة حسابك بالكامل وتم رفع حدود السحب الخاصة بك.", "-1662154767": "فاتورة مرافق حديثة (مثل الكهرباء أو الماء أو الغاز أو الهاتف الأرضي أو الإنترنت) أو كشف حساب مصرفي أو خطاب صادر عن جهة حكومية باسمك وهذا العنوان.", "-190838815": "نحن بحاجة إلى هذا للتحقق. إذا كانت المعلومات التي تقدمها مزيفة أو غير دقيقة، فلن تتمكن من الإيداع والسحب.", "-223216785": "السطر الثاني من العنوان*", @@ -3071,9 +3058,6 @@ "-405439829": "عذرًا، لا يمكنك عرض هذا العقد لأنه لا ينتمي إلى هذا الحساب.", "-1590712279": "الألعاب", "-16448469": "افتراضية", - "-540474806": "من المقرر إغلاق حساب الخيارات الخاص بك", - "-618539786": "من المقرر إغلاق حسابك", - "-945275490": "قم بسحب جميع الأموال من حساب الخيارات الخاص بك.", "-2093768906": "قام {{name}} بتحرير أموالك.
هل ترغب في تقديم ملاحظاتك؟", "-705744796": "وصل رصيد حسابك التجريبي إلى الحد الأقصى، ولن تتمكن من وضع صفقات جديدة. أعد ضبط رصيدك لمواصلة التداول من حسابك التجريبي.", "-2063700253": "معاق", @@ -3149,7 +3133,6 @@ "-384887227": "قم بتحديث العنوان في ملف التعريف الخاص بك.", "-448961363": "خارج الاتحاد الأوروبي", "-1998049070": "إذا كنت توافق على استخدامنا لملفات تعريف الارتباط، فانقر فوق قبول. لمزيد من المعلومات، <0>راجع سياستنا.", - "-2061807537": "هناك شيء غير صحيح", "-402093392": "إضافة حساب Deriv", "-1721181859": "ستحتاج إلى حساب {{deriv_account}}", "-1989074395": "يرجى إضافة حساب {{deriv_account}} أولاً قبل إضافة حساب {{dmt5_account}} . تتم عمليات الإيداع والسحب لحساب {{dmt5_label}} الخاص بك عن طريق تحويل الأموال من وإلى حساب {{deriv_label}} الخاص بك.", @@ -3170,15 +3153,6 @@ "-1019903756": "مادة اصطناعية", "-288996254": "غير متاح", "-735306327": "إدارة الحسابات", - "-1310654342": "كجزء من التغييرات في مجموعة منتجاتنا، سنقوم بإغلاق حسابات الألعاب التابعة لعملائنا في المملكة المتحدة.", - "-626152766": "كجزء من التغييرات في مجموعة منتجاتنا، نقوم بإغلاق حسابات الخيارات التابعة لعملائنا في أوروبا.", - "-490100162": "كجزء من التغييرات في مجموعة منتجاتنا، سنقوم بإغلاق الحسابات الخاصة بعملائنا في جزيرة آيل أوف مان.", - "-1208958060": "لم يعد بإمكانك تداول الخيارات الرقمية على أي من منصاتنا. لا يمكنك أيضًا إيداع الأموال في حسابك، فقد تم إغلاق<0/><1/> أي صفقات مفتوحة على الخيارات الرقمية بدفع كامل.", - "-2050417883": "ستفقد الوصول إلى حساب الألعاب الخاص بك عندما يتم إغلاقه، لذا تأكد من سحب أموالك في أقرب وقت ممكن.", - "-1950045402": "قم بسحب جميع أموالك", - "-168971942": "ماذا يعني هذا بالنسبة لك", - "-905560792": "حسنا، أنا أفهم", - "-1308593541": "ستفقد الوصول إلى حسابك عندما يتم إغلاقه، لذا تأكد من سحب جميع أموالك.", "-2024365882": "اكتشف", "-1197864059": "إنشاء حساب تجريبي مجاني", "-1813972756": "تم إيقاف إنشاء الحساب مؤقتًا لمدة 24 ساعة", @@ -3225,6 +3199,7 @@ "-1369294608": "هل قمت بالتسجيل بالفعل؟", "-730377053": "لا يمكنك إضافة حساب حقيقي آخر", "-2100785339": "مدخلات غير صالحة", + "-2061807537": "هناك شيء غير صحيح", "-617844567": "يوجد حساب يحتوي على التفاصيل الخاصة بك بالفعل.", "-292363402": "تقرير إحصائيات التداول", "-1656860130": "يمكن أن يصبح تداول الخيارات إدمانًا حقيقيًا، كما يمكن لأي نشاط آخر أن يصل إلى أقصى حدوده. لتجنب خطر مثل هذا الإدمان، نقدم فحصًا للواقع يمنحك ملخصًا لتداولاتك وحساباتك على أساس منتظم.", @@ -3976,8 +3951,6 @@ "-1715390759": "أريد أن أفعل هذا لاحقًا", "-2092611555": "عذرًا، هذا التطبيق غير متاح في موقعك الحالي.", "-1488537825": "إذا كان لديك حساب، قم بتسجيل الدخول للمتابعة.", - "-555592125": "للأسف، خيارات التداول غير ممكنة في بلدك", - "-1571816573": "عذرًا، التداول غير متاح في موقعك الحالي.", "-1603581277": "الدقائق", "-1714959941": "عرض الرسم البياني هذا ليس مثاليًا لعقود التجزئة", "-1254554534": "يرجى تغيير مدة الرسم البياني لوضع علامة عليها للحصول على تجربة تداول أفضل.", diff --git a/packages/translations/src/translations/bn.json b/packages/translations/src/translations/bn.json index 9adfb83a370a..fd182af1b637 100644 --- a/packages/translations/src/translations/bn.json +++ b/packages/translations/src/translations/bn.json @@ -459,7 +459,6 @@ "524459540": "কিভাবে ভেরিয়েবল তৈরি করবো?", "527329988": "এটি একটি টপ-১০০ সাধারণ পাসওয়ার্ড", "529056539": "অপশন", - "529597350": "যদি আপনার কোন ওপেন পজিশন থাকতো, আমরা সেগুলো বন্ধ করে ফেরত দিয়েছি।", "530953413": "অনুমোদিত অ্যাপ্লিকেশন", "531114081": "3। চুক্তির ধরন", "531675669": "ইউরো", @@ -680,7 +679,6 @@ "762185380": "<0>শুধুমাত্র আপনি কি রাখা ঝুঁকি দ্বারা <0>আয় সংখ্যাবৃদ্ধি।", "762871622": "{{remaining_time}}", "762926186": "একটি দ্রুত কৌশল একটি প্রস্তুত কৌশল যা আপনি Deriv Bot ব্যবহার করতে পারেন। আপনি চয়ন করতে পারেন 3 দ্রুত কৌশল আছে: Martingale, D'Alembert, এবং অস্কার এর গ্রিন্ড।", - "763019867": "আপনার গেমিং অ্যাকাউন্টটি বন্ধ করার কথা", "764366329": "ট্রেডিং লিমিট", "766317539": "ভাষা", "770171141": "{{hostname}}এ যান", @@ -757,7 +755,6 @@ "843333337": "আপনি শুধুমাত্র আমানত করতে পারেন অর্থ উত্তোলন আনলক করতে অনুগ্রহ করে <0>আর্থিক মূল্যায়ন সম্পূর্ণ করুন।", "845213721": "লগ আউট", "845304111": "EMA বাজার: {{ input_number }}", - "847888634": "অনুগ্রহ করে আপনার সমস্ত অর্থ উত্তোলন করুন।", "848083350": "আপনার পরিশোধ চূড়ান্ত মূল্য এবং স্ট্রাইক মূল্যের মধ্যে পার্থক্য দ্বারা গুণিত <0>প্রতি পয়েন্ট পরিশোধের সমান। আপনার পেআউট আপনার প্রাথমিক অংশীদারির চেয়ে বেশি হলে আপনি শুধুমাত্র মুনাফা উপার্জন করবেন।", "850582774": "অনুগ্রহ করে আপনার ব্যক্তিগত তথ্য হালনাগাদ করুন", "851054273": "আপনি যদি “উচ্চতর” নির্বাচন করেন, তাহলে প্রস্থান স্পট বাধাটির চেয়ে কঠোরভাবে উচ্চতর হলে আপনি অর্থ প্রদান জয় করেন।", @@ -1043,7 +1040,6 @@ "1145927365": "নির্দিষ্ট সংখ্যক সেকেন্ডের পরে ব্লক ভিতরে চালান", "1146064568": "ডিপোজিট পেইজে যান", "1147269948": "ব্যারিয়ার শূণ্য হতে পারে না।", - "1147625645": "<0>৩০ নভেম্বর ২০২১ সালের আগে অনুগ্রহ করে আপনার অ্যাকাউন্ট থেকে আপনার সমস্ত অর্থ উত্তোলন করতে এগিয়ে যান।", "1150637063": "*অস্থিতিশীলতা 150 সূচক এবং ভোলাটিলিটি 250 সূচক", "1151964318": "উভয় পক্ষ", "1152294962": "আপনার ড্রাইভিং লাইসেন্সের সামনে আপলোড করুন।", @@ -1090,7 +1086,6 @@ "1195393249": "শব্দ দিয়ে {{ notification_type }} অবহিত করুন: {{ notification_sound }} {{ input_message }}", "1196006480": "মুনাফা থ্রেশহোল্ড", "1196683606": "ডেরিভ MT5 সিএফডি ডেমো অ্যাকাউন্ট", - "1197326289": "আপনি আর আমাদের প্ল্যাটফর্মে ডিজিটাল অপশন ট্রেড করতে পারবেন না। এছাড়াও, আপনি আপনার Options অ্যাকাউন্টে ডিপোজিট করতে পারবেন না।", "1198368641": "আপেক্ষিক শক্তি সূচক (আরএসআই)", "1199281499": "শেষ সংখ্যার তালিকা", "1201533528": "চুক্তি জিতেছে", @@ -1399,7 +1394,6 @@ "1510357015": "ট্যাক্স বাসস্থান প্রয়োজন।", "1510735345": "এই ব্লকটি আপনাকে শেষ 1000 টিক মানগুলির শেষ সংখ্যাগুলির একটি তালিকা দেয়।", "1512469749": "উপরের উদাহরণে অনুমান করা হয় যে ভেরিয়েবল candle_open_price অন্য ব্লকের মধ্যে কোথাও প্রক্রিয়া করা হয়।", - "1516537408": "আপনি আর Deriv এ ট্রেড করতে পারবেন না বা আপনার অ্যাকাউন্টে তহবিল জমা করতে পারবেন না।", "1516559721": "অনুগ্রহ করে শুধুমাত্র একটি ফাইল নির্বাচন করুন", "1516676261": "ডিপোজিট", "1516834467": "আপনি যে অ্যাকাউন্টগুলি চান তা 'পান", @@ -1414,7 +1408,6 @@ "1527906715": "এই ব্লকটি নির্বাচিত ভেরিয়েবলের সাথে প্রদত্ত নম্বর যোগ করে।", "1531017969": "প্রতিটি সংযুক্ত আইটেমের পাঠ্য মান মিশ্রন থেকে একটি একক পাঠ্য স্ট্রিং তৈরি করে, মধ্যবর্তী স্থানগুলি ছাড়া। আইটেম সংখ্যা অনুযায়ী যোগ করা যেতে পারে।", "1533177906": "পতন", - "1534569275": "আমাদের বাজারের পরিবর্তনের অংশ হিসাবে, আমরা আমাদের যুক্তরাজ্যের ক্লায়েন্টদের অ্যাকাউন্ট বন্ধ করব।", "1534796105": "পরিবর্তনশীল মান পায়", "1537711064": "ক্যাশিয়ার অ্যাক্সেস করার আগে আপনাকে একটি দ্রুত পরিচয় যাচাই করতে হবে। আপনার পরিচয়ের প্রমাণ জমা দিতে অনুগ্রহ করে আপনার অ্যাকাউন্ট সেটিংসে যান।", "1540585098": "প্রত্যাখ্যান", @@ -1474,7 +1467,6 @@ "1598009247": "<0>ক) ঘটনার পর ৪৫ দিন পর্যন্ত আপনি ফাইন্যান্সিয়াল কমিশনের কাছে অভিযোগ দায়ের করতে পারেন।", "1598443642": "লেনদেন হ্যাশ", "1602894348": "পাসওয়ার্ড তৈরি করুন", - "1604171868": "অনুগ্রহ করে যত তাড়াতাড়ি সম্ভব আপনার সমস্ত তহবিল উত্তোলন করুন।", "1604916224": "পরম", "1605222432": "আমি এ সব ট্রেডিং কোন জ্ঞান এবং অভিজ্ঞতা আছে।", "1605292429": "সর্বোচ্চ। মোট ক্ষতি", @@ -1746,7 +1738,6 @@ "1876015808": "সামাজিক নিরাপত্তা এবং জাতীয় বীমা ট্রাস্ট", "1876325183": "মিনিট", "1877225775": "আপনার ঠিকানা প্রমাণ যাচাই করা হয়", - "1877410120": "আপনি এখন কি করতে হবে", "1877832150": "# শেষ থেকে", "1878172674": "না, আমরা পারবো না। যাইহোক, আপনি Deriv বট দ্রুত কৌশল পাবেন যা আপনাকে বিনামূল্যে আপনার নিজস্ব ট্রেডিং বট তৈরি করতে সাহায্য করবে।", "1879042430": "উপযুক্ততা পরীক্ষা, সতর্কতা:", @@ -1784,7 +1775,6 @@ "1914725623": "আপনার ফটো ধারণ করে এমন পৃষ্ঠাটি আপলোড করুন।", "1917178459": "ব্যাংক যাচাইকরণ নম্বর", "1917523456": "এই ব্লকটি একটি টেলিগ্রাম চ্যানেলে একটি বার্তা পাঠায়। এই ব্লকটি ব্যবহার করার জন্য আপনাকে নিজের টেলিগ্রাম বট তৈরি করতে হবে।", - "1917804780": "আপনি আপনার অপশন অ্যাকাউন্টে অ্যাক্সেস হারাবেন যখন এটি বন্ধ হবে, তাই আপনার সমস্ত অর্থ উত্তোলন করতে ভুলবেন না। (যদি আপনার একটি CFD অ্যাকাউন্ট থাকে, তাহলে আপনি আপনার অপশন অ্যাকাউন্ট থেকে আপনার CFD অ্যাকাউন্টে অর্থ স্থানান্তর করতে পারেন।)", "1918796823": "দয়া করে স্টপ লস অ্যামাউন্টের নাম দিন।", "1918832194": "কোন অভিজ্ঞতা নেই", "1919030163": "একটি ভাল সেলফি নিতে টিপস", @@ -1799,7 +1789,6 @@ "1923431535": "“স্টপ লস” নিষ্ক্রিয় করা হয় এবং শুধুমাত্র “ডিল বাতিলের” মেয়াদ শেষ হলে এটি উপলব্ধ হবে।", "1924365090": "হয়তো পরে", "1924765698": "জন্মের স্থান*", - "1925090823": "দুঃখিত, {{clients_country}}এ ট্রেডিং অনুপলব্ধ।", "1926987784": "- iOS: অ্যাকাউন্টে বাম দিকে সোয়াইপ করুন এবং <0>মুছুন আলতো চাপুন।", "1928930389": "জিপি/এনওকে", "1929309951": "কর্মসংস্থানের অবস্থা", @@ -1880,7 +1869,6 @@ "2004792696": "আপনি যদি যুক্তরাজ্যের একজন বাসিন্দা হন, তবে গ্রেট ব্রিটেনে লাইসেন্সপ্রাপ্ত সকল অনলাইন জুয়া কোম্পানিগুলি থেকে নিজেকে বাদ দিতে, <0>www.gamstop.co.uk এ যান।", "2007028410": "বাজার, ট্রেড টাইপ, চুক্তির ধরন", "2007092908": "সফল ট্রেডগুলিতে ভাল রিটার্নের জন্য লিভারেজ এবং কম স্প্রেডের সাথে ট্রেড করুন।", - "2008809853": "৩০ নভেম্বর ২০২১ সালের আগে অনুগ্রহ করে আপনার তহবিল উত্তোলন করতে এগিয়ে যান।", "2010759971": "আপলোড সফল", "2010866561": "মোট মুনাফা/ক্ষতি ফেরত", "2011609940": "অনুগ্রহ করে ইনপুট নম্বর ০ থেকে বড়", @@ -1920,7 +1908,6 @@ "2049386104": "এই অ্যাকাউন্টটি পেতে আপনাকে এগুলি জমা দিতে হবে:", "2050170533": "টিক- এর তালিকা", "2051558666": "লেনদেনের ইতিহাস দেখুন", - "2053617863": "অনুগ্রহ করে আপনার অ্যাকাউন্ট থেকে আপনার সমস্ত অর্থ উত্তোলন করতে এগিয়ে যান।", "2054889300": "তৈরি করুন \"%1”", "2055317803": "আপনার মোবাইল ব্রাউজারে লিঙ্কটি অনুলিপি করুন", "2057082550": "আমাদের আপডেট করা <0>শর্তাবলী গ্রহণ করুন", @@ -2341,10 +2328,10 @@ "-1412690135": "*আপনার স্ব-বর্জন সেটিংসের যে কোন সীমা এই ডিফল্ট সীমা ওভাররাইড করবে।", "-1598751496": "আপনি যে কোনও ট্রেডিং দিবসে ক্রয় করতে পারেন এমন চুক্তিগুলির সর্বাধিক ভলিউম প্রতিনিধিত্ব করে।", "-173346300": "সর্বাধিক দৈনিক টার্নওভার", - "-1502578110": "আপনার অ্যাকাউন্ট পুরোপুরি প্রমাণীকৃত এবং আপনার উইথড্রয়াল লিমিট উঠিয়ে নেওয়া হয়েছে।", "-138380129": "মোট উইথড্রয়াল অনুমোদিত", "-854023608": "সীমা বাড়ানোর জন্য অনুগ্রহ করে আপনার পরিচয় যাচাই করুন", "-1500958859": "যাচাই", + "-1502578110": "আপনার অ্যাকাউন্ট পুরোপুরি প্রমাণীকৃত এবং আপনার উইথড্রয়াল লিমিট উঠিয়ে নেওয়া হয়েছে।", "-1662154767": "একটি সাম্প্রতিক ইউটিলিটি বিল (যেমন বিদ্যুৎ, পানি, গ্যাস, ল্যান্ডলাইন, বা ইন্টারনেট), ব্যাংক স্টেটমেন্ট, বা আপনার নাম এবং এই ঠিকানা সহ সরকার কর্তৃক প্রদত্ত চিঠি।", "-190838815": "যাচাইয়ের জন্য আমাদের এই প্রয়োজন। আপনার প্রদত্ত তথ্য যদি নকল বা ভুল হয়, তাহলে আপনি জমা ও উত্তোলন করতে পারবেন না।", "-223216785": "ঠিকানার দ্বিতীয় লাইন*", @@ -3071,9 +3058,6 @@ "-405439829": "দুঃখিত, আপনি এই চুক্তিটি দেখতে পারবেন না কারণ এটি এই অ্যাকাউন্টের অন্তর্গত নয়।", "-1590712279": "গেমিং", "-16448469": "ভার্চুয়াল", - "-540474806": "আপনার বিকল্প অ্যাকাউন্ট বন্ধ করা হবে বলে নির্ধারিত", - "-618539786": "আপনার অ্যাকাউন্ট বন্ধ হয়ে যাওয়ার কথা", - "-945275490": "আপনার অপশন অ্যাকাউন্ট থেকে সকল অর্থ উত্তোলন করুন।", "-2093768906": "{{name}} আপনার তহবিল প্রকাশ করেছে।
। আপনি কি আপনার প্রতিক্রিয়া দিতে চান?", "-705744796": "আপনার ডেমো অ্যাকাউন্ট ব্যালেন্স সর্বোচ্চ সীমা পৌঁছেছে, এবং আপনি নতুন ট্রেড স্থাপন করতে সক্ষম হবে না। আপনার ডেমো অ্যাকাউন্ট থেকে ট্রেডিং চালিয়ে যেতে আপনার ব্যালেন্স রিসেট করুন।", "-2063700253": "অক্ষম", @@ -3149,7 +3133,6 @@ "-384887227": "আপনার প্রোফাইলে ঠিকানা আপডেট করুন।", "-448961363": "অ-ইইউ", "-1998049070": "আপনি যদি আমাদের কুকিজ ব্যবহারে সম্মত হন, তবে Accept এ ক্লিক করুন। আরও তথ্যের জন্য, <0>আমাদের নীতি দেখুন।", - "-2061807537": "কিছু একটা ঠিক না", "-402093392": "ডেরিভ অ্যাকাউন্ট যোগ করুন", "-1721181859": "আপনি একটি {{deriv_account}} অ্যাকাউন্ট প্রয়োজন হবে", "-1989074395": "একটি {{dmt5_account}} অ্যাকাউন্ট যোগ করার আগে অনুগ্রহ করে প্রথমে একটি {{deriv_account}} অ্যাকাউন্ট যোগ করুন। আপনার {{dmt5_label}} অ্যাকাউন্টের জন্য ডিপোজিট এবং তোলা আপনার {{deriv_label}} অ্যাকাউন্টে এবং থেকে অর্থ স্থানান্তর করে করা হয়।", @@ -3170,15 +3153,6 @@ "-1019903756": "সিন্থেটিক", "-288996254": "অনুপলব্ধ", "-735306327": "অ্যাকাউন্ট পরিচালনা", - "-1310654342": "আমাদের পণ্য লাইন-আপের পরিবর্তনের অংশ হিসাবে, আমরা আমাদের ইউকে ক্লায়েন্টদের সাথে সম্পর্কিত গেমিং অ্যাকাউন্ট বন্ধ করব।", - "-626152766": "আমাদের পণ্য লাইন-আপের পরিবর্তনের অংশ হিসাবে, আমরা ইউরোপে আমাদের ক্লায়েন্টদের সাথে সম্পর্কিত বিকল্প অ্যাকাউন্ট বন্ধ করছি।", - "-490100162": "আমাদের পণ্য লাইন-আপের পরিবর্তনের অংশ হিসাবে, আমরা আমাদের আইল অফ ম্যান ক্লায়েন্টদের অ্যাকাউন্টগুলি বন্ধ করব।", - "-1208958060": "আপনি আর আমাদের প্ল্যাটফর্মে ডিজিটাল অপশন ট্রেড করতে পারবেন না। আপনি আপনার অ্যাকাউন্টে তহবিল জমা করতে পারবেন না ডিজিটাল বিকল্পগুলিতে<0/><1/> যে কোনও ওপেন পজিশন সম্পূর্ণ পরিশোধ সহ বন্ধ করা হয়েছে।", - "-2050417883": "আপনি আপনার গেমিং অ্যাকাউন্টে অ্যাক্সেস হারাবেন যখন এটি বন্ধ হবে, তাই যত তাড়াতাড়ি সম্ভব আপনার তহবিল উত্তোলন নিশ্চিত করুন।", - "-1950045402": "আপনার সমস্ত ফান্ড উত্তোলন করুন", - "-168971942": "এই আপনার জন্য কি মানে?", - "-905560792": "ঠিক আছে, আমি বুঝতে পেরেছি", - "-1308593541": "এটি বন্ধ হয়ে গেলে আপনি আপনার অ্যাকাউন্টে অ্যাক্সেস হারাবেন, তাই আপনার সমস্ত অর্থ উত্তোলন নিশ্চিত করুন।", "-2024365882": "এক্সপ্লোর", "-1197864059": "ফ্রি ডেমো অ্যাকাউন্ট তৈরি করুন", "-1813972756": "অ্যাকাউন্ট তৈরি করা 24 ঘন্টার জন্য বিরতি দেওয়া হয়েছে", @@ -3225,6 +3199,7 @@ "-1369294608": "ইতোমধ্যে সাইন আপ?", "-730377053": "আপনি অন্য একটি রিয়েল অ্যাকাউন্ট যোগ করতে পারবেন না", "-2100785339": "অবৈধ ইনপুট", + "-2061807537": "কিছু একটা ঠিক না", "-617844567": "আপনার বিবরণ সহ একটি অ্যাকাউন্ট ইতিমধ্যে বিদ্যমান।", "-292363402": "ট্রেডিং পরিসংখ্যান রিপোর্ট", "-1656860130": "অপশন ট্রেডিং একটি বাস্তব আসক্তি হতে পারে, অন্য কোন কার্যকলাপ তার সীমা ধাক্কা পারেন হিসাবে। এই ধরনের আসক্তি বিপদ এড়ানোর জন্য, আমরা একটি বাস্তবতা-চেক প্রদান করি যা আপনাকে নিয়মিত ভিত্তিতে আপনার ট্রেড এবং অ্যাকাউন্টগুলির একটি সারসংক্ষেপ দেয়।", @@ -3976,8 +3951,6 @@ "-1715390759": "আমি পরে এই কাজ করতে চান", "-2092611555": "দুঃখিত, এই অ্যাপটি আপনার বর্তমান অবস্থানে উপলব্ধ নয়।", "-1488537825": "আপনার যদি একটি অ্যাকাউন্ট থাকে, তাহলে চালিয়ে যেতে লগ ইন করুন।", - "-555592125": "দুর্ভাগ্যবশত, আপনার দেশে ট্রেডিং অপশন সম্ভব নয়", - "-1571816573": "দুঃখিত, আপনার বর্তমান অবস্থানে ট্রেডিং অনুপলব্ধ।", "-1603581277": "মিনিট", "-1714959941": "টিক চুক্তির জন্য এই চার্ট ডিসপ্লে আদর্শ নয়", "-1254554534": "একটি ভাল ট্রেডিং অভিজ্ঞতার জন্য টিক করতে অনুগ্রহ করে চার্টের সময়কাল পরিবর্তন করুন।", diff --git a/packages/translations/src/translations/de.json b/packages/translations/src/translations/de.json index c69f64574a2b..b499383c6cad 100644 --- a/packages/translations/src/translations/de.json +++ b/packages/translations/src/translations/de.json @@ -459,7 +459,6 @@ "524459540": "Wie erstelle ich Variablen?", "527329988": "Dies ist ein der 100 häufigsten Passwörter", "529056539": "Optionen", - "529597350": "Wenn Sie offene Stellen hatten, haben wir diese geschlossen und Ihnen das Geld zurückerstattet.", "530953413": "Autorisierte Anwendungen", "531114081": "3. Art des Vertrags", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Multiplizieren Sie die Renditen, indem Sie <0>nur das riskieren, was Sie investieren.", "762871622": "{{remaining_time}}s", "762926186": "Eine Schnellstrategie ist eine vorgefertigte Strategie, die Sie in Deriv Bot verwenden können. Es gibt 3 Schnellstrategien, aus denen Sie wählen können: Martingale, D'Alembert und Oscar's Grind.", - "763019867": "Ihr Spielkonto wird voraussichtlich geschlossen", "764366329": "Handelslimits", "766317539": "Sprache", "770171141": "Gehe zu {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Sie können nur Einzahlungen vornehmen. Bitte füllen Sie die <0>Finanzbewertung aus, um Abhebungen freizuschalten.", "845213721": "Abmelden", "845304111": "Langsame EMA-Periode {{ input_number }}", - "847888634": "Bitte heben Sie Ihr gesamtes Geld ab.", "848083350": "Ihre Auszahlung entspricht der <0>Auszahlung pro Punkt multipliziert mit der Differenz zwischen dem Endpreis und dem Basispreis. Sie werden nur dann einen Gewinn erzielen, wenn Ihre Auszahlung höher ist als Ihr ursprünglicher Einsatz.", "850582774": "Bitte aktualisiere deine persönlichen Daten", "851054273": "Wenn Sie „Höher“ wählen, gewinnen Sie die Auszahlung, wenn der Ausstiegspunkt genau über der Barriere liegt.", @@ -1043,7 +1040,6 @@ "1145927365": "Lasse die Blöcke nach einer bestimmten Anzahl von Sekunden im Inneren laufen", "1146064568": "Gehe zur Einzahlungsseite", "1147269948": "Die Barriere kann nicht Null sein.", - "1147625645": "Bitte ziehen Sie Ihr gesamtes Geld vor dem <0>30. November 2021 von Ihrem Konto ab.", "1150637063": "*Volatility 150 Index und Volatility 250 Index", "1151964318": "beide Seiten", "1152294962": "Laden Sie die Vorderseite Ihres Führerscheins hoch.", @@ -1090,7 +1086,6 @@ "1195393249": "{{ notification_type }} mit Ton benachrichtigen: {{ notification_sound }} {{ input_message }}", "1196006480": "Gewinnschwelle", "1196683606": "Demo-Konto für MT5-CFDs von Deriv", - "1197326289": "Sie können auf keiner unserer Plattformen mehr mit digitalen Optionen handeln. Außerdem können Sie keine Einzahlungen auf Ihr Optionskonto tätigen.", "1198368641": "Relativer Stärkeindex (RSI)", "1199281499": "Liste der letzten Ziffern", "1201533528": "Gewonnene Verträge", @@ -1399,7 +1394,6 @@ "1510357015": "Steuerlicher Wohnsitz ist erforderlich.", "1510735345": "Dieser Block gibt Ihnen eine Liste der letzten Ziffern der letzten 1000 Tickwerte.", "1512469749": "Im obigen Beispiel wird davon ausgegangen, dass die Variable candle_open_price irgendwo in anderen Blöcken verarbeitet wird.", - "1516537408": "Sie können nicht mehr mit Deriv handeln oder Geld auf Ihr Konto einzahlen.", "1516559721": "Bitte wählen Sie nur eine Datei aus", "1516676261": "Einzahlung", "1516834467": "'Besorgen' dir die Konten, die du willst", @@ -1414,7 +1408,6 @@ "1527906715": "Dieser Block fügt der ausgewählten Variablen die angegebene Zahl hinzu.", "1531017969": "Erzeugt eine einzelne Textzeichenfolge aus der Kombination des Textwerts jedes angehängten Elements ohne Leerzeichen dazwischen. Die Anzahl der Artikel kann entsprechend hinzugefügt werden.", "1533177906": "Herbst", - "1534569275": "Im Rahmen der Veränderungen in unseren Märkten werden wir die Konten unserer britischen Kunden schließen.", "1534796105": "Ruft Variablenwert ab", "1537711064": "Sie müssen eine schnelle Identitätsprüfung durchführen, bevor Sie auf den Kassenbereich zugreifen können. Bitte gehen Sie zu Ihren Kontoeinstellungen, um Ihren Identitätsnachweis einzureichen.", "1540585098": "Rückgang", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a. Sie können bis zu 45 Tage nach dem Vorfall eine Beschwerde bei der Finanzkommission einreichen.", "1598443642": "Transaktions-Hash", "1602894348": "Erstelle ein Passwort", - "1604171868": "Bitte heben Sie Ihr gesamtes Geld so schnell wie möglich ab.", "1604916224": "Absolut", "1605222432": "Ich habe überhaupt keine Kenntnisse und Erfahrungen im Handel.", "1605292429": "Max. Totalverlust", @@ -1746,7 +1738,6 @@ "1876015808": "Treuhandfonds für soziale Sicherheit und nationale Versicherung", "1876325183": "Minuten", "1877225775": "Ihr Adressnachweis ist verifiziert", - "1877410120": "Was du jetzt tun musst", "1877832150": "# vom Ende", "1878172674": "Nein, das tun wir nicht. Allerdings finden Sie auf Deriv Bot schnelle Strategien, mit denen Sie kostenlos Ihren eigenen Trading Bot erstellen können.", "1879042430": "Angemessenheitstest, WARNUNG:", @@ -1784,7 +1775,6 @@ "1914725623": "Laden Sie die Seite hoch, die Ihr Foto enthält.", "1917178459": "Steuer-Identifizierungsnummer", "1917523456": "Dieser Block sendet eine Nachricht an einen Telegram-Kanal. Sie müssen Ihren eigenen Telegram-Bot erstellen, um diesen Block verwenden zu können.", - "1917804780": "Sie verlieren den Zugriff auf Ihr Optionskonto, wenn es geschlossen wird. Stellen Sie also sicher, dass Sie Ihr gesamtes Geld abheben. (Wenn Sie ein CFD-Konto haben, können Sie das Geld auch von Ihrem Optionskonto auf Ihr CFD-Konto überweisen.)", "1918796823": "Bitte geben Sie einen Stop-Loss-Betrag ein.", "1918832194": "Keine Erfahrung", "1919030163": "Tipps für ein gutes Selfie", @@ -1799,7 +1789,6 @@ "1923431535": "„Stop Loss“ ist deaktiviert und ist nur verfügbar, wenn „Deal Cancelling“ abläuft.", "1924365090": "Vielleicht später", "1924765698": "Geburtsort*", - "1925090823": "Leider ist der Handel in {{clients_country}}nicht verfügbar.", "1926987784": "- iOS: Wischen Sie auf dem Konto nach links und tippen Sie auf <0>Löschen.", "1928930389": "GBP/NOK", "1929309951": "Beschäftigungsstatus", @@ -1880,7 +1869,6 @@ "2004792696": "Wenn Sie in Großbritannien ansässig sind, besuchen Sie <0>www.gamstop.co.uk, um sich selbst von allen in Großbritannien lizenzierten Online-Glücksspielunternehmen auszuschließen.", "2007028410": "Markt, Handelsart, Kontraktart", "2007092908": "Traden Sie mit Hebelwirkung und niedrigen Spreads, um bessere Renditen bei erfolgreichen Trades zu erzielen.", - "2008809853": "Bitte ziehen Sie Ihr Geld vor dem 30. November 2021 ab.", "2010759971": "Uploads waren erfolgreich", "2010866561": "Gibt den Gesamtgewinn/-verlust zurück", "2011609940": "Bitte geben Sie eine Zahl größer als 0 ein", @@ -1920,7 +1908,6 @@ "2049386104": "Sie müssen diese einreichen, um dieses Konto zu erhalten:", "2050170533": "Zeckenliste", "2051558666": "Transaktionshistorie anzeigen", - "2053617863": "Bitte fahren Sie fort, um Ihr gesamtes Geld von Ihrem Konto abzuheben.", "2054889300": "Erstellen Sie \"%1“", "2055317803": "Kopieren Sie den Link in Ihren mobilen Browser", "2057082550": "Akzeptieren Sie unsere aktualisierten <0>Allgemeinen Geschäftsbedingungen", @@ -2341,10 +2328,10 @@ "-1412690135": "*Alle Limits in Ihren Selbstausschlusseinstellungen haben Vorrang vor diesen Standardlimits.", "-1598751496": "Stellt das maximale Volumen an Kontrakten dar, das Sie an einem bestimmten Handelstag kaufen können.", "-173346300": "Maximaler Tagesumsatz", - "-1502578110": "Ihr Konto ist vollständig authentifiziert und Ihre Auszahlungslimits wurden aufgehoben.", "-138380129": "Vollständige Auszahlung zulässig", "-854023608": "Um das Limit zu erhöhen, überprüfen Sie bitte Ihre Identität", "-1500958859": "verifizieren", + "-1502578110": "Ihr Konto ist vollständig authentifiziert und Ihre Auszahlungslimits wurden aufgehoben.", "-1662154767": "eine aktuelle Stromrechnung (z. B. Strom, Wasser, Gas, Festnetz oder Internet), ein Kontoauszug oder ein von der Regierung ausgestelltes Schreiben mit Ihrem Namen und dieser Adresse.", "-190838815": "Wir benötigen das zur Überprüfung. Wenn die von Ihnen angegebenen Informationen falsch oder ungenau sind, können Sie keine Ein- und Auszahlungen vornehmen.", "-223216785": "Zweite Adresszeile*", @@ -3071,9 +3058,6 @@ "-405439829": "Leider können Sie diesen Vertrag nicht einsehen, da er nicht zu diesem Konto gehört.", "-1590712279": "Glücksspiel", "-16448469": "virtuell", - "-540474806": "Ihr Optionskonto wird voraussichtlich geschlossen", - "-618539786": "Ihr Konto wird voraussichtlich geschlossen", - "-945275490": "Ziehen Sie das gesamte Geld von Ihrem Optionskonto ab.", "-2093768906": "{{name}} hat Ihr Geld freigegeben.
Möchten Sie Ihr Feedback geben?", "-705744796": "Ihr Demo-Kontoguthaben hat das maximale Limit erreicht und Sie können keine neuen Trades tätigen. Setzen Sie Ihr Guthaben zurück, um den Handel von Ihrem Demo-Konto aus fortzusetzen.", "-2063700253": "Behinderte", @@ -3149,7 +3133,6 @@ "-384887227": "Aktualisiere die Adresse in deinem Profil.", "-448961363": "Nicht-EU", "-1998049070": "Wenn Sie der Verwendung von Cookies zustimmen, klicken Sie auf Akzeptieren. Weitere Informationen finden <0>Sie in unseren Richtlinien.", - "-2061807537": "Etwas stimmt nicht", "-402093392": "Deriv-Konto hinzufügen", "-1721181859": "Sie benötigen ein {{deriv_account}} Konto", "-1989074395": "Bitte fügen Sie zuerst ein {{deriv_account}} Konto hinzu, bevor Sie ein {{dmt5_account}} Konto hinzufügen. Einzahlungen und Abhebungen für Ihr {{dmt5_label}}-Konto erfolgen durch Überweisungen auf und von Ihrem {{deriv_label}}-Konto.", @@ -3170,15 +3153,6 @@ "-1019903756": "synthetisch", "-288996254": "Nicht verfügbar", "-735306327": "Konten verwalten", - "-1310654342": "Im Rahmen der Änderungen in unserer Produktpalette werden wir die Spielekonten unserer britischen Kunden schließen.", - "-626152766": "Im Rahmen der Änderungen in unserer Produktpalette schließen wir Optionskonten unserer Kunden in Europa.", - "-490100162": "Im Rahmen der Änderungen in unserer Produktpalette werden wir Konten unserer Kunden auf der Isle of Man schließen.", - "-1208958060": "Sie können auf keiner unserer Plattformen mehr mit digitalen Optionen handeln. Sie können auch kein Geld auf Ihr Konto einzahlen.<0/><1/> Alle offenen Positionen bei digitalen Optionen wurden mit voller Auszahlung geschlossen.", - "-2050417883": "Sie verlieren den Zugriff auf Ihr Spielkonto, wenn es geschlossen wird. Stellen Sie also sicher, dass Sie Ihr Geld so schnell wie möglich abheben.", - "-1950045402": "Heben Sie Ihr gesamtes Geld ab", - "-168971942": "Was das für dich bedeutet", - "-905560792": "OK, ich verstehe", - "-1308593541": "Sie verlieren den Zugriff auf Ihr Konto, wenn es geschlossen wird. Stellen Sie also sicher, dass Sie Ihr gesamtes Geld abheben.", "-2024365882": "Erkunden", "-1197864059": "Kostenloses Demo-Konto erstellen", "-1813972756": "Die Kontoerstellung wurde für 24 Stunden unterbrochen", @@ -3225,6 +3199,7 @@ "-1369294608": "Haben Sie sich schon angemeldet?", "-730377053": "Sie können kein weiteres echtes Konto hinzufügen", "-2100785339": "Ungültige Eingaben", + "-2061807537": "Etwas stimmt nicht", "-617844567": "Ein Konto mit Ihren Daten ist bereits vorhanden.", "-292363402": "Bericht zur Handelsstatistik", "-1656860130": "Der Optionshandel kann zu einer echten Sucht werden, ebenso wie jede andere Aktivität, die an seine Grenzen stößt. Um die Gefahr einer solchen Abhängigkeit zu vermeiden, bieten wir einen Reality-Check an, der Ihnen regelmäßig eine Zusammenfassung Ihrer Geschäfte und Konten bietet.", @@ -3976,8 +3951,6 @@ "-1715390759": "Ich möchte dies später tun", "-2092611555": "Entschuldigung, diese App ist an Ihrem aktuellen Standort nicht verfügbar.", "-1488537825": "Wenn Sie ein Konto haben, melden Sie sich an, um fortzufahren.", - "-555592125": "Leider sind Handelsoptionen in Ihrem Land nicht möglich", - "-1571816573": "Leider ist der Handel an Ihrem aktuellen Standort nicht verfügbar.", "-1603581277": "Minuten", "-1714959941": "Diese Chartdarstellung ist nicht ideal für Zeckenkontrakte", "-1254554534": "Bitte ändern Sie die Chartdauer auf ein Häkchen, um ein besseres Handelserlebnis zu erzielen.", diff --git a/packages/translations/src/translations/es.json b/packages/translations/src/translations/es.json index eea0e4fd55ca..db988b404e86 100644 --- a/packages/translations/src/translations/es.json +++ b/packages/translations/src/translations/es.json @@ -459,7 +459,6 @@ "524459540": "¿Cómo creo variables?", "527329988": "Esta es una de las 100 contraseñas más comunes", "529056539": "Opciones", - "529597350": "Si tenía alguna posición abierta, la hemos cerrado y le hemos reembolsado.", "530953413": "Aplicaciones autorizadas", "531114081": "3. Tipo de contrato", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Multiplique retornos <0>arriesgando solo lo que invirtió.", "762871622": "{{remaining_time}}s", "762926186": "Una estrategia rápida es una estrategia ya construida que puede utilizar en Deriv Bot. Hay 3 estrategias rápidas entre las que puede elegir: Martingala, D'Alembert y Oscar's Grind.", - "763019867": "Su cuenta de juegos está programada para cerrarse", "764366329": "Límites de trading", "766317539": "Idioma", "770171141": "Ir a {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Solo puede realizar depósitos. Por favor, complete la <0>evaluación financiera para desbloquear los retiros.", "845213721": "Salir", "845304111": "Período de EMA lento {{ input_number }}", - "847888634": "Por favor, retire todos sus fondos.", "848083350": "Su pago es igual al <0>pago por punto multiplicado por la diferencia entre el precio final y el precio de ejercicio. Solo obtendrá beneficios si su pago es superior a su apuesta inicial.", "850582774": "Por favor, actualice sus datos personales", "851054273": "Si selecciona \"Superior\", ganará el pago si el precio de salida es estrictamente superior a la barrera.", @@ -1043,7 +1040,6 @@ "1145927365": "Ejecuta los bloques dentro tras un número determinado de segundos", "1146064568": "Diríjase a la página de Depósito", "1147269948": "La barrera no puede ser cero.", - "1147625645": "Proceda a retirar todos los fondos de su cuenta antes del <0>30 de noviembre de 2021.", "1150637063": "*Índice de Volatilidad 150 e Índice de Volatilidad 250", "1151964318": "ambos lados", "1152294962": "Suba el anverso de su carné de conducir.", @@ -1090,7 +1086,6 @@ "1195393249": "Notificar {{ notification_type }} con sonido: {{ notification_sound }} {{ input_message }}", "1196006480": "Umbral de ganancias", "1196683606": "Cuenta demo de CFD Deriv MT5", - "1197326289": "Ya no puede operar con opciones digitales en ninguna de nuestras plataformas. Además, no puede hacer depósitos en su cuenta de Opciones.", "1198368641": "Índice de fuerza relativa (RSI)", "1199281499": "Lista de los últimos dígitos", "1201533528": "Contratos ganados", @@ -1399,7 +1394,6 @@ "1510357015": "Se requiere residencia fiscal.", "1510735345": "Este bloque le proporciona una lista de los últimos dígitos de los últimos 1000 valores de tick.", "1512469749": "En el ejemplo anterior, se supone que la variable candle_open_price se procesa en algún lugar dentro de otros bloques.", - "1516537408": "Ya no puede operar en Deriv ni depositar fondos en su cuenta.", "1516559721": "Seleccione solo un archivo", "1516676261": "Depositar", "1516834467": "\"Consiga\" las cuentas que quiere", @@ -1414,7 +1408,6 @@ "1527906715": "Este bloque agrega el número dado a la variable seleccionada.", "1531017969": "Crea una sola cadena de texto combinando el valor de texto de cada elemento adjunto, sin espacios entre ellos. El número de elementos se puede agregar como corresponda.", "1533177906": "Baja", - "1534569275": "Como parte de los cambios en nuestros mercados, cerraremos las cuentas de nuestros clientes del Reino Unido.", "1534796105": "Obtiene un valor de variable", "1537711064": "Debe realizar una rápida verificación de identidad antes de poder acceder al Cajero. Vaya a la configuración de su cuenta para presentar su prueba de identidad.", "1540585098": "Rechazar", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a. Puede presentar una queja ante la Comisión Financiera hasta 45 días después del incidente.", "1598443642": "Hash de la transacción", "1602894348": "Cree una contraseña", - "1604171868": "Por favor, retire todos sus fondos tan pronto como sea posible.", "1604916224": "Absoluto", "1605222432": "No tengo ningún conocimiento ni experiencia en trading.", "1605292429": "Pérdida máx. total", @@ -1746,7 +1738,6 @@ "1876015808": "Fideicomiso de Seguro Social y de Seguro Nacional", "1876325183": "Minutos", "1877225775": "Su prueba de domicilio se ha verificado", - "1877410120": "Lo que necesita hacer ahora", "1877832150": "# desde final", "1878172674": "No, no lo hacemos. Sin embargo, encontrará estrategias rápidas en Deriv Bot que le ayudarán a construir su propio bot de trading de forma gratuita.", "1879042430": "Prueba de Idoneidad, ADVERTENCIA:", @@ -1784,7 +1775,6 @@ "1914725623": "Suba la página que contiene su foto.", "1917178459": "Número de Verificación Bancaria", "1917523456": "Este bloque envía un mensaje a un canal de Telegram. Tendrá que crear su propio bot de Telegram para usar este bloque.", - "1917804780": "Usted perderá el acceso a su cuenta de Opciones cuando se cierre, así que asegúrese de retirar todos sus fondos. (Si tiene una cuenta de CFD, también puede transferir los fondos de su cuenta de Opciones a su cuenta de CFD)", "1918796823": "Por favor, inserte la cantidad de stop loss.", "1918832194": "Sin experiencia", "1919030163": "Consejos para sacarse un buen selfie", @@ -1799,7 +1789,6 @@ "1923431535": "La opción \"Stop loss\" está desactivada y solo estará disponible cuando expire la \"Cancelación del contrato\".", "1924365090": "Quizás más tarde", "1924765698": "Lugar de nacimiento*", - "1925090823": "Lo sentimos, el trading no está disponible en {{clients_country}}.", "1926987784": "- iOS: Deslice el dedo hacia la izquierda sobre la cuenta y pulse <0>Eliminar.", "1928930389": "GBP/NOK", "1929309951": "Situación laboral", @@ -1880,7 +1869,6 @@ "2004792696": "Si es residente del Reino Unido, para autoexcluirse de todas las empresas de juegos online con licencia en Gran Bretaña, visite <0>www.gamstop.co.uk.", "2007028410": "mercado, tipo de operación, tipo de contrato", "2007092908": "Opere con apalancamiento y spreads bajos para obtener mejores rendimientos en operaciones exitosas.", - "2008809853": "Proceda a retirar sus fondos antes del 30 de noviembre de 2021.", "2010759971": "Subido con éxito", "2010866561": "Devuelve la ganancia/pérdida total", "2011609940": "Ingrese un número superior a 0", @@ -1920,7 +1908,6 @@ "2049386104": "Necesitamos que nos envíe lo siguiente para obtener esta cuenta:", "2050170533": "Lista de ticks", "2051558666": "Ver el historial de transacciones", - "2053617863": "Por favor, proceda a retirar todos sus fondos de su cuenta.", "2054889300": "Crear \"%1\"", "2055317803": "Copie el enlace en su navegador móvil", "2057082550": "Acepte nuestros <0>términos y condiciones actualizados", @@ -2341,10 +2328,10 @@ "-1412690135": "*Cualquier límite en la configuración de autoexclusión anulará estos límites predeterminados.", "-1598751496": "Representa el volumen máximo de contratos que puede comprar en un día de operación determinado.", "-173346300": "Volumen diario máximo de negocios", - "-1502578110": "Su cuenta está totalmente autenticada y su límite de retiro ha sido aumentado.", "-138380129": "Retiro total permitido", "-854023608": "Para aumentar el límite, verifique su identidad", "-1500958859": "Verificar", + "-1502578110": "Su cuenta está totalmente autenticada y su límite de retiro ha sido aumentado.", "-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.", "-190838815": "Necesitamos esto para la verificación. Si la información que proporciona es falsa o inexacta, no podrá depositar ni retirar.", "-223216785": "Segunda línea de dirección*", @@ -3071,9 +3058,6 @@ "-405439829": "Lo sentimos, no puede ver este contrato porque no pertenece a esta cuenta.", "-1590712279": "Juego", "-16448469": "Virtual", - "-540474806": "Su cuenta de Opciones está programada para cerrarse", - "-618539786": "Su cuenta está programada para cerrarse", - "-945275490": "Retirar todos los fondos de su cuenta de Opciones.", "-2093768906": "{{name}} ha liberado sus fondos.
¿Desea dar una valoración?", "-705744796": "El saldo de su cuenta demo ha alcanzado el límite máximo y no podrá realizar nuevas operaciones. Restablezca su saldo para continuar operando desde su cuenta demo.", "-2063700253": "desactivado", @@ -3149,7 +3133,6 @@ "-384887227": "Actualice la dirección en su perfil.", "-448961363": "no perteneciente a la UE", "-1998049070": "Si acepta nuestro uso de cookies, haga clic en Aceptar. Para obtener más información, <0>consulte nuestra política.", - "-2061807537": "Algo no está bien", "-402093392": "Añadir cuenta Deriv", "-1721181859": "Necesitará una cuenta de {{deriv_account}}", "-1989074395": "Primero agregue una cuenta de {{deriv_account}} antes de agregar una cuenta de {{dmt5_account}}. Los depósitos y retiros de su cuenta {{dmt5_label}} se realizan mediante la transferencia de fondos desde y hacia su cuenta {{deriv_label}}.", @@ -3170,15 +3153,6 @@ "-1019903756": "Sintética", "-288996254": "No disponible", "-735306327": "Gestionar cuentas", - "-1310654342": "Como parte de los cambios en nuestra línea de productos, cerraremos las cuentas de juegos que pertenecen a nuestros clientes del Reino Unido.", - "-626152766": "Como parte de los cambios en nuestra línea de productos, cerraremos las cuentas de Opciones que pertenecen a nuestros clientes en Europa.", - "-490100162": "Como parte de los cambios en nuestra línea de productos, cerraremos las cuentas que pertenecen a nuestros clientes de la Isla de Man.", - "-1208958060": "Ya no puede operar con opciones digitales en ninguna de nuestras plataformas. Tampoco puede depositar fondos en su cuenta.<0/><1/>Todas las posiciones abiertas en opciones digitales han sido cerradas con pago total.", - "-2050417883": "Perderá el acceso a su cuenta de Juego cuando se cierre, así que asegúrese de retirar sus fondos lo antes posible.", - "-1950045402": "Retire todos sus fondos", - "-168971942": "Lo que esto significa para usted", - "-905560792": "Vale, lo entiendo", - "-1308593541": "Perderá el acceso a su cuenta cuando se cierre, por lo que debe asegurarse de retirar todos sus fondos.", "-2024365882": "Explore", "-1197864059": "Crear cuenta demo gratis", "-1813972756": "La creación de la cuenta se detuvo por 24 horas", @@ -3225,6 +3199,7 @@ "-1369294608": "¿Ya se ha registrado?", "-730377053": "No puede añadir otra cuenta real", "-2100785339": "Entradas no válidas", + "-2061807537": "Algo no está bien", "-617844567": "Ya existe una cuenta con sus detalles.", "-292363402": "Informe de estadísticas comerciales", "-1656860130": "El trading con opciones puede convertirse en una adicción real, al igual que cualquier otra actividad llevada al extremo. Para evitar el peligro de una adicción así, le ofrecemos una verificación de realidad que le da un resumen de sus transacciones y cuentas de forma regular.", @@ -3976,8 +3951,6 @@ "-1715390759": "Quiero hacer esto más tarde", "-2092611555": "Lo sentimos, esta aplicación no está disponible en su ubicación actual.", "-1488537825": "Si tiene una cuenta, inicie sesión para continuar.", - "-555592125": "Lamentablemente, operar con opciones no es posible en su país", - "-1571816573": "Lo sentimos, las operaciones no están disponibles en su ubicación actual.", "-1603581277": "minutos", "-1714959941": "Esta visualización de gráfico no es ideal para contratos de tick", "-1254554534": "Cambie la duración del gráfico para una mejor experiencia de trading.", diff --git a/packages/translations/src/translations/fr.json b/packages/translations/src/translations/fr.json index fd1ff634ae4f..a08f64d774cb 100644 --- a/packages/translations/src/translations/fr.json +++ b/packages/translations/src/translations/fr.json @@ -459,7 +459,6 @@ "524459540": "Comment créer des variables?", "527329988": "Ceci est un mot de passe commun parmi les 100 premiers", "529056539": "Options", - "529597350": "Si vous aviez des positions ouvertes, nous les avons fermées et vous avons remboursé.", "530953413": "Applications autorisées", "531114081": "3. Type de Contrat", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Multipliez les retours sur investissement en <0>ne risquant que ce que vous investissez.", "762871622": "{{remaining_time}}s", "762926186": "Une stratégie rapide est une stratégie prête à l'emploi que vous pouvez utiliser dans Deriv Bot. Vous avez le choix entre 3 stratégies rapides : Martingale, D'Alembert et Oscar's Grind.", - "763019867": "La fermeture de votre compte de Jeu est prévue", "764366329": "Limites de trading", "766317539": "Langue", "770171141": "Aller sur {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Vous ne pouvez effectuer que des dépôts. Veuillez compléter l'<0>évaluation financière pour débloquer les retraits.", "845213721": "Déconnexion", "845304111": "Période EMA lente {{ input_number }}", - "847888634": "Merci de retirer tous vos fonds.", "848083350": "Votre gain est égal au <0>gain par point multiplié par la différence entre le prix final et le prix d'exercice. Vous ne réaliserez un bénéfice que si votre paiement est supérieur à votre mise initiale.", "850582774": "Veuillez mettre à jour vos données personnelles", "851054273": "Si vous sélectionnez \"Supérieur\", vous gagnez le paiement si le point de sortie est strictement supérieur à la barrière.", @@ -1043,7 +1040,6 @@ "1145927365": "Exécutez les blocs à l'intérieur après un nombre donné de secondes", "1146064568": "Aller à la page de dépôt", "1147269948": "La barrière ne peut être égale à zéro.", - "1147625645": "Veuillez procéder au retrait de tous les fonds de votre compte avant le <0>30 novembre 2021.", "1150637063": "*Indice Volatilité 150 et Indice Volatilité 250", "1151964318": "des deux côtés", "1152294962": "Téléchargez le recto de votre permis de conduire.", @@ -1090,7 +1086,6 @@ "1195393249": "Notifier {{ notification_type }} avec un son: {{ notification_sound }} {{ input_message }}", "1196006480": "Seuil de profit", "1196683606": "Compte démo Deriv MT5 CFD", - "1197326289": "Vous ne pouvez plus trader d'options numériques sur aucune de nos plateformes. De même, vous ne pouvez plus effectuer de dépôts sur votre compte d'options.", "1198368641": "Relative Strength Index (RSI)", "1199281499": "Liste des derniers chiffres", "1201533528": "Contrats gagnés", @@ -1399,7 +1394,6 @@ "1510357015": "La résidence fiscale est requise.", "1510735345": "Ce bloc vous donne une liste des derniers chiffres des 1000 dernières valeurs de tick.", "1512469749": "Dans l'exemple ci-dessus, on suppose que la variable candle_open_price est traitée quelque part dans d'autres blocs.", - "1516537408": "Vous ne pouvez plus trader sur Deriv ou déposer des fonds sur votre compte.", "1516559721": "Veuillez ne sélectionner qu'un seul fichier", "1516676261": "Dépôt", "1516834467": "« Obtenez » les comptes que vous souhaitez", @@ -1414,7 +1408,6 @@ "1527906715": "Ce bloc ajoute le nombre donné à la variable sélectionnée.", "1531017969": "Crée une chaîne de texte unique à partir de la combinaison de la valeur de texte de chaque élément attaché, sans espaces entre les deux. Le nombre d'articles peut être ajouté en conséquence.", "1533177906": "Baisse", - "1534569275": "Dans le cadre des changements intervenus sur nos marchés, nous allons fermer les comptes de nos clients britanniques.", "1534796105": "Obtient une valeur variable", "1537711064": "Vous devez procéder à une vérification rapide de votre identité avant de pouvoir accéder à la caisse. Veuillez vous rendre dans les paramètres de votre compte pour soumettre votre document d'identité.", "1540585098": "Refuser", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a. Vous pouvez déposer une plainte auprès de la Commission financière jusqu'à 45 jours après l'incident.", "1598443642": "Hash de la transaction", "1602894348": "Créer un mot de passe", - "1604171868": "Veuillez retirer tous vos fonds dès que possible.", "1604916224": "Absolu", "1605222432": "Je n'ai aucune connaissance ni expérience en matière de trading.", "1605292429": "Max. perte totale", @@ -1746,7 +1738,6 @@ "1876015808": "Fiducie de sécurité sociale et d'assurance nationale", "1876325183": "Minutes", "1877225775": "Votre justificatif de domicile est vérifié", - "1877410120": "Ce que vous devez faire maintenant", "1877832150": "# à partir de la fin", "1878172674": "Non, nous ne le faisons pas. Cependant, vous trouverez sur Deriv Bot des stratégies rapides qui vous aideront à créer votre propre robot de trading gratuitement.", "1879042430": "Test de pertinence, AVERTISSEMENT:", @@ -1784,7 +1775,6 @@ "1914725623": "Téléchargez la page avec votre photo.", "1917178459": "Numéro de vérification bancaire", "1917523456": "Ce bloc envoie un message à un canal Telegram. Vous devrez créer votre propre robot Telegram pour utiliser ce bloc.", - "1917804780": "Vous perdrez l'accès à votre compte Options lorsqu'il sera fermé, veillez donc à retirer tous vos fonds. (Si vous avez un compte CFD, vous pouvez également transférer les fonds de votre compte Options vers votre compte CFD.)", "1918796823": "Veuillez saisir un montant stop loss.", "1918832194": "Aucune expérience", "1919030163": "Conseils pour prendre un bon selfie", @@ -1799,7 +1789,6 @@ "1923431535": "«Stop loss» est désactivé et ne sera disponible qu'à l'expiration de «Offre annulation».", "1924365090": "Peut-être plus tard", "1924765698": "Lieu de naissance*", - "1925090823": "Désolé, le trading n'est pas disponible en {{clients_country}}.", "1926987784": "- iOS : Glissez vers la gauche sur le compte et touchez <0>Supprimer.", "1928930389": "GBP/NOK", "1929309951": "Statut d’emploi", @@ -1880,7 +1869,6 @@ "2004792696": "Si vous résidez au Royaume-Uni, pour vous exclure de toutes les sociétés de jeux en ligne agréées en Grande-Bretagne, rendez-vous sur <0>www.gamstop.co.uk.", "2007028410": "marché, type de trade, type de contrat", "2007092908": "Tradez avec un effet de levier et des spreads faibles pour de meilleurs rendements sur les trades réussis.", - "2008809853": "Veuillez procéder au retrait de vos fonds avant le 30 novembre 2021.", "2010759971": "Téléchargements réussis", "2010866561": "Renvoie le total des profits / pertes", "2011609940": "Veuillez saisir un nombre supérieur à 0", @@ -1920,7 +1908,6 @@ "2049386104": "Nous avons besoin que vous les soumettiez pour obtenir ce compte :", "2050170533": "Liste des ticks", "2051558666": "Voir l'historique de la transaction", - "2053617863": "Veuillez procéder au retrait de tous vos fonds de votre compte.", "2054889300": "Créer \"%1\"", "2055317803": "Copiez le lien dans votre navigateur mobile", "2057082550": "Acceptez nos <0>conditions générales mises à jour", @@ -2341,10 +2328,10 @@ "-1412690135": "* Toutes les limites de vos paramètres d'auto-exclusion remplaceront ces limites par défaut.", "-1598751496": "Représente le volume maximal de contrats que vous pouvez acheter au cours d'une journée de trading donnée.", "-173346300": "Limite journalière du volume des transactions", - "-1502578110": "Votre compte est entièrement authentifié et vos limites de retrait ont été levées.", "-138380129": "Retrait total autorisé", "-854023608": "Pour augmenter la limite, veuillez vérifier votre identité", "-1500958859": "Vérifier", + "-1502578110": "Votre compte est entièrement authentifié et vos limites de retrait ont été levées.", "-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.", "-190838815": "Nous en avons besoin pour vérification. Si les informations que vous fournissez sont fausses ou inexactes, vous ne pourrez pas effectuer de dépôt ni de retrait.", "-223216785": "Deuxième ligne d'adresse*", @@ -3071,9 +3058,6 @@ "-405439829": "Désolé, vous ne pouvez pas afficher ce contrat, car il n'appartient pas à ce compte.", "-1590712279": "Jeu", "-16448469": "Virtuel", - "-540474806": "La fermeture de votre compte Option est prévue", - "-618539786": "La fermeture de votre compte est prévue", - "-945275490": "Retirer tous les fonds de votre compte Options.", "-2093768906": "{{name}} a débloqué vos fonds.
Souhaitez-vous nous donner votre avis?", "-705744796": "Le solde de votre compte démo a atteint la limite maximale et vous ne pourrez pas effectuer de nouvelles transactions. Réinitialisez votre solde pour continuer à trader depuis votre compte démo.", "-2063700253": "handicapé", @@ -3149,7 +3133,6 @@ "-384887227": "Mettez à jour l'adresse dans votre profil.", "-448961363": "non-EU", "-1998049070": "Si vous acceptez notre utilisation des cookies, cliquez sur Accepter. Pour plus d'informations, <0>consultez notre politique.", - "-2061807537": "Quelque chose ne va pas", "-402093392": "Ajouter un compte Deriv", "-1721181859": "Vous aurez besoin d'un compte {{deriv_account}}", "-1989074395": "Veuillez d'abord ajouter un compte {{deriv_account}} avant d'ajouter un compte {{dmt5_account}}. Les dépôts et retraits pour votre compte {{dmt5_label}} sont effectués en transférant des fonds vers et depuis votre compte {{deriv_label}}.", @@ -3170,15 +3153,6 @@ "-1019903756": "Synthétique", "-288996254": "Indisponible", "-735306327": "Gérer les comptes", - "-1310654342": "Dans le cadre des changements apportés à notre gamme de produits, nous allons fermer les comptes de Jeu appartenant à nos clients britanniques.", - "-626152766": "Dans le cadre des changements apportés à notre gamme de produits, nous fermons les comptes Options appartenant à nos clients en Europe.", - "-490100162": "Dans le cadre des changements apportés à notre gamme de produits, nous allons fermer les comptes de nos clients de l'île de Man.", - "-1208958060": "Vous ne pouvez plus trader d'options numériques sur aucune de nos plateformes. Vous ne pouvez pas non plus déposer de fonds sur votre compte.<0/><1/>Toutes les positions ouvertes sur les options numériques ont été fermées avec un paiement intégral.", - "-2050417883": "Vous perdrez l'accès à votre compte de Jeu lorsqu'il sera fermé. Veillez donc à retirer vos fonds dès que possible.", - "-1950045402": "Retirez tous vos fonds", - "-168971942": "Ce que cela signifie pour vous", - "-905560792": "OK, je comprends", - "-1308593541": "Vous perdrez l'accès à votre compte lorsqu'il sera fermé, alors, assurez-vous de retirer tous vos\nfonds.", "-2024365882": "Explorer", "-1197864059": "Ouvrir un compte démo", "-1813972756": "La création d'un compte est suspendue pendant 24 heures", @@ -3225,6 +3199,7 @@ "-1369294608": "Déjà inscrit?", "-730377053": "Vous ne pouvez pas ajouter un autre compte réel", "-2100785339": "Entrées non valides", + "-2061807537": "Quelque chose ne va pas", "-617844567": "Un compte avec vos coordonnées existe déjà.", "-292363402": "Rapport de statistiques de trading", "-1656860130": "Le trading d'options binaires peut devenir une véritable addiction, au même titre que toute autre activité pratiquée de façon trop intensive. Pour éviter le danger d'une telle addiction, nous mettons en œuvre suivi réaliste de votre situation en vous fournissant régulièrement un relevé de vos opérations et de vos comptes.", @@ -3976,8 +3951,6 @@ "-1715390759": "Je veux le faire plus tard", "-2092611555": "Désolé, cette application n'est pas disponible dans votre pays.", "-1488537825": "Si vous avez un compte, connectez-vous pour continuer.", - "-555592125": "Malheureusement, le trading d'options n'est pas possible dans votre pays", - "-1571816573": "Désolé, le trading n'est pas disponible dans votre pays.", "-1603581277": "minutes", "-1714959941": "Cet affichage graphique n'est pas idéal pour les contrats tick", "-1254554534": "Veuillez changer la durée du graphique pour cocher pour une meilleure expérience de trading.", diff --git a/packages/translations/src/translations/id.json b/packages/translations/src/translations/id.json index 87d1b6e1c9c2..b2864aa9556f 100644 --- a/packages/translations/src/translations/id.json +++ b/packages/translations/src/translations/id.json @@ -459,7 +459,6 @@ "524459540": "Bagaimana cara membuat variabel?", "527329988": "Ini adalah 100 kata sandi umum teratas", "529056539": "Opsi", - "529597350": "Posisi aktif akan kami tutup dan dana Anda akan dikembalikan.", "530953413": "Aplikasi resmi", "531114081": "3. Jenis Kontrak", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Gandakan keuntungan dengan <0>risiko terbatas pada modal Anda.", "762871622": "{{remaining_time}}", "762926186": "Strategi cepat adalah strategi siap pakai yang dapat Anda gunakan di Deriv Bot. Ada 3 strategi cepat yang dapat Anda pilih: Martingale, D'Alembert, dan Oscar's Grind.", - "763019867": "Akun Gaming Anda akan segera ditutup", "764366329": "Batas trading", "766317539": "Bahasa", "770171141": "Kunjungi {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Anda hanya dapat melakukan deposit. Lengkapi <0>penilaian keuangan untuk mengaktifkan penarikan.", "845213721": "Keluar", "845304111": "Periode EMA lambat {{ input_number }}", - "847888634": "Tarik semua dana Anda.", "848083350": "Pembayaran Anda sama dengan <0>pembayaran per poin dikalikan dengan selisih antara harga akhir dan harga kesepakatan. Anda hanya akan mendapat untung jika pembayaran Anda lebih tinggi dari taruhan awal Anda.", "850582774": "Mohon perbarui info pribadi Anda", "851054273": "Jika Anda memilih \"Higher\", maka anda akan memperoleh hasil jika spot akhir lebih tinggi dari barrier.", @@ -1043,7 +1040,6 @@ "1145927365": "Operasikan blok setelah beberapa detik tertentu", "1146064568": "Kunjungi halaman Deposit", "1147269948": "Barrier tidak boleh nol.", - "1147625645": "Lanjutkan untuk menarik saldo akun Anda sebelum <0>30 Nopember 2021.", "1150637063": "*Indeks Volatilitas 150 dan Indeks Volatilitas 250", "1151964318": "kedua belah pihak", "1152294962": "Unggah bagian depan SIM Anda.", @@ -1090,7 +1086,6 @@ "1195393249": "Beritahu {{ notification_type }} dengan nada: {{ notification_sound }} {{ input_message }}", "1196006480": "Ambang batas keuntungan", "1196683606": "Akun demo CFD Deriv MT5", - "1197326289": "Anda tidak lagi dapat bertrading opsi digital di salah satu platform kami. Anda juga tidak dapat melakukan deposit lebih lanjut ke akun Opsi Anda.", "1198368641": "Indeks Kekuatan Relatif (RSI) ", "1199281499": "Daftar digit terakhir", "1201533528": "Kontrak profit", @@ -1399,7 +1394,6 @@ "1510357015": "Pajak residensi diperlukan.", "1510735345": "Blok ini memberi Anda daftar digit terakhir dari nilai 1000 tik terakhir.\n", "1512469749": "Dalam contoh di atas diasumsikan bahwa variabel candle_open_price diproses di suatu tempat pada blok lain.", - "1516537408": "Anda tidak dapat lagi bertrading atau mendeposit dana pada akun Anda.", "1516559721": "Silakan pilih satu file saja", "1516676261": "Deposit", "1516834467": "'Dapatkan' akun yang Anda inginkan", @@ -1414,7 +1408,6 @@ "1527906715": "Blok ini akan menambahkan angka pada variabel yang dipilih.", "1531017969": "Membuat satu string teks dari menggabungkan nilai teks dari setiap item terlampir, tanpa spasi di antaranya. Jumlah item dapat disesuaikan.", "1533177906": "Fall", - "1534569275": "Sebagai bagian dari perubahan terkini, kami akan menutup akun klien Inggris.", "1534796105": "Dapatkan nilai variabel", "1537711064": "Anda perlu melakukan verifikasi identitas sebelum mengakses bagian Kasir. Akses bagian pengaturan akun untuk mengirimkan bukti identitas Anda.", "1540585098": "Ditolak", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Anda dapat mengajukan keluhan kepada Komisi Keuangan dalam tempo 45 hari setelah insiden.", "1598443642": "Hash transaksi", "1602894348": "Membuat kata sandi", - "1604171868": "Tarik semua dana Anda secepatnya.", "1604916224": "Mutlak", "1605222432": "Saya tidak memiliki pengetahuan dan pengalaman dalam trading sama sekali.", "1605292429": "Maks. total kerugian", @@ -1746,7 +1738,6 @@ "1876015808": "Jaminan Sosial dan Asuransi Nasional", "1876325183": "Menit", "1877225775": "Bukti alamat Anda telah terverifikasi", - "1877410120": "Apa yang perlu Anda ketahui", "1877832150": "# dari akhir", "1878172674": "Tidak, kami tidak menyediakannya. Namun, Anda akan menemukan strategi cepat di Deriv Bot yang akan membantu Anda membangun bot trading Anda sendiri secara gratis.", "1879042430": "Ujian kesesuaian, PERINGATAN:", @@ -1784,7 +1775,6 @@ "1914725623": "Unggah halaman yang berisi foto Anda.", "1917178459": "Nomor Verifikasi Bank", "1917523456": "Blok ini mengirim pesan ke saluran Telegram. Anda perlu membuat bot Telegram Anda sendiri untuk menggunakan blok ini.", - "1917804780": "Anda tidak akan dapat mengakses akun Opsi setelah akun tersebut ditutup, pastikan untuk menarik semua dana Anda. (Jika Anda memiliki akun CFD, Anda dapat mentransfer dana tersebut dari akun Opsi.)", "1918796823": "Masukkan jumlah batas kerugian.", "1918832194": "Tidak ada pengalaman", "1919030163": "Tips untuk mengambil selfie yang bagus", @@ -1799,7 +1789,6 @@ "1923431535": "“Batas kerugian” dinonaktifkan dan hanya akan tersedia ketika \"Pembatalan transaksi\" berakhir.", "1924365090": "Mungkin nanti", "1924765698": "Tempat lahir*", - "1925090823": "Maaf, trading ini tidak tersedia di {{clients_country}}.", "1926987784": "- iOS: Gesek ke kiri pada akun dan ketuk <0>Hapus.", "1928930389": "GBP/NOK", "1929309951": "Status Pekerjaan", @@ -1880,7 +1869,6 @@ "2004792696": "Jika Anda Jika Anda penduduk Inggris, untuk mengecualikan diri dari semua perusahaan trading online yang berlisensi di Britania Raya, kunjungi <0>www.gamstop.co.uk.", "2007028410": "pasar, jenis trading, jenis kontrak", "2007092908": "Trading dengan leverage dan spread rendah untuk memperoleh hasil lebih baik.", - "2008809853": "Lanjutkan untuk menarik saldo Anda sebelum 30 Nopember 2021.", "2010759971": "Unggahan berhasil", "2010866561": "Menampilkan total untung/rugi", "2011609940": "Silakan masukkan nomor lebih besar dari 0", @@ -1920,7 +1908,6 @@ "2049386104": "Kami membutuhkan Anda untuk mengirimkan ini untuk mendapatkan akun ini:", "2050170533": "Daftar tik", "2051558666": "Lihat histori transaksi", - "2053617863": "Lanjutkan untuk menarik semua saldo dana dari akun Anda.", "2054889300": "Membuat \"%1\"", "2055317803": "Salin tautan ke browser seluler Anda", "2057082550": "Terima <0>persyaratan dan ketentuan yang telah diperbarui", @@ -2341,10 +2328,10 @@ "-1412690135": "* Batasan apa pun yang Anda pasang pada bagian pengecualian diri akan mengganti batas otomatis ini.", "-1598751496": "Mewakili jumlah maksimum pembelian kontrak dalam satu hari trading.", "-173346300": "Maksimal pembelian harian", - "-1502578110": "Akun Anda telah terbukti dan batasan penarikan Anda telah dihapuskan.", "-138380129": "Total penarikan yang diperbolehkan", "-854023608": "Untuk meningkatkan batas mohon verifikasi identitas Anda", "-1500958859": "Verifikasi", + "-1502578110": "Akun Anda telah terbukti dan batasan penarikan Anda telah dihapuskan.", "-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.", "-190838815": "Kami membutuhkan ini untuk verifikasi. Jika informasi yang Anda berikan palsu atau tidak akurat, Anda tidak akan dapat melakukan deposit atau menarik dana.", "-223216785": "Baris kedua alamat*", @@ -3071,9 +3058,6 @@ "-405439829": "Maaf, Anda tidak dapat melihat kontrak ini karena tidak terdapat pada akun ini. ", "-1590712279": "Gaming", "-16448469": "Virtual", - "-540474806": "Akun Opsi Anda dijadwalkan untuk ditutup", - "-618539786": "Akun Anda akan segera ditutup", - "-945275490": "Tarik semua dana dari akun Opsi Anda.", "-2093768906": "{{name}} telah merilis dana Anda.
Apakah Anda ingin memberikan kritik dan saran?", "-705744796": "Saldo akun demo Anda telah mencapai batas maksimum, dan Anda tidak dapat melakukan trading baru. Reset saldo Anda untuk melanjutkan trading dari akun demo Anda.", "-2063700253": "menonaktifkan", @@ -3149,7 +3133,6 @@ "-384887227": "Perbarui alamat di profil Anda.", "-448961363": "Non-Uni Eropa", "-1998049070": "Jika Anda menyetujui penggunaan cookies kami, klik pada tombol Menerima. Untuk informasi lebih lanjut, <0>lihat halaman kebijakan kami.", - "-2061807537": "Telah terjadi error", "-402093392": "Daftar akun Deriv", "-1721181859": "Anda memerlukan akun {{deriv_account}}", "-1989074395": "Daftar akun {{deriv_account}} terlebih dahulu sebelum mendaftar akun {{dmt5_account}}. Deposit dan penarikan akun {{dmt5_label}} dilakukan dengan mentransfer dana ke dan dari akun {{deriv_label}} Anda.", @@ -3170,15 +3153,6 @@ "-1019903756": "Sintetis", "-288996254": "Tidak tersedia", "-735306327": "Kelola akun", - "-1310654342": "Sebagai bagian dari perubahan jajaran produk kami, kami akan menutup akun Gaming milik klien Inggris.", - "-626152766": "Sebagai bagian dari perubahan jajaran produk kami, kami memutuskan untuk menutup akun Opsi untuk klien Eropa.", - "-490100162": "Sebagai bagian dari perubahan jajaran produk kami, kami akan menutup akun milik klien Isle of Man.", - "-1208958060": "Anda tidak dapat bertrading pada opsi digital pada platform kami. Anda juga tidak dapat melakukan deposit pada akun Anda. <0/><1/>Semua kontrak yang masih berjalan telah diselesaikan dengan hasil penuh.", - "-2050417883": "Anda tidak dapat mengakese akun Gaming setelah ditutup, maka pastikan untuk menarik dana Anda secepatnya.", - "-1950045402": "Tarik semua dana Anda", - "-168971942": "Hal ini berarti", - "-905560792": "OK, saya mengerti", - "-1308593541": "Anda tidak dapat mengakses akun jika sudah ditutup, pastikan untuk menarik dana Anda.", "-2024365882": "Jelajahi", "-1197864059": "Daftar akun demo gratis", "-1813972756": "Pendaftaran akun ditunda selama 24 jam", @@ -3225,6 +3199,7 @@ "-1369294608": "Sudah mendaftar?", "-730377053": "Anda tidak dapat menambahkan akun riil lainnya", "-2100785339": "Input tidak valid", + "-2061807537": "Telah terjadi error", "-617844567": "Akun dengan detail Anda sudah terdaftar.", "-292363402": "Laporan statistik trading", "-1656860130": "Trading opsi dapat menyebabkan ketagihan, sebagaimana kegiatan lain yang dilakukan di luar batas. Untuk menghidari bahaya ketagihan tersebut, kami menyediakan pengecekan yang memberikan ringkasan trading Anda secara teratur.", @@ -3976,8 +3951,6 @@ "-1715390759": "Saya ingin melakukan ini nanti", "-2092611555": "Maaf, aplikasi ini tidak tersedia di lokasi Anda saat ini.", "-1488537825": "Jika Anda sudah memiliki akun, akses untuk melanjutkan.", - "-555592125": "Mohon maaf, opsi trading tidak tersedia di negara Anda", - "-1571816573": "Maaf, trading ini tidak tersedia di negara Anda.", "-1603581277": "menit", "-1714959941": "Tampilan grafik ini tidak ideal untuk kontrak tik", "-1254554534": "Silakan ubah durasi grafik dalam tik untuk memperoleh pengalaman trading yang lebih baik.", diff --git a/packages/translations/src/translations/it.json b/packages/translations/src/translations/it.json index f28843bc3557..ae729fc632de 100644 --- a/packages/translations/src/translations/it.json +++ b/packages/translations/src/translations/it.json @@ -459,7 +459,6 @@ "524459540": "Come si creano le variabili?", "527329988": "Questa è una delle 100 password più usate", "529056539": "Opzioni", - "529597350": "Se avevi qualche posizione aperta, le abbiamo chiuse e ti abbiamo rimborsato.", "530953413": "Applicazioni autorizzate", "531114081": "3. Tipologia di contratto", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Moltiplica i rendimenti <0>rischiando solo l'importo iniziale.", "762871622": "{{remaining_time}}s", "762926186": "Una strategia rapida è una strategia già pronta che può utilizzare in Deriv Bot. Ci sono 3 strategie rapide tra cui può scegliere: Martingala, D'Alembert e Oscar's Grind.", - "763019867": "Il tuo conto di gioco online verrà chiuso prossimamente", "764366329": "Limiti del trading", "766317539": "Lingua", "770171141": "Vai su {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Puoi solo fare depositi. Completa la <0>valutazione finanziaria per sbloccare i prelievi.", "845213721": "Logout", "845304111": "Periodo EMA lento {{ input_number }}", - "847888634": "Preleva tutti i tuoi fondi.", "848083350": "La sua vincita è pari alla <0>vincita per punto moltiplicata per la differenza tra il prezzo finale e il prezzo d'esercizio. Otterrà un profitto solo se la vincita è superiore alla sua puntata iniziale.", "850582774": "Aggiorna i tuoi dati personali", "851054273": "Selezionando \"Superiore\", vinci il payout se lo spot d'uscita è notevolmente superiore alla barriera.", @@ -1043,7 +1040,6 @@ "1145927365": "Attiva i blocchi interni dopo un determinato numero di secondi", "1146064568": "Vai alla pagina Depositi", "1147269948": "La barriera non può essere zero.", - "1147625645": "Assicurati di prelevare tutti i fondi dal conto prima del <0>30 novembre 2021.", "1150637063": "*Indice di volatilità 150 e Indice di volatilità 250", "1151964318": "entrambi i lati", "1152294962": "Carica la parte anteriore della tua patente di guida.", @@ -1090,7 +1086,6 @@ "1195393249": "Notifica {{ notification_type }} con suono: {{ notification_sound }} {{ input_message }}", "1196006480": "Soglia di profitto", "1196683606": "Conto demo Deriv MT5 per CFD", - "1197326289": "Non potrai più fare trading con opzioni binarie sulle nostre piattaforme, né depositare fondi sul tuo conto per opzioni.", "1198368641": "Indicatore di forza relativa (RSI)", "1199281499": "Elenco delle ultime cifre", "1201533528": "Contratti vinti", @@ -1399,7 +1394,6 @@ "1510357015": "Residenza fiscale obbligatoria.", "1510735345": "Questo blocco fornisce un elenco delle ultime cifre dei valori degli ultimi 1000 tick.", "1512469749": "Nell'esempio sopra, viene supposto che la variabile candle_open_price viene processata all'interno di altri blocchi.", - "1516537408": "Non puoi fare trading su Deriv o depositare fondi sul tuo conto.", "1516559721": "Seleziona un solo file", "1516676261": "Deposito", "1516834467": "Crea i conti che preferisci", @@ -1414,7 +1408,6 @@ "1527906715": "Questo blocco aggiunge il numero dato alla variabile selezionata.", "1531017969": "Crea una singola stringa di testo combinando tutti i valori testuali di ogni elemento annesso, senza includere spazi. Il numero di elementi può essere aggiunto di conseguenza.", "1533177906": "Ribasso", - "1534569275": "Come parte dei cambiamenti nei nostri mercati, chiuderemo i conti dei nostri clienti del Regno Unito.", "1534796105": "Ricevi il valore della variabile", "1537711064": "Occorre verificare rapidamente la tua identità prima di permetterti di accedere alla cassa. Vai sulle impostazioni del conto e invia un documento di verifica dell'identità.", "1540585098": "Rifiuta", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Puoi presentare un reclamo alla commissione finanziaria fino a 45 giorni dopo l'incidente.", "1598443642": "Hash dell'operazione", "1602894348": "Crea una password", - "1604171868": "Preleva i fondi il prima possibile.", "1604916224": "Assoluto", "1605222432": "Non ho alcuna conoscenza ed esperienza nel trading.", "1605292429": "Perdita massima totale", @@ -1746,7 +1738,6 @@ "1876015808": "Social Security and National Insurance Trust", "1876325183": "Minuti", "1877225775": "La verifica dell'indirizzo è andata a buon fine", - "1877410120": "Informazioni utili", "1877832150": "# dalla fine", "1878172674": "No, non lo facciamo. Tuttavia, su Deriv Bot troverà delle strategie rapide che la aiuteranno a costruire il suo trading bot personale gratuitamente.", "1879042430": "Test di idoneità, ATTENZIONE:", @@ -1784,7 +1775,6 @@ "1914725623": "Carica la pagina che contiene la tua foto.", "1917178459": "Numero di verifica bancario", "1917523456": "Questo blocco invia un messaggio al canale Telegram. Sarà necessario creare un bot Telegram per utilizzarlo.", - "1917804780": "Non potrai più accedere al conto per opzioni quando sarà chiuso: assicurati pertanto di prelevare tutti i fondi (se hai un conto per CFD, puoi trasferire i fondi su questo conto).", "1918796823": "Inserire un importo per stop loss.", "1918832194": "Nessuna esperienza", "1919030163": "Consigli per scattare un selfie adeguato", @@ -1799,7 +1789,6 @@ "1923431535": "L'opzione “Stop loss” è stata disattivata; tornerà disponibile solo dopo il termine di scadenza della \"Cancellazione\".", "1924365090": "Forse più tardi", "1924765698": "Luogo di nascita*", - "1925090823": "Siamo spiacenti, non è possibile fare trading in {{clients_country}}.", "1926987784": "- iOS: Scorra il dito verso sinistra sull'account e tocchi <0>Elimina.", "1928930389": "GBP/NOK", "1929309951": "Occupazione", @@ -1880,7 +1869,6 @@ "2004792696": "Se risiedi nel Regno Unito e vuoi autoescluderti da ogni società di gioco d'azzardo online autorizzata in Gran Bretagna, vai su <0>www.gamstop.co.uk.", "2007028410": "mercato, tipo di trade, tipo di contratto", "2007092908": "Fai trading con leva e spread bassi per avere un ritorno maggiore sui trade che vanno a buon fine.", - "2008809853": "Assicurati di prelevare i fondi dal conto prima del 30 novembre 2021.", "2010759971": "Caricamenti completati", "2010866561": "Restituisce il profitto/perdita totale", "2011609940": "Inserisci un numero maggiore di 0", @@ -1920,7 +1908,6 @@ "2049386104": "Abbiamo bisogno che tu li invii per ottenere questo account:", "2050170533": "Elenco dei tick", "2051558666": "Visualizza cronologia operazioni", - "2053617863": "Per favore, ritira tutti i fondi dal tuo conto.", "2054889300": "Crea \"%1\"", "2055317803": "Copia il link sul browser del tuo smartphone", "2057082550": "Accetta <0>termini e condizioni aggiornati", @@ -2341,10 +2328,10 @@ "-1412690135": "*Qualsiasi limite presente nelle impostazioni di autoesclusione annullerà tali limiti predefiniti.", "-1598751496": "Rappresenta il volume massimo di contratti che puoi acquistare in un dato giorno di trading.", "-173346300": "Turnover massimo giornaliero", - "-1502578110": "Il conto è stato completamente autenticato e i limiti di prelievo sono stati rimossi.", "-138380129": "Prelievo totale consentito", "-854023608": "Per aumentare il limite, verifica la tua identità", "-1500958859": "Verifica", + "-1502578110": "Il conto è stato completamente autenticato e i limiti di prelievo sono stati rimossi.", "-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.", "-190838815": "Ne abbiamo bisogno ai fini della verifica: se le informazioni sono false o imprecise, non ti sarà possibile prelevare o depositare fondi.", "-223216785": "Seconda riga dell'indirizzo*", @@ -3071,9 +3058,6 @@ "-405439829": "Siamo spiacenti, non puoi visualizzare questo contratto perché non appartiene a questo conto.", "-1590712279": "Gioco Online", "-16448469": "Virtuale", - "-540474806": "Il tuo conto per opzioni verrà chiuso prossimamente", - "-618539786": "Il tuo conto verrà chiuso prossimamente", - "-945275490": "Preleva tutti i fondi dal conto per opzioni.", "-2093768906": "{{name}} ha rilasciato i tuoi fondi.
Vuoi darli il tuo feedback?", "-705744796": "Il saldo del conto demo ha raggiunto il limite massimo, pertanto non potrai effettuare nuovi trade. Ripristina il saldo per continuare a fare trading con il conto di prova.", "-2063700253": "disabilitato", @@ -3149,7 +3133,6 @@ "-384887227": "Aggiorna l'indirizzo nel tuo profilo.", "-448961363": "Non-UE", "-1998049070": "Se accetti l'uso dei cookies, clicca su Accetto. Per maggiori informazioni, <0>consulta la nostra politica.", - "-2061807537": "Qualcosa non va", "-402093392": "Aggiungi conto Deriv", "-1721181859": "Occorre un conto {{deriv_account}}", "-1989074395": "Aggiungi un conto {{deriv_account}} prima di aggiungere un conto {{dmt5_account}}. I depositi e i trasferimenti con il conto {{dmt5_label}} avvengono trasferendo i fondi da e verso il conto {{deriv_label}}.", @@ -3170,15 +3153,6 @@ "-1019903756": "Sintetico", "-288996254": "Non disponibile", "-735306327": "Gestisci i conti", - "-1310654342": "Il piano di modifica dei prodotti prevede la chiusura dei conti per il gioco online dei clienti nel Regno Unito.", - "-626152766": "Il piano di modifica dei prodotti prevede la chiusura dei conti per opzioni dei clienti in Europa.", - "-490100162": "Il piano di modifica dei prodotti prevede la chiusura dei conti dei clienti sull'Isola di Man.", - "-1208958060": "Non è più possibile fare trading con opzioni digitali sulle nostre piattaforme, né depositare fondi sul conto.<0/><1/>Eventuali posizioni aperte su opzioni digitali sono stare chiuse a fronte di un payout completo.", - "-2050417883": "Quando il conto per il gioco d'azzardo verrà chiuso, non potrai più accedervi: assicurati di prelevare i fondi il prima possibile.", - "-1950045402": "Preleva tutti i fondi", - "-168971942": "Conseguenze per te", - "-905560792": "Ok, ho capito", - "-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", "-1813972756": "La creazione del conto è stata sospesa per 24 ore", @@ -3225,6 +3199,7 @@ "-1369294608": "Già registrato?", "-730377053": "Non puoi aggiungere un altro conto reale", "-2100785339": "Ingressi non validi", + "-2061807537": "Qualcosa non va", "-617844567": "Conto con questi dettagli già esistente.", "-292363402": "Report delle statistiche di trading", "-1656860130": "Il trading di opzioni può creare una vera e propria dipendenza così come qualsiasi altra attività spinta al limite. Per evitare i danni di tale dipendenza, ti diamo la possibilità di controllare regolarmente la tua situazione effettiva tramite un riepilogo dei trade e dei conti.", @@ -3976,8 +3951,6 @@ "-1715390759": "Voglio farlo più tardi", "-2092611555": "Questa app non è disponibile nel Paese in cui ti trovi.", "-1488537825": "Se possiedi un conto, effettua il login per continuare.", - "-555592125": "Siamo spiacenti, non è possibile fare trading su opzioni nel tuo Paese", - "-1571816573": "Non è possibile fare trading nel Paese in cui ti trovi.", "-1603581277": "minuti", "-1714959941": "Questo modalità di visualizzazione del grafico non è idonea per i contratti con tick", "-1254554534": "Imposta la durata del contratto su tick per una migliore esperienza di trading.", diff --git a/packages/translations/src/translations/ko.json b/packages/translations/src/translations/ko.json index b94d5c1cc404..cf4a4007e214 100644 --- a/packages/translations/src/translations/ko.json +++ b/packages/translations/src/translations/ko.json @@ -459,7 +459,6 @@ "524459540": "어떻게 변수를 생성하나요?", "527329988": "이 비밀번호는 상위 100위에 들어가는 흔한 비밀번호입니다", "529056539": "옵션", - "529597350": "오픈 포지션이 있었던 경우에는, 해당 포지션을 마감했으며 환불해 드렸습니다.", "530953413": "승인된 앱", "531114081": "3. 계약 유형", "531675669": "유로", @@ -680,7 +679,6 @@ "762185380": "귀하께서 투자하신 만큼의 <0>위험만을 감수하심으로써 <0>보상을 증가시키세요.", "762871622": "{{remaining_time}}초", "762926186": "빠른 전략은 파생 봇에서 사용할 수 있는 기성 전략입니다. 마틴 게일, 달렘베르, 오스카의 갈기 등 3가지 빠른 전략 중에서 선택할 수 있습니다.", - "763019867": "귀하의 게임 계좌는 닫힐 예정입니다", "764366329": "거래 한도", "766317539": "언어", "770171141": "{{hostname}} 으로 가기", @@ -757,7 +755,6 @@ "843333337": "입금만 하실 수 있습니다. 인출 잠금을 해제하기 위해서는 <0>재무 평가를 완료하시기 바랍니다.", "845213721": "로그아웃", "845304111": "느린 EMA 기간 {{ input_number }}", - "847888634": "귀하의 자금을 모두 인출해 주시기 바랍니다.", "848083350": "귀하의 지불금은 <0>포인트당 지불금에 최종 가격과 행사 가격의 차이를 곱한 값과 같습니다. 지불금이 초기 예치금보다 높은 경우에만 수익을 얻게 됩니다.", "850582774": "귀하의 인적 정보를 업데이트 하시기 바랍니다", "851054273": "만약 \"Higher\"를 선택하시면, 귀하께서는 출구부가 해당 장벽보다 엄격하게 높을 경우에 지불금을 획득합니다.", @@ -1043,7 +1040,6 @@ "1145927365": "주어진 초가 지난 이후 내부에서 블록을 구동하세요", "1146064568": "입금 페이지로 가기", "1147269948": "장벽은 0일수 없습니다.", - "1147625645": "<0>2021년 11월 30일 이전까지 귀하의 계좌로부터 모든 자금들을 인출해 주시기 바랍니다.", "1150637063": "*변동성 150 지수 (Volatility 150 Index) 및 변동성 250 지수 (Volatility 250 Index)", "1151964318": "양쪽면", "1152294962": "귀하의 운전 면허증 앞면을 업로드하세요.", @@ -1090,7 +1086,6 @@ "1195393249": "{{ notification_type }} 를 소리와 함께 알리기: {{ notification_sound }} {{ input_message }}", "1196006480": "이윤 특정수준", "1196683606": "Deriv MT5 CFD 데모 계정", - "1197326289": "귀하께서는 저희의 플랫폼들의 그 어떠한 곳에서도 디지털 옵션을 더이상 거래하실 수 없습니다. 또한, 귀하께서는 귀하의 옵션 계좌로 예금을 하실 수도 없습니다.", "1198368641": "상대강도지수 (RSI)", "1199281499": "마지막 숫자 목록", "1201533528": "획득한 계약", @@ -1399,7 +1394,6 @@ "1510357015": "과세목적상 거주지는 필수 항목입니다.", "1510735345": "이 블록은 귀하에게 마지막 1000 틱 값의 마지막 숫자의 목록을 제공합니다.", "1512469749": "위의 예시에서는 변수 candle_open_price가 다른 블록들 내의 어딘가에서 처리되는 것이라고 추측되어집니다.", - "1516537408": "귀하께서는 더이상 Deriv에서 거래하실 수 없으시거나 또는 귀하의 계좌로 자금을 예금하실 수 없습니다.", "1516559721": "파일 하나만 선택해 주시기 바랍니다", "1516676261": "예금", "1516834467": "원하는 계정을 '가져오기'", @@ -1414,7 +1408,6 @@ "1527906715": "이 블록은 선택된 변수에 주어진 수를 추가합니다.", "1531017969": "첨부되어진 각각의 항목의 문자 값을 합침으로써 하나의 단일 문자열을 띄어쓰기 없이 단일 문자열을 생성합니다. 이에 따라서 항목의 수가 추가될 수 있습니다.", "1533177906": "하락", - "1534569275": "저희 시장에서의 변경의 일부로, 저희는 저희의 영국 고객분들의 계좌들을 닫을 것입니다.", "1534796105": "변수값을 받습니다", "1537711064": "귀하께서는 캐셔에 접근하실 수 있기 이전에 길지 않은 신분 검증 절차를 거치셔야 합니다. 귀하의 계좌 설정으로 가셔서 신분 증명을 제출해 주시기 바랍니다.", "1540585098": "거절하기", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.분쟁이 일어난 후 귀하께서는 최대 45일 이후까지 금융 위원회를 통해 불만사항을 접수하실 수 있습니다.", "1598443642": "거래 아이디", "1602894348": "비밀번호를 생성하세요", - "1604171868": "가능한 한 빠르게 귀하의 모든 자금을 인출해 주시기 바랍니다.", "1604916224": "절대", "1605222432": "저는 거래에 대한 지식과 경험이 전혀 없습니다.", "1605292429": "최대 총 손실", @@ -1746,7 +1738,6 @@ "1876015808": "사회보장 및 국민보험 신탁", "1876325183": "분", "1877225775": "귀하의 주소증명이 인증되었습니다", - "1877410120": "귀하께서 지금 진행하셔야 하는 사항", "1877832150": "끝에서부터의 #", "1878172674": "아니요, 없습니다. 하지만 파생 봇에서 나만의 트레이딩 봇을 무료로 구축하는 데 도움이 되는 빠른 전략을 찾을 수 있습니다.", "1879042430": "적절성 시험, 경고:", @@ -1784,7 +1775,6 @@ "1914725623": "귀하의 사진이 포함되어 있는 페이지를 업로드하세요.", "1917178459": "은행 확인 번호", "1917523456": "이 블록은 텔레그램 채널에 메시지를 전송합니다. 귀하께서는 이 블록을 사용하기 위해서 귀하만의 텔레그램 봇을 만드셔야 합니다.", - "1917804780": "귀하께서는 귀하의 옵션 계좌가 닫히면 해당 계좌로 더이상 접근하실 수 없습니다. 그래서 귀하의 모든 자금을 확실히 인출해 주시기 바랍니다. (만약 귀하께서 CFD 계좌를 보유하고 있으시면, 귀하의 옵션 계좌에서 귀하의 CFD 계좌로 해당 자금을 송금하실 수도 있습니다.)", "1918796823": "손실제한 금액을 입력해 주시기 바랍니다.", "1918832194": "경험 없음", "1919030163": "좋은 자가촬영사진을 찍기 위한 팁", @@ -1799,7 +1789,6 @@ "1923431535": "\"손실제한\"이 비활성화 되었으며 \"거래 취소\"가 만기된 경우에만 다시 활성화됩니다.", "1924365090": "다음 기회로 미룹니다", "1924765698": "출생지*", - "1925090823": "죄송합니다, {{clients_country}} 에서 거래는 불가능합니다.", "1926987784": "- iOS: 계정을 왼쪽으로 스와이프하고 <0>삭제를 탭합니다.", "1928930389": "GBP/NOK", "1929309951": "고용 상태", @@ -1880,7 +1869,6 @@ "2004792696": "귀하께서 영국 거주자이시면, 영국에서 인가된 모든 온라인 도박 회사에서 자가제한을 하기 위해서, <0>www.gamstop.co.uk으로 가세요.", "2007028410": "시장, 거래 종류, 계약 종류", "2007092908": "성공적인 거래에 대해서 더 나은 보상을 위해 레버리지와 낮은 스프레드로 거래하세요.", - "2008809853": "2021년 11월 30일 이전까지 귀하의 자금을 인출해 주시기 바랍니다.", "2010759971": "성공적으로 업로드 되었습니다", "2010866561": "총 이윤/손실을 불러옵니다", "2011609940": "0보다 큰 숫자를 입력해주시기 바랍니다", @@ -1920,7 +1908,6 @@ "2049386104": "이 계정을 받으려면 다음을 제출해야 합니다.", "2050170533": "틱 목록", "2051558666": "거래 내역 확인하기", - "2053617863": "귀하의 계좌에서 귀하의 모든 자금을 인출하기 위해 진행해 주시기 바랍니다.", "2054889300": "\"%1\" 생성하기", "2055317803": "해당 링크를 귀하의 모바일 브라우저로 복사해주세요", "2057082550": "업데이트 된 우리의 <0>이용 약관을 수락하세요", @@ -2341,10 +2328,10 @@ "-1412690135": "*귀하의 자가제한 설정에서의 모든 제한은 이러한 기본 제한들보다 우선시될 것입니다.", "-1598751496": "주어진 거래일시에 귀하께서 구매하시는 계약의 최대 거래량을 나타냅니다.", "-173346300": "최대 일일 매출액", - "-1502578110": "귀하의 계좌가 인증 완료되었으며 인출한도가 풀렸습니다.", "-138380129": "총 인출 허용금액", "-854023608": "한도를 늘리기 위해 귀하의 신분을 인증해주시기 바랍니다", "-1500958859": "인증", + "-1502578110": "귀하의 계좌가 인증 완료되었으며 인출한도가 풀렸습니다.", "-1662154767": "최근의 공과금 (예 전기세, 수도세, 가스세, 통신비, 또는 인터넷 요금), 은행 잔고증명서, 또는 귀하의 이름과 해당 주소가 표시되어 있는 정부에서 발급된 레터.", "-190838815": "검증을 위해 우리는 이것을 필요로 합니다. 만약 귀하께서 제공하시는 정보가 가짜이거나 부정확한 경우, 귀하께서는 입금 및 인출을 하실 수 없게 됩니다.", "-223216785": "주소의 둘째 줄*", @@ -3071,9 +3058,6 @@ "-405439829": "죄송합니다, 해당 계약은 이 계좌에 속하지 않기 떄문에 이 계좌를 볼 수 없습니다.", "-1590712279": "게이밍", "-16448469": "가상", - "-540474806": "귀하의 옵션 계좌는 닫힐 예정입니다", - "-618539786": "귀하의 계좌는 닫힐 예정입니다", - "-945275490": "귀하의 옵션 계좌에서 모든 자금을 인출하세요.", "-2093768906": "{{name}} 이 귀하의 자금을 풀었습니다.
귀하께서는 피드백을 제공하시겠습니까?", "-705744796": "귀하의 데모 계좌 잔액이 최대 한도에 도달 되었으며 귀하께서는 더이상 새로운 거래를 주문하실 수 없습니다. 귀하의 데모 계좌로부터 거래를 계속하기 위해 귀하의 잔액을 재설정하세요.", "-2063700253": "비활성화 되었습니다", @@ -3149,7 +3133,6 @@ "-384887227": "프로필에서 주소를 업데이트하세요.", "-448961363": "비 EU", "-1998049070": "귀하께서 저희의 쿠키 활용에 동의하신다면, 동의하기 버튼을 클릭하세요. 더 많은 정보를 위해서는, <0>우리의 정책을 확인해주세요.", - "-2061807537": "문제가 발생했습니다", "-402093392": "Deriv 계정 추가", "-1721181859": "귀하께서는 {{deriv_account}} 계좌가 필요합니다", "-1989074395": "{{dmt5_account}} 계좌를 추가하시기 이전에 {{deriv_account}} 계좌를 먼저 추가해 주시기 바랍니다. 귀하의 {{dmt5_label}} 계좌에 대한 예금 및 인출은 {{deriv_label}} 계좌로부터 또는 이 계좌로 자금을 송금하심으로써 완료됩니다.", @@ -3170,15 +3153,6 @@ "-1019903756": "종합", "-288996254": "가능하지 않습니다", "-735306327": "계좌 관리", - "-1310654342": "저희의 제품 라인업에서의 변경의 일부분으로, 저희는 저희의 영국 고객분들께서 소유하시고 계시는 게임 계좌들을 닫을 것입니다.", - "-626152766": "저희 제품의 라인업 변경의 일부분으로, 저희는 유럽에 있는 저희 고객분들이 소유한 옵견 계좌들을 닫고 있습니다.", - "-490100162": "저희 제품 라인업의 변경으로, 저희의 맨섬 고객분들께서 소유하고 계시는 계좌들을 닫을 것입니다.", - "-1208958060": "귀하께서는 저희 플랫폼중 그 어떠한 곳에서도 더이상 디지털 옵션을 거래하실 수 없습니다. 귀하께서는 또한 귀하의 계좌로 자금을 예금하실수도 없습니다.<0/><1/> 디지털 옵션에 관하여 열어져 있는 모든 포지션들은 지급완료와 함께 닫혔습니다.", - "-2050417883": "귀하의 게이밍 계좌가 닫히면 더이상 귀하께서는 해당 계좌에 접근하실 수 없기 때문에 귀하의 자금을 최대한 빨리 인출하시기 바랍니다.", - "-1950045402": "귀하의 모든 자금을 인출하세요", - "-168971942": "이것이 귀하에게 의미하는 점", - "-905560792": "네, 이해합니다", - "-1308593541": "귀하의 계좌가 닫히면 귀하께서는 더이상 귀하의 계좌에 접근하실 수 없습니다, 그렇기 때문에 반드시 귀하의 모든 자금을 인출하시기 바랍니다.", "-2024365882": "둘러보기", "-1197864059": "무료 데모 계좌를 생성하세요", "-1813972756": "계정 생성이 24시간동안 일시 중지되었습니다", @@ -3225,6 +3199,7 @@ "-1369294608": "이미 가입하셨나요?", "-730377053": "다른 실제 계정을 추가할 수 없습니다.", "-2100785339": "잘못된 입력", + "-2061807537": "문제가 발생했습니다", "-617844567": "귀하의 세부정보가 있는 계좌가 이미 존재합니다.", "-292363402": "거래 통계 보고", "-1656860130": "여타 다른 행동들이 아주 중독적일 수 있는 것처럼 옵션 트레이딩 또한 아주 중독적일 수 있습니다. 이러한 중독의 위험을 피하기 위해, 우리는 귀하에게 귀하의 거래들과 계좌들에 대한 요약을 정기적으로 제공해 주는 현실 검사를 제공해드립니다.", @@ -3976,8 +3951,6 @@ "-1715390759": "나중에 진행하고 싶습니다", "-2092611555": "죄송합니다, 이 앱은 귀하의 현재 위치에서는 사용하실 수 없습니다.", "-1488537825": "만약 귀하께서 계좌를 소유하고 계시면, 계속하기 위해 로그인해주세요.", - "-555592125": "안타깝게도, 트레이딩 옵션은 귀하의 국가에서 가능하지 않습니다", - "-1571816573": "죄송합니다만, 귀하의 현재 위치에서는 거래를 하실 수 없습니다.", "-1603581277": "분", "-1714959941": "이 차트 디스플레이는 틱 계약에 대해 이상적이지 않습니다", "-1254554534": "더 나은 트레이딩 경험을 위해 차트 기간을 틱으로 변환해 주시기 바랍니다.", diff --git a/packages/translations/src/translations/pl.json b/packages/translations/src/translations/pl.json index a5db16239295..31b5eadef2ac 100644 --- a/packages/translations/src/translations/pl.json +++ b/packages/translations/src/translations/pl.json @@ -459,7 +459,6 @@ "524459540": "W jaki sposób tworzyć zmienne?", "527329988": "To hasło jest wśród 100 najpopularniejszych", "529056539": "Opcje", - "529597350": "Jeśli masz otwarte pozycje, zamknęliśmy je i zwróciliśmy Ci środki.", "530953413": "Aplikacje zatwierdzone", "531114081": "3. Rodzaj kontraktu", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Zwiększ swoje zyski , <0>ryzykując tylko wpłacaną kwotę.", "762871622": "{{remaining_time}}s", "762926186": "Szybka strategia to gotowa strategia, której można użyć w Deriv Bot. Do wyboru są 3 szybkie strategie: Martingale, D'Alembert i Oscar's Grind.", - "763019867": "Twoje konto gracza zostanie zamknięte", "764366329": "Limity handlowe", "766317539": "Język", "770171141": "Przejdź do {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Możesz dokonywać tylko wpłat. Ukończ <0>ocenę finansową, aby odblokować wypłaty.", "845213721": "Wyloguj", "845304111": "Okres wolnej wykładniczej średniej kroczącej {{ input_number }}", - "847888634": "Wypłać wszystkie swoje środki.", "848083350": "Państwa wypłata jest równa <0>wypłacie za punkt pomnożonej przez różnicę między ceną końcową a ceną wykonania. Zysk osiągną Państwo tylko wtedy, gdy wypłata będzie wyższa niż początkowa stawka.", "850582774": "Zaktualizuj swoje dane osobowe", "851054273": "Jeśli wybierzesz „wzrośnie”, zdobędziesz wypłatę, gdy punkt wyjściowy będzie znacząco wyższy niż limit.", @@ -1043,7 +1040,6 @@ "1145927365": "Uruchom bloki wewnętrzne po określonej liczbie sekund", "1146064568": "Przejdź do strony wpłat", "1147269948": "Limit nie może wynosić zero.", - "1147625645": "Wypłać wszystkie swoje środki ze swojego konta przed <0>30 listopada 2021 r.", "1150637063": "*Indeks zmienności 150 i wskaźnik zmienności 250", "1151964318": "obie strony", "1152294962": "Prześlij przednią stronę swojego prawa jazdy.", @@ -1090,7 +1086,6 @@ "1195393249": "Powiadom {{ notification_type }} z dźwiękiem: {{ notification_sound }} {{ input_message }}", "1196006480": "Próg zysków", "1196683606": "Konto demo CFD Deriv MT5", - "1197326289": "Nie możesz już inwestować w opcje cyfrowe na naszych platformach. Nie możesz też wpłacać środków na swoje konto do opcji.", "1198368641": "Wskaźnik względnej siły (RSI – Relative Strength Index)", "1199281499": "Lista ostatnich cyfr", "1201533528": "Wygrane kontrakty", @@ -1399,7 +1394,6 @@ "1510357015": "Wymagane jest podanie rezydencji podatkowej.", "1510735345": "Ten blok daje listę ostatnich cyfr wartości ostatnich 1000 ticków.", "1512469749": "W przykładzie powyżej zmienna candle_open_price jest przetworzona gdzieś w ramach innych bloków.", - "1516537408": "Nie możesz już handlować na Deriv ani wpłacać środków na swoje konto.", "1516559721": "Proszę wybrać tylko jeden plik", "1516676261": "Wpłata", "1516834467": "„Get' konta, które chcesz", @@ -1414,7 +1408,6 @@ "1527906715": "Ten blok dodaje określoną liczbę do wybranej zmiennej.", "1531017969": "Tworzy pojedynczy ciąg tekstu poprzez połączenie wartości tekstu poszczególnych załączonych elementów bez spacji. Liczbę elementów można dodać odpowiednio.", "1533177906": "Spadek", - "1534569275": "W ramach zmian na naszych rynkach będziemy zamykać konta naszych klientów w Wielkiej Brytanii.", "1534796105": "Pobiera wartość zmiennej", "1537711064": "Musisz dokonać szybkiej weryfikacji tożsamości, zanim uzyskasz dostęp do sekcji Kasjer. Przejdź do ustawień konta, aby przesłać potwierdzenie swojej tożsamości.", "1540585098": "Odrzuć", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Możesz złożyć skargę do Komisji Finansowej do 45 dni od momentu zdarzenia.", "1598443642": "Skrót transakcji", "1602894348": "Utwórz hasło", - "1604171868": "Proszę jak najszybciej wypłacić wszystkie swoje środki.", "1604916224": "Nieograniczony", "1605222432": "Nie mam żadnej wiedzy i doświadczenia w inwestowaniu.", "1605292429": "Maks. całkowita strata", @@ -1746,7 +1738,6 @@ "1876015808": "Social Security and National Insurance Trust", "1876325183": "Minuty", "1877225775": "Twoje potwierdzenie adresu zostało zweryfikowane", - "1877410120": "Co musisz teraz zrobić", "1877832150": "# od końca", "1878172674": "Nie, nie mamy. Na stronie Deriv Bot znajdą Państwo jednak szybkie strategie, które pomogą Państwu zbudować własnego bota handlowego za darmo.", "1879042430": "Ocena zdolności, OSTRZEŻENIE:", @@ -1784,7 +1775,6 @@ "1914725623": "Prześlij skan strony zawierającej zdjęcie.", "1917178459": "Numer weryfikacyjny banku", "1917523456": "Blok wysyła wiadomość do kanału Telegram. Aby użyć ten blok, konieczne będzie utworzenie własnego botu Telegram.", - "1917804780": "Stracisz dostęp do swojego konta do opcji, gdy zostanie zamknięte. Pamiętaj, aby wypłacić wszystkie swoje środki. (Jeśli masz konto CFD, możesz przelać środki z konta do opcji na swoje konto CFD.)", "1918796823": "Wprowadź kwotę opcji Stop stratom.", "1918832194": "Brak doświadczenia", "1919030163": "Wskazówki, jak zrobić dobre zdjęcie selfie", @@ -1799,7 +1789,6 @@ "1923431535": "Opcja „Stop stratom” jest wyłączona i będzie dostępna dopiero, gdy wygaśnie „Anulowanie transakcji”.", "1924365090": "Może później", "1924765698": "Miejsce urodzenia*", - "1925090823": "Przepraszamy, inwestowanie jest niedostępne w kraju: {{clients_country}}.", "1926987784": "- iOS: Przesunąć palcem w lewo na koncie i dotknąć <0>Usuń.", "1928930389": "GBP/NOK", "1929309951": "Status zatrudnienia", @@ -1880,7 +1869,6 @@ "2004792696": "Jeśli jesteś mieszkańcem Wielkiej Brytanii, aby dokonać samo-wyłączenia ze wszystkich firm oferujących handel online w Wielkiej Brytanii, przejdź do <0>www.gamstop.co.uk.", "2007028410": "rynek, rodzaj zakładu, rodzaj kontraktu", "2007092908": "Korzystaj z dźwigni i niskich spreadów, aby uzyskać wyższe zwroty z wygranych zakładów.", - "2008809853": "Wypłać swoje środki do 30 listopada 2021 r.", "2010759971": "Przesłano pomyślnie", "2010866561": "Zwraca całkowity zysk/stratę", "2011609940": "Wprowadź liczbę większą od 0", @@ -1920,7 +1908,6 @@ "2049386104": "Aby uzyskać to konto, musisz je przesłać:", "2050170533": "Lista ticków", "2051558666": "Zobacz historię transakcji", - "2053617863": "Wypłać wszystkie środki ze swojego konta.", "2054889300": "Utwórz „%1”", "2055317803": "Skopiuj link do przeglądarki na swoim urządzeniu mobilnym", "2057082550": "Zaakceptuj nasz zaktualizowany <0>regulamin", @@ -2341,10 +2328,10 @@ "-1412690135": "*Limity z ustawień Samodzielnego-wykluczenia nadpiszą te domyślne limity.", "-1598751496": "Pokazuje maksymalną liczbę kontraktów, które możesz nabyć w danym dniu handlowym.", "-173346300": "Maksymalny dzienny obrót", - "-1502578110": "Twoje konto jest w pełni zweryfikowane, a Twój limit wypłat został zwiększony.", "-138380129": "Całkowita dozwolona kwota wypłaty", "-854023608": "Aby zwiększyć limit, zweryfikuj swoją tożsamość", "-1500958859": "Zweryfikuj", + "-1502578110": "Twoje konto jest w pełni zweryfikowane, a Twój limit wypłat został zwiększony.", "-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.", "-190838815": "Te dane potrzebne są w celu weryfikacji. Jeśli podane przez Ciebie informacji są nieprawdziwe lub niedokładne, nie będziesz mieć możliwości dokonywania wpłat i wypłat.", "-223216785": "Druga część adresu*", @@ -3071,9 +3058,6 @@ "-405439829": "Przepraszamy, nie możesz zobaczyć tego kontraktu, gdyż nie należy do tego konta.", "-1590712279": "Gra hazardowa", "-16448469": "Wirtualne", - "-540474806": "Twoje konto do opcji zostanie zamknięte", - "-618539786": "Twoje konto zostanie zamknięte", - "-945275490": "Wypłać środki ze swojego konta do opcji.", "-2093768906": "Użytkownik {{name}} zwolnił Twoje środki.
Chcesz zostawić opinię?", "-705744796": "Saldo na Twoim koncie demo osiągnęło maksymalny limit i nie będzie już możliwe zawieranie nowych zakładów. Zresetuj swoje konto, aby kontynuować inwestowanie ze swojego konta demo.", "-2063700253": "wyłączone", @@ -3149,7 +3133,6 @@ "-384887227": "Zaktualizuj adres w swoim profilu.", "-448961363": "spoza UE", "-1998049070": "Jeśli zgadzasz się na wykorzystywanie przez nas plików cookies, kliknij Akceptuję. <0>Przeczytaj naszą politykę, aby uzyskać więcej informacji.", - "-2061807537": "Coś jest nie tak", "-402093392": "Dodaj konto Deriv", "-1721181859": "Potrzebne Ci będzie konto {{deriv_account}}", "-1989074395": "Przed dodaniem konta {{dmt5_account}} dodaj konto {{deriv_account}}. Wpłaty i wypłaty w przypadku Twojego konta {{dmt5_label}} są dokonywane przez przelanie środków na konto {{deriv_label}} lub z niego.", @@ -3170,15 +3153,6 @@ "-1019903756": "Syntetyczne", "-288996254": "Niedostępne", "-735306327": "Zarządzaj kontami", - "-1310654342": "W ramach zmian w naszej linii produktów będziemy zamykać konta graczy należące do klientów z Wielkiej Brytanii.", - "-626152766": "W ramach zmian w naszej linii produktów będziemy zamykać konta do opcji należące do klientów w Europie.", - "-490100162": "W ramach zmian w naszej linii produktów będziemy zamykać konta należące do klientów zamieszkałych na Wyspie Man.", - "-1208958060": "Nie możesz już inwestować w opcje na naszych platformach. Nie możesz też wpłacać środków na swoje konto.<0/><1/>Wszystkie otwarte pozycje związane z opcjami cyfrowymi zostaną zamknięte z pełną wypłatą.", - "-2050417883": "Utracisz dostęp do swojego konta Gracza po jego zamknięciu, więc wypłać swoje środki jak najszybciej.", - "-1950045402": "Wypłać wszystkie swoje środki", - "-168971942": "Co to oznacza dla Ciebie", - "-905560792": "OK, rozumiem", - "-1308593541": "Stracisz dostęp do swojego konta, gdy zostanie zamknięte, więc upewnij się, że wypłacisz wszystkie swoje środki.", "-2024365882": "Przeglądaj", "-1197864059": "Otwórz darmowe konto demonstracyjne", "-1813972756": "Tworzenie konta wstrzymane na 24 godziny", @@ -3225,6 +3199,7 @@ "-1369294608": "Masz już konto?", "-730377053": "Nie możesz dodać kolejnego prawdziwego konta", "-2100785339": "Nieprawidłowe dane wejściowe", + "-2061807537": "Coś jest nie tak", "-617844567": "Konto powiązane z Twoimi danymi już istnieje.", "-292363402": "Raport statystyk inwestowania", "-1656860130": "Handel opcjami może stać się poważnym uzależnieniem, tak jak wszystkie inne czynności, którym poświęcamy zbyt wiele czasu. Aby zapobiec niebezpieczeństwu takiego uzależnienia, umożliwiamy sprawdzanie rzeczywistej sytuacji na bieżąco, co zapewnia Ci regularne zestawienie Twoich zakładów i kont.", @@ -3976,8 +3951,6 @@ "-1715390759": "Chcę to zrobić później", "-2092611555": "Przepraszamy, ta aplikacja jest niedostępna w Twojej obecnej lokalizacji.", "-1488537825": "Jeśli masz konto, zaloguj się, aby kontynuować.", - "-555592125": "Niestety inwestowanie w opcje nie jest możliwe w Twoim kraju", - "-1571816573": "Przepraszamy, inwestowanie jest niedostępne w Twojej obecnej lokalizacji.", "-1603581277": "minuty", "-1714959941": "Wygląd tego wykresu nie jest najlepszy dla kontraktów tick", "-1254554534": "Zmień okres wykresu na tick, aby zapewnić lepsze doświadczenia podczas handlowania.", diff --git a/packages/translations/src/translations/pt.json b/packages/translations/src/translations/pt.json index 7e0c8cf49a7d..9e9cae1189a3 100644 --- a/packages/translations/src/translations/pt.json +++ b/packages/translations/src/translations/pt.json @@ -459,7 +459,6 @@ "524459540": "Como faço para criar variáveis?", "527329988": "Esta é uma das 100 senhas mais comuns", "529056539": "Opções", - "529597350": "Se tinha alguma vaga aberta, e ela será fechada e restituída.", "530953413": "Aplicações autorizadas", "531114081": "3. Tipo de Contrato", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Multiplique os retornos <0>arriscando apenas o que investiu.", "762871622": "{{remaining_time}}s", "762926186": "Uma estratégia rápida é uma estratégia pronta que pode ser utilizada no Deriv Bot. Existem 3 estratégias rápidas que pode escolher: Martingale, D'Alembert e Oscar's Grind.", - "763019867": "A sua conta de jogo está programada para ser encerrada", "764366329": "Limites de negociação", "766317539": "Idioma", "770171141": "Vá para {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Só é permitido efetuar depósitos. Complete a <0>avaliação financeira para desbloquear os levantamentos.", "845213721": "Sair", "845304111": "Período lento do EMA {{ input_number }}", - "847888634": "Retire todos os seus fundos.", "848083350": "O seu pagamento é igual ao <0>pagamento por ponto multiplicado pela diferença entre o preço final e o preço de exercício. Só obterá um lucro se o seu pagamento for superior à sua entrada inicial.", "850582774": "Atualize as suas informações pessoais", "851054273": "Se selecionar “Maior”, ganhará o pagamento se o ponto de saída for estritamente maior que a barreira.", @@ -1043,7 +1040,6 @@ "1145927365": "Execute os blocos para dentro após um determinado número de segundos", "1146064568": "Ir para a página de depósito", "1147269948": "A barreira não pode ser zero.", - "1147625645": "Por favor, retire todos os fundos da sua conta antes de <0>30 de novembro de 2021.", "1150637063": "*Índice Volatilidade 150 e Índice Volatilidade 250", "1151964318": "ambos os lados", "1152294962": "Carregue a frente e o verso da sua carta de condução.", @@ -1090,7 +1086,6 @@ "1195393249": "Notificar {{ notification_type }} com som: {{ notification_sound }} {{ input_message }}", "1196006480": "Limite de lucro", "1196683606": "Conta demo de CFDs da Deriv MT5", - "1197326289": "Já não é possível negociar opções digitais em nenhuma das nossas plataformas. Além disso, não pode efetuar depósitos na sua conta de opções.", "1198368641": "Índice de Força Relativa (RSI)", "1199281499": "Lista dos últimos Dígitos", "1201533528": "Contratos conquistados", @@ -1399,7 +1394,6 @@ "1510357015": "A residência fiscal é obrigatória.", "1510735345": "Esse bloco fornece uma lista dos últimos dígitos dos últimos 1000 valores de ticks.", "1512469749": "No exemplo acima, assume-se que a variável candle_open_price é processada algures noutros blocos.", - "1516537408": "Já não é possível negociar no Deriv ou depositar fundos na sua conta.", "1516559721": "Selecione apenas um ficheiro", "1516676261": "Depositar", "1516834467": "“Obtenha” as contas que deseja", @@ -1414,7 +1408,6 @@ "1527906715": "Este bloco adiciona o número dado à variável selecionada.", "1531017969": "Cria uma única cadeia de texto a partir da combinação do valor de texto de cada item anexado, sem espaços entre eles. O número de itens pode ser adicionado em conformidade.", "1533177906": "Desce", - "1534569275": "Como parte das mudanças nos nossos mercados, encerraremos as contas dos nossos clientes do Reino Unido.", "1534796105": "Obtém o valor da variável", "1537711064": "É necessário efetuar uma verificação rápida da identidade antes de poder aceder à Caixa. Aceda às definições da sua conta para apresentar o seu comprovativo de identidade.", "1540585098": "Declinar", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Pode apresentar uma queixa à Comissão Financeira até 45 dias após o incidente.", "1598443642": "Hash da transação", "1602894348": "Crie uma senha", - "1604171868": "Por favor, retire todos os seus fundos o mais rapidamente possível.", "1604916224": "Absoluto", "1605222432": "Não tenho qualquer conhecimento ou experiência em negociação.", "1605292429": "Perda total máxima", @@ -1746,7 +1738,6 @@ "1876015808": "Fundo Nacional de Previdência Social e Seguro Nacional", "1876325183": "Minutos", "1877225775": "O seu comprovativo de morada é verificado", - "1877410120": "O que precisa de fazer agora", "1877832150": "# do final", "1878172674": "Não, não temos. No entanto, encontrará estratégias rápidas no Deriv Bot que o ajudarão a construir o seu próprio bot de negociação gratuitamente.", "1879042430": "Teste de adequação, AVISO:", @@ -1784,7 +1775,6 @@ "1914725623": "Carregue a página que contém a sua fotografia.", "1917178459": "Número Verificação bancária", "1917523456": "Este bloco envia uma mensagem para um canal do Telegram. Terá de criar o seu próprio bot do Telegram para utilizar este bloco.", - "1917804780": "Perderá o acesso à sua conta de Opções quando esta for encerrada, por isso não se esqueça de levantar todos os seus fundos. (Se tiver uma conta de CFDs, pode também transferir os fundos da sua conta de Opções para a sua conta de CFDs).", "1918796823": "Insira um valor de stop loss.", "1918832194": "Sem experiência", "1919030163": "Dicas para tirar uma boa selfie", @@ -1799,7 +1789,6 @@ "1923431535": "O “Stop loss” está desativado e só estará disponível quando o “Cancelamento da transação” expirar.", "1924365090": "Talvez mais tarde", "1924765698": "Local de nascimento*", - "1925090823": "Lamentamos, mas a negociação não está disponível em {{clients_country}}.", "1926987784": "- iOS: Deslize para a esquerda na conta e pressione <0>Eliminar.", "1928930389": "GBP/NOK", "1929309951": "Situação profissional", @@ -1880,7 +1869,6 @@ "2004792696": "Se for residente no Reino Unido, para se autoexcluir de todas as empresas de jogos de azar em linha licenciadas na Grã-Bretanha, vá a <0>www.gamstop.co.uk.", "2007028410": "mercado, tipo de negociação, tipo de contrato", "2007092908": "Negoceie com alavancagem e spreads baixos para obter melhores retornos em negociações bem-sucedidas.", - "2008809853": "Prossiga com a retirada de seus fundos antes de 30 de novembro de 2021.", "2010759971": "Uploads bem sucedidos", "2010866561": "Retorna o lucro/perda total", "2011609940": "Insira um número maior que 0", @@ -1920,7 +1908,6 @@ "2049386104": "Para obter esta conta, é necessário enviar:", "2050170533": "Lista de Tick", "2051558666": "Ver o histórico de transacções", - "2053617863": "Por favor, proceda ao levantamento de todos os seus fundos da sua conta.", "2054889300": "Crie \"%1”", "2055317803": "Copiar a ligação para o browser do telemóvel", "2057082550": "Aceite os nossos <0>termos e condições atualizados", @@ -2341,10 +2328,10 @@ "-1412690135": "*Todos os limites em suas configurações de autoexclusão substituirão esses limites padrão.", "-1598751496": "Representa o volume máximo de contratos que você pode comprar em qualquer dia de negociação.", "-173346300": "Volume de negócios diário máximo", - "-1502578110": "Sua conta está totalmente autenticada e seus limites de saque foram suspensos.", "-138380129": "Retirada total permitida", "-854023608": "Para aumentar o limite, verifique sua identidade", "-1500958859": "Verificar", + "-1502578110": "Sua conta está totalmente autenticada e seus limites de saque foram suspensos.", "-1662154767": "uma fatura recente (por exemplo, eletricidade, água, gás, telefone fixo ou Internet), um extrato bancário ou uma carta emitida pelo governo com o seu nome e esta morada.", "-190838815": "Precisamos disso para verificação. Se as informações fornecidas forem falsas ou imprecisas, você não poderá depositar e sacar.", "-223216785": "Segunda linha de endereço*", @@ -3071,9 +3058,6 @@ "-405439829": "Lamentamos, mas não é possível visualizar este contrato porque não pertence a esta conta.", "-1590712279": "Jogos", "-16448469": "Virtual", - "-540474806": "A sua conta de Opções está programada para ser encerrada", - "-618539786": "A sua conta está programada para ser encerrada", - "-945275490": "Retire todos os fundos da sua conta de Opções.", "-2093768906": "{{name}} liberou os seus fundos.
Gostaria de partilhar a sua opinião?", "-705744796": "O saldo da sua conta demo atingiu o limite máximo e não poderá fazer novas negociações. Redefina o seu saldo para continuar a negociar na sua conta demo.", "-2063700253": "desativado", @@ -3149,7 +3133,6 @@ "-384887227": "Atualize o endereço no seu perfil.", "-448961363": "não pertencente à União Europeia", "-1998049070": "Se concordar com a nossa utilização de cookies, clique em Aceitar. Para mais informações, <0>consulte a nossa política.", - "-2061807537": "Algo não está certo", "-402093392": "Adicionar conta Deriv", "-1721181859": "É necessária uma conta {{deriv_account}}", "-1989074395": "Adicione primeiro uma conta {{deriv_account}} antes de adicionar uma conta {{dmt5_account}}. Os depósitos e levantamentos para a sua conta {{dmt5_label}} são efetuados através da transferência de fundos de e para a sua conta {{deriv_label}}.", @@ -3170,15 +3153,6 @@ "-1019903756": "Sintética", "-288996254": "Indisponível", "-735306327": "Gerenciar contas", - "-1310654342": "Como parte das mudanças na nossa linha de produtos, encerraremos as contas Gaming pertencentes aos nossos clientes do Reino Unido.", - "-626152766": "No âmbito das alterações da nossa gama de produtos, encerramos contas de Opções pertencentes aos nossos clientes na Europa.", - "-490100162": "Como parte das mudanças na nossa linha de produtos, encerraremos as contas pertencentes aos nossos clientes da Ilha de Man.", - "-1208958060": "Já não é possível negociar opções digitais em nenhuma das nossas plataformas. Também não pode depositar fundos na sua conta.<0/><1/>Todas as posições abertas em opções digitais foram encerradas com pagamento total.", - "-2050417883": "Perderá o acesso à sua conta de Jogo quando esta for encerrada, por isso, certifique-se de levantar os seus fundos o mais rapidamente possível.", - "-1950045402": "Retire todos os seus fundos", - "-168971942": "O que isto significa", - "-905560792": "OK, compreendo", - "-1308593541": "Perderá o acesso à sua conta quando esta for encerrada, por isso não se esqueça de levantar todos os seus fundos.", "-2024365882": "Explore", "-1197864059": "Criar conta demo gratuita", "-1813972756": "Criação de conta pausada durante 24 horas", @@ -3225,6 +3199,7 @@ "-1369294608": "Já se inscreveu?", "-730377053": "Não é possível adicionar outra conta real", "-2100785339": "Entradas inválidas", + "-2061807537": "Algo não está certo", "-617844567": "Já existe uma conta com os seus dados.", "-292363402": "Relatório de estatísticas de negociação", "-1656860130": "A negociação de opções pode tornar-se um verdadeiro vício, tal como qualquer outra atividade levada aos seus limites. Para evitar o perigo de tal vício, fornecemos uma verificação da realidade que lhe dá um resumo das suas negociações e contas regularmente.", @@ -3976,8 +3951,6 @@ "-1715390759": "Quero fazer isto mais tarde", "-2092611555": "Desculpe, este aplicativo não está disponível na sua localização atual.", "-1488537825": "Se tiver uma conta, inicie sessão para continuar.", - "-555592125": "Infelizmente, não é possível negociar opções no seu país", - "-1571816573": "Lamentamos, mas a negociação não está disponível na sua localização atual.", "-1603581277": "minutos", "-1714959941": "Esta apresentação do gráfico não é ideal para contratos de ticks", "-1254554534": "Por favor, altere a duração do gráfico para tick para uma melhor experiência de negociação.", diff --git a/packages/translations/src/translations/ru.json b/packages/translations/src/translations/ru.json index ce2476f9cd7f..08b223e51045 100644 --- a/packages/translations/src/translations/ru.json +++ b/packages/translations/src/translations/ru.json @@ -184,7 +184,7 @@ "220019594": "Нужна дополнительная помощь? Свяжитесь с нами через чат.", "220186645": "Текст пуст", "220232017": "демо CFD", - "221261209": "Счет Deriv позволит Вам пополнять (и снимать средства) со счета (счетов) CFD.", + "221261209": "Счет Deriv позволит вам пополнять (и выводить средства) со своего счета(ов) CFD.", "223120514": "В этом примере каждая точка линии SMA является средним арифметическим значением цен закрытия за последние 50 дней.", "223607908": "Статистика последней десятичной последних 1000 тиков для {{underlying_name}}", "224650827": "IOT/USD", @@ -459,7 +459,6 @@ "524459540": "Как создавать переменные?", "527329988": "Это один из 100 наиболее распространенных паролей.", "529056539": "Опционы", - "529597350": "Если у вас были открытые позиции, мы закрыли их и запустили возврат средств.", "530953413": "Авторизованные приложения", "531114081": "3. Тип контракта", "531675669": "Евро", @@ -680,7 +679,6 @@ "762185380": "<0>Многократно увеличьте доход , <0>рискуя только тем, что вы вложили.", "762871622": "{{remaining_time}}с", "762926186": "Быстрая стратегия – это готовая стратегия, которую можно использовать в Deriv Bot. Вы можете выбрать одну из трех стратегий: Мартингейл, Д'Аламбер или Оскар Грайнд.", - "763019867": "Ваш игровой счет будет закрыт", "764366329": "Торговые лимиты", "766317539": "Язык", "770171141": "Перейти на {{hostname}}", @@ -726,7 +724,7 @@ "816738009": "<0/><1/>Вы также можете передать свой неурегулированный спор в <2>Офис арбитра в сфере финансовых услуг.", "818447476": "Переключить счет?", "820877027": "Пожалуйста, предоставьте удостоверение личности", - "821163626": "Техническое обслуживание сервера проводится каждую первую субботу месяца с 7 до 10 часов по Гринвичу. В это время у Вас могут возникнуть перебои в обслуживании.", + "821163626": "Техническое обслуживание сервера проводится каждую первую субботу месяца с 7 до 10 часов по Гринвичу. В это время работа сервиса может прерываться.", "823186089": "Блок, который может содержать текст.", "824797920": "Список пуст?", "825042307": "Давайте попробуем еще раз", @@ -757,7 +755,6 @@ "843333337": "Вы можете только пополнять счет. Пройдите <0>финансовую оценку, чтобы разблокировать вывод средств.", "845213721": "Выход", "845304111": "Период медленной EMA {{ input_number }}", - "847888634": "Выведите все средства.", "848083350": "Ваша выплата равна <0>выплате за пункт, умноженной на разницу между конечной ценой и ценой исполнения. Прибыль возможна только в том случае, если выплата превышает первоначальную ставку.", "850582774": "Обновите личные данные", "851054273": "Если вы выбираете \"Выше\", вы выигрываете, если выходная котировка строго выше, чем выбранный барьер.", @@ -1043,7 +1040,6 @@ "1145927365": "Запустить блоки, находящиеся внутри, через указанное количество секунд", "1146064568": "Перейти на страницу пополнения", "1147269948": "Барьер не может быть нулевым.", - "1147625645": "Пожалуйста, выведите все средства со своего счета до <0>30 ноября 2021 года.", "1150637063": "*Индекс волатильности 150 и индекс волатильности 250", "1151964318": "обе стороны", "1152294962": "Загрузите лицевую сторону водительских прав.", @@ -1090,7 +1086,6 @@ "1195393249": "Уведомить {{ notification_type }} со звуком: {{ notification_sound }} {{ input_message }}", "1196006480": "Предельная прибыль", "1196683606": "Демо-счет CFD Deriv MT5", - "1197326289": "Вы больше не можете торговать цифровыми опционами ни на одной из наших платформ. Кроме того, вы не можете пополнять счет для опционов.", "1198368641": "Индекс относительной силы (RSI)", "1199281499": "Список последних десятичных", "1201533528": "Успешные контракты", @@ -1301,7 +1296,7 @@ "1413359359": "Сделать новый перевод", "1414205271": "простое", "1415006332": "получить подсписок из", - "1415513655": "Загрузите cTrader на свой телефон, чтобы торговать со счетом Deriv cTrader", + "1415513655": "Загрузите cTrader на телефон, чтобы торговать со счета Deriv cTrader", "1415974522": "Если вы выбираете \"Отличается\", вы выигрываете, если последняя десятичная последней котировки не соответствует вашему прогнозу.", "1417558007": "Макс. размер потерь за 7 дней", "1417914636": "Логин", @@ -1399,7 +1394,6 @@ "1510357015": "Необходимо указать налоговое резидентство.", "1510735345": "Этот блок отображает список значений последних десятичных последних 1000 тиков.", "1512469749": "В приведенном выше примере предполагается, что переменная цена_открытия_свечи обрабатывается где-то в других блоках.", - "1516537408": "Вы больше не можете торговать и пополнять счета Deriv.", "1516559721": "Выберите только один файл", "1516676261": "Пополнить", "1516834467": "‘Откройте’ нужные счета", @@ -1414,7 +1408,6 @@ "1527906715": "Этот блок добавляет заданный номер к выбранной переменной.", "1531017969": "Создает одну текстовую строку из сочетания текстового значения каждого вложенного элемента без пробелов между ними. Количество элементов может быть добавлено.", "1533177906": "Падение", - "1534569275": "В связи с изменениями регуляторов международных рынков мы будем вынуждены закрыть все счета клиентов из Великобритании.", "1534796105": "Получает значение переменной", "1537711064": "Вам нужно подтвердить личность, чтобы открыть доступ к кассе. Перейдите в настройки счета и отправьте нам ваше удостоверение личности.", "1540585098": "Отклонить", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Вы можете подать жалобу в Финансовую комиссию в течение 45 дней после инцидента.", "1598443642": "Хеш транзакции", "1602894348": "Придумайте пароль", - "1604171868": "Пожалуйста, выведите все свои средства как можно скорее.", "1604916224": "Абсолютно", "1605222432": "У меня нет знаний и опыта в торговле.", "1605292429": "Макс. размер потерь", @@ -1746,7 +1738,6 @@ "1876015808": "Фонд социального обеспечения и национального страхования", "1876325183": "Минуты", "1877225775": "Ваше подтверждение адреса принято", - "1877410120": "Что вам сейчас нужно сделать", "1877832150": "# с конца", "1878172674": "Нет, но на Deriv Bot есть бесплатные быстрые стратегии, которые помогут вам создать собственного бота.", "1879042430": "Тест на соответствие, ПРЕДУПРЕЖДЕНИЕ:", @@ -1784,7 +1775,6 @@ "1914725623": "Загрузите страницу с фотографией.", "1917178459": "Банковский верификационный номер", "1917523456": "Этот блок отправляет сообщение в Telegram-канал. Вам нужно будет создать своего собственного бота Telegram, чтобы использовать этот блок.", - "1917804780": "Вы потеряете доступ к своему счету для опционов, когда он будет закрыт, поэтому не забудьте вывести все свои средства. (Если у вас есть счет CFD, вы можете перевести средства со счета для опционов на счет CFD.)", "1918796823": "Пожалуйста, введите сумму стоп лосс.", "1918832194": "Нет опыта", "1919030163": "Советы, как сделать хорошее селфи", @@ -1799,7 +1789,6 @@ "1923431535": "Стоп лосс деактивирован и станет доступен только после истечения действия функции отмены сделки.", "1924365090": "Может быть позже", "1924765698": "Место рождения*", - "1925090823": "К сожалению, трейдинг недоступен в {{clients_country}}.", "1926987784": "- iOS: Проведите пальцем влево на счете и нажмите <0>Удалить.", "1928930389": "GBP/NOK", "1929309951": "Статус занятости", @@ -1880,7 +1869,6 @@ "2004792696": "Если вы являетесь резидентом Великобритании, для самоисключения из всех компаний, предоставляющих услуги онлайн-трейдинга и лицензированных в Великобритании, перейдите на <0>www.gamstop.co.uk.", "2007028410": "рынок, тип сделки, тип контракта", "2007092908": "Кредитное плечо и низкие спреды могут принести более значительную прибыль от успешных сделок.", - "2008809853": "Пожалуйста, выведите все средства до 30 ноября 2021 года.", "2010759971": "Загрузки прошли успешно", "2010866561": "Возвращает общую прибыль/убыток", "2011609940": "Введите число больше 0", @@ -1920,7 +1908,6 @@ "2049386104": "Чтобы открыть этот счет, нам понадобится следующее:", "2050170533": "Список тиков", "2051558666": "См. историю транзакций", - "2053617863": "Пожалуйста, выведите все средства с вашего счета.", "2054889300": "Создать \"%1\"", "2055317803": "Скопируйте ссылку в браузер своего телефона", "2057082550": "Примите обновленные <0>правила и условия", @@ -2223,8 +2210,8 @@ "-506510414": "Дата и время", "-1708927037": "IP-адрес", "-619126443": "Используйте <0>пароль Deriv для входа в {{brand_website_name}} и {{platform_name_trader}}.", - "-623760979": "Используйте <0>пароль Deriv для входа на сайты {{brand_website_name}}, {{platform_name_trader}} и {{platform_name_go}}.", - "-459147994": "Используйте <0>пароль Deriv для входа на сайты {{brand_website_name}}, {{platform_name_go}}, {{platform_name_trader}}, {{platform_name_smarttrader}}, {{platform_name_dbot}} и {{platform_name_ctrader}}.", + "-623760979": "Используйте <0>пароль Deriv для входа на {{brand_website_name}}, {{platform_name_trader}} и {{platform_name_go}}.", + "-459147994": "Используйте <0>пароль Deriv для входа на {{brand_website_name}}, {{platform_name_go}}, {{platform_name_trader}}, {{platform_name_smarttrader}}, {{platform_name_dbot}} и {{platform_name_ctrader}}.", "-80717068": "Приложения, которые связаны с <0>паролем Deriv:", "-9570380": "Используйте пароль {{platform_name_dxtrade}} для входа на {{platform_name_dxtrade}} с веб-браузеров и мобильных приложений.", "-2131200819": "Отключить", @@ -2341,10 +2328,10 @@ "-1412690135": "*Любые лимиты в ваших настройках самоисключения отменят эти лимиты по умолчанию.", "-1598751496": "Представляет собой максимальный объем контрактов, который вы можете приобрести в течение любого торгового дня.", "-173346300": "Максимальный дневной оборот", - "-1502578110": "Ваш счет полностью авторизован, и лимит на вывод был снят.", "-138380129": "Максимальная сумма вывода", "-854023608": "Подтвердите свою личность, чтобы увеличить лимит.", "-1500958859": "Подтвердить", + "-1502578110": "Ваш счет полностью авторизован, и лимит на вывод был снят.", "-1662154767": "недавний счет за коммунальные услуги (электричество, вода, газ, стационарный телефон или интернет), банковская выписка или государственное/муниципальное письмо с вашим именем и этим адресом.", "-190838815": "Это нужно нам для проверки. Если предоставленная вами информация окажется поддельной или неточной, вы не сможете вносить и снимать средства.", "-223216785": "Вторая строка адреса*", @@ -3071,9 +3058,6 @@ "-405439829": "Вы не можете просмотреть этот контракт, так как он не принадлежит этому счету.", "-1590712279": "Игровой", "-16448469": "Виртуальный", - "-540474806": "Ваш счет для опционов будет закрыт", - "-618539786": "Ваш счет будет закрыт", - "-945275490": "Выведите все средства со счета для опционов.", "-2093768906": "{{name}} отправил(а) средства.
Хотите оставить отзыв?", "-705744796": "Баланс вашего демо-счета достиг максимального лимита, и вы не сможете совершать новые сделки. Сбросьте баланс, чтобы продолжить торговлю с демо-счета.", "-2063700253": "отключено", @@ -3149,7 +3133,6 @@ "-384887227": "Обновите адрес в своем профиле.", "-448961363": "вне ЕС", "-1998049070": "Если вы согласны на использование нами файлов cookie, нажмите Принять. Для получения дополнительной информации <0>см. нашу политику.", - "-2061807537": "Что-то пошло не так", "-402093392": "Добавить счет Deriv", "-1721181859": "Вам понадобится счет {{deriv_account}}", "-1989074395": "Пожалуйста, добавьте счет {{deriv_account}}, прежде чем открыть счет {{dmt5_account}}. Пополнения и выводы со счета {{dmt5_label}} осуществляются переводом средств на ваш счет {{deriv_label}} и обратно.", @@ -3170,15 +3153,6 @@ "-1019903756": "Синтетический", "-288996254": "Недоступно", "-735306327": "Управление счетами", - "-1310654342": "В рамках изменений в линейке наших продуктов мы закрываем игровые счета, принадлежащие клиентам из Великобритании.", - "-626152766": "В рамках изменений в линейке наших продуктов мы закрываем счета для опционов, принадлежащие нашим клиентам в Европе.", - "-490100162": "В рамках изменений в линейке наших продуктов мы закрываем счета, принадлежащие клиентам с острова Мэн.", - "-1208958060": "Вы больше не можете торговать цифровыми опционами ни на одной из наших платформ. Вы также не можете вносить средства на свой счет. <0/><1/>Все открытые позиции по цифровым опционам были закрыты с полной выплатой.", - "-2050417883": "Вы потеряете доступ к своему игровому счету, когда он будет закрыт, поэтому не забудьте вывести свои средства как можно скорее.", - "-1950045402": "Выведите все средства", - "-168971942": "Что это значит для вас", - "-905560792": "ОК, все понятно", - "-1308593541": "Вы полностью потеряете доступ к счету, когда он будет закрыт, поэтому обязательно выведите все средства.", "-2024365882": "Открыть", "-1197864059": "Открыть демо-счёт", "-1813972756": "Открытие счета приостановлено на 24 часа", @@ -3225,6 +3199,7 @@ "-1369294608": "Уже зарегистрировались?", "-730377053": "Вы не можете добавить еще один реальный счет", "-2100785339": "Недопустимые входные данные", + "-2061807537": "Что-то пошло не так", "-617844567": "Счет с этими данными уже существует.", "-292363402": "Отчет по торговой статистике", "-1656860130": "Торговля опционами может перерасти в зависимость, как и любая другая деятельность, доведенная до крайности. Чтобы избежать опасности возникновения подобной зависимости, мы проводим проверку реальности и предоставляем регулярный отчёт о ваших сделках и счетах.", @@ -3976,8 +3951,6 @@ "-1715390759": "Я хочу сделать это позже", "-2092611555": "К сожалению, это приложение недоступно в вашем текущем местоположении.", "-1488537825": "Если у вас есть счет, войдите, чтобы продолжить.", - "-555592125": "К сожалению, торговля опционами невозможна в вашей стране.", - "-1571816573": "К сожалению, трейдинг недоступен в вашем текущем местоположении.", "-1603581277": "минуты", "-1714959941": "Этот график не идеален для тиковых контрактов", "-1254554534": "Пожалуйста, измените интервал на тик для более точного отображения.", diff --git a/packages/translations/src/translations/si.json b/packages/translations/src/translations/si.json index 8767764e7db6..409f972caece 100644 --- a/packages/translations/src/translations/si.json +++ b/packages/translations/src/translations/si.json @@ -459,7 +459,6 @@ "524459540": "මම විචල්‍යයන් නිර්මාණය කරන්නේ කෙසේද?", "527329988": "මෙය ඉහළ -100 පොදු මුරපදයකි", "529056539": "විකල්ප", - "529597350": "ඔබට විවෘත ස්ථාන තිබුණේ නම්, අපි ඒවා වසා දමා ඔබට මුදල් ආපසු ලබා දී ඇත.", "530953413": "අනුමත අයදුම්පත්", "531114081": "3. ගිවිසුම් වර්ගය", "531675669": "යුරෝ", @@ -480,17 +479,17 @@ "554410233": "මෙය ඉහළම 10 පොදු මුරපදයකි", "555351771": "ගනුදෙනු පරාමිතීන් සහ ගනුදෙනු විකල්ප නිර්වචනය කිරීමෙන් පසුව, නිශ්චිත කොන්දේසි සපුරාලන විට ගිවිසුම් මිලදී ගැනීමට ඔබට ඔබේ බොට් වෙත උපදෙස් දීමට අවශ්‍ය විය හැකිය. එය සිදු කිරීමට ඔබේ බොට් හට තීරණ ගැනීම සඳහා සහය වීමට කොන්දේසි සහිත කොටස් සහ දර්ශක කොටස් භාවිත කළ හැකිය.", "555881991": "ජාතික හැඳුනුම්පත් අංක පත්‍රිකාව", - "556264438": "කාල පරතරය", - "558262475": "ඔබගේ MT5 ජංගම යෙදුමේ, පවතින ඔබගේ Deriv ගිණුම මකන්න:", + "556264438": "කාල විරාමය", + "558262475": "ඔබේ MT5 ජංගම යෙදුමේ, පවතින ඔබේ Deriv ගිණුම මකන්න:", "558866810": "ඔබේ බොට් එක ධාවනය කරන්න", "559224320": "අපගේ සම්භාව්‍ය \"drag-and-drop\" මෙවලම උසස් පරිශීලකයින් සඳහා උත්පතන ගනුදෙනු ප්‍රස්තාර​ ඇතුළත් ගනුදෙනු බොට් නිර්මාණය කිරීම සඳහා භාවිත වේ.", - "561982839": "ඔබේ මුදල් වෙනස් කරන්න", + "561982839": "ඔබේ මුදල් ඒකකය වෙනස් කරන්න", "562599414": "මෙම කොටස තෝරාගත් ගනුදෙනු වර්ගය සඳහා මිලදී ගැනීමේ මිල නැවත ලබා දෙයි. මෙම කොටස “මිලදී ගැනීමේ කොන්දේසි” මූල කොටසෙහි පමණක් භාවිතා කළ හැකිය.", "563034502": "අපි ඔබේ පැමිණිල්ල ව්‍යාපාරික දින 15ක් ඇතුළත විසඳීමට උත්සාහ කරන්නෙමු. අපගේ ස්ථාවරය පිළිබඳ පැහැදිලි කිරීමක් සමඟින් ප්‍රතිඵලය පිළිබඳව අපි ඔබට දන්වා අප ගැනීමට අදහස් කරන ඕනෑම ප්‍රතිකර්ම ක්‍රියාමාර්ග යෝජනා කරන්නෙමු.", "563166122": "ඔබගේ පැමිණිල්ල ලැබුණු බව අපි පිළිගනිමු, එය ප්‍රවේශමෙන් සමාලෝචනය කරන්න, සහ හැසිරවීමේ ක්‍රියාවලිය පිළිබඳව ඔබව යාවත්කාලීනව තබා ගන්න. පැමිණිල්ල විසඳීමට පහසුකම් සැලසීම සඳහා අපි වැඩිදුර තොරතුරු හෝ පැහැදිලි කිරීම් ඉල්ලා සිටිය හැක.", - "563652273": "අවහිර කිරීමට යන්න", - "565410797": "සරල චලනය වන සාමාන්ය අරා බ්ලොක් ක්රියා කරන ආකාරය පහත රූපයේ දැක්වේ:", - "566274201": "1. වෙළඳපොළ", + "563652273": "කොටස වෙත යන්න", + "565410797": "පහත රූපයේ දැක්වෙන්නේ Simple Moving Average Array කොටස ක්‍රියා කරන ආකාරයයි:", + "566274201": "1. වෙළඳපල", "567019968": "බොට් එකක් නිර්මාණය කිරීමේදී වඩාත්ම වැදගත් හා බලවත් සංරචක අතර විචල්‍යයක් වේ. එය පෙළ හෝ අංක ලෙස තොරතුරු ගබඩා කිරීමේ ක්‍රමයකි. විචල්‍යයක් ලෙස ගබඩා කර ඇති තොරතුරු ලබා දී ඇති උපදෙස් අනුව භාවිතා කළ හැකි අතර වෙනස් කළ හැකිය. විචල්‍යයන් ඕනෑම නමක් ලබා දිය හැකි නමුත් සාමාන්‍යයෙන් ඒවාට ප්‍රයෝජනවත්, සංකේතාත්මක නාමයන් ලබා දී ඇති අතර එමඟින් උපදෙස් ක්‍රියාත්මක කිරීමේදී ඒවා ඇමතීමට පහසු වේ.", "567163880": "{{platform}} මුරපදයක් සාදන්න", "567755787": "බදු හඳුනාගැනීමේ අංකය අවශ්‍ය වේ.", @@ -502,20 +501,20 @@ "576355707": "ඔබේ රට සහ පුරවැසිභාවය තෝරන්න:", "577215477": "සමඟ ගණන් කරන්න {{ variable }} සිට {{ start_number }} දක්වා {{ end_number }} සිට {{ step_size }}දක්වා", "577779861": "ආපසු ගැනීම", - "577883523": "4. සම්මාන හා නියෝග", - "578640761": "ඇමතුම් පැතිරීම", - "579529868": "සියලු විස්තර පෙන්වන්න - පහළ පේළි 2 ඇතුළුව", + "577883523": "4. සම්මාන සහ ඇණවුම්", + "578640761": "Call Spread", + "579529868": "පහළ පේළි 2 ඇතුළුව සියලුම විස්තර පෙන්වන්න", "580431127": "දෝෂය මත මිලදී ගැනීම/විකිණීම නැවත ආරම්භ කරන්න (වඩා හොඳ කාර්ය සාධනය සඳහා අක්‍රීය කරන්න): {{ checkbox }}", "580665362": "Stays In/Goes Out", - "580774080": "ඇතුල් කරන්න", + "580774080": "දී ඇතුළු කරන්න", "581168980": "නීතිමය", "582945649": "විනාඩි 2 ක්", "584028307": "Allow equals", "587577425": "මගේ ගිණුම සුරක්ෂිත කරන්න", - "587856857": "API ගැන වැඩි විස්තර දැන ගැනීමට අවශ්‍යද?", - "588609216": "සංචාරය නැවත කරන්න", + "587856857": "API ගැන වැඩි විස්තර දැන ගැනීමට අවශ්‍ය ද?", + "588609216": "නැවත සංචාරය කරන්න", "592087722": "රැකියා තත්ත්වය අවශ්‍ය වේ.", - "593459109": "වෙනත් මුදල් වර්ගයක් උත්සාහ කරන්න", + "593459109": "වෙනස් මුදල් ඒකකයක් උත්සාහ කරන්න", "594937260": "ව්‍යුත්පන්න - BVI", "595080994": "උදාහරණය: CR123456789", "595136687": "උපාය මාර්ගය සුරකින්න", @@ -577,13 +576,13 @@ "652298946": "උපන් දිනය", "654264404": "1:30 දක්වා", "654507872": "සත්‍ය-අසත්‍ය", - "654924603": "මාටින්ගේල්", + "654924603": "Martingale", "655937299": "අපි ඔබේ සීමා යාවත්කාලීන කරන්නෙමු. ඔබගේ ක්‍රියාවන් සඳහා ඔබ සම්පුර්ණයෙන්ම වගකිව යුතු බව පිළිගැනීමට <0>පිළිගන්න ක්ලික් කරන්න, එමෙන්ම ඕනෑම ඇබ්බැහි වීමක් හෝ පාඩුවක් සඳහා අපි නීත්‍යානුකූලව වගකිව යුතු නොවේ.", - "656296740": "“ගනුදෙනු අවලංගු කිරීම” සක්‍රීය වන අතර:", + "656296740": "“ගනුදෙනු අවලංගු කිරීම” සක්‍රීයව තිබියදී:", "656893085": "කාල​ මුද්‍රාව​", "657325150": "ගනුදෙනු පරාමිති මූල කොටස තුළ ගනුදෙනු විකල්ප නිර්වචනය කිරීමට මෙම කොටස භාවිත කෙරේ. සමහර විකල්ප සමහර ගනුදෙනු වර්ග සඳහා පමණක් අදාළ වේ. බොහෝ ගනුදෙනු වර්ග සඳහා කාලසීමාව සහ කොටස් වැනි පරාමිතීන් පොදු වේ. Digits වැනි ගනුදෙනු වර්ග සඳහා පුරෝකථනය භාවිත වන අතර Touch/No Touch, Ends In/Out වැනි බාධක ඇතුළත් වන ගනුදෙනු වර්ග සඳහා බාධක හිලව්ව (barrier offset) භාවිත වේ.", - "659482342": "ඔබේ පිළිතුරු නිවැරදිව හා යාවත්කාලීනව තබා ගැනීම ඔබේ වගකීම බව කරුණාකර මතක තබා ගන්න. ඔබගේ ගිණුම් සැකසුම් තුළ ඕනෑම වේලාවක ඔබගේ පුද්ගලික තොරතුරු යාවත්කාලීන කළ හැකිය.", - "660481941": "ඔබේ ජංගම යෙදුම් සහ වෙනත් තෙවන පාර්ශවීය යෙදුම් වෙත ප්‍රවේශ වීමට, ඔබට මුලින්ම API ටෝකනයක් ජනනය කළ යුතුය.", + "659482342": "ඔබේ පිළිතුරු නිවැරදිව හා යාවත්කාලීනව තබා ගැනීම ඔබේ වගකීම බව කරුණාවෙන් සලකන්න. ඔබට ඔබේ ගිණුම් සැකසීම් තුළ ඕනෑම වේලාවක ඔබගේ පුද්ගලික තොරතුරු යාවත්කාලීන කළ හැක.", + "660481941": "ඔබේ ජංගම යෙදුම් සහ වෙනත් තෙවන පාර්ශවීය යෙදුම් වෙත ප්‍රවේශ වීමට, ඔබ මුලින්ම API ටෝකනයක් ජනනය කර ගත යුතුය.", "660991534": "අවසන්", "661759508": "ඔබේ දැනුම හා පළපුරුද්ද සම්බන්ධයෙන් ලබා දී ඇති තොරතුරු මත පදනම්ව, මෙම වෙබ් අඩවිය හරහා ලබා ගත හැකි ආයෝජන ඔබට සුදුසු නොවන බව අපි විශ්වාස කරන්නෙමු.<0/><0/>", "662548260": "Forex, කොටස් දර්ශක, වෙළඳ භාණ්ඩ සහ ක්‍රිප්ටෝ මුදල්", @@ -591,39 +590,39 @@ "662609119": "MT5 යෙදුම බාගන්න", "665089217": "ඔබේ ගිණුම සත්‍යාපනය කිරීමට සහ ඔබේ අයකැමි වෙත ප්‍රවේශ වීමට කරුණාකර ඔබේ <0>අනන්‍යතා සාක්ෂිය ඉදිරිපත් කරන්න.", "665777772": "XLM/USD", - "665872465": "පහත උදාහරණයේ දී, ආරම්භක මිල තෝරා ගනු ලැබේ, පසුව එය “op” යනුවෙන් හැඳින්වෙන විචල්‍යකට පවරනු ලැබේ.", + "665872465": "පහත උදාහරණයේ දී, ආරම්භක මිල තෝරා ගෙන, පසුව එය “op” යනුවෙන් හැඳින්වෙන විචල්‍යකට පවරනු ලැබේ.", "666724936": "කරුණාකර වලංගු හැඳුනුම්පත් අංකයක් ඇතුළත් කරන්න.", "672008428": "ZEC/USD", "673915530": "අධිකරණ බලය සහ නීතිය තෝරා ගැනීම", - "674973192": "ඩෙස්ක්ටොප්, වෙබ්, සහ ජංගම යෙදුම් මත ඔබගේ Deriv MT5 ගිණුම් වෙත ප්‍රවිශ්ට වීමට මෙම මුරපදය භාවිතා කරන්න.", + "674973192": "ඩෙස්ක්ටොප්, වෙබ්, සහ ජංගම යෙදුම් මත ඔබගේ Deriv MT5 ගිණුම් වෙත ප්‍රවේශ වීමට මෙම මුරපදය භාවිත කරන්න.", "676159329": "පෙරනිමි ගිණුමට මාරු විය නොහැක.", - "677918431": "වෙලඳපොල: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", - "680334348": "ඔබේ පැරණි උපායමාර්ගය නිවැරදිව පරිවර්තනය කිරීම සඳහා මෙම කොටස අවශ්‍ය විය.", - "680478881": "මුළු මුදල් ආපසු ගැනීමේ සීමාව", + "677918431": "වෙළඳපල: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}", + "680334348": "ඔබේ පැරණි උපාය මාර්ගය නිවැරදිව පරිවර්තනය කිරීම සඳහා මෙම කොටස අවශ්‍ය විය.", + "680478881": "සම්පූර්ණ මුදල් ආපසු ගැනීමේ සීමාව", "681808253": "පෙර ස්ථාන මිල", - "681926004": "බොඳ වූ ලේඛනයක උදාහරණයක්", + "681926004": "නොපැහැදිලි ලේඛනයකට උදාහරණයක්", "682056402": "සම්මත අපගමන Down ගුණකය {{ input_number }}", "684282133": "ගනුදෙනු කිරීමේ උපකරණ", "685391401": "ඔබට පුරනය වීමේ ගැටලුවක් ඇත්නම්, <0>කථාබස් හරහා අපට දන්වන්න", "686312916": "ගනුදෙනු කිරීමේ ගිණුම්", - "686387939": "මම මගේ ගනුදෙනු පිවිසුම හිස් කරන්නේ කෙසේද?", + "686387939": "මම මගේ ගනුදෙනු ලොගය හිස් කරන්නේ කෙසේද?", "687193018": "ලිස්සා යාමේ අවදානම", - "687212287": "මුදල යනු අවශ්‍ය ක්ෂේත්‍රයකි.", + "687212287": "'මුදල' යනු අවශ්‍ය ක්ෂේත්‍රයකි.", "688510664": "ඔබට මෙම උපාංගයේ {{two_fa_status}} 2FA ඇත. ඔබ වෙනත් උපාංගවල (ඇත්නම්) ඔබගේ ගිණුමෙන් ඉවත් වනු ඇත. නැවත පුරනය වීමට ඔබගේ මුරපදය සහ 2FA කේතයක් භාවිතා කරන්න.", "689137215": "ගැනුම් මිල", "691956534": "<0>ඔබ {{currency}} ගිණුමක් එක් කර ඇත.<0> ගනුදෙනු ආරම්භ කිරීමට දැන් තැන්පතුවක් සිදු කරන්න.", "693396140": "ගනුදෙනුව අවලංගු කිරීම (කල් ඉකුත් වූ)", "694035561": "ගනුදෙනු විකල්ප ගුණක", - "696870196": "- විවෘත කාලය: ආරම්භක කාල මුද්දරය", - "697630556": "මෙම වෙළඳපොළ දැනට වසා ඇත.", + "696870196": "- විවෘත වේලාව: ආරම්භක කාල​ මුද්‍රාව​", + "697630556": "මෙම වෙළඳපල දැනට වසා ඇත.", "698037001": "ජාතික හැඳුනුම්පත් අංකය", "699159918": "1. පැමිණිලි ගොනු කිරීම", "699646180": "<0>{{minimum_deposit}} {{currency}} අවම තැන්පතු අගයක් අවශ්‍ය වේ. එසේ නොමැති නම්, අරමුදල් අහිමි වන අතර ආපසු අයකර ගත නොහැක.", - "700259824": "ගිණුම් මුදල්", + "700259824": "ගිණුමේ මුදල් ඒකකය", "701034660": "අපි තවමත් ඔබේ මුදල් ආපසු ගැනීමේ ඉල්ලීම සකසමින් සිටිමු.<0 />ඔබගේ ගිණුම අක්‍රිය කිරීමට පෙර ගනුදෙනුව සම්පූර්ණ වන තෙක් රැඳී සිටින්න.", "701462190": "පිවිසුම් ස්ථානය", - "701647434": "නූල් සඳහා සොයන්න", - "702451070": "ජාතික හැඳුනුම්පත (ඡායාරූප නැත)", + "701647434": "පාඨය සොයන්න", + "702451070": "ජාතික හැඳුනුම්පත (ඡායාරූපයක් නොමැත)", "702561961": "තේමාව වෙනස් කරන්න", "705299518": "ඊළඟට, ඔබගේ ඡායාරූපය අඩංගු ඔබගේ විදේශ ගමන් බලපත්‍රයේ පිටුව උඩුගත කරන්න.", "706413212": "මුදල් අයකැමි වෙත ප්‍රවේශ වීම සඳහා, ඔබ දැන් සිටින්නේ ඔබේ {{regulation}} {{currency}} ({{loginid}}) ගිණුමේ ය.", @@ -652,14 +651,14 @@ "728042840": "අප සමඟ ගනුදෙනු කිරීම දිගටම කරගෙන යාමට, කරුණාකර ඔබ ජීවත් වන්නේ කොතැනදැයි තහවුරු කරන්න.", "728824018": "ස්පාඤ්ඤ දර්ශකය", "729651741": "ඡායාරූපයක් තෝරන්න", - "730473724": "මෙම කොටස ලබා දී ඇති අගයන් සමඟ “AND” හෝ “OR” තාර්කික මෙහෙයුම සිදු කරයි.", + "730473724": "මෙම කොටසට ලබා දී ඇති අගයන් සමඟ “AND” හෝ “OR” තාර්කික මෙහෙයුම සිදු කරයි.", "731382582": "BNB/USD", "734390964": "ප්‍රමාණවත් නොවන ශේෂය", "734881840": "අසත්‍ය", "742469109": "ශේෂය යළි සකසන්න", "742676532": "Forex, ව්‍යුත්පන්න දර්ශක, ක්‍රිප්ටෝ මුදල් සහ ඉහළ උත්තෝලනයක් සහිත වෙළඳ භාණ්ඩ මත CFD ගනුදෙනු කරන්න.", "743623600": "යොමුව", - "744110277": "බොලින්ජර් බෑන්ඩ්ස් අරා (බීබීඒ)", + "744110277": "Bollinger Bands Array (BBA)", "745656178": "ඔබේ ගිවිසුම වෙළඳපල මිලට විකිණීමට මෙම කොටස භාවිතා කරන්න.", "745674059": "තෝරාගත් විකල්පය අනුව ලබා දී ඇති පෙළ පෙළකින් නිශ්චිත අක්ෂරය නැවත ලබා දෙයි. ", "746112978": "ඔබේ පරිගණකය යාවත්කාලීන කිරීමට තත්පර කිහිපයක් ගතවනු ඇත", @@ -668,9 +667,9 @@ "751692023": "ඔබ වැරදි මාරු කිරීමක් කළහොත් මුදල් ආපසු ලබා දෙන බවට අපි පොරොන්දු <0>නොවෙමු.", "752024971": "උපරිම digits ගණන කරා ළඟා විය", "752992217": "මෙම කොටස ඔබට තෝරාගත් නියත අගයන් ලබා දෙයි.", - "753088835": "පැහැර හැරීම", + "753088835": "පෙරනිමි", "753184969": "අපගේ සේවා ඔබට ලබා දීමේදී, ලබා දී ඇති භාණ්ඩයක් හෝ සේවාවක් ඔබට සුදුසු දැයි තක්සේරු කිරීම සඳහා අපි ඔබෙන් තොරතුරු ලබා ගත යුතුය. (එනම්, එහි ඇති අවදානම තේරුම් ගැනීමට ඔබට අත්දැකීම් සහ දැනුම තිබේද යන්න).<0/><1/>", - "753727511": "වර්ගය", + "753727511": "ප්‍රකාරය", "755867072": "{{platform_name_mt5}} {{country}}හි නොමැත", "756152377": "SMA අගයන් සමස්ත ව්‍යාප්තියට සමාන බරක් තබයි.", "758003269": "පාඨ ආශ්‍රයෙන් ලැයිස්තුව සාදන්න", @@ -680,7 +679,6 @@ "762185380": "ඔබ තැබූ දේ <0>පමණක් අවදානමට ලක් කිරීමෙන් <0>ප්‍රතිලාභ ගුණ කරන්න කරන්න.", "762871622": "{{remaining_time}}s", "762926186": "ඉක්මන් උපාය මාර්ගයක් යනු ඔබට Deriv බොට් හි භාවිත කළ හැකි සූදානම් කළ උපාය මාර්ගයකි. ඔබට තෝරා ගත හැකි ඉක්මන් උපාය මාර්ග 3ක් ඇත: Martingale, D'Alembert, සහ Oscar's Grind.", - "763019867": "ඔබගේ ක්‍රීඩා ගිණුම වසා දැමීමට සැලසුම් කර ඇත", "764366329": "ගනුදෙනු සීමාවන්", "766317539": "භාෂාව", "770171141": "{{hostname}} වෙත යන්න", @@ -727,8 +725,8 @@ "818447476": "ගිණුම මාරු කරන්න?", "820877027": "කරුණාකර ඔබේ අනන්‍යතාවය පිළිබඳ සාක්ෂි සත්‍යාපනය කරන්න", "821163626": "සේවාදායක නඩත්තුව මාසයේ සෑම පළමු සෙනසුරාදාවකම GMT වේලාවෙන් 7 සිට 10 දක්වා සිදු වේ. මෙම කාලය තුළ ඔබට සේවා බාධා ඇති විය හැක.", - "823186089": "පෙළ අඩංගු විය හැකි කොටසක්.", - "824797920": "ලැයිස්තුව හිස්ද?", + "823186089": "පෙළ අඩංගු විය හැකි කොටසකි.", + "824797920": "ලැයිස්තුව ශූන්‍ය ද?", "825042307": "නැවත උත්සාහ කරමු", "826511719": "USD/SEK", "827688195": "කොටස අක්‍රීය​ කරන්න", @@ -736,7 +734,7 @@ "828602451": "තන්තු ආකෘතියෙන් ස​ලකුණු අගයන් ලැයිස්තුව ආපසු ලබා දෙයි", "830164967": "අවසාන නම", "830703311": "මගේ පැතිකඩ", - "830993327": "වර්තමාන ගනුදෙනු නොමැත", + "830993327": "වත්මන් ගනුදෙනු කිසිවක් නොමැත", "832053636": "ලේඛන ඉදිරිපත් කිරීම", "832217983": "පසුගිය මාස 40 තුළ ගනුදෙනු 12 ක් හෝ ඊට වැඩි", "832398317": "විකුණුම් දෝෂයකි", @@ -757,7 +755,6 @@ "843333337": "ඔබට තැන්පතු පමණක් සිදු කළ හැකිය. මුදල් ආපසු ගැනීම් අගුළු ඇරීමට කරුණාකර <0>මූල්‍ය තක්සේරුව සම්පූර්ණ කරන්න.", "845213721": "ඉවත් වන්න", "845304111": "මන්දගාමී EMA කාල සීමාව {{ input_number }}", - "847888634": "කරුණාකර ඔබගේ සියලු අරමුදල් ආපසු ගන්න.", "848083350": "ඔබේ ගෙවීම අවසන් මිල සහ වර්ජන මිල අතර වෙනස මඟින් ගුණ කළ <0>ලක්ෂ්‍යයකට ගෙවීමට සමාන වේ. ඔබ ලාභයක් උපයා ගන්නේ ඔබේ ගෙවීම ඔබේ මුල් කොටසට වඩා වැඩි නම් පමණි.", "850582774": "කරුණාකර ඔබේ පුද්ගලික තොරතුරු යාවත්කාලීන කරන්න", "851054273": "ඔබ \"Higher\" තෝරා ගන්නේ නම්, පිටවීමේ ස්ථානය බාධකයට වඩා දැඩි ලෙස ඉහළ නම්, ඔබ ගෙවීම දිනා ගනී.", @@ -1043,7 +1040,6 @@ "1145927365": "දී ඇති තත්පර ගණනකට පසු කුට්ටි ඇතුළත ධාවනය කරන්න", "1146064568": "තැන්පතු පිටුවට යන්න", "1147269948": "බාධකය ශුන්ය විය නොහැක.", - "1147625645": "<0>30 නොවැම්බර් 2021 ට පෙර කරුණාකර ඔබගේ ගිණුමෙන් ඔබගේ සියලුම අරමුදල් ආපසු ගැනීමට ඉදිරියට යන්න.", "1150637063": "*150 අස්ථායීතා දර්ශකය සහ 250 අස්ථායීතා දර්ශකය", "1151964318": "දෙපැත්තම", "1152294962": "ඔබගේ රියදුරු බලපත්රයේ ඉදිරිපස උඩුගත කරන්න.", @@ -1090,7 +1086,6 @@ "1195393249": "ශබ්දය සමඟ {{ notification_type }} දැනුම් දෙන්න: {{ notification_sound }} {{ input_message }}", "1196006480": "ලාභ සීමාව", "1196683606": "MT5 CFDs ආදර්ශන ගිණුම ලබා ගන්න", - "1197326289": "අපගේ ඕනෑම වේදිකායක ඩිජිටල් විකල්ප වෙළඳාම් කිරීමට ඔබට තවදුරටත් නොහැකි ය. එසේම, ඔබට ඔබේ විකල්ප ගිණුමට තැන්පතු කළ නොහැක.", "1198368641": "සාපේක්ෂ ශක්තිය දර්ශකය (සියළු කොටස්)", "1199281499": "අවසාන ඉලක්කම් ලැයිස්තුව", "1201533528": "කොන්ත්රාත් දිනා", @@ -1150,7 +1145,7 @@ "1254565203": "සමඟ ලැයිස්තුව නිර්මාණය කිරීමට {{ variable }} සකසන්න", "1255827200": "ඔබට මෙම ඕනෑම කෙටි මඟක් භාවිත කර ඔබේ බොට් ආයාත කිරීමට හෝ ගොඩ නැගීමට හැකිය.", "1255909792": "අවසන්", - "1255963623": "දිනය/වේලාව {{ input_timestamp }} {{ dummy }}", + "1255963623": "{{ input_timestamp }} {{ dummy }} දිනය/වේලාව සඳහා", "1258097139": "වැඩිදියුණු කිරීමට අපට කුමක් කළ හැකිද?", "1258198117": "ධනාත්මක", "1259598687": "GBP/JPY", @@ -1399,7 +1394,6 @@ "1510357015": "බදු පදිංචිය අවශ්ය වේ.", "1510735345": "මෙම බ්ලොක් එකේ අවසාන 1000 ටික් අගයන් වල අවසාන ඉලක්කම් ලැයිස්තුවක් ඔබට ලබා දෙයි.", "1512469749": "ඉහත උදාහරණයේ දී විචල්ය candle_open_price වෙනත් බ්ලොක් තුළ කොතැනක හෝ සකස් කර ඇති බව උපකල්පනය කෙරේ.", - "1516537408": "ඔබට තවදුරටත් ඩෙරිව් හි වෙළඳාම් කිරීමට හෝ ඔබේ ගිණුමට අරමුදල් තැන්පත් කිරීමට නොහැකිය.", "1516559721": "කරුණාකර එක් ගොනුවක් පමණක් තෝරන්න", "1516676261": "තැන්පතු", "1516834467": "ඔබට අවශ්ය ගිණුම් 'ලබා ගන්න'", @@ -1414,7 +1408,6 @@ "1527906715": "මෙම කොටස තෝරාගත් විචල්යයට ලබා දී ඇති අංකය එකතු කරයි.", "1531017969": "එක් එක් අමුණා ඇති අයිතමයේ පෙළ අගය ඒකාබද්ධ කිරීමෙන් තනි පෙළ නූලක් නිර්මාණය කරයි. අයිතම ගණන ඒ අනුව එකතු කළ හැකිය.", "1533177906": "Fall", - "1534569275": "අපගේ වෙළඳපලවල වෙනස්කම් වල කොටසක් ලෙස, අපි අපගේ එක්සත් රාජධානියේ සේවාදායකයින්ගේ ගිණුම් වසා දමන්නෙමු.", "1534796105": "විචල්ය අගය ලබා ගනී", "1537711064": "ඔබට මුදල් අයකැමි වෙත පිවිසීමට පෙර ඉක්මන් අනන්යතා සත්යාපනය කළ යුතුය. ඔබගේ අනන්යතාවය පිළිබඳ සාක්ෂි ඉදිරිපත් කිරීමට කරුණාකර ඔබගේ ගිණුම් සැකසුම් වෙත යන්න.", "1540585098": "පරිහානිය", @@ -1474,7 +1467,6 @@ "1598009247": "<0>අ. සිද්ධියෙන් දින 45 කට පසු ඔබට මූල්ය කොමිෂන් සභාව වෙත පැමිණිල්ලක් ගොනු කළ හැකිය.", "1598443642": "ගනුදෙනු හැෂ්", "1602894348": "මුරපදයක් සාදන්න", - "1604171868": "කරුණාකර ඔබේ සියලු අරමුදල් හැකි ඉක්මනින් ඉල්ලා අස්කර ගන්න.", "1604916224": "නිරපේක්ෂ", "1605222432": "මට වෙළඳාම පිළිබඳ දැනුමක් හා පළපුරුද්දක් නොමැත.", "1605292429": "මැක්ස්. මුළු අලාභය", @@ -1544,11 +1536,11 @@ "1682409128": "නොකැඩූ උපායමාර්ගය", "1682636566": "විද්යුත් තැපෑල නැවත යවන්න", "1683522174": "ඉහළ-අප්", - "1683963454": "{{date}} හි {{timestamp}}හි ඊළඟ වත්කම් මිලට ඔබේ කොන්ත්රාත්තුව ස්වයංක්රීයව වසා දැමෙනු ඇත.", + "1683963454": "ඔබේ ගිවිසුම {{date}} {{timestamp}} ට පවතින මීළඟ වත්කම් මිලට අනුව ස්වයංක්‍රීයව වසා දමනු ඇත.", "1684419981": "මේ මොකක්ද?", "1686800117": "{{error_msg}}", "1687173740": "තව ලබා ගන්න", - "1689103988": "Second Since Epoch", + "1689103988": "කාලාරම්භයේ සිට තත්පර", "1689258195": "ඔබ සැපයූ විස්තර සමඟ ඔබේ ලිපිනය තහවුරු කර ගැනීමට අපට නොහැකි විය. කරුණාකර පරීක්ෂා කර නැවත ඉදිරිපත් කරන්න හෝ වෙනස් ලේඛන වර්ගයක් තෝරන්න.", "1691335819": "අප සමඟ දිගටම ගනුදෙනු කිරීමට, කරුණාකර ඔබ කවුරුන්ද යන්න තහවුරු කරන්න.", "1691765860": "- නිෂේධනය", @@ -1746,7 +1738,6 @@ "1876015808": "සමාජ ආරක්ෂණ හා ජාතික රක්ෂණ භාරය", "1876325183": "විනාඩි", "1877225775": "ලිපිනය පිළිබඳ ඔබේ සාක්ෂිය සත්යාපනය වේ", - "1877410120": "ඔබ දැන් කළ යුතු දේ", "1877832150": "අවසානයේ සිට #", "1878172674": "නැහැ, අපි නැහැ. කෙසේ වෙතත්, ඔබ ඩෙරිව් බොට් හි ඉක්මන් උපාය මාර්ග සොයා ගනු ඇති අතර එය ඔබේම වෙළඳ බොට් එකක් නොමිලේ තැනීමට උපකාරී වනු ඇත.", "1879042430": "යෝග්යතා පරීක්ෂණය, අවවාදයයි:", @@ -1765,16 +1756,16 @@ "1890332321": "අංක, අවකාශයන්, විරාම ලකුණු සහ සංකේත ඇතුළුව දී ඇති පෙළ පෙළක අක්ෂර ගණන නැවත ලබා දෙයි.", "1893869876": "(කොටස්)", "1894667135": "කරුණාකර ඔබගේ ලිපිනය පිළිබඳ සාක්ෂි සත්යාපනය කරන්න", - "1898670234": "{{formatted_opening_time}} (GMT) {{opening_day}},<0> {{opening_date}}මත.", + "1898670234": "{{opening_day}} {{formatted_opening_time}} (GMT) ට,<0> {{opening_date}}.", "1899898605": "උපරිම ප්‍රමාණය: 8MB", - "1902547203": "මෙටා ට්රේඩර් 5 මැකෝස් යෙදුම", - "1903437648": "බොඳ ඡායාරූපය අනාවරණය විය", - "1905032541": "ඔබගේ අනන්යතාවය තහවුරු කිරීමට අපි දැන් සූදානම්", - "1905589481": "ඔබට ඔබගේ ගිණුම් මුදල් වෙනස් කිරීමට අවශ්ය නම්, කරුණාකර <0>සජීවී කතාබස් හරහා අප හා සම්බන්ධ වන්න.", + "1902547203": "MetaTrader 5 MacOS යෙදුම", + "1903437648": "නොපැහැදිලි ඡායාරූපයක් අනාවරණය විය", + "1905032541": "අපි දැන් ඔබේ අනන්‍යතාවය තහවුරු කිරීමට සූදානම්", + "1905589481": "ගිණුමේ මුදල් ඒකකය වෙනස් කිරීමට අවශ්‍ය නම්, කරුණාකර <0>සජීවී කථාබස් හරහා අප හා සම්බන්ධ වන්න.", "1906213000": "අපගේ පද්ධතිය ක්රියාත්මක වන ඕනෑම ඩෙරිව් බොට් වෙළඳාම් අවසන් කරනු ඇති අතර ඩෙරිව් බොට් නව වෙළඳාමක් සිදු නොකරනු ඇත.", - "1906639368": "ඔබ මුරපදයක් සෑදීමට උත්සාහ කරන පළමු අවස්ථාව මෙය නම් හෝ ඔබගේ මුරපදය අමතක වී ඇත්නම් කරුණාකර එය නැවත සකසන්න.", - "1907884620": "සැබෑ ඩෙරිව් සූදු ගිණුමක් එක් කරන්න", - "1908239019": "සියලුම ලේඛනය ඡායාරූපයේ ඇති බවට වග බලා ගන්න", + "1906639368": "ඔබ මුරපදයක් සෑදීමට උත්සාහ කරන පළමු අවස්ථාව මෙය නම්, හෝ ඔබට ඔබගේ මුරපදය අමතක වී ඇත්නම්, කරුණාකර එය යළි සකසන්න.", + "1907884620": "සැබෑ Deriv Gaming ගිණුමක් එක් කරන්න", + "1908239019": "සියලුම ලේඛන ඡායාරූපයේ ඇති බවට වග බලා ගන්න", "1908686066": "යෝග්යතා පරීක්ෂණ අනතුරු ඇඟවීම", "1909647105": "TRX/USD", "1909769048": "මධ්‍යන්‍ය", @@ -1784,7 +1775,6 @@ "1914725623": "ඔබගේ ඡායාරූපය අඩංගු පිටුව උඩුගත කරන්න.", "1917178459": "බැංකු සත්යාපන අංකය", "1917523456": "මෙම කොටස ටෙලිග්රාම් නාලිකාවකට පණිවිඩයක් යවයි. මෙම කොටස භාවිතා කිරීම සඳහා ඔබට ඔබේම ටෙලිග්රාම් බොට් එකක් නිර්මාණය කිරීමට අවශ්ය වනු ඇත.", - "1917804780": "ඔබගේ විකල්ප ගිණුමට එය වසා දැමූ විට ඔබට ප්රවේශය අහිමි වනු ඇත, එබැවින් ඔබගේ සියලු අරමුදල් ආපසු ගැනීමට වග බලා ගන්න. (ඔබට CFDs ගිණුමක් තිබේ නම්, ඔබට ඔබේ විකල්ප ගිණුමෙන් ඔබේ CFDs ගිණුමට අරමුදල් මාරු කළ හැකිය.)", "1918796823": "කරුණාකර නැවතුම් පාඩු මුදලක් ඇතුළත් කරන්න.", "1918832194": "අත්දැකීම් නැත", "1919030163": "හොඳ සෙල්ෆියක් ගැනීමට උපදෙස්", @@ -1799,7 +1789,6 @@ "1923431535": "“Stop loss” අක්‍රීය කර ඇති අතර එය ලබා ගත හැක්කේ “ගනුදෙනුව අවලංගු කිරීම” කල් ඉකුත් වූ විට පමණි.", "1924365090": "සමහර විට පසුව", "1924765698": "උපන් ස්ථානය*", - "1925090823": "කණගාටුයි, {{clients_country}} හි ගනුදෙනු කිරීම නොමැත.", "1926987784": "- iOS: ගිණුමේ වමට ස්වයිප් කර <0>මකන්න තට්ටු කරන්න.", "1928930389": "GBP/NOK", "1929309951": "රැකියා තත්ත්වය", @@ -1880,7 +1869,6 @@ "2004792696": "ඔබ එක්සත් රාජධානියේ පදිංචිකරුවෙකු නම්, මහා බ්‍රිතාන්‍යයේ බලපත්‍ර ඇති සියලුම මාර්ගගත සූදු සමාගම්වලින් ස්වයං ව්‍යවර්තන වීමට, <0>www.gamstop.co.uk වෙත පිවිසෙන්න.", "2007028410": "වෙළෙඳපොළ, වෙළඳ වර්ගය, කොන්ත්රාත් වර්ගය", "2007092908": "සාර්ථක වෙළඳාම් සඳහා වඩා හොඳ ප්රතිලාභ සඳහා ලීවරය සහ අඩු පැතිරීම් සමඟ වෙළඳාම් කරන්න.", - "2008809853": "කරුණාකර 30 නොවැම්බර් 2021 ට පෙර ඔබේ අරමුදල් ආපසු ගැනීමට ඉදිරියට යන්න.", "2010759971": "උඩුගත කිරීම් සාර්ථකයි", "2010866561": "සම්පූර්ණ ලාභය/අලාභය ආපසු ලබා දෙයි", "2011609940": "කරුණාකර ආදාන අංකය 0 ට වඩා වැඩිය", @@ -1920,7 +1908,6 @@ "2049386104": "මෙම ගිණුම ලබා ගැනීම සඳහා ඔබට මේවා ඉදිරිපත් කිරීමට අපට අවශ්යය:", "2050170533": "සලකුණු ලැයිස්තුව", "2051558666": "ගනුදෙනු ඉතිහාසය බලන්න", - "2053617863": "කරුණාකර ඔබගේ ගිණුමෙන් ඔබගේ සියලු අරමුදල් ආපසු ගැනීමට ඉදිරියට යන්න.", "2054889300": "“%1” සාදන්න", "2055317803": "ඔබගේ ජංගම බ්රව්සරයට සබැඳිය පිටපත් කරන්න", "2057082550": "අපගේ යාවත්කාලීන <0>නියමයන් සහ කොන්දේසි පිළිගන්න", @@ -2341,10 +2328,10 @@ "-1412690135": "*ඔබගේ ස්වයං-බැහැර සැකසුම් වල ඇති ඕනෑම සීමාවන් මෙම පෙරනිමි සීමාවන් අභිබවා යනු ඇත.", "-1598751496": "ඕනෑම ගනුදෙනු කිරීමේ දිනයකදී ඔබට මිලදී ගත හැකි උපරිම ගිවිසුම් ප්‍රමාණය නියෝජනය කරයි.", "-173346300": "උපරිම දෛනික පිරිවැටුම", - "-1502578110": "ඔබගේ ගිණුම සම්පූර්ණයෙන්ම සත්‍යාපනය කර ඇති අතර ඔබගේ මුදල් ආපසු ගැනීමේ සීමාවන් ඉවත් කර ඇත.", "-138380129": "මුළු මුදල් ආපසු ගැනීමට අවසර ඇත", "-854023608": "සීමාව වැඩි කිරීමට කරුණාකර ඔබේ අනන්‍යතාවය තහවුරු කරන්න", "-1500958859": "සත්‍යාපනය කරන්න", + "-1502578110": "ඔබගේ ගිණුම සම්පූර්ණයෙන්ම සත්‍යාපනය කර ඇති අතර ඔබගේ මුදල් ආපසු ගැනීමේ සීමාවන් ඉවත් කර ඇත.", "-1662154767": "මෑත කාලීන උපයෝගිතා බිල්පතක් (උදා: විදුලිය, ජලය, ගෑස්, ලෑන්ඩ්ලයින් හෝ අන්තර්ජාලය), බැංකු ප්‍රකාශය හෝ ඔබේ නම සහ මෙම ලිපිනය සහිත රජය විසින් නිකුත් කරන ලද ලිපියක්.", "-190838815": "සත්යාපනය සඳහා අපට මෙය අවශ්යයි. ඔබ සපයන තොරතුරු ව්යාජ හෝ සාවද්ය නම්, ඔබට තැන්පත් කර ආපසු ගැනීමට නොහැකි වනු ඇත.", "-223216785": "ලිපිනයේ දෙවන පේළිය*", @@ -3071,9 +3058,6 @@ "-405439829": "කණගාටුයි, ඔබට මෙම කොන්ත්රාත්තුව නැරඹිය නොහැක, මන්ද එය මෙම ගිණුමට අයත් නොවන බැවිනි.", "-1590712279": "සූදු", "-16448469": "අතථ්ය", - "-540474806": "ඔබගේ විකල්ප ගිණුම වසා දැමීමට නියමිතය", - "-618539786": "ඔබගේ ගිණුම වසා දැමීමට නියමිතය", - "-945275490": "ඔබගේ විකල්ප ගිණුමෙන් සියලුම අරමුදල් ආපසු ගන්න.", "-2093768906": "{{name}} ඔබේ අරමුදල් නිදහස් කර ඇත.
ඔබේ ප්රතිපෝෂණය ලබා දීමට ඔබ කැමතිද?", "-705744796": "ඔබගේ ආදර්ශන ගිණුමේ ශේෂය උපරිම සීමාවට ළඟා වී ඇති අතර ඔබට නව ගනුදෙනු කිරීමට නොහැකි වනු ඇත. ඔබගේ ආදර්ශන ගිණුමෙන් වෙළඳාම දිගටම කරගෙන යාම සඳහා ඔබේ ශේෂය නැවත සකසන්න.", "-2063700253": "ආබාධිත", @@ -3149,7 +3133,6 @@ "-384887227": "ඔබගේ පැතිකඩෙහි ලිපිනය යාවත්කාලීන කරන්න.", "-448961363": "යුරෝපා සංගම් නොවන", "-1998049070": "අපගේ කුකීස් භාවිතා කිරීමට ඔබ එකඟ වන්නේ නම්, මත ක්ලික් කරන්න පිළිගන්න. වැඩි විස්තර සඳහා <0>අපගේ ප්රතිපත්තිය බලන්න.", - "-2061807537": "යමක් හරි නැහැ", "-402093392": "ගිණුම එකතු කරන්න", "-1721181859": "ඔබට {{deriv_account}} ගිණුමක් අවශ්ය වේ", "-1989074395": "{{dmt5_account}} ගිණුමක් එකතු කිරීමට පෙර කරුණාකර {{deriv_account}} ගිණුමක් එක් කරන්න. ඔබගේ {{dmt5_label}} ගිණුම සඳහා තැන්පතු සහ මුදල් ආපසු ගැනීම සිදු කරනු ලබන්නේ ඔබේ {{deriv_label}} ගිණුමට සහ ඉන් මුදල් මාරු කිරීමෙනි.", @@ -3170,15 +3153,6 @@ "-1019903756": "කෘත්‍රිම​ දර්ශක", "-288996254": "ලබාගත නොහැක", "-735306327": "ගිණුම් කළමනාකරණය කරන්න", - "-1310654342": "අපගේ නිෂ්පාදන පෙළෙහි වෙනස්කම් වල කොටසක් ලෙස, අපි අපගේ එක්සත් රාජධානියේ සේවාදායකයින්ට අයත් සූදු ගිණුම් වසා දමන්නෙමු.", - "-626152766": "අපගේ නිෂ්පාදන පෙළෙහි වෙනස්කම් වල කොටසක් ලෙස, අපි යුරෝපයේ අපගේ සේවාදායකයින්ට අයත් විකල්ප ගිණුම් වසා දමමු.", - "-490100162": "අපගේ නිෂ්පාදන පෙළෙහි වෙනස්කම්වල කොටසක් ලෙස, අපි අපගේ අයිල් ඔෆ් මෑන් සේවාදායකයින්ට අයත් ගිණුම් වසා දමන්නෙමු.", - "-1208958060": "ඔබට තවදුරටත් අපගේ කිසිදු වේදිකාවකට ඩිජිටල් විකල්ප වෙළඳාම් කළ නොහැක. ඔබ ද ඔබේ ගිණුමට අරමුදල් තැන්පත් කළ නොහැක. ඩිජිටල් විකල්ප මත<0/><1/> ඕනෑම විවෘත තනතුරු සම්පූර්ණ ගෙවීම් සමග වසා දමා ඇත.", - "-2050417883": "ඔබගේ සූදු ගිණුමට එය වසා දැමූ විට ඔබට ප්රවේශය අහිමි වනු ඇත, එබැවින් හැකි ඉක්මනින් ඔබේ අරමුදල් ආපසු ගැනීමට වග බලා ගන්න.", - "-1950045402": "ඔබගේ සියලු අරමුදල් ආපසු ගන්න", - "-168971942": "මෙයින් ඔබට අදහස් කරන්නේ කුමක්ද?", - "-905560792": "හරි, මට තේරෙනවා", - "-1308593541": "ඔබගේ ගිණුමට එය වසා දැමූ විට ඔබට ප්රවේශය අහිමි වනු ඇත, එබැවින් ඔබගේ සියලු අරමුදල් ආපසු ගැනීමට වග බලා ගන්න.", "-2024365882": "ගවේෂණය කරන්න", "-1197864059": "නොමිලේ ආදර්ශන ගිණුමක් සාදන්න", "-1813972756": "ගිණුම් නිර්මාණය පැය 24 ක් සඳහා විරාමයක්", @@ -3225,6 +3199,7 @@ "-1369294608": "දැනටමත් අත්සන් කර තිබේද?", "-730377053": "ඔබට තවත් සැබෑ ගිණුමක් එකතු කළ නොහැක", "-2100785339": "වලංගු නොවන යෙදවුම්", + "-2061807537": "යමක් හරි නැහැ", "-617844567": "ඔබගේ විස්තර සහිත ගිණුමක් දැනටමත් පවතී.", "-292363402": "වෙළඳ සංඛ්යාලේඛන වාර්තාව", "-1656860130": "විකල්ප වෙළඳාම සැබෑ ඇබ්බැහි වීමක් බවට පත්විය හැකිය, වෙනත් ඕනෑම ක්රියාකාරකමක් එහි සීමාවන්ට තල්ලු කළ හැකිය. එවැනි ඇබ්බැහි වීමේ අන්තරාය වළක්වා ගැනීම සඳහා, අපි නිතිපතා ඔබේ ගනුදෙනු සහ ගිණුම් පිළිබඳ සාරාංශයක් ලබා දෙන යථාර්ත-චෙක්පතක් ලබා දෙන්නෙමු.", @@ -3543,10 +3518,10 @@ "-1386326276": "බාධක යනු අවශ්‍ය ක්ෂේත්‍රයකි.", "-1418742026": "ඉහළ බාධකයක් පහළ බාධකයට වඩා වැඩි විය යුතුය.", "-92007689": "පහළ බාධකය ඉහළ බාධකයට වඩා අඩු විය යුතුය.", - "-1095538960": "කරුණාකර “HH: MM” ආකෘතියෙන් ආරම්භක වේලාව ඇතුළත් කරන්න.", - "-1975910372": "මිනිත්තුව 0 ත් 59 ත් අතර විය යුතුය.", - "-866277689": "කල් ඉකුත් වීමේ කාලය අතීතයේ විය නොහැක.", - "-347156282": "සාධනය ඉදිරිපත් කරන්න", + "-1095538960": "කරුණාකර \"HH:MM\" ආකෘතියෙන් ආරම්භක වේලාව ඇතුළත් කරන්න.", + "-1975910372": "මිනිත්තු 0 ත් 59 ත් අතර විය යුතුය.", + "-866277689": "කල් ඉකුත්වන කාලය අතීතයේ විය නොහැක.", + "-347156282": "සාක්ෂය ඉදිරිපත් කරන්න", "-138538812": "වෙළඳාමක් කිරීමට ලොග් වන්න හෝ නොමිලේ ගිණුමක් සාදන්න.", "-2036388794": "නොමිලේ ගිණුමක් සාදන්න", "-1813736037": "වර්තමාන වෙළඳ සැසිය සඳහා මෙම කොන්ත්රාත් වර්ගය මත තවදුරටත් වෙළඳාම් කිරීමට අවසර නැත. වැඩි විස්තර සඳහා, අපගේ <0>නියමයන් සහ කොන්දේසි වෙත යොමු වන්න.", @@ -3732,7 +3707,7 @@ "-628573413": "MACD ගණනය කරනු ලබන්නේ කෙටිකාලීන EMA (12 කාල) සිට දිගු කාලීන EMA (26 කාල) අඩු කිරීමෙනි. කෙටි කාලීන EMA දිගු කාලීන EMA වඩා වැඩි හෝ අඩු නම් ප්රවණතාවක් ආපසු හැරීමක් ඇති හැකියාව තියෙනවා වඩා.", "-1133676960": "වේගයෙන් EMA කාල සීමාව {{ input_number }}", "-883166598": "කාල සීමාව {{ input_period }}", - "-450311772": "සාපේක්ෂ ශක්තිය දර්ශකය {{ dummy }}කිරීමට {{ variable }} සකසන්න", + "-450311772": "{{ variable }} Relative Strength Index {{ dummy }} වෙත සකසන්න", "-1861493523": "Calculates Relative Strength Index (RSI) කාල සීමාවක් සහිත අගයන් ලැයිස්තුවෙන් ලැයිස්තුගත කරන්න", "-880048629": "කාල පරිච්ඡේදයක් සහිත ලැයිස්තුවකින් සරල චලනය වන සාමාන්යය (SMA) ගණනය කරයි", "-1150972084": "වෙළඳපල දිශාව", @@ -3756,7 +3731,7 @@ "-467913286": "සලකුණු අගය විස්තරය", "-785831237": "මෙම කොටස ඔබට අවසාන 1000 ටික් අගයන් ලැයිස්තුවක් ලබා දෙයි.", "-1546430304": "ටික් ලැයිස්තු නූල් විස්තරය", - "-1788626968": "දී ඇති ඉටිපන්දම කළු නම් “සත්ය” නැවත ලබා දෙයි", + "-1788626968": "ලබා දී ඇති candle එක කළු නම් \"සත්‍ය\" ලෙස දැක්වේ", "-436010611": "ඉටිපන්දම් ලැයිස්තුවෙන් {{ candle_property }} අගයන් ලැයිස්තුවක් සාදන්න {{ candle_list }}", "-1384340453": "දී ඇති candle ලැයිස්තුවකින් නිශ්චිත අගයන් ලැයිස්තුවක් ලබා දෙයි", "-584859539": "Candle අගයන් ලැයිස්තුවක් සාදන්න (2)", @@ -3780,11 +3755,11 @@ "-2099284639": "ඔබේ බොට් ධාවනය වීමට පටන් ගත් දා සිට ඔබේ වෙළඳ උපාය මාර්ගයේ මුළු ලාභය/අලාභය මෙම කොටස ඔබට ලබා දෙයි. ගනුදෙනු සංඛ්යාලේඛන කවුළුවේ “සංඛ්යාලේඛන හිස් කරන්න” ක්ලික් කිරීමෙන් හෝ ඔබගේ බ්රව්සරයේ මෙම පිටුව ප්රබෝධමත් කිරීමෙන් ඔබට මෙය නැවත සැකසිය හැකිය.", "-683825404": "මුළු ලාභය, සංගීත", "-718220730": "මුළු ලාභ නූල් විස්තරය", - "-1861858493": "ලකුණු ගණන", - "-264195345": "ලකුණු ගණන ආපසු ලබා දෙයි", + "-1861858493": "ධාවන ගණන", + "-264195345": "ධාවන ගණන ආපසු ලබා දෙයි", "-303451917": "මෙම කොටස මඟින් ඔබේ බොට් එක ධාවනය කර ඇති මුළු වාර ගණන ඔබට ලබා දෙයි. ගනුදෙනු සංඛ්යාලේඛන කවුළුවේ “සංඛ්යාලේඛන හිස් කරන්න” ක්ලික් කිරීමෙන් හෝ ඔබගේ බ්රව්සරයේ මෙම පිටුව ප්රබෝධමත් කිරීමෙන් ඔබට මෙය නැවත සැකසිය හැකිය.", "-2132861129": "පරිවර්තනය උදව් කලාප", - "-74095551": "එපෝච් සිට තත්පර", + "-74095551": "කාලාරම්භයේ සිට තත්පර", "-15528039": "1970 ජනවාරි 1 වන දින සිට තත්පර ගණන නැවත පැමිණේ", "-729807788": "මෙම කොටස 1970 ජනවාරි 1 සිට තත්පර ගණන නැවත ලබා දෙයි.", "-1370107306": "{{ dummy }} {{ stack_input }} තත්පර {{ number }} කට පසු ධාවනය කරන්න", @@ -3976,8 +3951,6 @@ "-1715390759": "මට මෙය පසුව සිදු කිරීමට අවශ්‍යයි", "-2092611555": "කනගාටුයි, මෙම යෙදුම ඔබගේ වත්මන් ස්ථානයේ දී ලබා ගත නොහැක.", "-1488537825": "ඔබට ගිණුමක් තිබේ නම්, ඉදිරියට යාමට පුරනය වන්න.", - "-555592125": "අවාසනාවකට, ඔබේ රට තුළ ගනුදෙනු විකල්ප භාවිත කළ නොහැක", - "-1571816573": "කනගාටුයි, ඔබේ වත්මන් ස්ථානයේ සිට ගනුදෙනු සිදු කළ නොහැක.", "-1603581277": "විනාඩි", "-1714959941": "මෙම ප්‍රස්තාර​ සංදර්ශකය සලකුණු ගිවිසුම් සඳහා සුදුසු නොවේ", "-1254554534": "කරුණාකර වඩා යහපත් ගනුදෙනු අත්දැකීමක් සඳහා ප්‍රස්තාර​ කාලසීමාව 'සලකුණු' ලෙස වෙනස් කරන්න.", diff --git a/packages/translations/src/translations/th.json b/packages/translations/src/translations/th.json index 9e4bf9bbbf38..7820b3af4bdc 100644 --- a/packages/translations/src/translations/th.json +++ b/packages/translations/src/translations/th.json @@ -459,7 +459,6 @@ "524459540": "สร้างตัวแปรระบบได้อย่างไร?", "527329988": "นี่คือรหัสผ่านทั่วไป 100 อันดับแรก", "529056539": "ตราสารสิทธิ", - "529597350": "หากคุณมีตำแหน่งการค้าใดที่เปิดอยู่ เราได้ปิดมันและคืนเงินให้คุณแล้ว", "530953413": "แอปพลิเคชั่นที่ได้รับอนุญาต", "531114081": "3. ประเภทของสัญญา", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>เพิ่มทวีผลที่ได้รับ โดย <0>มีความเสี่ยงเพียงเฉพาะ ทุนทรัพย์ที่คุณลงไป", "762871622": "{{remaining_time}}วินาที", "762926186": "กลยุทธ์ด่วนคือกลยุทธ์สำเร็จรูปพร้อมใช้ได้เลยใน Deriv Bot ซึ่งจะมีให้คุณเลือก 3 กลยุทธ์ที่ดังนี้: มาติงเกล (Martingale) ดาล็องแบร์ (D'Alembert) และออสก้าร์ กรินด์ (Oscar's Grind)", - "763019867": "บัญชีเกมของคุณมีกำหนดที่จะถูกปิด", "764366329": "วงเงินในการซื้อขาย", "766317539": "ภาษา", "770171141": "ไปที่ {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "คุณสามารถทำการฝากเงินได้เท่านั้น โปรดกรอก <0>การประเมินทางการเงิน เพื่อปลดล็อกการถอนเงิน", "845213721": "ออกจากระบบ", "845304111": "ช่วงเวลา EMA ที่ช้า {{ input_number }}", - "847888634": "กรุณาถอนเงินทั้งหมดของคุณ", "848083350": "เงินผลตอบแทนของคุณจะเท่ากับการ <0>เงินได้ต่อจุดพอยท์ คูณด้วยส่วนต่างระหว่างราคาสุดท้ายและราคาใช้สิทธิ โดยคุณจะได้รับผลกำไรก็ต่อเมื่อเงินตอบแทนของคุณสูงกว่าเงินทุนทรัพย์เริ่มแรก", "850582774": "โปรดอัปเดตข้อมูลส่วนบุคคลของคุณ", "851054273": "หากคุณเลือก \"สูงกว่าหรือ Higher\" คุณจะได้รับเงินผลตอบแทนก็ต่อเมื่อจุดออกสุดท้ายมีค่าสูงกว่าค่าของเส้นระดับราคาเป้าหมายหรือ Barrier", @@ -1043,7 +1040,6 @@ "1145927365": "เรียกใช้บล็อกภายในหลังจากจำนวนวินาทีที่กำหนด", "1146064568": "ไปที่หน้าฝากเงิน", "1147269948": "เส้นระดับราคาเป้าหมายไม่อาจเป็นศูนย์ได้", - "1147625645": "โปรดดำเนินการถอนเงินทั้งหมดออกจากบัญชีของคุณก่อน <0>30 พฤศจิกายน 2021", "1150637063": "*ดัชนีผันผวน 150 และดัชนีผันผวน 250", "1151964318": "ทั้งสองด้าน", "1152294962": "โปรดอัพโหลดด้านหน้าของใบขับขี่ของคุณ", @@ -1090,7 +1086,6 @@ "1195393249": "แจ้งเตือน {{ notification_type }} ด้วยเสียง: {{ notification_sound }} {{ input_message }}", "1196006480": "เกณฑ์กำไร", "1196683606": "บัญชีทดลอง Deriv MT5 CFDs", - "1197326289": "คุณไม่สามารถซื้อขายตราสารสิทธิดิจิทัลบนแพลตฟอร์มของเราได้อีกต่อไป และคุณก็ไม่สามารถฝากเงินเข้าบัญชีตราสารสิทธิของคุณได้อีกด้วย", "1198368641": "เครื่องมือชี้วัด Relative Strength Index (RSI)", "1199281499": "ลิสต์รายการตัวเลขหลักสุดท้าย", "1201533528": "สัญญาที่ทำกำไร", @@ -1399,7 +1394,6 @@ "1510357015": "โปรดระบุถิ่นที่อยู่เพื่อการรัษฎากร", "1510735345": "บล็อกนี้แสดงลิสต์รายการเลขหลักสุดท้ายของมูลค่าจุด Tick จำนวน 1000 จุดล่าสุด", "1512469749": "จากตัวอย่างข้างต้น มีการสันนิษฐานว่า ตัวแปร candle_open_price นั้นถูกประมวลผลอยู่ภายในบล็อกตัวอื่น", - "1516537408": "คุณไม่สามารถซื้อขายบน Deriv หรือฝากเงินเข้าบัญชีของคุณได้อีกต่อไป", "1516559721": "โปรดเลือกเพียง 1 ไฟล์เท่านั้น", "1516676261": "ฝากเงิน", "1516834467": "'รับ' บัญชีที่คุณต้องการ", @@ -1414,7 +1408,6 @@ "1527906715": "บล็อกนี้จะเพิ่มจำนวนที่กำหนดให้กับตัวแปรที่เลือก", "1531017969": "สร้างสตริงข้อความเดี่ยวจากการรวมค่าข้อความของแต่ละรายการที่แนบมาโดยไม่ต้องเว้นวรรค ทั้งนี้ จำนวนรายการสามารถเพิ่มขึ้นให้สอดคล้องกันได้", "1533177906": "ลง", - "1534569275": "เนื่องจากการเปลี่ยนแปลงในตลาดของเรา เราจะปิดบัญชีของลูกค้าในสหราชอาณาจักร", "1534796105": "รับค่าตัวแปร", "1537711064": "คุณต้องทำการยืนยันตัวตนอย่างรวดเร็วก่อนที่คุณจะสามารถเข้าถึงแคชเชียร์ได้ โปรดไปที่การตั้งค่าบัญชีของคุณเพื่อส่งหลักฐานยืนยันตัวตน", "1540585098": "ปฏิเสธ", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a คุณสามารถยื่นข้อร้องเรียนต่อคณะกรรมการการเงินได้ภายใน 45 วันหลังจากเกิดเหตุ", "1598443642": "รหัสประจำรายการธุรกรรม", "1602894348": "สร้างรหัสผ่าน", - "1604171868": "กรุณาถอนเงินทั้งหมดของคุณโดยเร็วที่สุด", "1604916224": "ค่าสัมบูรณ์", "1605222432": "ฉันไม่มีความรู้และประสบการณ์ในการซื้อขายเลย", "1605292429": "ยอดรวมขาดทุนสูงสุด", @@ -1746,7 +1738,6 @@ "1876015808": "สมาคมประกันสังคมและประกันอุบัติเหตุชาติหรือ SSNIT", "1876325183": "นาที", "1877225775": "หลักฐานที่อยู่ของคุณได้รับการยืนยันแล้ว", - "1877410120": "สิ่งที่คุณต้องทำตอนนี้", "1877832150": "# จากสุดท้าย", "1878172674": "ไม่ เราไม่มี แต่คุณจะพบกลยุทธ์ด่วนต่างๆใน Deriv Bot ที่จะช่วยให้คุณสร้างบอทการเทรดของคุณเองได้ฟรี", "1879042430": "การทดสอบความเหมาะสม คำเตือน:", @@ -1784,7 +1775,6 @@ "1914725623": "โปรดอัปโหลดหน้าเอกสารที่มีรูปถ่ายของคุณ", "1917178459": "หมายเลขการยืนยันของธนาคารหรือ BVN", "1917523456": "บล็อกนี้ส่งข้อความไปยังช่อง Telegram ซึ่งคุณต้องสร้างเทเลแกรมบอทของคุณเองเพื่อใช้งานบล็อกนี้", - "1917804780": "คุณจะเสียการเข้าถึงบัญชีตราสารสิทธิของคุณเมื่อบัญชีนั้นถูกปิด ดังนั้นโปรดอย่าลืมถอนเงินทั้งหมดของคุณ (หากคุณมีบัญชี CFDs อยู่ คุณสามารถโอนเงินจากบัญชีตราสารสิทธิของคุณไปยังบัญชี CFDs นั้นได้)", "1918796823": "โปรดป้อนจำนวนเงินของตัวหยุดการขาดทุนที่ต้องการ", "1918832194": "ไม่มีประสบการณ์", "1919030163": "เคล็ดลับในการถ่ายภาพเซลฟี่ที่ดี", @@ -1799,7 +1789,6 @@ "1923431535": "“ตัวหยุดการขาดทุน” ถูกปิดใช้งานแล้วและจะใช้ได้ต่อเมื่อ “การยกเลิกดีลข้อตกลง” นั้นหมดอายุ", "1924365090": "ไว้ทีหลัง", "1924765698": "สถานที่เกิด*", - "1925090823": "ขออภัย การซื้อขายไม่อาจทำได้ใน {{clients_country}}", "1926987784": "- iOS: ปัดไปทางซ้ายบนบัญชีและแตะ <0>ลบ", "1928930389": "GBP/NOK", "1929309951": "สถานะการจ้างงาน", @@ -1880,7 +1869,6 @@ "2004792696": "หากคุณอาศัยอยู่ในสหราชอาณาจักร ให้ไปที่ <0>www.gamstop.co.uk เพื่อทำการกันตนเองจากบริษัทด้านการพนันออน์ไลน์ทั้งหมดที่ได้รับอนุญาตให้ดำเนินการในสหราชอาณาจักร", "2007028410": "ตลาด ประเภทการซื้อขาย ประเภทสัญญา", "2007092908": "ทำการซื้อขายด้วยเลเวอเรจและค่าสเปรดที่ต่ำให้ได้รับผลตอบแทนที่ดีขึ้นในการซื้อขายที่ประสบความสำเร็จ", - "2008809853": "กรุณาดำเนินการถอนเงินของคุณก่อนวันที่ 30 พฤศจิกายน 2021", "2010759971": "อัปโหลดสําเร็จ", "2010866561": "ส่งคืนยอดรวมกำไร/ขาดทุนทั้งหมด", "2011609940": "โปรดป้อนหมายเลขที่มากกว่า 0", @@ -1920,7 +1908,6 @@ "2049386104": "เราต้องการให้คุณส่งข้อมูลเหล่านี้เพื่อที่จะได้รับบัญชีนี้:", "2050170533": "ลิสต์ค่าจุด Tick", "2051558666": "ดูประวัติธุรกรรม", - "2053617863": "โปรดดำเนินการถอนเงินทั้งหมดออกจากบัญชีของคุณ", "2054889300": "สร้าง \"%1\"", "2055317803": "คัดลอกลิงก์ไปยังเบราว์เซอร์มือถือของคุณ", "2057082550": "ยอมรับ <0>ข้อกำหนดและเงื่อนไข ที่อัปเดตแล้วของเรา", @@ -2341,10 +2328,10 @@ "-1412690135": "*ข้อจำกัดใดๆในการตั้งค่าระบบการกันตนเองของคุณจะมาแทนที่ขีดจำกัดเริ่มต้นเหล่านี้", "-1598751496": "แสดงถึงจำนวนสูงที่สุดของสัญญาที่คุณอาจจะซื้อได้ในวันทำการเทรดใดๆ", "-173346300": "มูลค่าการซื้อขายสูงสุดรายวัน", - "-1502578110": "บัญชีของคุณได้รับการยืนยันตัวตนอย่างสมบูรณ์ และวงเงินการถอนเงินของคุณได้ถูกยกเลิกแล้ว", "-138380129": "ยอดการถอนเงินทั้งหมดที่ได้อนุญาตแล้ว", "-854023608": "หากต้องการเพิ่มขีดจำกัด โปรดยืนยันตัวตนของคุณ", "-1500958859": "ยืนยัน", + "-1502578110": "บัญชีของคุณได้รับการยืนยันตัวตนอย่างสมบูรณ์ และวงเงินการถอนเงินของคุณได้ถูกยกเลิกแล้ว", "-1662154767": "ใบแจ้งหนี้ค่าสาธารณูปโภคล่าสุด (เช่น ไฟฟ้า น้ำ แก๊ส โทรศัพท์หรืออินเทอร์เน็ต) ใบแจ้งยอดบัญชีธนาคาร หรือจดหมายที่ออกโดยรัฐบาลที่แสดงชื่อของคุณและที่อยู่นี้", "-190838815": "เราต้องการสิ่งนี้สำหรับการตรวจสอบยืนยัน หากข้อมูลที่คุณให้นั้นเป็นข้อมูลปลอมหรือไม่ถูกต้อง คุณจะไม่สามารถทำการฝากและถอนได้", "-223216785": "บรรทัดที่สองของที่อยู่*", @@ -3071,9 +3058,6 @@ "-405439829": "ขออภัย คุณไม่สามารถดูสัญญานี้ได้เนื่องจากสัญญาไม่ได้เป็นของบัญชีนี้", "-1590712279": "เกมมิ่ง", "-16448469": "เสมือน", - "-540474806": "บัญชีซื้อขายตราสารสิทธิของคุณมีกําหนดจะถูกปิด", - "-618539786": "บัญชีของคุณมีกำหนดจะถูกปิด", - "-945275490": "ถอนเงินทั้งหมดจากบัญชีซื้อขายตราสารสิทธิของคุณ", "-2093768906": "{{name}} ได้จำหน่ายเงินของคุณแล้ว
คุณต้องการจะให้ความคิดเห็นของคุณหรือไม่?", "-705744796": "ยอดเงินในบัญชีทดลองของคุณถึงขีดจำกัดสูงสุดแล้วและคุณจะไม่สามารถทำการซื้อขายใหม่ได้ ขอให้คุณรีเซ็ตยอดเงินของคุณเพื่อทำการซื้อขายจากบัญชีทดลองของคุณต่อไปได้", "-2063700253": "ปิดใช้งานแล้ว", @@ -3149,7 +3133,6 @@ "-384887227": "อัปเดตที่อยู่ในโปรไฟล์ของคุณ", "-448961363": "นอกสหภาพยุโรป", "-1998049070": "หากคุณยอมรับการใช้งานคุกกี้ของเราให้คลิกที่ยอมรับ สำหรับข้อมูลเพิ่มเติม <0>ดูนโยบายของเรา", - "-2061807537": "มีบางอย่างไม่ถูกต้อง", "-402093392": "เพิ่มบัญชี Deriv", "-1721181859": "คุณจะต้องมีบัญชี {{deriv_account}}", "-1989074395": "โปรดเพิ่มบัญชี {{deriv_account}} เสียก่อนที่จะเพิ่มบัญชี {{dmt5_account}} การฝากเงินและถอนเงินสําหรับบัญชี {{dmt5_label}} ของคุณนั้นทำได้โดยการโอนเงินเข้าและออกผ่านบัญชี {{deriv_label}} ของคุณ", @@ -3170,15 +3153,6 @@ "-1019903756": "Synthetic", "-288996254": "ไม่มีให้ใช้งาน", "-735306327": "จัดการบัญชี", - "-1310654342": "เนื่องจากเป็นส่วนหนึ่งของการเปลี่ยนแปลงในกลุ่มผลิตภัณฑ์ของเรา เราจะปิดบัญชีเกมมิ่งที่เป็นของลูกค้าในสหราชอาณาจักรของเรา", - "-626152766": "ในฐานะที่เป็นส่วนหนึ่งของการเปลี่ยนแปลงในสายผลิตภัณฑ์ของเรา เรากําลังปิดบัญชีซื้อขายตราสารสิทธิที่เป็นของลูกค้าของเราในยุโรป", - "-490100162": "ในส่วนหนึ่งของการเปลี่ยนแปลงกลุ่มผลิตภัณฑ์ของเรา เราจะปิดบัญชีที่เป็นของลูกค้าของเราในไอล์ออฟแมน", - "-1208958060": "คุณไม่สามารถซื้อขายตราสารสิทธิดิจิทัลบนแพลตฟอร์มของเราได้อีกแล้วและไม่สามารถฝากเงินเข้าบัญชีของคุณได้อีกด้วย<0/><1/>ตำแหน่งที่เปิดซื้อขายตราสารสิทธิดิจิทัลอยู่จะถูกปิดลงพร้อมด้วยการจ่ายเงินเต็มจำนวน", - "-2050417883": "คุณจะสูญเสียการเข้าถึงบัญชีเกมมิ่งของคุณเมื่อมันถูกปิด ดังนั้นโปรดถอนเงินของคุณโดยเร็วที่สุด", - "-1950045402": "ถอนเงินทั้งหมดของคุณ", - "-168971942": "สิ่งนี้มีความหมายอย่างไรกับคุณ", - "-905560792": "โอเค ฉันเข้าใจแล้ว", - "-1308593541": "คุณจะเสียการเข้าถึงบัญชีของคุณเมื่อมันถูกปิดลง ดังนั้นจงอย่าลืมถอนเงินทั้งหมดของคุณออกไป", "-2024365882": "สำรวจดู", "-1197864059": "สร้างบัญชีทดลองฟรี", "-1813972756": "การสร้างบัญชีนั้นถูกหยุดชั่วคราวเป็นเวลา 24 ชั่วโมง", @@ -3225,6 +3199,7 @@ "-1369294608": "ลงทะเบียนแล้วหรือยัง?", "-730377053": "คุณไม่สามารถเพิ่มบัญชีจริงอันอื่นได้อีก", "-2100785339": "ข้อมูลนำเข้าไม่ถูกต้อง", + "-2061807537": "มีบางอย่างไม่ถูกต้อง", "-617844567": "มีบัญชีที่มีรายละเอียดของคุณอยู่แล้ว", "-292363402": "รายงานสถิติการซื้อขาย", "-1656860130": "การซื้อขายตราสารสิทธิสามารถนำสู่การเสพติดจริงๆ ได้เช่นเดียวกันกับการทำกิจกรรมอื่นๆ ที่มากเกินขีดจำกัด ดังนั้น เพื่อหลีกเลี่ยงอันตรายจากการเสพติดดังกล่าว เราจึงนำเสนอการตรวจสอบความเป็นจริงหรือ reality check ที่ส่งรายงานสรุปการซื้อขายของคุณในบัญชีต่างๆ ให้คุณเป็นประจำ", @@ -3976,8 +3951,6 @@ "-1715390759": "ฉันต้องการทำสิ่งนี้ในภายหลัง", "-2092611555": "ขออภัย แอปนี้ไม่สามารถใช้งานได้ในที่อยู่ปัจจุบันของคุณ", "-1488537825": "หากคุณมีบัญชีอยู่แล้ว สามารถเข้าสู่ระบบเพื่อดำเนินการต่อ", - "-555592125": "น่าเสียดายที่การซื้อขายตราสารสิทธิไม่สามารถทำได้ในประเทศของคุณ", - "-1571816573": "ขออภัย การซื้อขายไม่สามารถใช้ได้ในตำแหน่งปัจจุบันของคุณ", "-1603581277": "นาที", "-1714959941": "การแสดงผลของกราฟนี้ไม่เหมาะสำหรับสัญญา Tick", "-1254554534": "โปรดเปลี่ยนระยะเวลาของกราฟเป็นรูปแบบ tick เพื่อได้ประสบการณ์ซื้อขายที่ดียิ่งขึ้น", diff --git a/packages/translations/src/translations/tr.json b/packages/translations/src/translations/tr.json index 6c37d15772ba..27d5bbb8781e 100644 --- a/packages/translations/src/translations/tr.json +++ b/packages/translations/src/translations/tr.json @@ -459,7 +459,6 @@ "524459540": "Değişkenleri nasıl oluşturabilirim?", "527329988": "Bu top-100 ortak parolasıdır", "529056539": "Opsiyonlar", - "529597350": "Herhangi bir açık pozisyonunuz varsa, onları kapattık ve size geri ödeme yaptık.", "530953413": "Yetkili uygulamalar", "531114081": "3. Sözleşme Türü", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "Sadece koyduğunuz kadarını <0>riske atarak <0>getirileri çarpın.", "762871622": "{{remaining_time}}s", "762926186": "Hızlı strateji, Deriv Bot'ta kullanabileceğiniz hazır bir stratejidir. Aralarından seçim yapabileceğiniz 3 hızlı strateji vardır: Martingale, D'Alembert ve Oscar's Grind.", - "763019867": "Bahis hesabınızın kapatılması planlanıyor", "764366329": "Ticaret limitleri", "766317539": "Dil", "770171141": "{{hostname}} konumuna git", @@ -757,7 +755,6 @@ "843333337": "Yalnızca para yatırma işlemi yapabilirsiniz. Para çekme işlemlerinin kilidini açmak için lütfen <0>finansal değerlendirmeyi tamamlayın.", "845213721": "Çıkış", "845304111": "Yavaş EMA Periyotu {{ input_number }}", - "847888634": "Lütfen tüm paranızı çekin.", "848083350": "Ödemeniz, <0>puan başına ödemenin nihai fiyat ile strike fiyatı arasındaki farkla çarpımına eşittir. Yalnızca ödemeniz ilk bahis miktarınızdan yüksekse kâr elde edersiniz.", "850582774": "Lütfen kişisel bilgilerinizi güncelleyin", "851054273": "\"Higher\" seçeneğini seçerseniz çıkış noktası bariyerden çok daha yüksekse ödeme kazanırsınız.", @@ -1043,7 +1040,6 @@ "1145927365": "Belirli bir saniye sonra blokları içeride çalıştır", "1146064568": "Mevduat sayfasına git", "1147269948": "Bariyer sıfır olamaz.", - "1147625645": "Lütfen <0> 30 Kasım 2021'den önce tüm fonlarınızı hesabınızdan çekmeye devam edin. ", "1150637063": "*Volatilite 150 Endeksi ve Volatilite 250 Endeksi", "1151964318": "her iki taraf", "1152294962": "Ehliyetinizin ön tarafını yükleyin.", @@ -1090,7 +1086,6 @@ "1195393249": "{{ notification_type }} bildirin: {{ notification_sound }} {{ input_message }} sesi ile", "1196006480": "Kâr eşiği", "1196683606": "Deriv MT5 CFD demo hesabı", - "1197326289": "Artık platformlarımızın hiçbirinde dijital opsiyonları takas edemezsiniz. Ayrıca, Opsiyonlar hesabınıza para yatırma işlemi yapamazsınız.", "1198368641": "Göreceli Güç Endeksi (RSI)", "1199281499": "Son Basamaklar Listesi", "1201533528": "Kazanılan sözleşmeler", @@ -1399,7 +1394,6 @@ "1510357015": "Vergi ikametgâhı gereklidir.", "1510735345": "Bu blok, son 1000 tik değerinin son rakamlarının bir listesini verir.", "1512469749": "Yukarıdaki örnekte, değişken Candle_open_price'in diğer blokların içinde bir yerde işlendiği varsayılmaktadır.", - "1516537408": "Artık Deriv'de işlem yapamaz veya hesabınıza para yatıramazsınız.", "1516559721": "Lütfen sadece bir dosya seçin", "1516676261": "Para yatırma", "1516834467": "İstediğiniz hesapları 'Alın'", @@ -1414,7 +1408,6 @@ "1527906715": "Bu blok, verilen numarayı seçili değişkene ekler.", "1531017969": "Eklenen her öğenin metin değerini arada boşluk bırakmadan birleştirerek tek bir metin dizesi oluşturur. Öğe sayısı buna göre eklenebilir.", "1533177906": "Düşüş", - "1534569275": "Piyasalarımızdaki değişikliklerin bir parçası olarak, İngiltere'deki müşterilerimizin hesaplarını kapatacağız.", "1534796105": "Değişken değeri alır", "1537711064": "Kasiyere erişmeden önce hızlı bir kimlik doğrulaması yapmanız gerekir. Kimlik belgenizi göndermek için lütfen hesap ayarlarınıza gidin.", "1540585098": "Düşüş", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Olaydan 45 güne kadar Mali Komisyona şikayette bulunabilirsiniz.", "1598443642": "Transaction hash", "1602894348": "Bir şifre oluşturun", - "1604171868": "Lütfen en yakın zamanda tüm paranızı geri çekin.", "1604916224": "Mutlak", "1605222432": "Ticaret konusunda hiçbir bilgim ve tecrübem yok.", "1605292429": "Maks. toplam kayıp", @@ -1746,7 +1738,6 @@ "1876015808": "Sosyal Güvenlik ve Ulusal Sigorta Vakfı", "1876325183": "Dakikalar", "1877225775": "Adres kanıtınız doğrulandı", - "1877410120": "Şimdi yapmanız gereken", "1877832150": "uçtan #", "1878172674": "Hayır, yapmıyoruz. Ancak, Deriv Bot'ta kendi ticaret botunuzu ücretsiz olarak oluşturmanıza yardımcı olacak hızlı stratejiler bulacaksınız.", "1879042430": "Uygunluk Testi, UYARI:", @@ -1784,7 +1775,6 @@ "1914725623": "Fotoğrafınızı içeren sayfayı yükleyin.", "1917178459": "Banka Doğrulama Numarası", "1917523456": "Bu blok Telegram kanalına bir mesaj gönderir. Bu bloğu kullanmak için kendi Telegram botunuzu oluşturmanız gerekir.", - "1917804780": "Kapatıldığında Opsiyonlar hesabınıza erişiminizi kaybedersiniz, bu nedenle tüm paranızı çektiğinizden emin olun. (CFD hesabınız varsa, parayı Opsiyonlar hesabınızdan CFD'lerinize de aktarabilirsiniz.)", "1918796823": "Lütfen bir zarar durdur miktarı girin.", "1918832194": "Deneyim yok", "1919030163": "İyi bir selfie yapmak için ipuçları", @@ -1799,7 +1789,6 @@ "1923431535": "\"Zarar durdur\" devre dışı bırakıldı ve yalnızca \"Anlaşma iptali\" sona erdiğinde kullanılabilecektir.", "1924365090": "Belki daha sonra", "1924765698": "Doğum yeri*", - "1925090823": "Üzgünüz, ticaret {{clients_country}} içinde mevcut değil.", "1926987784": "- iOS: Hesap üzerinde sola kaydırın ve <0>Sil öğesine dokunun.", "1928930389": "GBP/NOK", "1929309951": "İstihdam Durumu", @@ -1880,7 +1869,6 @@ "2004792696": "İngiltere'de ikamet ediyorsanız, İngiltere'de lisanslanan tüm çevrimiçi bahis şirketlerinden kendini-dışlama için, <0> www.gamstop.co.uk adresine gidin.", "2007028410": "piyasa, ticaret türü, sözleşme türü", "2007092908": "Başarılı işlemlerde daha iyi getiri için kaldıraç ve düşük spreadler ile ticaret yapın.", - "2008809853": "Lütfen 30 Kasım 2021 tarihinden önce fonlarınızı geri çekmeye devam edin.", "2010759971": "Yüklemeler başarılı", "2010866561": "Toplam kar/zararı verir", "2011609940": "Lütfen 0'den büyük bir sayı girin", @@ -1920,7 +1908,6 @@ "2049386104": "Bu hesabı almak için bunları göndermeniz gerekiyor:", "2050170533": "Tik listesi", "2051558666": "İşlem geçmişini görüntüle", - "2053617863": "Lütfen hesabınızdaki tüm paranızı çekmeye devam edin.", "2054889300": "\"%1\" Oluştur", "2055317803": "Bağlantıyı mobil tarayıcınıza kopyalayın", "2057082550": "Güncellenmiş <0>şartlar ve koşullarımızı kabul edin", @@ -2341,10 +2328,10 @@ "-1412690135": "Kendini-dışlama ayarlarınızdaki limitler bu varsayılan limitleri geçersiz kılacaktır.", "-1598751496": "Herhangi bir işlem gününde satın alabileceğiniz maksimum sözleşme hacmini temsil eder.", "-173346300": "Maksimum günlük ciro", - "-1502578110": "Hesabınızın kimliği tamamen doğrulandı ve para çekme limitleriniz kaldırıldı.", "-138380129": "İzin verilen toplam para çekme", "-854023608": "Sınırı artırmak için lütfen kimliğinizi doğrulayın", "-1500958859": "Doğrula", + "-1502578110": "Hesabınızın kimliği tamamen doğrulandı ve para çekme limitleriniz kaldırıldı.", "-1662154767": "yakın tarihli bir hizmet faturası (örn. elektrik, su, gaz, sabit hat veya internet), banka hesap özeti veya adınızı ve bu adresinizi içeren resmi bir mektup.", "-190838815": "Doğrulama için buna ihtiyacımız var. Sağladığınız bilgiler sahte veya yanlışsa para yatırıp çekemeyeceksiniz.", "-223216785": "İkinci adres satırı*", @@ -3071,9 +3058,6 @@ "-405439829": "Üzgünüz, bu hesaba ait olmadığı için bu sözleşmeyi görüntüleyemiyorsun.", "-1590712279": "Gaming", "-16448469": "Sanal", - "-540474806": "Opsiyon hesabınızın kapatılması planlandı", - "-618539786": "Hesabınızın kapatılması planlandı", - "-945275490": "Opsiyonlar hesabınızdan tüm fonları çekin.", "-2093768906": "{{name}} paranızı serbest bıraktı.
Geri bildiriminizi vermek ister misiniz?", "-705744796": "Demo hesap bakiyeniz maksimum sınıra ulaştı ve yeni işlem yapamayacak. Demo hesabınızdan alım satım işlemine devam etmek için bakiyenizi sıfırlayın.", "-2063700253": "devre dışı", @@ -3149,7 +3133,6 @@ "-384887227": "Profilinizdeki adresi güncelleyin.", "-448961363": "AB-Dışı", "-1998049070": "Çerezleri kullanmayı kabul ediyorsanız Kabul Et'i tıklayın. Daha fazla bilgi için, <0>politikamıza bakın.", - "-2061807537": "Doğru olmayan bir şeyler var", "-402093392": "Deriv Hesabı Ekle", "-1721181859": "Bir {{deriv_account}} hesabına ihtiyacınız olacak", "-1989074395": "Lütfen bir {{dmt5_account}} hesabı eklemeden önce bir {{deriv_account}} hesabı ekleyin. {{dmt5_label}} hesabınız için para yatırma ve para çekme işlemleri, {{deriv_label}} hesabınıza para transfer edilerek yapılır.", @@ -3170,15 +3153,6 @@ "-1019903756": "Sentetik", "-288996254": "Kullanılamaz", "-735306327": "Hesapları yönet", - "-1310654342": "Ürün yelpazemizdeki değişikliklerin bir parçası olarak Birleşik Krallık'taki müşterilerimize ait Oyun hesaplarını kapatacağız.", - "-626152766": "Ürün yelpazemizdeki değişikliklerin bir parçası olarak Avrupa'daki müşterilerimize ait Opsiyonlar hesaplarını kapatıyoruz.", - "-490100162": "Ürün yelpazemizdeki değişikliklerin bir parçası olarak, Man Adası müşterilerimize ait hesapları kapatacağız.", - "-1208958060": "Artık platformlarımızın hiçbirinde dijital opsiyonlar ticareti yapamazsınız. Hesabınıza da para yatıramazsınız.<0/><1/>Dijital seçeneklerdeki tüm açık pozisyonlar tam ödeme ile kapatılmıştır.", - "-2050417883": "Oyun hesabınız kapandığında hesabınıza erişemeyeceksiniz, bu nedenle en yakın zamanda paranızı geri çektiğinizden emin olun.", - "-1950045402": "Tüm paranızı geri çekin", - "-168971942": "Bu sizin için şu anlama geliyor", - "-905560792": "Tamam, anlıyorum", - "-1308593541": "Kapatıldığı zaman hesabınıza erişiminizi kaybedeceksiniz, bu nedenle tüm paranızı çektiğinizden emin olun.", "-2024365882": "Keşfedin", "-1197864059": "Ücretsiz demo hesabı oluştur", "-1813972756": "Hesap oluşturma 24 saat boyunca duraklatıldı", @@ -3225,6 +3199,7 @@ "-1369294608": "Zaten kaydoldunuz mu?", "-730377053": "Başka bir gerçek hesap ekleyemezsiniz", "-2100785339": "Geçersiz girişler", + "-2061807537": "Doğru olmayan bir şeyler var", "-617844567": "Bilgilerinizi içeren bir hesap zaten var.", "-292363402": "Ticaret istatistikleri raporu", "-1656860130": "Opsiyon ticareti sınırlarına itilen diğer faaliyetler gibi gerçek bir bağımlılık haline gelebilir. Bu tür bir bağımlılık tehlikesini önlemek için düzenli olarak işlem ve hesaplarınızın özetini sunan bir gerçeklik kontrolü sunuyoruz.", @@ -3976,8 +3951,6 @@ "-1715390759": "Bunu daha sonra yapmak istiyorum", "-2092611555": "Üzgünüz, bu uygulama şuanki konumunuzda kullanılamıyor.", "-1488537825": "Hesabınız varsa devam etmek için oturum açın.", - "-555592125": "Ne yazık ki ülkenizde ticaret seçenekleri mevcut değil", - "-1571816573": "Üzgünüz, şu anki konumunuzda alım satım yapılamıyor.", "-1603581277": "dakikalar", "-1714959941": "Bu grafik ekranı tik sözleşmeleri için ideal değildir", "-1254554534": "Lütfen daha iyi bir alım satım deneyimi amacıyla tik için grafik süresini değiştirin.", diff --git a/packages/translations/src/translations/vi.json b/packages/translations/src/translations/vi.json index e93bcc3e5653..f12b588c67b0 100644 --- a/packages/translations/src/translations/vi.json +++ b/packages/translations/src/translations/vi.json @@ -459,7 +459,6 @@ "524459540": "Làm thế nào để tạo biến số?", "527329988": "Đây là một trong 100 mật khẩu phổ biến nhất", "529056539": "Quyền chọn", - "529597350": "Nếu bạn có bất kỳ đơn hàng nào đang mở, chúng tôi đã đóng chúng và hoàn lại tiền cho bạn.", "530953413": "Các ứng dụng được cho phép", "531114081": "3. Loại hợp đồng", "531675669": "Euro", @@ -680,7 +679,6 @@ "762185380": "<0>Nhân lợi nhuận mà <0> chỉ mạo hiểm số tiền cược ban đầu.", "762871622": "{{remaining_time}} giây", "762926186": "Chiến lược nhanh là chiến lược được tạo sẵn mà bạn có thể sử dụng trong Deriv Dbot. Có 3 chiến lược nhanh mà bạn có thể chọn: Martingale, D'Alembert và Oscar's Grind.", - "763019867": "Tài khoản Gaming của bạn đã được lên lịch để đóng lại", "764366329": "Giới hạn giao dịch", "766317539": "Ngôn ngữ", "770171141": "Đi tới {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "Bạn chỉ có thể nạp tiền. Vui lòng hoàn thành <0>đánh giá tài chính để rút tiền.", "845213721": "Đăng xuất", "845304111": "Thời lượng EMA chậm {{ input_number }}", - "847888634": "Vui lòng rút tất cả tiền của bạn.", "848083350": "Khoản chi trả của bạn sẽ bằng <0>khoản chi trả của mỗi điểm nhân với chênh lệch giữa giá cuối cùng và giá thực hiện. Bạn sẽ chỉ kiếm được lợi nhuận nếu khoản chi trả cho bạn cao hơn số tiền cược ban đầu.", "850582774": "Vui lòng cập nhật thông tin cá nhân của bạn", "851054273": "Nếu bạn chọn \"Cao hơn\" (Higher), hợp đồng quyền chọn của bạn sẽ sinh lời nếu giá thoát hoàn toàn cao hơn mức giá ngưỡng.", @@ -1043,7 +1040,6 @@ "1145927365": "Chạy các khung bên trong sau một số giây nhất định", "1146064568": "Đến trang Nạp tiền", "1147269948": "Ngưỡng không thể là 0.", - "1147625645": "Vui lòng tiếp tục rút tất cả tiền từ tài khoản của bạn trước <0>ngày 30 tháng 11 năm 2021.", "1150637063": "*Chỉ số Biến động 150 và Chỉ số Biến động 250", "1151964318": "cả hai bên", "1152294962": "Tải lên ảnh chụp mặt trước bằng lái xe của bạn.", @@ -1090,7 +1086,6 @@ "1195393249": "Thông báo {{ notification_type }} với âm thanh: {{ notification_sound }} {{ input_message }}", "1196006480": "Ngưỡng lợi nhuận", "1196683606": "Tài khoản Deriv MT5 CFD thử nghiệm", - "1197326289": "Bạn không thể giao dịch quyền chọn kỹ thuật số trên bất kỳ nền tảng nào của chúng tôi. Ngoài ra, bạn cũng sẽ không thể nạp tiền vào tài khoản quyền chọn của mình.", "1198368641": "Chỉ số tiềm lực tương đối (Relative Strength Index - RSI)", "1199281499": "Danh sách các hợp đồng chữ số cuối", "1201533528": "Hợp đồng đã sinh lời", @@ -1399,7 +1394,6 @@ "1510357015": "Cần thông tin nơi nộp thuế.", "1510735345": "Khung này cung cấp cho bạn một danh sách các chữ số cuối cùng của các giá trị 1000 tick gần nhất.", "1512469749": "Trong ví dụ trên, giả định rằng biến candle_open_price được xử lý ở đâu đó trong các khối khác.", - "1516537408": "Bạn không thể giao dịch trên Deriv hoặc nạp tiền vào tài khoản của mình nữa.", "1516559721": "Vui lòng chỉ chọn một tệp", "1516676261": "Nạp tiền", "1516834467": "Tạo tài khoản bạn muốn", @@ -1414,7 +1408,6 @@ "1527906715": "Khung này thêm số cho sẵn vào biến được chọn.", "1531017969": "Tạo một chuỗi văn bản duy nhất từ ​​việc kết hợp giá trị văn bản của từng mục được đính kèm, không có khoảng trống ở giữa. Số lượng các mục có thể được thêm vào cho phù hợp.", "1533177906": "Giảm", - "1534569275": "Chúng tôi sẽ đóng các tài khoản của khách hàng ở Vương quốc Anh vì có thay đổi trong chiến lược thị trường của chúng tôi.", "1534796105": "Lấy giá trị biến", "1537711064": "Bạn cần xác minh nhanh danh tính trước khi có thể truy cập Cổng thanh toán. Vui lòng đi tới phần cài đặt tài khoản để gửi giấy tờ xác thực danh tính của bạn.", "1540585098": "Từ chối", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.Bạn có thể nộp khiếu nại cho Ủy ban tài chính tối đa 45 ngày sau khi xảy ra vụ việc.", "1598443642": "Mã băm giao dịch", "1602894348": "Tạo mật khẩu", - "1604171868": "Vui lòng rút tất cả tiền của bạn ra sớm nhất có thể.", "1604916224": "Tuyệt đối", "1605222432": "Tôi không có kiến thức và kinh nghiệm trading.", "1605292429": "Tổng mức thua lỗ tối đa", @@ -1746,7 +1738,6 @@ "1876015808": "Social Security and National Insurance Trust", "1876325183": "Phút", "1877225775": "Giấy tờ xác thực địa chỉ của bạn đã được chấp nhận", - "1877410120": "Điều bạn nên làm bây giờ", "1877832150": "# từ điểm kết thúc", "1878172674": "Rất tiếc, chúng tôi không cung cấp. Tuy nhiên, bạn sẽ tìm thấy các chiến lược nhanh trên Deriv Bot để giúp bạn tạo bot trading của riêng mình miễn phí.", "1879042430": "Bài kiểm tra mức độ thích hợp, CẢNH BÁO:", @@ -1784,7 +1775,6 @@ "1914725623": "Tải lên trang có chứa ảnh của bạn.", "1917178459": "Số xác thực ngân hàng", "1917523456": "Khung này gửi tin nhắn đến kênh Telegram. Bạn sẽ cần phải tạo bot Telegram của riêng mình để sử dụng khung này.", - "1917804780": "Bạn sẽ mất quyền truy cập vào tài khoản quyền chọn của mình khi tài khoản này bị đóng, vì vậy hãy đảm bảo bạn đã rút tất cả tiền của bạn. (Nếu bạn có tài khoản CFD, bạn cũng có thể chuyển tiền từ tài khoản Quyền chọn sang tài khoản CFD của mình.)", "1918796823": "Vui lòng nhập vào một giá trị cắt lỗ.", "1918832194": "Không có kinh nghiệm", "1919030163": "Các mẹo để có một bức ảnh chân dung tự chụp đẹp", @@ -1799,7 +1789,6 @@ "1923431535": "\"Cắt lỗ\" đã bị vô hiệu hóa và chỉ có thể được dùng trở lại khi \"Hủy thỏa thuận\" kết thúc.", "1924365090": "Để sau", "1924765698": "Nơi sinh*", - "1925090823": "Rất tiếc, giao dịch không có mặt tại {{clients_country}}.", "1926987784": "- iOS: Vuốt sang trái trên tài khoản và nhấn <0>Xóa.", "1928930389": "GBP/NOK", "1929309951": "Nghề nghiệp", @@ -1880,7 +1869,6 @@ "2004792696": "Nếu bạn là công dân Anh, để tự ngăn mình khỏi giao dịch với tất cả các công ty cờ bạc trực tuyến có giấy phép ở Anh, hãy đi tới <0>www.gamstop.co.uk.", "2007028410": "thị trường, loại giao dịch, loại hợp đồng", "2007092908": "Giao dịch với đòn bẩy và chênh lệch thấp giá để thu về lợi nhuận cao hơn cho các giao dịch thành công.", - "2008809853": "Vui lòng rút tiền của bạn trước ngày 30 tháng 11 năm 2021.", "2010759971": "Tải lên thành công", "2010866561": "Trả về tổng lợi nhuận/thua lỗ", "2011609940": "Vui lòng nhập số lớn hơn 0", @@ -1920,7 +1908,6 @@ "2049386104": "Chúng tôi cần bạn gửi những thông tin này để tạo được tài khoản:", "2050170533": "Danh sách tick", "2051558666": "Xem lịch sử giao dịch", - "2053617863": "Vui lòng tiến hành rút tất cả tiền từ tài khoản của bạn.", "2054889300": "Tạo \"%1\"", "2055317803": "Sao chép đường liên kết vào trình duyệt trên điện thoại của bạn", "2057082550": "Chấp nhận <0>điều khoản và điều kiện đã cập nhật của chúng tôi", @@ -2341,10 +2328,10 @@ "-1412690135": "*Bất kỳ giới hạn nào trong cài đặt Tự ngăn giao dịch của bạn sẽ ghi đè lên các giới hạn mặc định này.", "-1598751496": "Biểu thị số lượng hợp đồng tối đa bạn có thể mua trong ngày giao dịch.", "-173346300": "Doanh thu tối đa hằng ngày", - "-1502578110": "Tài khoản của bạn đã được xác thực đầy đủ và mức giới hạn rút tiền của bạn đã được nâng lên.", "-138380129": "Tổng số tiền được rút", "-854023608": "Để tăng giới hạn, xin hãy xác minh danh tính của bạn", "-1500958859": "Xác thực", + "-1502578110": "Tài khoản của bạn đã được xác thực đầy đủ và mức giới hạn rút tiền của bạn đã được nâng lên.", "-1662154767": "một hóa đơn tiện ích mới đây (ví dụ: điện, nước, ga, điện thoại cố định, hoặc internet), sao kê ngân hàng, hoặc thư do chính phủ cấp với tên của bạn và địa chỉ này.", "-190838815": "Chúng tôi cần thông tin này để xác minh. Nếu thông tin bạn cung cấp là giả hoặc không chính xác, bạn sẽ không thể gửi và rút tiền.", "-223216785": "Dòng thứ hai của địa chỉ nhà*", @@ -3071,9 +3058,6 @@ "-405439829": "Xin lỗi, bạn không thể xem hợp đồng này vì nó không thuộc tài khoản này.", "-1590712279": "Đặt cược", "-16448469": "Ảo", - "-540474806": "Tài khoản Quyền chọn của bạn đã được lên lịch đóng", - "-618539786": "Tài khoản của bạn đã được lên lịch để đóng", - "-945275490": "Rút tất cả tiền từ tài khoản Quyền chọn của bạn.", "-2093768906": "{{name}} đã gửi tiền cho bạn.
Bạn có muốn gửi phản hồi của mình?", "-705744796": "Số dư tài khoản thử nghiệm của bạn đã đạt đến giới hạn tối đa và bạn sẽ không thể thực hiện các giao dịch mới. Đặt lại số dư để tiếp tục giao dịch từ tài khoản thử nghiệm của bạn.", "-2063700253": "vô hiệu hoá", @@ -3149,7 +3133,6 @@ "-384887227": "Cập nhật địa chỉ trong hồ sơ của bạn.", "-448961363": "không thuộc châu Âu", "-1998049070": "Nếu bạn đồng ý cho việc sử dụng cookies của chúng tôi, nhấp vào Chấp nhận. Để biết thêm thông tin <0>xem quy định.", - "-2061807537": "Đã có vấn đề xảy ra", "-402093392": "Thêm tài khoản Deriv", "-1721181859": "Bạn cần một tài khoản {{deriv_account}}", "-1989074395": "Vui lòng thêm một tài khoản {{deriv_account}} trước khi thêm tài khoản {{dmt5_account}}. Việc nạp và rút tiền cho tài khoản {{dmt5_label}} của bạn được thực hiện bằng cách chuyển tiền đến và từ tài khoản {{deriv_label}} của bạn.", @@ -3170,15 +3153,6 @@ "-1019903756": "Tổng hợp", "-288996254": "Không khả dụng", "-735306327": "Quản lý tài khoản", - "-1310654342": "Là một phần trong thay đổi về dòng sản phẩm, chúng tôi sẽ đóng tài khoản Gaming của các khách hàng ở Vương quốc Anh.", - "-626152766": "Là một phần trong thay đổi về dòng sản phẩm, chúng tôi sẽ đóng các tài khoản quyền chọn thuộc về khách hàng ở Châu Âu.", - "-490100162": "Là một phần trong thay đổi về dòng sản phẩm, chúng tôi sẽ đóng các tài khoản thuộc về khách hàng ở Isle of Man.", - "-1208958060": "Bạn không còn có thể giao dịch quyền chọn kỹ thuật số trên bất kỳ nền tảng nào của chúng tôi. Bạn cũng không thể nạp tiền vào tài khoản của mình.<0/><1/>Mọi vị thế mở quyền chọn kỹ thuật số đều đã được đóng và đã được chỉ trả đầy đủ.", - "-2050417883": "Bạn sẽ mất quyền truy cập vào tài khoản Gaming của mình khi tài khoản này bị đóng, vì vậy hãy rút tiền của bạn sớm nhất có thể.", - "-1950045402": "Rút toàn bộ tiền của bạn", - "-168971942": "Điều này có ý nghĩa thế nào với bạn", - "-905560792": "OK, tôi hiểu", - "-1308593541": "Bạn sẽ mất quyền truy cập vào tài khoản của mình khi tài khoản bị đóng, vì vậy hãy nhớ rút tất cả tiền của bạn.", "-2024365882": "Khám phá", "-1197864059": "Tạo tài khoản thử nghiệm miễn phí", "-1813972756": "Tạm dừng tạo tài khoản trong 24 giờ", @@ -3225,6 +3199,7 @@ "-1369294608": "Đã đăng ký từ trước?", "-730377053": "Bạn không thể thêm một tài khoản thực khác", "-2100785339": "Thông tin đầu vào không hợp lệ", + "-2061807537": "Đã có vấn đề xảy ra", "-617844567": "Đã tồn tại một tài khoản với thông tin của bạn.", "-292363402": "Báo cáo thống kê giao dịch", "-1656860130": "Giao dịch quyền chọn có thể gây nghiện như bất kỳ hoạt động nào khi bị đẩy đến giới hạn. Để tránh rủi ro gây nghiện, chúng tôi cung cấp một phương thức kiểm duyệt có chức năng chính là tóm tắt các giao dịch và tài khoản của bạn một cách thường xuyên.", @@ -3976,8 +3951,6 @@ "-1715390759": "Tôi muốn làm điều này sau", "-2092611555": "Rất tiếc, ứng dụng này không khả dụng ở vị trí hiện tại của bạn.", "-1488537825": "Nếu bạn có tài khoản, hãy đăng nhập để tiếp tục.", - "-555592125": "Rất tiếc, không thể giao dịch quyền chọn ở quốc gia của bạn", - "-1571816573": "Xin lỗi, giao dịch không khả dụng ở vị trí hiện tại của bạn.", "-1603581277": "phút", "-1714959941": "Hiển thị của biểu đồ này không lý tưởng cho các hợp đồng tick", "-1254554534": "Vui lòng thay đổi thời lượng biểu đồ về tick để trải nghiệm giao dịch tốt hơn.", diff --git a/packages/translations/src/translations/zh_cn.json b/packages/translations/src/translations/zh_cn.json index d2e12a6d66ff..ad50978d1f4d 100644 --- a/packages/translations/src/translations/zh_cn.json +++ b/packages/translations/src/translations/zh_cn.json @@ -459,7 +459,6 @@ "524459540": "如何创建变量?", "527329988": "这是100个最常用的密码", "529056539": "期权", - "529597350": "如果您有任何未平仓头寸,我们已将其平仓并退款给您。", "530953413": "授权应用程序", "531114081": "3. 合约类型", "531675669": "欧元", @@ -680,7 +679,6 @@ "762185380": "<0>唯一的风险是您的<0>投注金额,但可能获取高达数倍的回报。", "762871622": "{{remaining_time}}秒", "762926186": "快速策略是可以在 Deriv 机器人使用的现成策略。有3种快速策略供选择:Martingale、D'Alembert 和 Oscar's Grind。", - "763019867": "您的博彩账户将被关闭", "764366329": "交易限制", "766317539": "语言", "770171141": "前往 {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "您仅能存款。请完成<0>财务评估以解锁取款。", "845213721": "注销", "845304111": "EMA周期缓慢 {{ input_number }}", - "847888634": "请提取所有资金.", "848083350": "赔付额等于<0>每点的赔付额乘以最终价格与行权价格之间的差额。只有当赔付高于初始投注时,才会赚取利润。", "850582774": "请更新您的个人信息", "851054273": "如果您选择“高于”期权,只要退市现价严格高于障碍,您将获得赔付。", @@ -1043,7 +1040,6 @@ "1145927365": "在指定秒数后运行内部程序块", "1146064568": "前往存款页面", "1147269948": "障碍不能为零。", - "1147625645": "请在<0>2021 年 11 月 30 日之前提出账户中的所有资金。", "1150637063": "*波动率 150 指数和波动率 250 指数", "1151964318": "两边", "1152294962": "上传驾驶执照的正面。", @@ -1090,7 +1086,6 @@ "1195393249": "通知 {{ notification_type }} 含声音: {{ notification_sound }} {{ input_message }}", "1196006480": "利润阈值", "1196683606": "Deriv MT5 差价合约演示账户", - "1197326289": "您再不能在我们的任一平台交易数字期权。还有,您也不能将资金存入期权账户。", "1198368641": "相对强弱指标 (RSI)", "1199281499": "最后数字列表", "1201533528": "赢得的合约", @@ -1399,7 +1394,6 @@ "1510357015": "税务居住地为必填项.", "1510735345": "此程序块提供最近1000个跳动点的最后数字的列表。", "1512469749": "以上示例假定在其他程序块中的某处处理了Candle_open_price变量。", - "1516537408": "您不能再在 Deriv 交易或将资金存入账户。", "1516559721": "请只选择一个文件", "1516676261": "存款", "1516834467": "“获取” 想要的账户", @@ -1414,7 +1408,6 @@ "1527906715": "此程序块将提供的数字添加到选定的变量中。", "1531017969": "将每个附加项目的文本值合并,使其间没有空格,以创建单个文本字符串。项目数可以按需添加。", "1533177906": "下跌", - "1534569275": "作为我们市场变化的一部分,我们将关闭英国客户的账户。", "1534796105": "取得变量值", "1537711064": "您必须先进行快速身份验证,然后才能访问收银台。请前往账户设置提交身份证明。", "1540585098": "拒绝", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.您可以在事件发生后45天内向金融委员会提出投诉。", "1598443642": "交易哈希", "1602894348": "创建密码", - "1604171868": "请尽快提取所有存款。", "1604916224": "绝对", "1605222432": "我根本没有交易知识和经验。", "1605292429": "最大总亏损金额", @@ -1746,7 +1738,6 @@ "1876015808": "社会保障和国民保险信托基金", "1876325183": "分钟", "1877225775": "您的地址证明已通过验证", - "1877410120": "你现在必须做的事", "1877832150": "从最终端获得 #", "1878172674": "不,没有。但可在 Deriv 机器人找到帮助免费构建自己的交易机器人的快速策略。", "1879042430": "合适性测试,警告:", @@ -1784,7 +1775,6 @@ "1914725623": "上传包含照片的页面。", "1917178459": "银行验证码", "1917523456": "此程序块将消息发送到Telegram通道。您需创建自己的Telegram机器人才能使用此程序块。", - "1917804780": "期权账户关闭后,您将无法访问该账户,因此请务必提出所有资金。(如果有差价合约账户,您也可以将资金从期权账户转移到差价合约账户。)", "1918796823": "请输入止损金额。", "1918832194": "没有经验", "1919030163": "好的自拍技巧", @@ -1799,7 +1789,6 @@ "1923431535": "“止损”已被禁用,并且仅在“取消交易”到期时可用。", "1924365090": "以后再说", "1924765698": "出生地*", - "1925090823": "对不起,在{{clients_country}} 无法交易。", "1926987784": "- iOS:在账户上向左轻扫,然后点击<0>删除。", "1928930389": "英镑/挪威克罗钠", "1929309951": "就业状况", @@ -1880,7 +1869,6 @@ "2004792696": "如您是英国居民,并要自我禁止在所有英国注册的在线博彩公司交易, 请转到 <0>www.gamstop.co.uk。", "2007028410": "市场、交易类型、合约类型", "2007092908": "利用杠杆和低价差进行交易,以在成功交易时获得更高回报。", - "2008809853": "请在 2021 年 11 月 30 日之前提取资金。", "2010759971": "上传成功", "2010866561": "返回总利润/亏损", "2011609940": "请输入大于0的数字", @@ -1920,7 +1908,6 @@ "2049386104": "必须提交这些以获得账户:", "2050170533": "跳动点列表", "2051558666": "查看交易历史", - "2053617863": "请提出账户中的所有资金。", "2054889300": "创建\"%1\"", "2055317803": "复制链接到您的手机浏览器", "2057082550": "接受更新<0>条款和条件", @@ -2341,10 +2328,10 @@ "-1412690135": "*自我禁止设置中的任何限制都将覆盖这些默认限制。", "-1598751496": "表示任一既定交易日您可以买入的最大合约数量。", "-173346300": "最大每日成交量", - "-1502578110": "您的账户已经得到完全验证,且您的取款限额已经取消。", "-138380129": "允许提款总额", "-854023608": "要添加禁止限额,请验证身份", "-1500958859": "验证", + "-1502578110": "您的账户已经得到完全验证,且您的取款限额已经取消。", "-1662154767": "近期的水电费账单(例如电费、水费、煤气费、固定电话费或互联网费),银行对账单或政府签发的带有您的姓名和地址的信件。", "-190838815": "我们需要它进行验证。如果您提供的信息是虚假的或不正确的,您将无法存款和提款。", "-223216785": "地址第二行*", @@ -3071,9 +3058,6 @@ "-405439829": "很抱歉,您不能查看此合约,因为它不属于此账户。", "-1590712279": "博彩", "-16448469": "虚拟", - "-540474806": "您的期权账户将被关闭", - "-618539786": "您的账户将按时关闭", - "-945275490": "从您的期权账户中提取所有资金.", "-2093768906": "{{name}} 已释放您的资金。
想给回应吗?", "-705744796": "您的演示账户余额已达到最大限额,您将无法进行新交易。重置余额以继续用演示账户交易。", "-2063700253": "已禁用", @@ -3149,7 +3133,6 @@ "-384887227": "更新个人资料中的地址。", "-448961363": "非欧盟", "-1998049070": "如您同意我们使用 cookie,请单击“接受”。有关更多信息,请<0>参阅我们的政策。", - "-2061807537": "出现问题", "-402093392": "添加 Deriv 账户", "-1721181859": "您需要有 {{deriv_account}} 账户", "-1989074395": "请先添加 {{deriv_account}} 账户,然后再添加 {{dmt5_account}} 账户。通过{{deriv_label}} 账户转账即可完成{{dmt5_label}} 账户的存款和取款。", @@ -3170,15 +3153,6 @@ "-1019903756": "综合", "-288996254": "不可用", "-735306327": "账户管理", - "-1310654342": "作为我们产品系列变化的一部分,我们将关闭英国客户的博彩账户。", - "-626152766": "作为我们产品系列变化的一部分,我们将关闭欧洲客户的期权账户。", - "-490100162": "作为我们产品系列变化的一部分,我们将关闭马恩岛客户的账户。", - "-1208958060": "您再不能在我们的任一平台交易数字期权。您也不能将资金存入账户。<0/><1/>数字期权的所有持仓头寸均已全额支付并平仓。", - "-2050417883": "博彩账户关闭以后您将失去访问权限,所以请确保尽快提取所有存款。", - "-1950045402": "提取所有资金", - "-168971942": "这对您来说意味着什么", - "-905560792": "好,我明白", - "-1308593541": "账户关闭以后您将失去访问权限,所以请确保提取所有存款。", "-2024365882": "探索", "-1197864059": "开立免费演示账户", "-1813972756": "账户开立暂停 24 小时", @@ -3225,6 +3199,7 @@ "-1369294608": "已经注册?", "-730377053": "不能添加真实账户", "-2100785339": "输入无效", + "-2061807537": "出现问题", "-617844567": "已有账户具有您的详细信息。", "-292363402": "交易统计报表", "-1656860130": "期权交易和其他类似活动一样,过于沉迷可能会上瘾。为了避免这种风险,我们会定期向您提供交易和财务的实况简报。", @@ -3976,8 +3951,6 @@ "-1715390759": "我想稍后再做", "-2092611555": "对不起,此应用在您当前地区无法使用。", "-1488537825": "如您已有账户,请登录以继续操作。", - "-555592125": "对不起,您的所在国不可交易期权。", - "-1571816573": "对不起,在您当前地区无法交易。", "-1603581277": "分钟", "-1714959941": "此图表对跳动点合约并不适用", "-1254554534": "请更改图表持续时间以打勾获取更好的交易体验。", diff --git a/packages/translations/src/translations/zh_tw.json b/packages/translations/src/translations/zh_tw.json index 310988b30420..02d4e3f48815 100644 --- a/packages/translations/src/translations/zh_tw.json +++ b/packages/translations/src/translations/zh_tw.json @@ -459,7 +459,6 @@ "524459540": "如何建立變數?", "527329988": "這是100個最常用的密碼", "529056539": "期權", - "529597350": "如果您有任何未平倉頭寸,我們已將其平倉並退款給您。", "530953413": "授權應用程式", "531114081": "3. 合約類型", "531675669": "歐元", @@ -680,7 +679,6 @@ "762185380": "<0>唯一的風險是您的投注金額,但可能獲取<0>高達數倍的回報。", "762871622": "{{remaining_time}}秒", "762926186": "快速策略是可以在 Deriv 機器人使用的現成策略。有3種快速策略供選擇:Martingale、D'Alembert 和 Oscar's Grind。", - "763019867": "您的博彩帳戶將被關閉", "764366329": "交易限制", "766317539": "語言", "770171141": "前往 {{hostname}}", @@ -757,7 +755,6 @@ "843333337": "您僅能存款。請完成<0>財務評估以解鎖取款。", "845213721": "登出", "845304111": "EMA 週期緩慢 {{ input_number }}", - "847888634": "請提取所有資金。", "848083350": "賠付額等於<0>每點的賠付額乘以最終價格與行權價格之間的差額。只有當賠付高於初始投注時,才會賺取利潤。", "850582774": "請更新個人資訊", "851054273": "如果選擇「高於」期權,只要退市現價嚴格高於障礙,您將獲得賠付。", @@ -1043,7 +1040,6 @@ "1145927365": "指定秒數後運行內部區塊", "1146064568": "前往存款頁面", "1147269948": "障礙不能為零。", - "1147625645": "請在<0>2021 年 11 月 30 日之前提出帳戶中的所有資金。", "1150637063": "* 波動率 150 指數及波動率 250 指數", "1151964318": "兩邊", "1152294962": "上載駕駛執照正面。", @@ -1090,7 +1086,6 @@ "1195393249": "帶聲音通知 {{ notification_type }} : {{ notification_sound }} {{ input_message }}", "1196006480": "利潤門檻", "1196683606": "Deriv MT5 差價合約示範帳戶", - "1197326289": "您再不能在我們的任一平台交易數字期權。還有,您也不能將資金存入期權帳戶。", "1198368641": "相對強弱指標 (RSI)", "1199281499": "最後數字清單", "1201533528": "贏得的合約", @@ -1399,7 +1394,6 @@ "1510357015": "稅務居住地為必填欄位。", "1510735345": "此區塊提供最近1000個跳動點的最後數字的清單。", "1512469749": "以上例子假定在其他區塊中的某處處理了Candle_open_price變數。", - "1516537408": "不能再在 Deriv 交易或將資金存入帳戶。", "1516559721": "請只選擇一個文件", "1516676261": "存款", "1516834467": "「獲取」想要的帳戶", @@ -1414,7 +1408,6 @@ "1527906715": "此區塊將提供的數字增加到選定的變數中。", "1531017969": "將每個附加項目的文字值合併,使其間沒有空格,以建立單個文字字串。項目數可以按需增加。", "1533177906": "下跌", - "1534569275": "作為市場變化的一部分,將關閉英國客戶的帳戶。", "1534796105": "取得變數值", "1537711064": "必須先快速驗證身份,然後才能存取收銀台。請前往帳戶設定提交身份證明。", "1540585098": "拒絕", @@ -1474,7 +1467,6 @@ "1598009247": "<0>a.可以在事件發生後 45 天內向金融委員會提出投訴。", "1598443642": "交易雜湊", "1602894348": "建立密碼", - "1604171868": "請盡快提取所有存款。", "1604916224": "絕對", "1605222432": "我完全沒有交易知識和經驗。", "1605292429": "最大總虧損金額", @@ -1746,7 +1738,6 @@ "1876015808": "社會保障與國民保險信託", "1876325183": "分鐘", "1877225775": "地址證明已通過驗證", - "1877410120": "現在必須做的事", "1877832150": "從結束端獲得 #", "1878172674": "不,沒有。但是,您會在 Deriv 機器人找到可以幫助免費建立自己的交易機器人的快速策略。", "1879042430": "合適性測試,警告:", @@ -1784,7 +1775,6 @@ "1914725623": "上傳包含照片的頁面。", "1917178459": "銀行驗證號碼", "1917523456": "此區塊將消息傳送到 Telegram 通道。需建立自己的 Telegram 機器人才能使用此區塊。", - "1917804780": "期權帳戶關閉後,將無法存取該帳戶,因此請務必提出所有資金。 (如果有差價合約帳戶,也可以將資金從期權帳戶轉移到差價合約帳戶。)", "1918796823": "請輸入止損金額。", "1918832194": "沒有經驗", "1919030163": "好的自拍技巧", @@ -1799,7 +1789,6 @@ "1923431535": "「止損」已被禁用,並且僅在「取消交易」到期時可用。", "1924365090": "以後再說", "1924765698": "出生地*", - "1925090823": "對不起,在 {{clients_country}} 無法交易。", "1926987784": "-iOS:在帳戶上向左滑動,然後點選<0>「刪除」。", "1928930389": "英鎊/挪威克羅鈉", "1929309951": "就業狀況", @@ -1880,7 +1869,6 @@ "2004792696": "如是英國居民,並要自我禁止在所有英國註冊的線上博彩公司交易,請轉到 <0>www.gamstop.co.uk。", "2007028410": "市場、交易類型、合約類型", "2007092908": "利用槓桿和低價差進行交易,以在成功交易時取得更高回報。", - "2008809853": "請在 2021 年 11 月 30 日之前提取資金。", "2010759971": "上傳成功", "2010866561": "返回總利潤/虧損", "2011609940": "請輸入大於0的數字", @@ -1920,7 +1908,6 @@ "2049386104": "必須提交這些資料以獲取帳戶:", "2050170533": "跳動點清單", "2051558666": "檢視交易歷史", - "2053617863": "請提出帳戶中的所有資金。", "2054889300": "建立「%1」", "2055317803": "複製連結到手機瀏覽器", "2057082550": "接受更新<0>條款和條件", @@ -2341,10 +2328,10 @@ "-1412690135": "*自我禁止設定中的任何限制都將覆蓋這些預設限制。", "-1598751496": "表示任一指定交易日可以買入的最大合約數量。", "-173346300": "最大每日成交量", - "-1502578110": "帳戶已經得到完全驗證,且取款限額已經取消。", "-138380129": "允許提款總額", "-854023608": "要增加禁止限額請驗證身份", "-1500958859": "驗證", + "-1502578110": "帳戶已經得到完全驗證,且取款限額已經取消。", "-1662154767": "近期的水電費帳單(例如電費、水費、煤氣費、固定電話費或互聯網費),銀行對帳單或政府簽發的帶有姓名和地址的信件。", "-190838815": "需要它進行驗證。如果提供的資訊是虛假的或不正確的,將無法存款和提款。", "-223216785": "地址第二行*", @@ -3071,9 +3058,6 @@ "-405439829": "很抱歉,您不能檢視此合約,因為它不屬於此帳戶。", "-1590712279": "博彩", "-16448469": "虛擬", - "-540474806": "期權帳戶將被關閉", - "-618539786": "帳戶將按時關閉", - "-945275490": "從期權帳戶提取所有資金。", "-2093768906": "{{name}} 已釋放您的資金。
想給意見反應嗎?", "-705744796": "示範帳戶餘額已達到最大限額,將無法進行新交易。重設餘額以繼續用示範帳戶交易。", "-2063700253": "已禁用", @@ -3149,7 +3133,6 @@ "-384887227": "更新個人資料中的地址。", "-448961363": "非歐盟", "-1998049070": "如同意我們使用 cookie,請點選「接受」。有關更多資訊,請<0>參閱我們的政策。", - "-2061807537": "出現問題", "-402093392": "新增 Deriv 帳戶", "-1721181859": "需要有 {{deriv_account}} 帳戶", "-1989074395": "請先新增 {{deriv_account}} 帳戶,然後再新增 {{dmt5_account}} 帳戶。通過 {{deriv_label}} 帳戶進行轉帳即可完成{{dmt5_label}} 帳戶的存款和取款。", @@ -3170,15 +3153,6 @@ "-1019903756": "綜合", "-288996254": "不可用", "-735306327": "帳戶管理", - "-1310654342": "作為產品系列變化的一部分,我們將關閉英國客戶的博彩帳戶。", - "-626152766": "作為產品系列變化的一部分,我們將關閉歐洲客戶的期權帳戶。", - "-490100162": "作為產品系列變化的一部分,我們將關閉曼島客戶的帳戶。", - "-1208958060": "您再不能在我們的任一平台交易數字期權。也不能將資金存入帳戶。<0/><1/>數字期權的所有持倉頭寸均已全額支付並平倉。", - "-2050417883": "博彩帳戶關閉以後將無法存取,所以請確保盡快提取所有存款。", - "-1950045402": "提取所有資金", - "-168971942": "這對您來說意味著什麼", - "-905560792": "好,我明白", - "-1308593541": "帳戶關閉以後將無法存取,所以請確保提取所有存款。", "-2024365882": "探索", "-1197864059": "開立免費示範帳戶", "-1813972756": "帳戶開立暫停 24 小時", @@ -3225,6 +3199,7 @@ "-1369294608": "已經註冊?", "-730377053": "無法新增真實帳戶", "-2100785339": "輸入無效", + "-2061807537": "出現問題", "-617844567": "已有帳戶具有您的詳細資料。", "-292363402": "交易統計報告", "-1656860130": "二元期權交易就像任何其他活動一樣,過於沉迷可能會上癮。為了避免發生此種風險,我們定期提供交易和財務的實況簡報。", @@ -3976,8 +3951,6 @@ "-1715390759": "我想稍後再做", "-2092611555": "對不起,此應用在您目前地區無法使用。", "-1488537825": "如已有帳戶,請登入以繼續操作。", - "-555592125": "對不起,您的所在國不可交易期權。", - "-1571816573": "對不起,在您目前地區無法交易。", "-1603581277": "分鐘", "-1714959941": "此圖表對跳動點合約並不適用", "-1254554534": "請更改圖表持續時間以打鉤獲取更好的交易體驗。", From ee3ecb6ac4a6d4c6d61d8f4d8ee00eafedb696a9 Mon Sep 17 00:00:00 2001 From: Jim Daniels Wasswa <104334373+jim-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 15:42:06 +0800 Subject: [PATCH 08/13] chore: use index instead of title and path for react key (#10158) --- packages/account/src/Components/Routes/binary-routes.tsx | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/packages/account/src/Components/Routes/binary-routes.tsx b/packages/account/src/Components/Routes/binary-routes.tsx index 76ce8c016d65..39d068eb144d 100644 --- a/packages/account/src/Components/Routes/binary-routes.tsx +++ b/packages/account/src/Components/Routes/binary-routes.tsx @@ -18,8 +18,8 @@ const BinaryRoutes = (props: TBinaryRoutes) => { } > - {getRoutesConfig({ is_appstore }).map((route: TRoute) => ( - + {getRoutesConfig({ is_appstore }).map((route: TRoute, idx: number) => ( + ))} From 5120204828eba57dfadab20619dfd01baca1b65e Mon Sep 17 00:00:00 2001 From: Muhammad Hamza <120543468+hamza-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 15:48:15 +0800 Subject: [PATCH 09/13] hamza/chore: added service token for cTrader (#10164) --- packages/api/src/hooks/index.ts | 1 + .../api/src/hooks/useCreateOtherCFDAccount.ts | 1 + .../api/src/hooks/useCtraderAccountsList.ts | 5 +- .../api/src/hooks/useCtraderServiceToken.ts | 18 +++ packages/api/types.ts | 141 ++++++++++++++++++ 5 files changed, 165 insertions(+), 1 deletion(-) create mode 100644 packages/api/src/hooks/useCtraderServiceToken.ts diff --git a/packages/api/src/hooks/index.ts b/packages/api/src/hooks/index.ts index 5b8b7f1cca74..b1c220bb208c 100644 --- a/packages/api/src/hooks/index.ts +++ b/packages/api/src/hooks/index.ts @@ -25,3 +25,4 @@ export { default as useDxtradeAccountsList } from './useDxtradeAccountsList'; export { default as useDerivezAccountsList } from './useDerivezAccountsList'; export { default as useCFDAccountsList } from './useCFDAccountsList'; export { default as useCtraderAccountsList } from './useCtraderAccountsList'; +export { default as useCtraderServiceToken } from './useCtraderServiceToken'; diff --git a/packages/api/src/hooks/useCreateOtherCFDAccount.ts b/packages/api/src/hooks/useCreateOtherCFDAccount.ts index be8696d8cb8d..a44b2f0abee5 100644 --- a/packages/api/src/hooks/useCreateOtherCFDAccount.ts +++ b/packages/api/src/hooks/useCreateOtherCFDAccount.ts @@ -8,6 +8,7 @@ const useCreateOtherCFDAccount = () => { const { data, ...rest } = useRequest('trading_platform_new_account', { onSuccess: () => { invalidate('trading_platform_accounts'); + invalidate('service_token'); }, }); diff --git a/packages/api/src/hooks/useCtraderAccountsList.ts b/packages/api/src/hooks/useCtraderAccountsList.ts index 38dc79e07fb0..e54709f0bfc9 100644 --- a/packages/api/src/hooks/useCtraderAccountsList.ts +++ b/packages/api/src/hooks/useCtraderAccountsList.ts @@ -1,4 +1,5 @@ import { useMemo } from 'react'; +import useCtraderServiceToken from './useCtraderServiceToken'; import useFetch from '../useFetch'; /** A custom hook that gets the list of created cTrader accounts. */ @@ -6,6 +7,7 @@ const useCtraderAccountsList = () => { const { data: ctrader_accounts } = useFetch('trading_platform_accounts', { payload: { platform: 'ctrader' }, }); + const { data: token } = useCtraderServiceToken(); /** Adding neccesary properties to cTrader accounts */ const modified_ctrader_accounts = useMemo( @@ -13,8 +15,9 @@ const useCtraderAccountsList = () => { ctrader_accounts?.trading_platform_accounts?.map(account => ({ ...account, loginid: account.account_id, + token, })), - [ctrader_accounts?.trading_platform_accounts] + [ctrader_accounts?.trading_platform_accounts, token] ); return { diff --git a/packages/api/src/hooks/useCtraderServiceToken.ts b/packages/api/src/hooks/useCtraderServiceToken.ts new file mode 100644 index 000000000000..2b33f86e92a3 --- /dev/null +++ b/packages/api/src/hooks/useCtraderServiceToken.ts @@ -0,0 +1,18 @@ +import useFetch from '../useFetch'; +import useActiveAccount from './useActiveAccount'; + +/** A custom hook that get Service Token for CTrader Platform. */ +const useCtraderServiceToken = () => { + const { data: account } = useActiveAccount(); + const { data: ctrader_token, ...rest } = useFetch('service_token', { + payload: { service: 'ctrader', server: account?.is_virtual ? 'demo' : 'real' }, + }); + + return { + /** return the ctrader account token */ + data: ctrader_token?.service_token?.ctrader?.token, + ...rest, + }; +}; + +export default useCtraderServiceToken; diff --git a/packages/api/types.ts b/packages/api/types.ts index 4a64a2360206..d176b1e45c52 100644 --- a/packages/api/types.ts +++ b/packages/api/types.ts @@ -229,6 +229,147 @@ import type { import type { useMutation, useQuery } from '@tanstack/react-query'; type TPrivateSocketEndpoints = { + service_token: { + request: { + /** + * Must be `1` + */ + service_token: 1; + /** + * [Optional] The 2-letter country code. + */ + country?: string; + /** + * [Optional] The URL of the web page where the Web SDK will be used. + */ + referrer?: string; + /** + * Server (dxtrade and derivez). + */ + server?: 'demo' | 'real'; + /** + * The service(s) to retrieve token(s) for. + */ + service: + | ('onfido' | 'sendbird' | 'banxa' | 'wyre' | 'dxtrade' | 'pandats' | 'ctrader') + | ('onfido' | 'sendbird' | 'banxa' | 'wyre' | 'pandats')[]; + /** + * [Optional] Used to pass data through the websocket, which may be retrieved via the `echo_req` output field. Maximum size is 3500 bytes. + */ + passthrough?: { + [k: string]: unknown; + }; + /** + * [Optional] Used to map request to response. + */ + req_id?: number; + }; + response: { + /** + * Service specific tokens and data. + */ + service_token?: { + /** + * Banxa order data. + */ + banxa?: { + /** + * Created order id reference token. + */ + token?: string; + /** + * Banxa order checkout url. + */ + url?: string; + /** + * Banxa order checkout iframe url. + */ + url_iframe?: string; + }; + /** + * CTrader data. + */ + ctrader?: { + /** + * CTrader One Time token + */ + token?: string; + }; + /** + * Deriv X data. + */ + dxtrade?: { + /** + * Deriv X login token. + */ + token?: string; + }; + /** + * Onfido data. + */ + onfido?: { + /** + * Onfido token. + */ + token?: string; + }; + /** + * Deriv EZ data. + */ + pandats?: { + /** + * Deriv EZ SSO token + */ + token?: string; + }; + /** + * Sendbird data. + */ + sendbird?: { + /** + * Sendbird application ID. + */ + app_id?: string; + /** + * The epoch time in which the token will be expired. Note: the token could be expired sooner than this, due to different reasons. + */ + expiry_time?: number; + /** + * Sendbird token. + */ + token?: string; + }; + /** + * Wyre reservation data. + */ + wyre?: { + /** + * Wyre reservation id token + */ + token?: string; + /** + * Wyre reservation URL + */ + url?: string; + }; + }; + }; + /** + * Echo of the request made. + */ + echo_req: { + [k: string]: unknown; + }; + /** + * Action name of the request made. + */ + msg_type: 'service_token'; + /** + * Optional field sent in request to map to response, present only when request contains `req_id`. + */ + req_id?: number; + [k: string]: unknown; + }; trading_platform_investor_password_reset: { request: { /** From 04bc08feec9dcaa68bd43c66017647abef04dc30 Mon Sep 17 00:00:00 2001 From: Farzin Mirzaie <72082844+farzin-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 16:26:44 +0800 Subject: [PATCH 10/13] farzin/chore: clean-up (#10166) * feat(wallet): clean-up * feat(wallet): clean-up * feat(wallet): clean-up --------- Co-authored-by: Farzin --- packages/api/src/hooks/useAvailableWallets.ts | 12 +- packages/api/src/hooks/useBalance.ts | 7 +- .../api/src/hooks/useWalletAccountsList.ts | 2 +- packages/wallets/package-lock.json | 1449 ----------------- packages/wallets/src/AppContent.scss | 5 + packages/wallets/src/AppContent.tsx | 6 +- .../DesktopWalletsList.scss} | 2 +- .../DesktopWalletsList/DesktopWalletsList.tsx | 20 +- .../wallets/src/components/Loader/Loader.scss | 64 + .../wallets/src/components/Loader/Loader.tsx | 16 + .../wallets/src/components/Loader/index.ts | 1 + .../src/components/WalletCard/WalletCard.tsx | 2 +- .../WalletsAccordion/WalletsAccordion.tsx | 25 +- .../WalletsAccordionContainer.tsx | 38 - .../WalletsAccordionContainer/index.ts | 1 - .../WalletsCarouselContent.tsx | 4 +- packages/wallets/src/components/index.ts | 18 +- .../src/public/ic-appstore-deriv-logo.svg | 1 - .../public/ic-appstore-deriv-trading-logo.svg | 1 - .../wallets/src/public/ic-brand-derivgo.svg | 1 - 20 files changed, 145 insertions(+), 1530 deletions(-) delete mode 100644 packages/wallets/package-lock.json rename packages/wallets/src/components/{WalletsAccordionContainer/WalletsAccordionContainer.scss => DesktopWalletsList/DesktopWalletsList.scss} (76%) create mode 100644 packages/wallets/src/components/Loader/Loader.scss create mode 100644 packages/wallets/src/components/Loader/Loader.tsx create mode 100644 packages/wallets/src/components/Loader/index.ts delete mode 100644 packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.tsx delete mode 100644 packages/wallets/src/components/WalletsAccordionContainer/index.ts delete mode 100644 packages/wallets/src/public/ic-appstore-deriv-logo.svg delete mode 100644 packages/wallets/src/public/ic-appstore-deriv-trading-logo.svg delete mode 100644 packages/wallets/src/public/ic-brand-derivgo.svg diff --git a/packages/api/src/hooks/useAvailableWallets.ts b/packages/api/src/hooks/useAvailableWallets.ts index c23e910d06e3..36611f96969c 100644 --- a/packages/api/src/hooks/useAvailableWallets.ts +++ b/packages/api/src/hooks/useAvailableWallets.ts @@ -1,7 +1,7 @@ -import React from 'react'; -import useWalletAccountsList from './useWalletAccountsList'; -import useCurrencyConfig from './useCurrencyConfig'; +import { useMemo } from 'react'; import useAllAvailableAccounts from './useAllAvailableAccounts'; +import useCurrencyConfig from './useCurrencyConfig'; +import useWalletAccountsList from './useWalletAccountsList'; const useAvailableWallets = () => { const { data: account_type_data } = useAllAvailableAccounts(); @@ -9,7 +9,7 @@ const useAvailableWallets = () => { const { getConfig } = useCurrencyConfig(); /** Get the available wallets for the wallet account type */ - const modified_available_wallets = React.useMemo(() => { + const modified_available_wallets = useMemo(() => { if (!account_type_data) return; const { crypto, doughflow } = account_type_data?.wallet || {}; const crypto_currencies = crypto?.currencies; @@ -35,11 +35,11 @@ const useAvailableWallets = () => { is_added: false, })); - return [...available_wallets, ...modified_wallets]; + return [...available_wallets, ...(modified_wallets || [])]; }, [account_type_data, added_wallets]); /** Sort the available wallets by fiat, crypto, then virtual */ - const sorted_available_wallets = React.useMemo(() => { + const sorted_available_wallets = useMemo(() => { if (!modified_available_wallets) return; const getConfigIsCrypto = (currency: string) => getConfig(currency)?.is_crypto; diff --git a/packages/api/src/hooks/useBalance.ts b/packages/api/src/hooks/useBalance.ts index 1205760cb0f5..b75e371bf476 100644 --- a/packages/api/src/hooks/useBalance.ts +++ b/packages/api/src/hooks/useBalance.ts @@ -1,11 +1,16 @@ import { useMemo } from 'react'; import useFetch from '../useFetch'; +import useAuthorize from './useAuthorize'; /** A custom hook that gets the balance for all the user accounts. */ const useBalance = () => { + const { isSuccess } = useAuthorize(); const { data: balance_data, ...rest } = useFetch('balance', { payload: { account: 'all' }, - options: { refetchInterval: 30000 }, // Refetch every 30 seconds to simulate subscription. + options: { + enabled: isSuccess, + refetchInterval: 30000, // Refetch every 30 seconds to simulate subscription. + }, }); // Add additional information to the balance data. diff --git a/packages/api/src/hooks/useWalletAccountsList.ts b/packages/api/src/hooks/useWalletAccountsList.ts index 57db348add14..6a881862944c 100644 --- a/packages/api/src/hooks/useWalletAccountsList.ts +++ b/packages/api/src/hooks/useWalletAccountsList.ts @@ -30,7 +30,7 @@ const useWalletAccountsList = () => { // Sort wallet accounts alphabetically by fiat, crypto, then virtual. const sorted_accounts = useMemo(() => { - if (!modified_accounts) return []; + if (!modified_accounts) return; return [...modified_accounts].sort((a, b) => { if (a.is_virtual !== b.is_virtual) { diff --git a/packages/wallets/package-lock.json b/packages/wallets/package-lock.json deleted file mode 100644 index 58f28fa9681d..000000000000 --- a/packages/wallets/package-lock.json +++ /dev/null @@ -1,1449 +0,0 @@ -{ - "name": "@deriv/wallets", - "version": "1.0.0", - "lockfileVersion": 3, - "requires": true, - "packages": { - "": { - "name": "@deriv/wallets", - "version": "1.0.0", - "dependencies": { - "@deriv/api": "^1.0.0", - "embla-carousel-react": "^8.0.0-rc12", - "react": "^17.0.2", - "usehooks-ts": "^2.7.0" - }, - "devDependencies": { - "@tanstack/eslint-plugin-query": "^4.34.1", - "eslint-plugin-css-import-order": "^1.1.0", - "eslint-plugin-simple-import-sort": "^10.0.0", - "typescript": "^4.6.3" - } - }, - "../api": { - "name": "@deriv/api", - "version": "1.0.0", - "dependencies": { - "@deriv/shared": "^1.0.0", - "@deriv/utils": "^1.0.0", - "@tanstack/react-query": "^4.28.0", - "@tanstack/react-query-devtools": "^4.28.0", - "react": "^17.0.2" - }, - "devDependencies": { - "@deriv/api-types": "^1.0.118", - "@testing-library/react": "^12.0.0", - "@testing-library/react-hooks": "^7.0.2", - "@testing-library/user-event": "^13.5.0", - "typescript": "^4.6.3" - } - }, - "../api/node_modules/@deriv/shared": { - "resolved": "../shared", - "link": true - }, - "../api/node_modules/@deriv/utils": { - "resolved": "../utils", - "link": true - }, - "../shared": { - "name": "@deriv/shared", - "version": "1.0.0", - "license": "Apache-2.0", - "dependencies": { - "@deriv/api-types": "^1.0.118", - "@deriv/translations": "^1.0.0", - "@types/js-cookie": "^3.0.1", - "@types/react-loadable": "^5.5.6", - "canvas-toBlob": "^1.0.0", - "extend": "^3.0.2", - "i18next": "^22.4.6", - "js-cookie": "^2.2.1", - "mobx": "^6.6.1", - "moment": "^2.29.2", - "object.fromentries": "^2.0.0", - "react": "^17.0.2", - "react-loadable": "^5.5.0" - }, - "devDependencies": { - "@babel/eslint-parser": "^7.17.0", - "@babel/preset-react": "^7.16.7", - "@types/jsdom": "^20.0.0", - "@types/react": "^18.0.7", - "@types/react-dom": "^18.0.0", - "jsdom": "^21.1.1", - "moment": "^2.29.2", - "typescript": "^4.6.3" - }, - "engines": { - "node": "18.x" - } - }, - "../shared/node_modules/@deriv/translations": { - "resolved": "../translations", - "link": true - }, - "../translations": { - "name": "@deriv/translations", - "version": "1.0.0", - "license": "Apache-2.0", - "dependencies": { - "commander": "^3.0.2", - "crc-32": "^1.2.0", - "glob": "^7.1.5", - "i18next": "^22.4.6", - "prop-types": "^15.7.2", - "react": "^17.0.2", - "react-i18next": "^11.11.0" - }, - "devDependencies": { - "@babel/eslint-parser": "^7.17.0", - "@babel/preset-react": "^7.16.7", - "@xmldom/xmldom": "^0.8.4", - "cross-env": "^5.2.0" - }, - "engines": { - "node": "18.x" - } - }, - "../utils": { - "name": "@deriv/utils", - "version": "1.0.0", - "devDependencies": { - "@deriv/api-types": "^1.0.118", - "typescript": "^4.6.3" - } - }, - "node_modules/@aashutoshrathi/word-wrap": { - "version": "1.2.6", - "resolved": "https://registry.npmjs.org/@aashutoshrathi/word-wrap/-/word-wrap-1.2.6.tgz", - "integrity": "sha512-1Yjs2SvM8TflER/OD3cOjhWWOZb58A2t7wpE2S9XfBYTiIl+XFhQG2bjy4Pu1I+EAlCNUzRDYDdFwFYUKvXcIA==", - "dev": true, - "peer": true, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/@deriv/api": { - "resolved": "../api", - "link": true - }, - "node_modules/@eslint-community/eslint-utils": { - "version": "4.4.0", - "resolved": "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz", - "integrity": "sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==", - "dev": true, - "peer": true, - "dependencies": { - "eslint-visitor-keys": "^3.3.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "peerDependencies": { - "eslint": "^6.0.0 || ^7.0.0 || >=8.0.0" - } - }, - "node_modules/@eslint-community/regexpp": { - "version": "4.8.0", - "resolved": "https://registry.npmjs.org/@eslint-community/regexpp/-/regexpp-4.8.0.tgz", - "integrity": "sha512-JylOEEzDiOryeUnFbQz+oViCXS0KsvR1mvHkoMiu5+UiBvy+RYX7tzlIIIEstF/gVa2tj9AQXk3dgnxv6KxhFg==", - "dev": true, - "peer": true, - "engines": { - "node": "^12.0.0 || ^14.0.0 || >=16.0.0" - } - }, - "node_modules/@eslint/eslintrc": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-2.1.2.tgz", - "integrity": "sha512-+wvgpDsrB1YqAMdEUCcnTlpfVBH7Vqn6A/NT3D8WVXFIaKMlErPIZT3oCIAVCOtarRpMtelZLqJeU3t7WY6X6g==", - "dev": true, - "peer": true, - "dependencies": { - "ajv": "^6.12.4", - "debug": "^4.3.2", - "espree": "^9.6.0", - "globals": "^13.19.0", - "ignore": "^5.2.0", - "import-fresh": "^3.2.1", - "js-yaml": "^4.1.0", - "minimatch": "^3.1.2", - "strip-json-comments": "^3.1.1" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/@eslint/js": { - "version": "8.48.0", - "resolved": "https://registry.npmjs.org/@eslint/js/-/js-8.48.0.tgz", - "integrity": "sha512-ZSjtmelB7IJfWD2Fvb7+Z+ChTIKWq6kjda95fLcQKNS5aheVHn4IkfgRQE3sIIzTcSLwLcLZUD9UBt+V7+h+Pw==", - "dev": true, - "peer": true, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - } - }, - "node_modules/@humanwhocodes/config-array": { - "version": "0.11.11", - "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.11.11.tgz", - "integrity": "sha512-N2brEuAadi0CcdeMXUkhbZB84eskAc8MEX1By6qEchoVywSgXPIjou4rYsl0V3Hj0ZnuGycGCjdNgockbzeWNA==", - "dev": true, - "peer": true, - "dependencies": { - "@humanwhocodes/object-schema": "^1.2.1", - "debug": "^4.1.1", - "minimatch": "^3.0.5" - }, - "engines": { - "node": ">=10.10.0" - } - }, - "node_modules/@humanwhocodes/module-importer": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz", - "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==", - "dev": true, - "peer": true, - "engines": { - "node": ">=12.22" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/nzakas" - } - }, - "node_modules/@humanwhocodes/object-schema": { - "version": "1.2.1", - "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz", - "integrity": "sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==", - "dev": true, - "peer": true - }, - "node_modules/@nodelib/fs.scandir": { - "version": "2.1.5", - "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", - "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", - "dev": true, - "peer": true, - "dependencies": { - "@nodelib/fs.stat": "2.0.5", - "run-parallel": "^1.1.9" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/@nodelib/fs.stat": { - "version": "2.0.5", - "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", - "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", - "dev": true, - "peer": true, - "engines": { - "node": ">= 8" - } - }, - "node_modules/@nodelib/fs.walk": { - "version": "1.2.8", - "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", - "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", - "dev": true, - "peer": true, - "dependencies": { - "@nodelib/fs.scandir": "2.1.5", - "fastq": "^1.6.0" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/@tanstack/eslint-plugin-query": { - "version": "4.34.1", - "resolved": "https://registry.npmjs.org/@tanstack/eslint-plugin-query/-/eslint-plugin-query-4.34.1.tgz", - "integrity": "sha512-RflOwyXamuHhuMX5RL6wtKiVw9Hi5Hhiv9gW2/ICVc4omflB+GflrxwvQ+EWRKrSRv3C0YcR0UzRxuiZ4mLq7Q==", - "dev": true, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/tannerlinsley" - }, - "peerDependencies": { - "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" - } - }, - "node_modules/acorn": { - "version": "8.10.0", - "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.10.0.tgz", - "integrity": "sha512-F0SAmZ8iUtS//m8DmCTA0jlh6TDKkHQyK6xc6V4KDTyZKA9dnvX9/3sRTVQrWm79glUAZbnmmNcdYwUIHWVybw==", - "dev": true, - "peer": true, - "bin": { - "acorn": "bin/acorn" - }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/acorn-jsx": { - "version": "5.3.2", - "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", - "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", - "dev": true, - "peer": true, - "peerDependencies": { - "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" - } - }, - "node_modules/ajv": { - "version": "6.12.6", - "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", - "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", - "dev": true, - "peer": true, - "dependencies": { - "fast-deep-equal": "^3.1.1", - "fast-json-stable-stringify": "^2.0.0", - "json-schema-traverse": "^0.4.1", - "uri-js": "^4.2.2" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/epoberezkin" - } - }, - "node_modules/ansi-regex": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", - "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/ansi-styles": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", - "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", - "dev": true, - "peer": true, - "dependencies": { - "color-convert": "^2.0.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/argparse": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz", - "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", - "dev": true, - "peer": true - }, - "node_modules/balanced-match": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", - "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", - "dev": true, - "peer": true - }, - "node_modules/brace-expansion": { - "version": "1.1.11", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", - "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", - "dev": true, - "peer": true, - "dependencies": { - "balanced-match": "^1.0.0", - "concat-map": "0.0.1" - } - }, - "node_modules/callsites": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", - "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">=6" - } - }, - "node_modules/chalk": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", - "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", - "dev": true, - "peer": true, - "dependencies": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/chalk?sponsor=1" - } - }, - "node_modules/color-convert": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", - "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", - "dev": true, - "peer": true, - "dependencies": { - "color-name": "~1.1.4" - }, - "engines": { - "node": ">=7.0.0" - } - }, - "node_modules/color-name": { - "version": "1.1.4", - "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", - "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", - "dev": true, - "peer": true - }, - "node_modules/concat-map": { - "version": "0.0.1", - "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", - "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", - "dev": true, - "peer": true - }, - "node_modules/cross-spawn": { - "version": "7.0.3", - "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", - "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", - "dev": true, - "peer": true, - "dependencies": { - "path-key": "^3.1.0", - "shebang-command": "^2.0.0", - "which": "^2.0.1" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/debug": { - "version": "4.3.4", - "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz", - "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", - "dev": true, - "peer": true, - "dependencies": { - "ms": "2.1.2" - }, - "engines": { - "node": ">=6.0" - }, - "peerDependenciesMeta": { - "supports-color": { - "optional": true - } - } - }, - "node_modules/deep-is": { - "version": "0.1.4", - "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz", - "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", - "dev": true, - "peer": true - }, - "node_modules/doctrine": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz", - "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", - "dev": true, - "peer": true, - "dependencies": { - "esutils": "^2.0.2" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/embla-carousel": { - "version": "8.0.0-rc12", - "resolved": "https://registry.npmjs.org/embla-carousel/-/embla-carousel-8.0.0-rc12.tgz", - "integrity": "sha512-/Xkf5zp9gs9Y45lSAT1Witn+r+o+EtoIIZg4V2lYTCaaqdDTxyO0Ddn+z00ya38JGNZrGH9U8wLGK5Hi76CRxw==" - }, - "node_modules/embla-carousel-react": { - "version": "8.0.0-rc12", - "resolved": "https://registry.npmjs.org/embla-carousel-react/-/embla-carousel-react-8.0.0-rc12.tgz", - "integrity": "sha512-Tyd9TNH9i8bb/0S9/WZsmEvfZm8jlFU9sgaWNNgLzbPsUtz/L6UTYuRGOBDOt2oh6VPhaL1G8vRuOAuH81G5Cg==", - "dependencies": { - "embla-carousel": "8.0.0-rc12", - "embla-carousel-reactive-utils": "8.0.0-rc12" - }, - "peerDependencies": { - "react": "^16.8.0 || ^17.0.1 || ^18.0.0" - } - }, - "node_modules/embla-carousel-reactive-utils": { - "version": "8.0.0-rc12", - "resolved": "https://registry.npmjs.org/embla-carousel-reactive-utils/-/embla-carousel-reactive-utils-8.0.0-rc12.tgz", - "integrity": "sha512-sHYqMYW2qk9UXNMLoBmo4PRe+8qOW8CJDDqfkMB0WlSfrzgi9fCc36nArQz6k9olHsVfEc3haw00KiqRBvVwEg==", - "peerDependencies": { - "embla-carousel": "8.0.0-rc12" - } - }, - "node_modules/escape-string-regexp": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", - "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", - "dev": true, - "peer": true, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint": { - "version": "8.48.0", - "resolved": "https://registry.npmjs.org/eslint/-/eslint-8.48.0.tgz", - "integrity": "sha512-sb6DLeIuRXxeM1YljSe1KEx9/YYeZFQWcV8Rq9HfigmdDEugjLEVEa1ozDjL6YDjBpQHPJxJzze+alxi4T3OLg==", - "dev": true, - "peer": true, - "dependencies": { - "@eslint-community/eslint-utils": "^4.2.0", - "@eslint-community/regexpp": "^4.6.1", - "@eslint/eslintrc": "^2.1.2", - "@eslint/js": "8.48.0", - "@humanwhocodes/config-array": "^0.11.10", - "@humanwhocodes/module-importer": "^1.0.1", - "@nodelib/fs.walk": "^1.2.8", - "ajv": "^6.12.4", - "chalk": "^4.0.0", - "cross-spawn": "^7.0.2", - "debug": "^4.3.2", - "doctrine": "^3.0.0", - "escape-string-regexp": "^4.0.0", - "eslint-scope": "^7.2.2", - "eslint-visitor-keys": "^3.4.3", - "espree": "^9.6.1", - "esquery": "^1.4.2", - "esutils": "^2.0.2", - "fast-deep-equal": "^3.1.3", - "file-entry-cache": "^6.0.1", - "find-up": "^5.0.0", - "glob-parent": "^6.0.2", - "globals": "^13.19.0", - "graphemer": "^1.4.0", - "ignore": "^5.2.0", - "imurmurhash": "^0.1.4", - "is-glob": "^4.0.0", - "is-path-inside": "^3.0.3", - "js-yaml": "^4.1.0", - "json-stable-stringify-without-jsonify": "^1.0.1", - "levn": "^0.4.1", - "lodash.merge": "^4.6.2", - "minimatch": "^3.1.2", - "natural-compare": "^1.4.0", - "optionator": "^0.9.3", - "strip-ansi": "^6.0.1", - "text-table": "^0.2.0" - }, - "bin": { - "eslint": "bin/eslint.js" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/eslint-plugin-css-import-order": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/eslint-plugin-css-import-order/-/eslint-plugin-css-import-order-1.1.0.tgz", - "integrity": "sha512-43ODxP1sXpmgI4c+NCtXqmhkLsYGe8El1ewOlvsXKchLjWLxJw5zfp4eEg31Eni+is3jGkBL2TrNyUOOnbOMDg==", - "dev": true, - "peerDependencies": { - "eslint": ">= 6.0.0 < 9.0.0" - } - }, - "node_modules/eslint-plugin-simple-import-sort": { - "version": "10.0.0", - "resolved": "https://registry.npmjs.org/eslint-plugin-simple-import-sort/-/eslint-plugin-simple-import-sort-10.0.0.tgz", - "integrity": "sha512-AeTvO9UCMSNzIHRkg8S6c3RPy5YEwKWSQPx3DYghLedo2ZQxowPFLGDN1AZ2evfg6r6mjBSZSLxLFsWSu3acsw==", - "dev": true, - "peerDependencies": { - "eslint": ">=5.0.0" - } - }, - "node_modules/eslint-scope": { - "version": "7.2.2", - "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-7.2.2.tgz", - "integrity": "sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==", - "dev": true, - "peer": true, - "dependencies": { - "esrecurse": "^4.3.0", - "estraverse": "^5.2.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/eslint-visitor-keys": { - "version": "3.4.3", - "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", - "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", - "dev": true, - "peer": true, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/espree": { - "version": "9.6.1", - "resolved": "https://registry.npmjs.org/espree/-/espree-9.6.1.tgz", - "integrity": "sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==", - "dev": true, - "peer": true, - "dependencies": { - "acorn": "^8.9.0", - "acorn-jsx": "^5.3.2", - "eslint-visitor-keys": "^3.4.1" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/esquery": { - "version": "1.5.0", - "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.5.0.tgz", - "integrity": "sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==", - "dev": true, - "peer": true, - "dependencies": { - "estraverse": "^5.1.0" - }, - "engines": { - "node": ">=0.10" - } - }, - "node_modules/esrecurse": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", - "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", - "dev": true, - "peer": true, - "dependencies": { - "estraverse": "^5.2.0" - }, - "engines": { - "node": ">=4.0" - } - }, - "node_modules/estraverse": { - "version": "5.3.0", - "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", - "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", - "dev": true, - "peer": true, - "engines": { - "node": ">=4.0" - } - }, - "node_modules/esutils": { - "version": "2.0.3", - "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", - "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", - "dev": true, - "peer": true, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/fast-deep-equal": { - "version": "3.1.3", - "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", - "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", - "dev": true, - "peer": true - }, - "node_modules/fast-json-stable-stringify": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", - "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", - "dev": true, - "peer": true - }, - "node_modules/fast-levenshtein": { - "version": "2.0.6", - "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", - "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", - "dev": true, - "peer": true - }, - "node_modules/fastq": { - "version": "1.15.0", - "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.15.0.tgz", - "integrity": "sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw==", - "dev": true, - "peer": true, - "dependencies": { - "reusify": "^1.0.4" - } - }, - "node_modules/file-entry-cache": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz", - "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", - "dev": true, - "peer": true, - "dependencies": { - "flat-cache": "^3.0.4" - }, - "engines": { - "node": "^10.12.0 || >=12.0.0" - } - }, - "node_modules/find-up": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz", - "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==", - "dev": true, - "peer": true, - "dependencies": { - "locate-path": "^6.0.0", - "path-exists": "^4.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/flat-cache": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.1.0.tgz", - "integrity": "sha512-OHx4Qwrrt0E4jEIcI5/Xb+f+QmJYNj2rrK8wiIdQOIrB9WrrJL8cjZvXdXuBTkkEwEqLycb5BeZDV1o2i9bTew==", - "dev": true, - "peer": true, - "dependencies": { - "flatted": "^3.2.7", - "keyv": "^4.5.3", - "rimraf": "^3.0.2" - }, - "engines": { - "node": ">=12.0.0" - } - }, - "node_modules/flatted": { - "version": "3.2.7", - "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.7.tgz", - "integrity": "sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==", - "dev": true, - "peer": true - }, - "node_modules/fs.realpath": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", - "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", - "dev": true, - "peer": true - }, - "node_modules/glob": { - "version": "7.2.3", - "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", - "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", - "dev": true, - "peer": true, - "dependencies": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^3.1.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" - }, - "engines": { - "node": "*" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/glob-parent": { - "version": "6.0.2", - "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", - "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", - "dev": true, - "peer": true, - "dependencies": { - "is-glob": "^4.0.3" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/globals": { - "version": "13.21.0", - "resolved": "https://registry.npmjs.org/globals/-/globals-13.21.0.tgz", - "integrity": "sha512-ybyme3s4yy/t/3s35bewwXKOf7cvzfreG2lH0lZl0JB7I4GxRP2ghxOK/Nb9EkRXdbBXZLfq/p/0W2JUONB/Gg==", - "dev": true, - "peer": true, - "dependencies": { - "type-fest": "^0.20.2" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/graphemer": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/graphemer/-/graphemer-1.4.0.tgz", - "integrity": "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==", - "dev": true, - "peer": true - }, - "node_modules/has-flag": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", - "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/ignore": { - "version": "5.2.4", - "resolved": "https://registry.npmjs.org/ignore/-/ignore-5.2.4.tgz", - "integrity": "sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">= 4" - } - }, - "node_modules/import-fresh": { - "version": "3.3.0", - "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", - "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", - "dev": true, - "peer": true, - "dependencies": { - "parent-module": "^1.0.0", - "resolve-from": "^4.0.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/imurmurhash": { - "version": "0.1.4", - "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", - "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", - "dev": true, - "peer": true, - "engines": { - "node": ">=0.8.19" - } - }, - "node_modules/inflight": { - "version": "1.0.6", - "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", - "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", - "dev": true, - "peer": true, - "dependencies": { - "once": "^1.3.0", - "wrappy": "1" - } - }, - "node_modules/inherits": { - "version": "2.0.4", - "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", - "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", - "dev": true, - "peer": true - }, - "node_modules/is-extglob": { - "version": "2.1.1", - "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", - "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-glob": { - "version": "4.0.3", - "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", - "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", - "dev": true, - "peer": true, - "dependencies": { - "is-extglob": "^2.1.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-path-inside": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/is-path-inside/-/is-path-inside-3.0.3.tgz", - "integrity": "sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/isexe": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", - "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", - "dev": true, - "peer": true - }, - "node_modules/js-tokens": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", - "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==" - }, - "node_modules/js-yaml": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz", - "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", - "dev": true, - "peer": true, - "dependencies": { - "argparse": "^2.0.1" - }, - "bin": { - "js-yaml": "bin/js-yaml.js" - } - }, - "node_modules/json-buffer": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz", - "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==", - "dev": true, - "peer": true - }, - "node_modules/json-schema-traverse": { - "version": "0.4.1", - "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", - "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", - "dev": true, - "peer": true - }, - "node_modules/json-stable-stringify-without-jsonify": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", - "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", - "dev": true, - "peer": true - }, - "node_modules/keyv": { - "version": "4.5.3", - "resolved": "https://registry.npmjs.org/keyv/-/keyv-4.5.3.tgz", - "integrity": "sha512-QCiSav9WaX1PgETJ+SpNnx2PRRapJ/oRSXM4VO5OGYGSjrxbKPVFVhB3l2OCbLCk329N8qyAtsJjSjvVBWzEug==", - "dev": true, - "peer": true, - "dependencies": { - "json-buffer": "3.0.1" - } - }, - "node_modules/levn": { - "version": "0.4.1", - "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", - "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", - "dev": true, - "peer": true, - "dependencies": { - "prelude-ls": "^1.2.1", - "type-check": "~0.4.0" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/locate-path": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz", - "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==", - "dev": true, - "peer": true, - "dependencies": { - "p-locate": "^5.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/lodash.merge": { - "version": "4.6.2", - "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", - "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", - "dev": true, - "peer": true - }, - "node_modules/loose-envify": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/loose-envify/-/loose-envify-1.4.0.tgz", - "integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==", - "dependencies": { - "js-tokens": "^3.0.0 || ^4.0.0" - }, - "bin": { - "loose-envify": "cli.js" - } - }, - "node_modules/minimatch": { - "version": "3.1.2", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", - "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", - "dev": true, - "peer": true, - "dependencies": { - "brace-expansion": "^1.1.7" - }, - "engines": { - "node": "*" - } - }, - "node_modules/ms": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", - "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==", - "dev": true, - "peer": true - }, - "node_modules/natural-compare": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", - "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", - "dev": true, - "peer": true - }, - "node_modules/object-assign": { - "version": "4.1.1", - "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", - "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/once": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", - "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", - "dev": true, - "peer": true, - "dependencies": { - "wrappy": "1" - } - }, - "node_modules/optionator": { - "version": "0.9.3", - "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.3.tgz", - "integrity": "sha512-JjCoypp+jKn1ttEFExxhetCKeJt9zhAgAve5FXHixTvFDW/5aEktX9bufBKLRRMdU7bNtpLfcGu94B3cdEJgjg==", - "dev": true, - "peer": true, - "dependencies": { - "@aashutoshrathi/word-wrap": "^1.2.3", - "deep-is": "^0.1.3", - "fast-levenshtein": "^2.0.6", - "levn": "^0.4.1", - "prelude-ls": "^1.2.1", - "type-check": "^0.4.0" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/p-limit": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", - "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", - "dev": true, - "peer": true, - "dependencies": { - "yocto-queue": "^0.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/p-locate": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz", - "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==", - "dev": true, - "peer": true, - "dependencies": { - "p-limit": "^3.0.2" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/parent-module": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", - "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", - "dev": true, - "peer": true, - "dependencies": { - "callsites": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/path-exists": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", - "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/path-is-absolute": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", - "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", - "dev": true, - "peer": true, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/path-key": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/prelude-ls": { - "version": "1.2.1", - "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", - "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", - "dev": true, - "peer": true, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/punycode": { - "version": "2.3.0", - "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.0.tgz", - "integrity": "sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==", - "dev": true, - "peer": true, - "engines": { - "node": ">=6" - } - }, - "node_modules/queue-microtask": { - "version": "1.2.3", - "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", - "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "peer": true - }, - "node_modules/react": { - "version": "17.0.2", - "resolved": "https://registry.npmjs.org/react/-/react-17.0.2.tgz", - "integrity": "sha512-gnhPt75i/dq/z3/6q/0asP78D0u592D5L1pd7M8P+dck6Fu/jJeL6iVVK23fptSUZj8Vjf++7wXA8UNclGQcbA==", - "dependencies": { - "loose-envify": "^1.1.0", - "object-assign": "^4.1.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/resolve-from": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", - "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", - "dev": true, - "peer": true, - "engines": { - "node": ">=4" - } - }, - "node_modules/reusify": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz", - "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==", - "dev": true, - "peer": true, - "engines": { - "iojs": ">=1.0.0", - "node": ">=0.10.0" - } - }, - "node_modules/rimraf": { - "version": "3.0.2", - "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", - "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", - "dev": true, - "peer": true, - "dependencies": { - "glob": "^7.1.3" - }, - "bin": { - "rimraf": "bin.js" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/run-parallel": { - "version": "1.2.0", - "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz", - "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "peer": true, - "dependencies": { - "queue-microtask": "^1.2.2" - } - }, - "node_modules/shebang-command": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", - "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", - "dev": true, - "peer": true, - "dependencies": { - "shebang-regex": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/shebang-regex": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", - "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-ansi": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", - "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", - "dev": true, - "peer": true, - "dependencies": { - "ansi-regex": "^5.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-json-comments": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", - "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", - "dev": true, - "peer": true, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/supports-color": { - "version": "7.2.0", - "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", - "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", - "dev": true, - "peer": true, - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/text-table": { - "version": "0.2.0", - "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", - "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==", - "dev": true, - "peer": true - }, - "node_modules/type-check": { - "version": "0.4.0", - "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", - "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", - "dev": true, - "peer": true, - "dependencies": { - "prelude-ls": "^1.2.1" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/type-fest": { - "version": "0.20.2", - "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz", - "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", - "dev": true, - "peer": true, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/typescript": { - "version": "4.9.5", - "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.9.5.tgz", - "integrity": "sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==", - "dev": true, - "bin": { - "tsc": "bin/tsc", - "tsserver": "bin/tsserver" - }, - "engines": { - "node": ">=4.2.0" - } - }, - "node_modules/uri-js": { - "version": "4.4.1", - "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", - "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", - "dev": true, - "peer": true, - "dependencies": { - "punycode": "^2.1.0" - } - }, - "node_modules/usehooks-ts": { - "version": "2.7.0", - "resolved": "https://registry.npmjs.org/usehooks-ts/-/usehooks-ts-2.7.0.tgz", - "integrity": "sha512-HNNBgWBrLqnEkZQmdbxuMF4bdiqPw4iwh/RalCglhJJsPFZd4cgMbIBsB1SeavOAFkIJ5G8BheJYaEtKt9A8IA==", - "engines": { - "node": ">=16.15.0", - "npm": ">=8" - }, - "peerDependencies": { - "react": "^16.9.0 || ^17.0.0" - } - }, - "node_modules/which": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "peer": true, - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/wrappy": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", - "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", - "dev": true, - "peer": true - }, - "node_modules/yocto-queue": { - "version": "0.1.0", - "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", - "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", - "dev": true, - "peer": true, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - } - } -} diff --git a/packages/wallets/src/AppContent.scss b/packages/wallets/src/AppContent.scss index 03c47aa14096..5b0f8dde301c 100644 --- a/packages/wallets/src/AppContent.scss +++ b/packages/wallets/src/AppContent.scss @@ -12,6 +12,11 @@ padding: 40px; } + @include mobile { + overflow-y: auto; + height: 100%; + } + &__content { width: 100%; display: flex; diff --git a/packages/wallets/src/AppContent.tsx b/packages/wallets/src/AppContent.tsx index 3502753f2105..5bab75eb62f8 100644 --- a/packages/wallets/src/AppContent.tsx +++ b/packages/wallets/src/AppContent.tsx @@ -1,11 +1,15 @@ import React from 'react'; +import { useAuthorize } from '@deriv/api'; import WalletsAddMore from './components/WalletsAddMoreCarousel'; import useDevice from './hooks/useDevice'; -import { DesktopWalletsList, WalletsCarousel } from './components'; +import { DesktopWalletsList, Loader, WalletsCarousel } from './components'; import './AppContent.scss'; const AppContent: React.FC = () => { const { is_mobile } = useDevice(); + const { isLoading } = useAuthorize(); + + if (isLoading) return ; return (
diff --git a/packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.scss b/packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.scss similarity index 76% rename from packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.scss rename to packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.scss index af954c52fb14..34ef5d5d9259 100644 --- a/packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.scss +++ b/packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.scss @@ -1,4 +1,4 @@ -.wallets-accordion-container { +.wallets-desktop-wallets-list { width: 100%; display: flex; flex-direction: column; diff --git a/packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.tsx b/packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.tsx index 2e95bf28edcd..7d21a7b6c66e 100644 --- a/packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.tsx +++ b/packages/wallets/src/components/DesktopWalletsList/DesktopWalletsList.tsx @@ -1,16 +1,24 @@ import React from 'react'; import { useWalletAccountsList } from '@deriv/api'; -import { WalletsAccordionContainer } from '..'; +import { AccountsList } from '../AccountsList'; +import { WalletListCard } from '../WalletListCard'; +import { WalletsAccordion } from '../WalletsAccordion'; +import './DesktopWalletsList.scss'; const DesktopWalletsList: React.FC = () => { const { data } = useWalletAccountsList(); - if (!data.length) return

No wallets found

; - return ( - - - +
+ {data?.map(wallet => ( + } + content={} + /> + ))} +
); }; diff --git a/packages/wallets/src/components/Loader/Loader.scss b/packages/wallets/src/components/Loader/Loader.scss new file mode 100644 index 000000000000..6e688753bb85 --- /dev/null +++ b/packages/wallets/src/components/Loader/Loader.scss @@ -0,0 +1,64 @@ +.wallets-loader { + position: absolute; + display: flex; + aspect-ratio: 2/1; + transition: all 0.4s ease; + flex-direction: row; + justify-content: space-between; + align-items: center; + height: 20px; + top: 50%; + left: 50%; + transform: translate(-50%, -50%); + + &__element { + $loader: loader 1.2s ease infinite both; + display: block; + align-items: flex-end; + width: 5px; + height: 25%; + animation: $loader; + border-radius: 5px; + bottom: 0; + + &:nth-child(2) { + animation-delay: 0.4s; + } + + &:nth-child(3) { + animation-delay: 0.8s; + } + + @keyframes loader { + 0% { + height: 25%; + bottom: 0; + opacity: 1; + } + + 25% { + opacity: 0.3; + bottom: 0; + height: 75%; + } + + 50% { + opacity: 1; + height: 25%; + bottom: 75%; + } + + 75% { + opacity: 0.3; + height: 75%; + bottom: 0; + } + + 100% { + opacity: 1; + height: 25%; + bottom: 0; + } + } + } +} diff --git a/packages/wallets/src/components/Loader/Loader.tsx b/packages/wallets/src/components/Loader/Loader.tsx new file mode 100644 index 000000000000..89a3b00fa152 --- /dev/null +++ b/packages/wallets/src/components/Loader/Loader.tsx @@ -0,0 +1,16 @@ +import React from 'react'; +import './Loader.scss'; + +type TProps = { + color?: React.CSSProperties['color']; +}; + +const Loader: React.FC = ({ color = '#333333' }) => ( +
+ + + +
+); + +export default Loader; diff --git a/packages/wallets/src/components/Loader/index.ts b/packages/wallets/src/components/Loader/index.ts new file mode 100644 index 000000000000..1fa0f34e85b5 --- /dev/null +++ b/packages/wallets/src/components/Loader/index.ts @@ -0,0 +1 @@ +export { default as Loader } from './Loader'; diff --git a/packages/wallets/src/components/WalletCard/WalletCard.tsx b/packages/wallets/src/components/WalletCard/WalletCard.tsx index a79a6ce22509..9d290eeacee8 100644 --- a/packages/wallets/src/components/WalletCard/WalletCard.tsx +++ b/packages/wallets/src/components/WalletCard/WalletCard.tsx @@ -6,7 +6,7 @@ import { WalletListCardIcon } from '../WalletListCardIcon'; import './WalletCard.scss'; type TProps = { - account: ReturnType['data'][number]; + account: NonNullable['data']>[number]; }; const WalletCard: React.FC = ({ account }) => { diff --git a/packages/wallets/src/components/WalletsAccordion/WalletsAccordion.tsx b/packages/wallets/src/components/WalletsAccordion/WalletsAccordion.tsx index 6c376633fb06..e075bf3f83f1 100644 --- a/packages/wallets/src/components/WalletsAccordion/WalletsAccordion.tsx +++ b/packages/wallets/src/components/WalletsAccordion/WalletsAccordion.tsx @@ -1,35 +1,38 @@ -import React, { ReactElement, useMemo } from 'react'; +import React, { ReactElement } from 'react'; import { useWalletAccountsList } from '@deriv/api'; import IcDropdown from '../../public/images/ic-dropdown.svg'; import './WalletsAccordion.scss'; type TProps = { - account_info?: ReturnType['data'][number]; - active_account?: string; + wallet: NonNullable['data']>[number]; content: ReactElement; header: ReactElement; - switchAccount: (loginid?: string) => void; }; -const WalletsAccordion: React.FC = ({ active_account, account_info, switchAccount, header, content }) => { - const is_open = useMemo(() => active_account === account_info?.loginid, [active_account]); +const WalletsAccordion: React.FC = ({ wallet, header, content }) => { + const switchAccount = (loginid?: string) => { + // if (!loginid) return; + // implement switch account here + }; return ( -
+
{header}
switchAccount(account_info?.loginid)} + className={`wallets-accordion__dropdown${wallet.is_active ? '--open' : ''}`} + onClick={() => switchAccount(wallet?.loginid)} >
-
{is_open && content}
+
+ {wallet.is_active && content} +
); }; diff --git a/packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.tsx b/packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.tsx deleted file mode 100644 index d5ed95737927..000000000000 --- a/packages/wallets/src/components/WalletsAccordionContainer/WalletsAccordionContainer.tsx +++ /dev/null @@ -1,38 +0,0 @@ -import React, { useState } from 'react'; -import { useWalletAccountsList } from '@deriv/api'; -import { AccountsList, WalletListCard, WalletsAccordion } from '..'; -import './WalletsAccordionContainer.scss'; - -type TProps = { - wallets_list: ReturnType['data']; -}; - -const WalletsAccordionContainer: React.FC = ({ wallets_list }) => { - const [active_account, setActiveAccount] = useState(wallets_list.find(account => account.is_active)?.loginid); - - const swithAccount = (loginid?: string) => { - if (!loginid) return; - - setActiveAccount(loginid); - // implement switch account here - }; - - return ( -
- {wallets_list.map(account => { - return ( - } - content={} - /> - ); - })} -
- ); -}; - -export default WalletsAccordionContainer; diff --git a/packages/wallets/src/components/WalletsAccordionContainer/index.ts b/packages/wallets/src/components/WalletsAccordionContainer/index.ts deleted file mode 100644 index c328cdd59ce5..000000000000 --- a/packages/wallets/src/components/WalletsAccordionContainer/index.ts +++ /dev/null @@ -1 +0,0 @@ -export { default as WalletsAccordionContainer } from './WalletsAccordionContainer'; diff --git a/packages/wallets/src/components/WalletsCarouselContent/WalletsCarouselContent.tsx b/packages/wallets/src/components/WalletsCarouselContent/WalletsCarouselContent.tsx index 5dd540d0a9df..30448d034d62 100644 --- a/packages/wallets/src/components/WalletsCarouselContent/WalletsCarouselContent.tsx +++ b/packages/wallets/src/components/WalletsCarouselContent/WalletsCarouselContent.tsx @@ -21,12 +21,12 @@ const WalletsCarouselContent: React.FC = () => { setActiveIndex(scroll_snap_index); }); }, [emblaApi]); - const amount_of_steps = Array.from({ length: wallet_accounts_list.length }, (_, idx) => idx + 1); + const amount_of_steps = Array.from({ length: wallet_accounts_list?.length || 0 }, (_, idx) => idx + 1); return (
- {wallet_accounts_list.map(wallet => ( + {wallet_accounts_list?.map(wallet => ( ))}
diff --git a/packages/wallets/src/components/index.ts b/packages/wallets/src/components/index.ts index 43476b6d98f7..482fb3980e7a 100644 --- a/packages/wallets/src/components/index.ts +++ b/packages/wallets/src/components/index.ts @@ -1,10 +1,19 @@ export * from './AccountsList'; +export * from './AddedDxtradeAccountsList'; +export * from './AvailableDerivezAccountsList'; +export * from './AvailableDxtradeAccountsList'; export * from './CFDList'; export * from './CTraderList'; export * from './DesktopWalletsList'; +export * from './Loader'; export * from './MT5List'; export * from './OptionsAndMultipliersListing'; +export * from './OtherCFDPlatformsList'; +export * from './PrimaryActionButton'; +export * from './ProgressBar'; +export * from './SecondaryActionButton'; export * from './TradingAccountCard'; +export * from './WalletCard'; export * from './WalletListCard'; export * from './WalletListCardBadge'; export * from './WalletListCardIActions'; @@ -13,14 +22,5 @@ export * from './WalletListCardIDetails'; export * from './WalletListCardIcon'; export * from './WalletListCardTitle'; export * from './WalletsAccordion'; -export * from './WalletsAccordionContainer'; export * from './WalletsCarousel'; -export * from './WalletCard'; -export * from './ProgressBar'; export * from './WalletsCarouselContent'; -export * from './OtherCFDPlatformsList'; -export * from './SecondaryActionButton'; -export * from './PrimaryActionButton'; -export * from './AvailableDxtradeAccountsList'; -export * from './AvailableDerivezAccountsList'; -export * from './AddedDxtradeAccountsList'; diff --git a/packages/wallets/src/public/ic-appstore-deriv-logo.svg b/packages/wallets/src/public/ic-appstore-deriv-logo.svg deleted file mode 100644 index 101a7bf1136b..000000000000 --- a/packages/wallets/src/public/ic-appstore-deriv-logo.svg +++ /dev/null @@ -1 +0,0 @@ - \ No newline at end of file diff --git a/packages/wallets/src/public/ic-appstore-deriv-trading-logo.svg b/packages/wallets/src/public/ic-appstore-deriv-trading-logo.svg deleted file mode 100644 index 6409c1045406..000000000000 --- a/packages/wallets/src/public/ic-appstore-deriv-trading-logo.svg +++ /dev/null @@ -1 +0,0 @@ - \ No newline at end of file diff --git a/packages/wallets/src/public/ic-brand-derivgo.svg b/packages/wallets/src/public/ic-brand-derivgo.svg deleted file mode 100644 index ab1c69faaf53..000000000000 --- a/packages/wallets/src/public/ic-brand-derivgo.svg +++ /dev/null @@ -1 +0,0 @@ - \ No newline at end of file From cad9d362eeb73b198fda598e4950166764b4ed0c Mon Sep 17 00:00:00 2001 From: henry-deriv <118344354+henry-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 16:29:48 +0800 Subject: [PATCH 11/13] henry/fix: styling issues, change arrow to less than greater than, and renamed svg file (#10106) --- .../WalletListCardIcon/WalletListCardIcon.tsx | 13 +++++++++---- .../WalletsAddMoreCardBanner.tsx | 9 ++++----- .../WalletsAddMoreCarousel.scss | 2 +- .../WalletsAddMoreCarousel.tsx | 4 ++-- .../src/public/images/{bitcion.svg => bitcoin.svg} | 0 5 files changed, 16 insertions(+), 12 deletions(-) rename packages/wallets/src/public/images/{bitcion.svg => bitcoin.svg} (100%) diff --git a/packages/wallets/src/components/WalletListCardIcon/WalletListCardIcon.tsx b/packages/wallets/src/components/WalletListCardIcon/WalletListCardIcon.tsx index a71ce52bea2d..de9d8a893559 100644 --- a/packages/wallets/src/components/WalletListCardIcon/WalletListCardIcon.tsx +++ b/packages/wallets/src/components/WalletListCardIcon/WalletListCardIcon.tsx @@ -1,6 +1,6 @@ import React from 'react'; import useDevice from '../../hooks/useDevice'; -import Bitcion from '../../public/images/bitcion.svg'; +import Bitcoin from '../../public/images/bitcoin.svg'; import Demo from '../../public/images/demo.svg'; import ETH from '../../public/images/eth.svg'; import EUR from '../../public/images/eur.svg'; @@ -14,7 +14,7 @@ const type_to_icon_mapper = { USD, EUR, GBP, - BTC: Bitcion, + BTC: Bitcoin, USDC, ETH, LTC, @@ -42,8 +42,13 @@ type TProps = { const WalletListCardIcon: React.FC = ({ type }) => { const { is_mobile } = useDevice(); - const Icon = type_to_icon_mapper[type as keyof typeof type_to_icon_mapper]; - const size = type_to_size_mapper[type as keyof typeof type_to_icon_mapper][is_mobile ? 'mobile' : 'desktop']; + + let icon_type = type as keyof typeof type_to_icon_mapper; + + if (!Object.keys(type_to_size_mapper).includes(icon_type)) icon_type = 'USD'; + + const Icon = type_to_icon_mapper[icon_type]; + const size = type_to_size_mapper[icon_type][is_mobile ? 'mobile' : 'desktop']; if (!Icon) return null; diff --git a/packages/wallets/src/components/WalletsAddMoreCardBanner/WalletsAddMoreCardBanner.tsx b/packages/wallets/src/components/WalletsAddMoreCardBanner/WalletsAddMoreCardBanner.tsx index f2e1451d032a..55548b474937 100644 --- a/packages/wallets/src/components/WalletsAddMoreCardBanner/WalletsAddMoreCardBanner.tsx +++ b/packages/wallets/src/components/WalletsAddMoreCardBanner/WalletsAddMoreCardBanner.tsx @@ -1,12 +1,11 @@ import React from 'react'; -const WalletsAddMoreCardBanner = ({ - is_added, - landing_company_name, -}: { +type TWalletsAddMoreCardBanner = { is_added: boolean; landing_company_name: string; -}) => { +}; + +const WalletsAddMoreCardBanner = ({ is_added, landing_company_name }: TWalletsAddMoreCardBanner) => { return (
diff --git a/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.scss b/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.scss index 16ddf1c5fe76..02bf4221cadd 100644 --- a/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.scss +++ b/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.scss @@ -23,7 +23,7 @@ &__carousel { overflow: hidden; background-color: #fff; - padding: 3.2rem 0 3.2rem 1.6rem; + padding: 3.2rem 1.6rem; border-radius: 0.8rem; position: relative; border: 0.1rem solid #d6dadb; diff --git a/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.tsx b/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.tsx index e8c971816633..faf194be9ddb 100644 --- a/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.tsx +++ b/packages/wallets/src/components/WalletsAddMoreCarousel/WalletsAddMoreCarousel.tsx @@ -66,14 +66,14 @@ const WalletsAddMoreCarousel = () => { onClick={scrollPrev} disabled={!prev_btn_enabled} > - a + < )} diff --git a/packages/wallets/src/public/images/bitcion.svg b/packages/wallets/src/public/images/bitcoin.svg similarity index 100% rename from packages/wallets/src/public/images/bitcion.svg rename to packages/wallets/src/public/images/bitcoin.svg From 54dfb36fd1c354a6f94d324a310272a2aa854f0e Mon Sep 17 00:00:00 2001 From: "Ali(Ako) Hosseini" Date: Tue, 19 Sep 2023 18:29:53 +0800 Subject: [PATCH 12/13] Revert "Ameerul /WEBREL-1255 Created payment method is not reflected from Add payment methods model for SELL ads (#10150)" (#10172) This reverts commit bb5d66b564d060f13754d30ac9d55b31d159290b. --- .../modals/quick-add-modal/quick-add-modal.jsx | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx b/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx index 2e9aa35b4029..acdd0f879b82 100644 --- a/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx +++ b/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx @@ -30,6 +30,11 @@ const QuickAddModal = ({ advert }) => { is_sell_ad_add_payment_methods_selected || is_buy_ad_add_payment_methods_selected; React.useEffect(() => { + const saved_selected_methods = localStorage.getItem('selected_methods'); + if (saved_selected_methods) { + setSelectedMethods(JSON.parse(saved_selected_methods)); + localStorage.removeItem('selected_methods'); + } my_profile_store.getPaymentMethodsList(); // eslint-disable-next-line react-hooks/exhaustive-deps @@ -297,7 +302,6 @@ const QuickAddModal = ({ advert }) => { onClickPaymentMethodCard={onClickPaymentMethodCard} selected_methods={selected_methods} onClickAdd={() => my_ads_store.setShouldShowAddPaymentMethod(true)} - p2p_advertiser_payment_methods={p2p_advertiser_payment_methods} /> )} From 5f0713a9094129badf87e0b128f922842718ef0f Mon Sep 17 00:00:00 2001 From: ameerul-deriv <103412909+ameerul-deriv@users.noreply.github.com> Date: Tue, 19 Sep 2023 19:22:37 +0800 Subject: [PATCH 13/13] Revert Ameerul /Bug 68819 Design mismatch (#10174) * Revert "Ameerul /Bug 68819 Design mismatch in Quick add PM Pop up on existing ads in My ads page (#8112)" This reverts commit 821b221155f8f506ee5b461642e9f16aa1ad59b4. * chore: fixed imports --- .../quick-add-modal/quick-add-modal.jsx | 111 +++++-------- .../quick-add-modal/quick-add-modal.scss | 8 +- .../add-payment-method.scss | 9 -- .../my-ads/buy-ad-payment-methods-list.jsx | 151 +++++++----------- .../filter-payment-methods-results.jsx | 57 ------- .../filter-payment-methods-results.scss | 32 ---- .../filter-payment-method-results/index.js | 4 - .../filter-payment-methods.jsx | 58 ------- .../filter-payment-methods.scss | 21 --- .../my-ads/filter-payment-methods/index.js | 4 - .../select-payment-method.jsx | 6 +- packages/p2p/src/stores/my-ads-store.js | 53 ++---- 12 files changed, 110 insertions(+), 404 deletions(-) delete mode 100644 packages/p2p/src/pages/my-ads/filter-payment-methods/filter-payment-method-results/filter-payment-methods-results.jsx delete mode 100644 packages/p2p/src/pages/my-ads/filter-payment-methods/filter-payment-method-results/filter-payment-methods-results.scss delete mode 100644 packages/p2p/src/pages/my-ads/filter-payment-methods/filter-payment-method-results/index.js delete mode 100644 packages/p2p/src/pages/my-ads/filter-payment-methods/filter-payment-methods.jsx delete mode 100644 packages/p2p/src/pages/my-ads/filter-payment-methods/filter-payment-methods.scss delete mode 100644 packages/p2p/src/pages/my-ads/filter-payment-methods/index.js diff --git a/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx b/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx index acdd0f879b82..994362ce5ae6 100644 --- a/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx +++ b/packages/p2p/src/components/modal-manager/modals/quick-add-modal/quick-add-modal.jsx @@ -8,7 +8,6 @@ import { localize, Localize } from 'Components/i18next'; import { useModalManagerContext } from 'Components/modal-manager/modal-manager-context'; import AddPaymentMethod from 'Pages/my-profile/payment-methods/add-payment-method/add-payment-method.jsx'; import BuyAdPaymentMethodsList from 'Pages/my-ads/buy-ad-payment-methods-list.jsx'; -import FilterPaymentMethods from 'Pages/my-ads/filter-payment-methods'; import SellAdPaymentMethodsList from 'Pages/my-ads/sell-ad-payment-methods-list.jsx'; import { buy_sell } from 'Constants/buy-sell'; import { useStores } from 'Stores'; @@ -29,17 +28,6 @@ const QuickAddModal = ({ advert }) => { const is_payment_methods_selected = is_sell_ad_add_payment_methods_selected || is_buy_ad_add_payment_methods_selected; - React.useEffect(() => { - const saved_selected_methods = localStorage.getItem('selected_methods'); - if (saved_selected_methods) { - setSelectedMethods(JSON.parse(saved_selected_methods)); - localStorage.removeItem('selected_methods'); - } - my_profile_store.getPaymentMethodsList(); - - // eslint-disable-next-line react-hooks/exhaustive-deps - }, []); - const onClickPaymentMethodCard = payment_method => { if (!my_ads_store.payment_method_ids.includes(payment_method.id)) { if (my_ads_store.payment_method_ids.length < 3) { @@ -55,12 +43,7 @@ const QuickAddModal = ({ advert }) => { }; const setShouldCloseAllModals = should_close_all_modals => { - if (my_ads_store.show_filter_payment_methods) { - my_ads_store.setShowFilterPaymentMethods(false); - my_ads_store.setSearchTerm(''); - my_ads_store.setSearchedResults([]); - } else if (is_payment_methods_selected) { - localStorage.setItem('selected_methods', JSON.stringify(selected_methods)); + if (is_payment_methods_selected) { showModal({ key: 'CancelAddPaymentMethodModal', props: { @@ -97,58 +80,44 @@ const QuickAddModal = ({ advert }) => { is_modal_open={is_modal_open} page_header_text={localize('Add payment method')} pageHeaderReturnFn={() => setShouldCloseAllModals(false)} - page_footer_className={classNames({ - 'quick-add-modal__footer': my_ads_store.show_filter_payment_methods, - })} secondary text={localize('Cancel')} - renderPageFooterChildren={() => - !my_ads_store.show_filter_payment_methods && ( - <> -