From 87f8c618ed75504383631009c3a0168c08eefd3f Mon Sep 17 00:00:00 2001 From: Shahzaib Date: Tue, 20 Feb 2024 11:11:00 +0800 Subject: [PATCH 01/20] [TRAH-2678] shahzaib / account creation success modal (#13617) * chore: account success modal inital setup * chore: success modal content * chore: success modal content * chore: selected currency icon on success modal * chore: reset currency selector * chore: add comment for icon fix --- .../AccountOpeningSuccessModal.tsx | 90 +++++++++++++++++++ .../RealAccountSIgnup/SignupWizard/index.tsx | 2 + .../SignupWizardContext.tsx | 9 +- .../providers/SignupWizardProvider/types.ts | 2 + .../src/screens/TermsOfUse/TermsOfUse.tsx | 6 +- 5 files changed, 105 insertions(+), 4 deletions(-) create mode 100644 packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx diff --git a/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx b/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx new file mode 100644 index 000000000000..952ef26daf33 --- /dev/null +++ b/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx @@ -0,0 +1,90 @@ +import React from 'react'; +import ReactModal from 'react-modal'; +import { useHistory } from 'react-router-dom'; +import Checkmark from '@/assets/svgs/checkmark.svg'; +import { ActionScreen, ButtonGroup } from '@/components'; +import { IconToCurrencyMapper } from '@/constants'; +import { CUSTOM_STYLES } from '@/helpers'; +import { ACTION_TYPES, useSignupWizardContext } from '@/providers/SignupWizardProvider'; +import { Button, Text, useDevice } from '@deriv-com/ui'; + +const SelectedCurrencyIcon = () => { + const { state } = useSignupWizardContext(); + return ( +
+
+ {/* add currency icons to platform icon component */} + {IconToCurrencyMapper[state.currency ?? 'USD']?.icon} +
+ +
+ ); +}; + +const AccountOpeningSuccessModal = () => { + const { isSuccessModalOpen, setIsSuccessModalOpen, dispatch } = useSignupWizardContext(); + const { isDesktop } = useDevice(); + const { state } = useSignupWizardContext(); + const history = useHistory(); + + const handleClose = () => { + dispatch({ + type: ACTION_TYPES.RESET, + }); + setIsSuccessModalOpen(false); + }; + + const handleNavigateToDeposit = () => { + setIsSuccessModalOpen(false); + dispatch({ + type: ACTION_TYPES.RESET, + }); + history.push('/cashier/deposit'); + }; + + return ( + + + + You have added a {state.currency} account. + + + Make a deposit now to start trading. + + + } + icon={} + renderButtons={() => ( + + + + + )} + title='Your account is ready' + /> + + ); +}; + +export default AccountOpeningSuccessModal; diff --git a/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/index.tsx b/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/index.tsx index cb35f38ff6f5..94ee920b397f 100644 --- a/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/index.tsx +++ b/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/index.tsx @@ -6,6 +6,7 @@ import { DesktopProgressBar, MobileProgressBar } from '../../../components/Progr import { TSteps } from '../../../components/ProgressBar/Stepper'; import { CUSTOM_STYLES } from '../../../helpers/signupModalHelpers'; import { useSignupWizardContext } from '../../../providers/SignupWizardProvider'; +import AccountOpeningSuccessModal from '../AccountOpeningSuccessModal/AccountOpeningSuccessModal'; import ExitConfirmationDialog from '../ExitConfirmationDialog'; import WizardScreens from './WizardScreens'; import './index.scss'; @@ -60,6 +61,7 @@ const SignupWizard = () => { isOpen={isConfirmationDialogOpen} onClose={() => setIsConfirmationDialogOpen(false)} /> + ); }; diff --git a/packages/tradershub/src/providers/SignupWizardProvider/SignupWizardContext.tsx b/packages/tradershub/src/providers/SignupWizardProvider/SignupWizardContext.tsx index c6e4444c85c3..8995192f7e8f 100644 --- a/packages/tradershub/src/providers/SignupWizardProvider/SignupWizardContext.tsx +++ b/packages/tradershub/src/providers/SignupWizardProvider/SignupWizardContext.tsx @@ -33,7 +33,11 @@ export const SignupWizardContext = createContext({ /* noop */ }, helpers: initialHelpers, + isSuccessModalOpen: false, isWizardOpen: false, + setIsSuccessModalOpen: /* noop */ () => { + /* noop */ + }, setIsWizardOpen: /* noop */ () => { /* noop */ }, @@ -57,6 +61,7 @@ export const useSignupWizardContext = () => { */ export const SignupWizardProvider = ({ children }: TSignupWizardProvider) => { const [isWizardOpen, setIsWizardOpen] = useState(false); + const [isSuccessModalOpen, setIsSuccessModalOpen] = useState(false); const [currentStep, helpers] = useStep(4); const [state, dispatch] = useReducer(valuesReducer, { currency: '', @@ -67,11 +72,13 @@ export const SignupWizardProvider = ({ children }: TSignupWizardProvider) => { currentStep, dispatch, helpers, + isSuccessModalOpen, isWizardOpen, + setIsSuccessModalOpen, setIsWizardOpen, state, }), - [currentStep, helpers, isWizardOpen, state] + [currentStep, helpers, isSuccessModalOpen, isWizardOpen, state] ); return {children}; diff --git a/packages/tradershub/src/providers/SignupWizardProvider/types.ts b/packages/tradershub/src/providers/SignupWizardProvider/types.ts index d25db1d8e2d2..d50307b159e7 100644 --- a/packages/tradershub/src/providers/SignupWizardProvider/types.ts +++ b/packages/tradershub/src/providers/SignupWizardProvider/types.ts @@ -7,7 +7,9 @@ export type TSignupWizardContext = { currentStep: number; dispatch: React.Dispatch; helpers: Helpers; + isSuccessModalOpen: boolean; isWizardOpen: boolean; + setIsSuccessModalOpen: React.Dispatch>; setIsWizardOpen: React.Dispatch>; state: TState; }; diff --git a/packages/tradershub/src/screens/TermsOfUse/TermsOfUse.tsx b/packages/tradershub/src/screens/TermsOfUse/TermsOfUse.tsx index 5ba39eefc59a..39e72a40f25c 100644 --- a/packages/tradershub/src/screens/TermsOfUse/TermsOfUse.tsx +++ b/packages/tradershub/src/screens/TermsOfUse/TermsOfUse.tsx @@ -5,7 +5,7 @@ import { termsOfUse } from '@/utils'; import { Text } from '@deriv-com/ui'; import Actions from '../../flows/RealAccountSIgnup/SignupWizard/Actions'; import WizardScreenWrapper from '../../flows/RealAccountSIgnup/SignupWizard/WizardScreenWrapper'; -import { ACTION_TYPES, useSignupWizardContext } from '../../providers/SignupWizardProvider/SignupWizardContext'; +import { useSignupWizardContext } from '../../providers/SignupWizardProvider/SignupWizardContext'; import FatcaDeclaration from './TermsOfUseSections/FatcaDeclaration'; import PEPs from './TermsOfUseSections/PEPs'; @@ -19,13 +19,13 @@ const Divider = () =>
; * @returns {React.ReactNode} */ const TermsOfUse = () => { - const { dispatch, helpers, setIsWizardOpen } = useSignupWizardContext(); + const { helpers, setIsSuccessModalOpen, setIsWizardOpen } = useSignupWizardContext(); // Temporary function to handle form submission till we have the validations in place const handleSubmit = () => { - dispatch({ type: ACTION_TYPES.RESET }); setIsWizardOpen(false); helpers.setStep(1); + setIsSuccessModalOpen(true); }; return ( From d4ccad63c863572f88df08b82efd84c70f784555 Mon Sep 17 00:00:00 2001 From: Shaheer <122449658+shaheer-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 08:27:17 +0400 Subject: [PATCH 02/20] fix: adds useAuthorize dependancy for get_settings (#13529) --- packages/api/src/hooks/useSettings.ts | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/packages/api/src/hooks/useSettings.ts b/packages/api/src/hooks/useSettings.ts index 6b739edf7a8f..48dd5159b114 100644 --- a/packages/api/src/hooks/useSettings.ts +++ b/packages/api/src/hooks/useSettings.ts @@ -1,4 +1,5 @@ import { useCallback, useMemo } from 'react'; +import useAuthorize from './useAuthorize'; import useQuery from '../useQuery'; import useInvalidateQuery from '../useInvalidateQuery'; import useMutation from '../useMutation'; @@ -9,7 +10,8 @@ type TSetSettingsPayload = NonNullable< /** A custom hook to get and update the user settings. */ const useSettings = () => { - const { data, ...rest } = useQuery('get_settings'); + const { isSuccess } = useAuthorize(); + const { data, ...rest } = useQuery('get_settings', { options: { enabled: isSuccess } }); const { mutate, ...mutate_rest } = useMutation('set_settings', { onSuccess: () => invalidate('get_settings') }); const invalidate = useInvalidateQuery(); From 7d21051c272fcee0e78e94ba8effdb5071a41138 Mon Sep 17 00:00:00 2001 From: Arshad Rao <135801848+arshad-rao-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 08:30:06 +0400 Subject: [PATCH 03/20] Arshad/COJ-581/POI Country Selector Modal Alignment (#13506) * fix: proof of identity country selector modal fix * fix: apply width to container --- .../VerificationModal/verification-modal.scss | 10 ++++++++++ .../sass/app/_common/components/account-common.scss | 4 +--- 2 files changed, 11 insertions(+), 3 deletions(-) diff --git a/packages/core/src/App/Containers/VerificationModal/verification-modal.scss b/packages/core/src/App/Containers/VerificationModal/verification-modal.scss index f682c5ffa03e..8813936da112 100644 --- a/packages/core/src/App/Containers/VerificationModal/verification-modal.scss +++ b/packages/core/src/App/Containers/VerificationModal/verification-modal.scss @@ -8,9 +8,18 @@ height: 100%; overflow: auto; + &__country { + &-container { + width: 39.5rem; + } + } + &__main-container { + display: flex; + justify-content: center; margin: 0 auto; max-width: 84rem; + position: inherit; .onfido-container { padding-top: 1.6rem; @@ -165,6 +174,7 @@ border-radius: 0 $BORDER_RADIUS $BORDER_RADIUS 0; border-top: 1px solid var(--general-section-1); background-color: var(--general-main-1); + max-width: none; @include mobile { &-btn { diff --git a/packages/core/src/sass/app/_common/components/account-common.scss b/packages/core/src/sass/app/_common/components/account-common.scss index f0450f21bc62..73c00dc6a60d 100644 --- a/packages/core/src/sass/app/_common/components/account-common.scss +++ b/packages/core/src/sass/app/_common/components/account-common.scss @@ -663,6 +663,7 @@ height: 100%; &__main-container { + position: relative; max-width: 68.2rem; height: 100%; } @@ -765,7 +766,6 @@ &__country { &-container { - max-width: 68rem; align-items: flex-start; .proof-of-identity__fieldset { @@ -826,8 +826,6 @@ } &__footer { - max-width: 68rem; - @include mobile { display: flex; flex-direction: row; From 5eefad191e98b77d585edc06b3819af999dca971 Mon Sep 17 00:00:00 2001 From: mitra-deriv <64970259+mitra-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 12:36:38 +0800 Subject: [PATCH 04/20] Mitra/TRAH-2882/Fix showing demo account in the real tab (#13644) * fix: :bug: fix showing demo account in the real tab * refactor: :recycle: rename the parameter * fix: :label: shortocode property doesn't exist error * refactor: :art: address comment for object destructuring * refactor: :recycle: use regulation from uistate directly --- .../MT5PlatformsList/MT5PlatformsList.tsx | 28 +++++++++++++------ 1 file changed, 19 insertions(+), 9 deletions(-) diff --git a/packages/tradershub/src/features/cfd/components/MT5PlatformsList/MT5PlatformsList.tsx b/packages/tradershub/src/features/cfd/components/MT5PlatformsList/MT5PlatformsList.tsx index 8ec13a1d7ff6..5b66a5046ba4 100644 --- a/packages/tradershub/src/features/cfd/components/MT5PlatformsList/MT5PlatformsList.tsx +++ b/packages/tradershub/src/features/cfd/components/MT5PlatformsList/MT5PlatformsList.tsx @@ -15,15 +15,19 @@ type TMT5PlatformsListProps = { const MT5PlatformsList = ({ onMT5PlatformListLoaded }: TMT5PlatformsListProps) => { const { isFetching } = useAuthorize(); const { uiState } = useUIContext(); - const activeRegulation = uiState.regulation; - const { areAllAccountsCreated, data, isFetchedAfterMount } = useSortedMT5Accounts(activeRegulation ?? ''); + const { accountType, regulation: activeRegulation } = uiState; + const { + areAllAccountsCreated, + data: sortedMt5Accounts, + isFetchedAfterMount, + } = useSortedMT5Accounts(activeRegulation ?? ''); const { data: activeTradingAccount } = useActiveTradingAccount(); const { isEU } = useRegulationFlags(); const invalidate = useInvalidateQuery(); const hasMT5Account = useMemo(() => { - return data?.some(account => account.is_added); - }, [data]); + return sortedMt5Accounts?.some(MT5Account => MT5Account.is_added); + }, [sortedMt5Accounts]); // Check if we need to invalidate the query useEffect(() => { @@ -48,14 +52,20 @@ const MT5PlatformsList = ({ onMT5PlatformListLoaded }: TMT5PlatformsListProps) = )} {isFetchedAfterMount && - data?.map(account => { - if (account.is_added) - return ; + sortedMt5Accounts?.map(MT5Account => { + if ( + MT5Account.is_added && + MT5Account.is_virtual === activeTradingAccount?.is_virtual && + MT5Account.account_type === accountType + ) + return ( + + ); return ( ); })} From 5953cb14ea37860ce7df1d9fb8ea812907467d3f Mon Sep 17 00:00:00 2001 From: adrienne-deriv <103016120+adrienne-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 12:57:35 +0800 Subject: [PATCH 05/20] [FEQ] P2P-V2 fix tests on useAdvertiserStats (#13690) * chore: removed responsive root * chore: reverted old changes * chore: fix tests on useadvertiserstats * chore: fix tests on useadvertiserstats --- .../p2p-v2/src/hooks/__tests__/useAdvertiserStats.spec.tsx | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/packages/p2p-v2/src/hooks/__tests__/useAdvertiserStats.spec.tsx b/packages/p2p-v2/src/hooks/__tests__/useAdvertiserStats.spec.tsx index 233f69dbf3bc..65feb8b40526 100644 --- a/packages/p2p-v2/src/hooks/__tests__/useAdvertiserStats.spec.tsx +++ b/packages/p2p-v2/src/hooks/__tests__/useAdvertiserStats.spec.tsx @@ -60,6 +60,8 @@ describe('useAdvertiserStats', () => { mockUseSettings.mockReturnValueOnce({ data: { first_name: 'Jane', last_name: 'Doe' }, }); + + jest.useFakeTimers('modern').setSystemTime(new Date('2024-02-20')); mockUseAdvertiserInfo.mockReturnValueOnce({ data: { buy_orders_count: 10, @@ -74,7 +76,7 @@ describe('useAdvertiserStats', () => { expect(result.current.data.tradePartners).toBe(1); expect(result.current.data.buyOrdersCount).toBe(10); expect(result.current.data.sellOrdersCount).toBe(5); - expect(result.current.data.daysSinceJoined).toBe(119); + expect(result.current.data.daysSinceJoined).toBe(120); }); test('should return the correct total count and lifetime', () => { const wrapper = ({ children }: { children: JSX.Element }) => {children}; From 6483aa073a900b3a71d373e453d84abd3afeeab5 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Tue, 20 Feb 2024 13:32:35 +0800 Subject: [PATCH 06/20] =?UTF-8?q?translations:=20=F0=9F=93=9A=20sync=20tra?= =?UTF-8?q?nslations=20with=20crowdin=20(#13694)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Co-authored-by: DerivFE --- packages/p2p/crowdin/messages.json | 2 +- packages/p2p/src/translations/ar.json | 4 +- packages/p2p/src/translations/bn.json | 4 +- packages/p2p/src/translations/de.json | 4 +- packages/p2p/src/translations/es.json | 4 +- packages/p2p/src/translations/fr.json | 4 +- packages/p2p/src/translations/it.json | 4 +- packages/p2p/src/translations/ko.json | 4 +- packages/p2p/src/translations/pl.json | 4 +- packages/p2p/src/translations/pt.json | 4 +- packages/p2p/src/translations/ru.json | 4 +- packages/p2p/src/translations/si.json | 4 +- packages/p2p/src/translations/sw.json | 4 +- packages/p2p/src/translations/th.json | 4 +- packages/p2p/src/translations/tr.json | 8 +-- packages/p2p/src/translations/vi.json | 4 +- packages/p2p/src/translations/zh_cn.json | 4 +- packages/p2p/src/translations/zh_tw.json | 4 +- packages/translations/crowdin/messages.json | 2 +- .../translations/src/translations/ach.json | 15 +++- .../translations/src/translations/ar.json | 15 +++- .../translations/src/translations/bn.json | 15 +++- .../translations/src/translations/de.json | 15 +++- .../translations/src/translations/es.json | 71 +++++++++++-------- .../translations/src/translations/fr.json | 21 ++++-- .../translations/src/translations/it.json | 15 +++- .../translations/src/translations/ko.json | 15 +++- .../translations/src/translations/pl.json | 15 +++- .../translations/src/translations/pt.json | 15 +++- .../translations/src/translations/ru.json | 15 +++- .../translations/src/translations/si.json | 15 +++- .../translations/src/translations/sw.json | 15 +++- .../translations/src/translations/th.json | 37 ++++++---- .../translations/src/translations/tr.json | 15 +++- .../translations/src/translations/vi.json | 15 +++- .../translations/src/translations/zh_cn.json | 15 +++- .../translations/src/translations/zh_tw.json | 19 +++-- 37 files changed, 298 insertions(+), 136 deletions(-) diff --git a/packages/p2p/crowdin/messages.json b/packages/p2p/crowdin/messages.json index af201617697a..895e7fa393aa 100644 --- a/packages/p2p/crowdin/messages.json +++ b/packages/p2p/crowdin/messages.json @@ -1 +1 @@ -{"3215342":"Last 30 days","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","55916349":"All","68867477":"Order ID {{ id }}","81450871":"We couldn’t find that page","97214671":"Hi! I'd like to exchange {{first_currency}} for {{second_currency}} at {{rate_display}}{{rate_type}} on Deriv P2P.nnIf you're interested, check out my ad 👉nn{{- advert_url}}nnThanks!","106063661":"Share this ad","111718006":"End date","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","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","179083332":"Date","192859167":"{{avg_buy_time_in_minutes}} min","197477687":"Edit {{ad_type}} ad","203271702":"Try again","231473252":"Preferred currency","233677840":"of the market rate","257637860":"Upload documents to verify your address.","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","358133589":"Unblock {{advertiser_name}}?","364681129":"Contact details","367579676":"Blocked","390890891":"Last quarter","392469164":"You have blocked {{advertiser_name}}.","416167062":"You'll receive","424668491":"expired","450016951":"Hello! This is where you can chat with the counterparty to confirm the order details.
Note: In case of a dispute, we'll use this chat as a reference.","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","498743422":"For your safety:","500514593":"Hide my ads","501523417":"You have no orders.","508385321":"This nickname will be visible to other Deriv P2P users.","514948272":"Copy link","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","574961698":"45 minutes","587882987":"Advertisers","611376642":"Clear","612069973":"Would you recommend this buyer?","625563394":"Only numbers are allowed.","625586185":"Deposits via cards and the following payment methods aren’t included: Maestro, Diners Club, ZingPay, Skrill, Neteller, Ozow, and UPI QR.","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","784839262":"Share","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?","886126850":"This ad is not listed on Buy/Sell because its maximum order is lower than the minimum amount you can specify for orders in your ads.","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)","926446466":"Please set a different minimum and/or maximum order limit. nnThe range of your ad should not overlap with any of your active ads.","931661826":"Download this QR code","947389294":"We need your documents","949859957":"Submit","954233511":"Sold","957807235":"Blocking wasn't possible as {{name}} is not using Deriv P2P anymore.","988380202":"Your instructions","993198283":"The file you uploaded is not supported. Upload another.","1001160515":"Sell","1002264993":"Seller's real name","1009032439":"All time","1020552673":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }}...","1030390916":"You already have an ad with this range","1035893169":"Delete","1040596075":"Address verification failed. Please try again.","1042690536":"I’ve read and understood the above reminder.","1052094244":"Max order","1056821534":"Are you sure?","1057127276":"{{- avg_release_time_in_minutes}} min","1065551550":"Set floating rate","1077515534":"Date to","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 .- _ @.","1142686040":"Nickname added successfully!","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.","1168689876":"Your ad is not listed","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","1254676637":"I'll do this later","1258285343":"Oops, something went wrong","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","1376329801":"Last 60 days","1378388952":"Promote your ad by sharing the QR code and link.","1381949324":"<0>Address verified","1385570445":"Upload documents to verify your identity.","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","1543377906":"This ad is not listed on Buy/Sell because you have paused all your ads.","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}} ","1587507924":"Or copy this link","1607051458":"Search by nickname","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 }})","1622662457":"Date from","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","1686592014":"To place an order, add one of the advertiser's preferred payment methods:","1691540875":"Edit payment method","1699829275":"Cannot upload a file over 5MB","1702855414":"Your ad isn’t listed on Buy/Sell due to the following reason(s):","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","1782514544":"This ad is not listed on Buy/Sell because its minimum order is higher than {{maximum_order_amount}} {{currency}}.","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}}","1858251701":"minute","1859308030":"Give feedback","1874956952":"Hit the button below to add payment methods.","1881018702":"hour","1881201992":"Your Deriv P2P balance only includes deposits that can’t be reversed.","1902229457":"Unable to block advertiser","1908023954":"Sorry, an error occurred while processing your request.","1914014145":"Today","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","2064304887":"We accept JPG, PDF, or PNG (up to 5MB).","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","-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?","-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","-991345852":"Only up to 2 decimals are allowed.","-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.","-1837059346":"Buy / Sell","-494667560":"Orders","-679691613":"My ads","-412680608":"Add payment method","-984140537":"Add","-1220275347":"You may choose up to 3 payment methods for this ad.","-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","-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","-2017825013":"Got it","-1845037007":"Advertiser's page","-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","-1148912768":"If the market rate changes from the rate shown here, we won't be able to process your order.","-55126326":"Seller","-92830427":"Seller's instructions","-1940034707":"Buyer's instructions","-631576120":"Orders must be completed in","-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","-892663026":"Your contact details","-1285759343":"Search","-1657433201":"There are no matching ads.","-1862812590":"Limits {{ min_order }}–{{ max_order }} {{ currency }}","-375836822":"Buy {{account_currency}}","-1035421133":"Sell {{account_currency}}","-1876891031":"Currency","-1503997652":"No ads for this currency.","-1048001140":"No results for \"{{value}}\".","-254484597":"You have no ads 😞","-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...","-372210670":"Rate (1 {{account_currency}})","-87612148":"Ad not listed","-1318334333":"Deactivate","-1667041441":"Rate (1 {{ offered_currency }})","-792015701":"Deriv P2P cashier is unavailable in your country.","-1983512566":"This conversation is closed.","-283017497":"Retry","-360975483":"You've made no transactions of this type during this period.","-979459594":"Buy/Sell","-2052184983":"Order ID","-2096350108":"Counterparty","-1597110099":"Receive","-750202930":"Active orders","-1626659964":"I've received {{amount}} {{currency}}.","-526636259":"Error 404","-480724783":"You already have an ad with this rate","-2040406318":"You already have an ad with the same exchange rate for this currency pair and order type. nnPlease set a different rate for your ad.","-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","-1887970998":"Unblocking wasn't possible as {{name}} is not using Deriv P2P anymore.","-1207312691":"Completed","-688728873":"Expired","-1951641340":"Under dispute","-1738697484":"Confirm payment","-1611857550":"Waiting for the seller to confirm","-1452684930":"Buyer's real name","-1875343569":"Seller's payment details","-1977959027":"hours","-1603581277":"minutes","-1792280476":"Choose your payment method","-520142572":"Cashier is currently down for maintenance","-1552080215":"Please check back in a few minutes.<0>Thank you for your patience.","-684271315":"OK","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-1638172550":"To enable this feature you must complete the following:","-1086586743":"Please submit your <0>proof of address. You can use Deriv P2P after we’ve verified your documents.","-559300364":"Your Deriv P2P cashier is blocked","-740038242":"Your rate is","-1072444041":"Update ad","-2085839488":"This ad is not listed on Buy/Sell because its minimum order is higher than the ad’s remaining amount ({{remaining_amount}} {{currency}}).","-987612578":"This ad is not listed on Buy/Sell because its minimum order is higher than your Deriv P2P available balance ({{balance}} {{currency}}).","-84644774":"This ad is not listed on Buy/Sell because its minimum order is higher than your remaining daily limit ({{remaining_limit}} {{currency}}).","-452142075":"You’re not allowed to use Deriv P2P to advertise. Please contact us via live chat for more information.","-1886565882":"Your ads with floating rates have been deactivated. Set fixed rates to reactivate them.","-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.","-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","-146021156":"Delete {{payment_method_name}}?","-1846700504":"Are you sure you want to remove this payment method?","-231863107":"No","-471384801":"Sorry, we're unable to increase your limits right now. Please try again in a few minutes.","-150224710":"Yes, continue","-1422779483":"That payment method cannot be deleted","-1103095341":"If you’re selling, only release funds to the buyer after you’ve received payment.","-1918928746":"We’ll never ask you to release funds on behalf of anyone.","-1641698637":"Read the instructions in the ad carefully before making your order. If there's anything unclear, check with the advertiser first.","-1815993311":"Only discuss your P2P order details within the in-app chatbox, and nowhere else.","-7572501":"All P2P transactions are final and cannot be reversed.","-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).","-75934135":"Matching ads","-1856204727":"Reset","-227512949":"Check your spelling or use a different term.","-1554938377":"Search payment method","-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.","-1907448242":"Available Deriv P2P Balance","-532709160":"Your nickname","-1016461467":"Your nickname cannot be changed later.","-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","-637818525":"Sending forged documents will result in an immediate and permanent ban.","-670364940":"Upload receipt here","-937707753":"Go Back","-1340125291":"Done","-1854199094":"{{type}} {{account_currency}}","-788469106":"ID number","-574559641":"Scan this code to order via Deriv P2P","-1078665050":"Share link","-354026679":"Share via","-229543460":"{{- link}}","-1388977563":"Copied!","-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","-609070622":"Identity verification in progress.","-1269954557":"Identity verification failed. Please try again.","-1507102231":"Identity verification complete.","-670039668":"Address verification in progress.","-23313647":"Address verification complete.","-1483008038":"Verify your P2P account","-792476552":"Verify your identity and address to use Deriv P2P.","-293628675":"1 hour","-1978767852":"30 minutes","-999492762":"15 minutes","-1908692350":"Filter by","-992568889":"No one to show here","-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","-2090878601":"Daily limit","-474123616":"Want to increase your daily limits to <0>{{max_daily_buy}} {{currency}} (buy) and <1>{{max_daily_sell}} {{currency}} (sell)?","-133982971":"{{avg_release_time_in_minutes}} min","-130547447":"Trade volume <0>30d | <1>lifetime","-383030149":"You haven’t added any payment methods yet","-1156559889":"Bank Transfers","-1269362917":"Add new"} \ No newline at end of file +{"3215342":"Last 30 days","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","55916349":"All","68867477":"Order ID {{ id }}","81450871":"We couldn’t find that page","97214671":"Hi! I'd like to exchange {{first_currency}} for {{second_currency}} at {{rate_display}}{{rate_type}} on Deriv P2P.nnIf you're interested, check out my ad 👉nn{{- advert_url}}nnThanks!","106063661":"Share this ad","111718006":"End date","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","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","179083332":"Date","192859167":"{{avg_buy_time_in_minutes}} min","197477687":"Edit {{ad_type}} ad","203271702":"Try again","231473252":"Preferred currency","233677840":"of the market rate","257637860":"Upload documents to verify your address.","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","358133589":"Unblock {{advertiser_name}}?","364681129":"Contact details","367579676":"Blocked","390890891":"Last quarter","392469164":"You have blocked {{advertiser_name}}.","416167062":"You'll receive","424668491":"expired","450016951":"Hello! This is where you can chat with the counterparty to confirm the order details.
Note: In case of a dispute, we'll use this chat as a reference.","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","498743422":"For your safety:","500514593":"Hide my ads","501523417":"You have no orders.","514948272":"Copy link","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","574961698":"45 minutes","587882987":"Advertisers","611376642":"Clear","612069973":"Would you recommend this buyer?","625563394":"Only numbers are allowed.","625586185":"Deposits via cards and the following payment methods aren’t included: Maestro, Diners Club, ZingPay, Skrill, Neteller, Ozow, and UPI QR.","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","668309975":"Others will see this on your profile, ads, and chats.","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","784839262":"Share","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?","886126850":"This ad is not listed on Buy/Sell because its maximum order is lower than the minimum amount you can specify for orders in your ads.","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)","926446466":"Please set a different minimum and/or maximum order limit. nnThe range of your ad should not overlap with any of your active ads.","931661826":"Download this QR code","947389294":"We need your documents","949859957":"Submit","954233511":"Sold","957807235":"Blocking wasn't possible as {{name}} is not using Deriv P2P anymore.","988380202":"Your instructions","993198283":"The file you uploaded is not supported. Upload another.","1001160515":"Sell","1002264993":"Seller's real name","1009032439":"All time","1020552673":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }}...","1030390916":"You already have an ad with this range","1035893169":"Delete","1040596075":"Address verification failed. Please try again.","1042690536":"I’ve read and understood the above reminder.","1052094244":"Max order","1056821534":"Are you sure?","1057127276":"{{- avg_release_time_in_minutes}} min","1065551550":"Set floating rate","1077515534":"Date to","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 .- _ @.","1142686040":"Nickname added successfully!","1151608942":"Total amount","1157877436":"{{field_name}} should not exceed Amount","1162965175":"Buyer","1163072833":"<0>ID verified","1164771858":"I’ve received payment from 3rd party.","1168689876":"Your ad is not listed","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","1254676637":"I'll do this later","1258285343":"Oops, something went wrong","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","1376329801":"Last 60 days","1378388952":"Promote your ad by sharing the QR code and link.","1381949324":"<0>Address verified","1385570445":"Upload documents to verify your identity.","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","1543377906":"This ad is not listed on Buy/Sell because you have paused all your ads.","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}} ","1587507924":"Or copy this link","1607051458":"Search by nickname","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 }})","1622662457":"Date from","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","1686592014":"To place an order, add one of the advertiser's preferred payment methods:","1691540875":"Edit payment method","1699829275":"Cannot upload a file over 5MB","1702855414":"Your ad isn’t listed on Buy/Sell due to the following reason(s):","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","1782514544":"This ad is not listed on Buy/Sell because its minimum order is higher than {{maximum_order_amount}} {{currency}}.","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}}","1858251701":"minute","1859308030":"Give feedback","1874956952":"Hit the button below to add payment methods.","1881018702":"hour","1881201992":"Your Deriv P2P balance only includes deposits that can’t be reversed.","1902229457":"Unable to block advertiser","1908023954":"Sorry, an error occurred while processing your request.","1914014145":"Today","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","2064304887":"We accept JPG, PDF, or PNG (up to 5MB).","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","-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?","-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","-991345852":"Only up to 2 decimals are allowed.","-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.","-1837059346":"Buy / Sell","-494667560":"Orders","-679691613":"My ads","-412680608":"Add payment method","-984140537":"Add","-1220275347":"You may choose up to 3 payment methods for this ad.","-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","-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","-2017825013":"Got it","-1845037007":"Advertiser's page","-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","-1148912768":"If the market rate changes from the rate shown here, we won't be able to process your order.","-55126326":"Seller","-92830427":"Seller's instructions","-1940034707":"Buyer's instructions","-631576120":"Orders must be completed in","-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","-892663026":"Your contact details","-1285759343":"Search","-1657433201":"There are no matching ads.","-1862812590":"Limits {{ min_order }}–{{ max_order }} {{ currency }}","-375836822":"Buy {{account_currency}}","-1035421133":"Sell {{account_currency}}","-1876891031":"Currency","-1503997652":"No ads for this currency.","-1048001140":"No results for \"{{value}}\".","-254484597":"You have no ads 😞","-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...","-372210670":"Rate (1 {{account_currency}})","-87612148":"Ad not listed","-1318334333":"Deactivate","-1667041441":"Rate (1 {{ offered_currency }})","-792015701":"Deriv P2P cashier is unavailable in your country.","-1983512566":"This conversation is closed.","-283017497":"Retry","-360975483":"You've made no transactions of this type during this period.","-979459594":"Buy/Sell","-2052184983":"Order ID","-2096350108":"Counterparty","-1597110099":"Receive","-750202930":"Active orders","-1626659964":"I've received {{amount}} {{currency}}.","-526636259":"Error 404","-480724783":"You already have an ad with this rate","-2040406318":"You already have an ad with the same exchange rate for this currency pair and order type. nnPlease set a different rate for your ad.","-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","-1887970998":"Unblocking wasn't possible as {{name}} is not using Deriv P2P anymore.","-1207312691":"Completed","-688728873":"Expired","-1951641340":"Under dispute","-1738697484":"Confirm payment","-1611857550":"Waiting for the seller to confirm","-1452684930":"Buyer's real name","-1875343569":"Seller's payment details","-1977959027":"hours","-1603581277":"minutes","-1792280476":"Choose your payment method","-520142572":"Cashier is currently down for maintenance","-1552080215":"Please check back in a few minutes.<0>Thank you for your patience.","-684271315":"OK","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-1638172550":"To enable this feature you must complete the following:","-1086586743":"Please submit your <0>proof of address. You can use Deriv P2P after we’ve verified your documents.","-559300364":"Your Deriv P2P cashier is blocked","-740038242":"Your rate is","-1072444041":"Update ad","-2085839488":"This ad is not listed on Buy/Sell because its minimum order is higher than the ad’s remaining amount ({{remaining_amount}} {{currency}}).","-987612578":"This ad is not listed on Buy/Sell because its minimum order is higher than your Deriv P2P available balance ({{balance}} {{currency}}).","-84644774":"This ad is not listed on Buy/Sell because its minimum order is higher than your remaining daily limit ({{remaining_limit}} {{currency}}).","-452142075":"You’re not allowed to use Deriv P2P to advertise. Please contact us via live chat for more information.","-1886565882":"Your ads with floating rates have been deactivated. Set fixed rates to reactivate them.","-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.","-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","-146021156":"Delete {{payment_method_name}}?","-1846700504":"Are you sure you want to remove this payment method?","-231863107":"No","-471384801":"Sorry, we're unable to increase your limits right now. Please try again in a few minutes.","-150224710":"Yes, continue","-1422779483":"That payment method cannot be deleted","-1103095341":"If you’re selling, only release funds to the buyer after you’ve received payment.","-1918928746":"We’ll never ask you to release funds on behalf of anyone.","-1641698637":"Read the instructions in the ad carefully before making your order. If there's anything unclear, check with the advertiser first.","-1815993311":"Only discuss your P2P order details within the in-app chatbox, and nowhere else.","-7572501":"All P2P transactions are final and cannot be reversed.","-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).","-75934135":"Matching ads","-1856204727":"Reset","-227512949":"Check your spelling or use a different term.","-1554938377":"Search payment method","-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.","-1907448242":"Available Deriv P2P Balance","-268565332":"What’s your nickname?","-532709160":"Your nickname","-1016461467":"Your nickname cannot be changed later.","-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","-637818525":"Sending forged documents will result in an immediate and permanent ban.","-670364940":"Upload receipt here","-937707753":"Go Back","-1340125291":"Done","-1854199094":"{{type}} {{account_currency}}","-788469106":"ID number","-574559641":"Scan this code to order via Deriv P2P","-1078665050":"Share link","-354026679":"Share via","-229543460":"{{- link}}","-1388977563":"Copied!","-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","-609070622":"Identity verification in progress.","-1269954557":"Identity verification failed. Please try again.","-1507102231":"Identity verification complete.","-670039668":"Address verification in progress.","-23313647":"Address verification complete.","-1483008038":"Verify your P2P account","-792476552":"Verify your identity and address to use Deriv P2P.","-293628675":"1 hour","-1978767852":"30 minutes","-999492762":"15 minutes","-1908692350":"Filter by","-992568889":"No one to show here","-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","-2090878601":"Daily limit","-474123616":"Want to increase your daily limits to <0>{{max_daily_buy}} {{currency}} (buy) and <1>{{max_daily_sell}} {{currency}} (sell)?","-133982971":"{{avg_release_time_in_minutes}} min","-130547447":"Trade volume <0>30d | <1>lifetime","-383030149":"You haven’t added any payment methods yet","-1156559889":"Bank Transfers","-1269362917":"Add new"} \ No newline at end of file diff --git a/packages/p2p/src/translations/ar.json b/packages/p2p/src/translations/ar.json index 1660be1d92fb..1e7ac0a725c7 100644 --- a/packages/p2p/src/translations/ar.json +++ b/packages/p2p/src/translations/ar.json @@ -50,7 +50,6 @@ "498743422": "من أجل سلامتك:", "500514593": "إخفاء إعلاناتي", "501523417": "ليس لديك أوامر.", - "508385321": "سيكون هذا اللقب مرئيًا لمستخدمي Deriv P2P الآخرين.", "514948272": "انسخ الرابط", "517202770": "حدد سعر ثابت", "523301614": "الإصدار {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "أخرى", "661808069": "إعادة إرسال البريد الإلكتروني {{remaining_time}}", "662578726": "متاح", + "668309975": "سيشاهد الآخرون هذا في ملفك الشخصي وإعلاناتك ودردشاتك.", "683273691": "معدل (1 {{ account_currency }})", "723172934": "هل تبحث عن شراء أو بيع الدولار الأمريكي؟ يمكنك نشر إعلانك الخاص للآخرين للرد.", "728383001": "لقد استلمت أكثر من المبلغ المتفق عليه.", @@ -127,7 +127,6 @@ "1142686040": "تمت إضافة الاسم المستعار بنجاح!", "1151608942": "المبلغ الإجمالي", "1157877436": "يجب ألا يتجاوز {{field_name}} المبلغ", - "1161621759": "اختر لقبك", "1162965175": "المشتري", "1163072833": "تم التحقق من <0>الهوية", "1164771858": "لقد تلقيت دفعة من طرف ثالث.", @@ -427,6 +426,7 @@ "-854930519": "لن تتمكن من استعادتها.", "-1600783504": "حدد سعرًا عائمًا لإعلانك.", "-1907448242": "رصيد Deriv P2P المتاح", + "-268565332": "ما هو لقبك؟", "-532709160": "اللقب الخاص بك", "-1016461467": "لا يمكن تغيير اللقب الخاص بك لاحقًا.", "-2008992756": "هل تريد إلغاء هذا الطلب؟", diff --git a/packages/p2p/src/translations/bn.json b/packages/p2p/src/translations/bn.json index 01edb7c33a08..b22392257f91 100644 --- a/packages/p2p/src/translations/bn.json +++ b/packages/p2p/src/translations/bn.json @@ -50,7 +50,6 @@ "498743422": "আপনার নিরাপত্তার জন্য:", "500514593": "আমার বিজ্ঞাপন লুকান", "501523417": "আপনার কোন অর্ডার নেই।", - "508385321": "এই ডাকনামটি অন্যান্য Deriv P2P ব্যবহারকারীদের কাছে দৃশ্যমান হবে।", "514948272": "লিংক কপি", "517202770": "নির্দিষ্ট হার নির্ধারণ করুন", "523301614": "রিলিজ {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "অন্যান্য", "661808069": "ইমেইল পুনরায় পাঠান {{remaining_time}}", "662578726": "উপলভ্য", + "668309975": "অন্যরা আপনার প্রোফাইল, বিজ্ঞাপন এবং চ্যাটে এটি দেখতে পাবে।", "683273691": "হার (1 {{ account_currency }})", "723172934": "USD ক্রয় বা বিক্রয় করতে চান? অন্যদের প্রতিক্রিয়া জানানোর জন্য আপনি নিজের বিজ্ঞাপন পোস্ট করতে পারেন।", "728383001": "আমি সম্মত পরিমাণের চেয়েও বেশি পেয়েছি।", @@ -127,7 +127,6 @@ "1142686040": "ডাকনাম সফলভাবে যোগ করা হয়েছে!", "1151608942": "মোট পরিমাণ", "1157877436": "{{field_name}} পরিমাণ অতিক্রম করা উচিত নয়", - "1161621759": "আপনার ডাকনাম বেছে নিন", "1162965175": "ক্রেতা", "1163072833": "<0>ID যাচাই", "1164771858": "আমি 3য় পক্ষ থেকে পেমেন্ট পেয়েছি।", @@ -427,6 +426,7 @@ "-854930519": "আপনি এটি পুনরুদ্ধার করতে সক্ষম হবে না।", "-1600783504": "আপনার বিজ্ঞাপনের জন্য একটি ফ্লোটিং রেট সেট করুন।", "-1907448242": "উপলব্ধ Deriv P2P ব্যালেন্স", + "-268565332": "তোমার ডাকনাম কি?", "-532709160": "আপনার ডাকনাম", "-1016461467": "আপনার শেষ নাম পরিবর্তন করা যাবে না।", "-2008992756": "আপনি কি এই অর্ডারটি বাতিল করতে চান?", diff --git a/packages/p2p/src/translations/de.json b/packages/p2p/src/translations/de.json index b984018a89cc..ce43ad190ebe 100644 --- a/packages/p2p/src/translations/de.json +++ b/packages/p2p/src/translations/de.json @@ -50,7 +50,6 @@ "498743422": "Zu Ihrer Sicherheit:", "500514593": "Meine Anzeigen verstecken", "501523417": "Sie haben keine Befehle.", - "508385321": "Dieser Spitzname wird für andere Deriv P2P-Benutzer sichtbar sein.", "514948272": "Link kopieren", "517202770": "Festpreis festlegen", "523301614": "Version {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Others", "661808069": "E-Mail erneut senden {{remaining_time}}", "662578726": "Verfügbar", + "668309975": "Andere sehen dies in Ihrem Profil, Ihren Anzeigen und Chats.", "683273691": "Bewerten (1 {{ account_currency }})", "723172934": "Sie möchten USD kaufen oder verkaufen? Sie können Ihre eigene Anzeige veröffentlichen, damit andere darauf antworten können.", "728383001": "Ich habe mehr als den vereinbarten Betrag erhalten.", @@ -127,7 +127,6 @@ "1142686040": "Spitzname wurde erfolgreich hinzugefügt!", "1151608942": "Gesamtbetrag", "1157877436": "{{field_name}} sollte den Betrag nicht überschreiten", - "1161621759": "Wähle deinen Spitznamen", "1162965175": "Käufer", "1163072833": "<0>ID verifiziert", "1164771858": "Ich habe eine Zahlung von einem Drittanbieter erhalten.", @@ -427,6 +426,7 @@ "-854930519": "Sie werden es NICHT wiederherstellen können.", "-1600783504": "Lege einen variablen Zinssatz für deine Anzeige fest.", "-1907448242": "Verfügbarer Deriv P2P-Saldo", + "-268565332": "Wie lautet Ihr Spitzname?", "-532709160": "Dein Nickname", "-1016461467": "Ihr Spitzname kann später nicht mehr geändert werden.", "-2008992756": "Möchten Sie diese Bestellung stornieren?", diff --git a/packages/p2p/src/translations/es.json b/packages/p2p/src/translations/es.json index 504678a1e00f..b74bcae22eb1 100644 --- a/packages/p2p/src/translations/es.json +++ b/packages/p2p/src/translations/es.json @@ -50,7 +50,6 @@ "498743422": "Para su seguridad:", "500514593": "Ocultar mis anuncios", "501523417": "No tiene pedidos.", - "508385321": "Este apodo será visible para otros usuarios de Deriv P2P.", "514948272": "Copiar enlace", "517202770": "Establecer tasa fija", "523301614": "Liberar {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Otros", "661808069": "Reenviar correo electrónico en {{remaining_time}}", "662578726": "Disponible", + "668309975": "Los demás lo verán en su perfil, anuncios y chats.", "683273691": "Tasa (1 {{ account_currency }})", "723172934": "¿Quiere comprar o vender USD? Puede publicar su propio anuncio para que otros respondan.", "728383001": "He recibido más de la cantidad acordada.", @@ -127,7 +127,6 @@ "1142686040": "El apodo se agregó correctamente!", "1151608942": "Cantidad total", "1157877436": "{{field_name}} no debe exceder la Cantidad", - "1161621759": "Elija su alias", "1162965175": "Comprador", "1163072833": "<0>ID verificado", "1164771858": "He recibido el pago de un tercero.", @@ -427,6 +426,7 @@ "-854930519": "Ya NO se podrá restaurar.", "-1600783504": "Establezca una tasa flotante para su anuncio.", "-1907448242": "Saldo Deriv P2P disponible", + "-268565332": "¿Cuál es su alias?", "-532709160": "Su alias", "-1016461467": "Tu apodo no se puede cambiar más adelante.", "-2008992756": "¿Desea cancelar este pedido?", diff --git a/packages/p2p/src/translations/fr.json b/packages/p2p/src/translations/fr.json index 24e6759a84b0..903bb2e4dd3a 100644 --- a/packages/p2p/src/translations/fr.json +++ b/packages/p2p/src/translations/fr.json @@ -50,7 +50,6 @@ "498743422": "Pour votre sécurité :", "500514593": "Cacher mes annonces", "501523417": "Vous n'avez aucun ordre.", - "508385321": "Ce surnom sera visible par les autres utilisateurs de Deriv P2P.", "514948272": "Copier le lien", "517202770": "Définir un taux fixe", "523301614": "Débloquer {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Autres", "661808069": "Renvoyer l'e-mail dans {{remaining_time}}", "662578726": "Disponible", + "668309975": "Les autres le verront sur votre profil, vos annonces et vos chats.", "683273691": "Taux (1 {{ account_currency }})", "723172934": "Souhaitez-vous acheter ou vendre des dollars américains ? Vous pouvez publier votre propre annonce afin que les autres puissent y répondre.", "728383001": "J'ai reçu plus que le montant convenu.", @@ -127,7 +127,6 @@ "1142686040": "Pseudonyme ajouté avec succès !", "1151608942": "Montant total", "1157877436": "Le champ {{field_name}} ne doit pas dépasser le Montant", - "1161621759": "Choisissez votre pseudo", "1162965175": "Acheteur", "1163072833": "<0>Identité vérifiée", "1164771858": "J'ai reçu le paiement d'un tiers.", @@ -427,6 +426,7 @@ "-854930519": "Vous ne pourrez PLUS le restaurer.", "-1600783504": "Définir un taux flottant pour votre annonce.", "-1907448242": "Solde Deriv P2P disponible", + "-268565332": "Quel est votre pseudo ?", "-532709160": "Votre pseudo", "-1016461467": "Votre pseudonyme ne pourra pas être modifié ultérieurement.", "-2008992756": "Souhaitez-vous annuler cet ordre ?", diff --git a/packages/p2p/src/translations/it.json b/packages/p2p/src/translations/it.json index 337855ea41d0..2a3c3f4b5258 100644 --- a/packages/p2p/src/translations/it.json +++ b/packages/p2p/src/translations/it.json @@ -50,7 +50,6 @@ "498743422": "Per la tua sicurezza:", "500514593": "Nascondi i miei annunci", "501523417": "Non hai ordini.", - "508385321": "Questo nickname sarà visibile agli altri utenti di Deriv P2P.", "514948272": "Copia link", "517202770": "Imposta tasso fisso", "523301614": "Immetti {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Altro", "661808069": "Invia di nuovo l'e-mail {{remaining_time}}", "662578726": "Disponibile", + "668309975": "Gli altri lo vedranno sul suo profilo, sugli annunci e sulle chat.", "683273691": "Tasso (1 {{ account_currency }})", "723172934": "Vuoi acquistare o vendere USD? Puoi pubblicare il tuo annuncio per consentire agli altri di rispondere.", "728383001": "Ho ricevuto un importo superiore a quello stabilito.", @@ -127,7 +127,6 @@ "1142686040": "L'aggiunta del nickname è andata a buon fine.", "1151608942": "Importo totale", "1157877436": "{{field_name}} non deve superare l'importo", - "1161621759": "Scegli un soprannome", "1162965175": "Compratore", "1163072833": "<0>ID verificato", "1164771858": "Ho ricevuto il pagamento da una terza parte.", @@ -427,6 +426,7 @@ "-854930519": "NON potrai ripristinarlo.", "-1600783504": "Imposta un tasso variabile per l'annuncio.", "-1907448242": "Saldo Deriv P2P disponibile", + "-268565332": "Qual è il suo soprannome?", "-532709160": "Soprannome", "-1016461467": "Il tuo nickname non può essere modificato in seguito.", "-2008992756": "Vuoi annullare l'ordine?", diff --git a/packages/p2p/src/translations/ko.json b/packages/p2p/src/translations/ko.json index b5af16cac64c..71cddb267bf1 100644 --- a/packages/p2p/src/translations/ko.json +++ b/packages/p2p/src/translations/ko.json @@ -50,7 +50,6 @@ "498743422": "안전을 위해:", "500514593": "내 광고 숨기기", "501523417": "주문이 없습니다.", - "508385321": "이 닉네임은 다른 Deriv P2P 사용자가 볼 수 있습니다.", "514948272": "링크 복사", "517202770": "고정 환율 설정", "523301614": "릴리즈 {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "기타", "661808069": "이메일 재전송 {{remaining_time}}", "662578726": "사용 가능", + "668309975": "다른 사람들이 내 프로필, 광고, 채팅에서 이 내용을 볼 수 있습니다.", "683273691": "요율 (1 {{ account_currency }})", "723172934": "USD를 구매 또는 판매하고 싶으신가요? 다른 사람들이 반응할 수 있도록 광고를 직접 게시할 수 있습니다.", "728383001": "합의된 금액보다 많이 받았습니다.", @@ -127,7 +127,6 @@ "1142686040": "닉네임이 성공적으로 추가되었습니다!", "1151608942": "총 금액", "1157877436": "{{field_name}} 금액을 초과할 수 없습니다", - "1161621759": "닉네임 선택", "1162965175": "구매자", "1163072833": "<0>ID 인증", "1164771858": "제3자로부터 결제를 받았습니다.", @@ -427,6 +426,7 @@ "-854930519": "복원할 수 없습니다.", "-1600783504": "광고의 변동 환율을 설정하세요.", "-1907448242": "사용 가능한 Deriv P2P 잔액", + "-268565332": "닉네임이 뭐예요?", "-532709160": "귀하의 닉네임", "-1016461467": "닉네임은 나중에 변경할 수 없습니다.", "-2008992756": "이 주문을 취소하시겠습니까?", diff --git a/packages/p2p/src/translations/pl.json b/packages/p2p/src/translations/pl.json index 653ddc3fb741..a8636dc80857 100644 --- a/packages/p2p/src/translations/pl.json +++ b/packages/p2p/src/translations/pl.json @@ -50,7 +50,6 @@ "498743422": "Dla Twojego bezpieczeństwa:", "500514593": "Proszę ukryć moje reklamy", "501523417": "Nie masz żadnych zleceń.", - "508385321": "Ten pseudonim będzie widoczny dla innych użytkowników Deriv P2P.", "514948272": "Kopiuj link", "517202770": "Ustaw stałą stawkę", "523301614": "Odblokuj {{currency}} {{amount}}", @@ -73,6 +72,7 @@ "655733440": "Others", "661808069": "Wyślij wiadomość ponownie za {{remaining_time}}", "662578726": "Dostępne", + "668309975": "Inni zobaczą to na Twoim profilu, reklamach i czatach.", "683273691": "Opłata (1 {{ account_currency }})", "723172934": "Chcesz kupić lub sprzedać USD? Możesz zamieścić własne ogłoszenie, aby inni mogli odpowiedzieć.", "728383001": "Otrzymano więcej niż ustalona kwota.", @@ -127,7 +127,6 @@ "1142686040": "Pseudonim dodany pomyślnie!", "1151608942": "Całkowita kwota", "1157877436": "Pole {{field_name}} nie powinno być wyższe niż Kwota", - "1161621759": "Wybierz swój pseudonim", "1162965175": "Kupujący", "1163072833": "Zweryfikowano <0>ID", "1164771858": "Otrzymałem płatność od strony trzeciej.", @@ -427,6 +426,7 @@ "-854930519": "Przywrócenie NIE będzie możliwe.", "-1600783504": "Ustaw zmienną stawkę dla swojego ogłoszenia.", "-1907448242": "Dostępne Deriv P2P Balance", + "-268565332": "Jaki jest twój pseudonim?", "-532709160": "Twój pseudonim", "-1016461467": "Pseudonim nie może zostać zmieniony później.", "-2008992756": "Chcesz anulować to zlecenie?", diff --git a/packages/p2p/src/translations/pt.json b/packages/p2p/src/translations/pt.json index 5c1b5973ea37..0ff85c278b47 100644 --- a/packages/p2p/src/translations/pt.json +++ b/packages/p2p/src/translations/pt.json @@ -50,7 +50,6 @@ "498743422": "Para sua segurança:", "500514593": "Ocultar os meus anúncios", "501523417": "Você não tem anúncios.", - "508385321": "O nome alternativo será visível para outros utilizadores da Deriv P2P.", "514948272": "Copiar link", "517202770": "Defina uma taxa fixa", "523301614": "Liberar {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Outros", "661808069": "Reenviar e-mail {{remaining_time}}", "662578726": "Disponível", + "668309975": "Os outros podem ver isto no seu perfil, anúncios e chats.", "683273691": "Taxa (1 {{ account_currency }})", "723172934": "Quer comprar ou vender USD? Você pode publicar o seu próprio anúncio para que outras pessoas respondam.", "728383001": "Eu recebi mais do que o valor combinado.", @@ -127,7 +127,6 @@ "1142686040": "Nome alternativo adicionado com sucesso!", "1151608942": "Valor total", "1157877436": "{{field_name}} não deve exceder o Montante", - "1161621759": "Escolha o seu nome alternativo", "1162965175": "Comprador", "1163072833": "<0>ID validado", "1164771858": "Recebi o pagamento de terceiros.", @@ -427,6 +426,7 @@ "-854930519": "Você NÃO poderá restaurá-lo(a).", "-1600783504": "Defina uma taxa flutuante para seu anúncio.", "-1907448242": "Saldo da Deriv P2P disponível", + "-268565332": "Qual é o seu nome alternativo?", "-532709160": "O seu nome alternativo", "-1016461467": "Não será possível alterar o seu nome alternativo mais tarde.", "-2008992756": "Quer cancelar este pedido?", diff --git a/packages/p2p/src/translations/ru.json b/packages/p2p/src/translations/ru.json index 1bd0e5f5740e..44d943a5f5ad 100644 --- a/packages/p2p/src/translations/ru.json +++ b/packages/p2p/src/translations/ru.json @@ -50,7 +50,6 @@ "498743422": "Для Вашей безопасности:", "500514593": "Скрыть мои объявления", "501523417": "У вас нет ордеров.", - "508385321": "Этот никнейм будет виден другим пользователям Deriv P2P.", "514948272": "Копировать ссылку", "517202770": "Установить курс", "523301614": "Отправить {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Другое", "661808069": "Отправить еще раз {{remaining_time}}с", "662578726": "Доступно", + "668309975": "Другие увидят это в вашем профиле, объявлениях и чатах.", "683273691": "Курс (1 {{ account_currency }})", "723172934": "Хотите купить или продать USD? Создайте объявление, чтобы другие могли ответить на него.", "728383001": "Я получил(а) больше оговоренной суммы.", @@ -127,7 +127,6 @@ "1142686040": "Ник успешно добавлен!", "1151608942": "Общая сумма", "1157877436": "Значение {{field_name}} не должно превышать Сумму", - "1161621759": "Выберите псевдоним", "1162965175": "Покупатель", "1163072833": "<0>ID подтвержден", "1164771858": "Я получил платеж от третьей стороны.", @@ -427,6 +426,7 @@ "-854930519": "Вы НЕ сможете его восстановить.", "-1600783504": "Установите плавающий курс для объявления.", "-1907448242": "Доступный баланс Deriv P2P", + "-268565332": "Какое у bас псевдоним?", "-532709160": "Ваш псевдоним", "-1016461467": "Ваш ник нельзя будет изменить позже.", "-2008992756": "Хотите отменить этот ордер?", diff --git a/packages/p2p/src/translations/si.json b/packages/p2p/src/translations/si.json index 14ca3f650159..ec1eb7abec24 100644 --- a/packages/p2p/src/translations/si.json +++ b/packages/p2p/src/translations/si.json @@ -50,7 +50,6 @@ "498743422": "ඔබේ ආරක්ෂාව සඳහා:", "500514593": "මගේ දැන්වීම් සඟවන්න", "501523417": "ඔබට ඇණවුම් නොමැත.", - "508385321": "මෙම අන්වර්ථ නාමය අනෙකුත් ඩීරිව් පී 2 පී පරිශීලකයින්ට දැකගත හැකිය.", "514948272": "සබැඳිය පිටපත් කරන්න", "517202770": "ස්ථාවර අනුපාතය සකසන්න", "523301614": "නිකුතුව {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "අන් අය", "661808069": "විද්යුත් තැපෑල නැවත යවන්න {{remaining_time}}", "662578726": "ලබා ගත හැකිය", + "668309975": "අනෙක් අය මෙය ඔබේ පැතිකඩ, දැන්වීම් සහ කතාබහ වල දකිනු ඇත.", "683273691": "අනුපාතය (1 {{ account_currency }})", "723172934": "ඇමරිකානු ඩොලර් මිලියන මිලදී ගැනීමට හෝ විකිණීමට බලාපොරොත්තු වන්නේද? අන් අයට ප්රතිචාර දැක්වීම සඳහා ඔබට ඔබේම දැන්වීමක් පළ කළ හැකිය.", "728383001": "එකඟ වූ මුදලට වඩා මට ලැබී ඇත.", @@ -127,7 +127,6 @@ "1142686040": "අන්වර්ථ නාමය සාර්ථකව එකතු කරන ලදී!", "1151608942": "මුළු මුදල", "1157877436": "{{field_name}} ප්රමාණය නොඉක්මවිය යුතුය", - "1161621759": "ඔබේ අන්වර්ථ නාමය තෝරන්න", "1162965175": "ගැනුම්කරු", "1163072833": "<0>හැඳුනුම්පත සත්යාපනය කර ඇත", "1164771858": "මට 3 වන පාර්ශවයෙන් ගෙවීම් ලැබී ඇත.", @@ -427,6 +426,7 @@ "-854930519": "ඔබට එය යථා තත්වයට පත් කිරීමට නොහැකි වනු ඇත.", "-1600783504": "ඔබේ දැන්වීම සඳහා පාවෙන අනුපාතයක් සකසන්න.", "-1907448242": "ලබා ගත හැකි Deriv p2p ශේෂය", + "-268565332": "ඔබේ අන්වර්ථ නාමය කුමක්ද?", "-532709160": "ඔබේ අන්වර්ථ නාමය", "-1016461467": "ඔබේ අන්වර්ථ නාමය පසුව වෙනස් කළ නොහැක.", "-2008992756": "ඔබට මෙම ඇණවුම අවලංගු කිරීමට අවශ්යද?", diff --git a/packages/p2p/src/translations/sw.json b/packages/p2p/src/translations/sw.json index 479d4fc8f8a9..ef25b90dfcad 100644 --- a/packages/p2p/src/translations/sw.json +++ b/packages/p2p/src/translations/sw.json @@ -50,7 +50,6 @@ "498743422": "Kwa usalama wako:", "500514593": "Ficha matangazo yangu", "501523417": "Huna amri.", - "508385321": "Jina hili litaonekana kwa watumiaji wengine wa Deriv P2P.", "514948272": "Nakili kiungo", "517202770": "Weka kiwango cha kudumu", "523301614": "Toleo {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Wengine", "661808069": "Tuma tena barua pepe {{remaining_time}}", "662578726": "Inapatikana", + "668309975": "Wengine wataona hii kwenye wasifu wako, matangazo, na mazungumzo.", "683273691": "Kiwango (1 {{ account_currency }})", "723172934": "Unatafuta kununua au kuuza USD? Unaweza kuchapisha tangazo lako mwenyewe kwa wengine kujibu.", "728383001": "Nimepokea zaidi ya kiasi kilichokubaliwa.", @@ -127,7 +127,6 @@ "1142686040": "Jina la utani iliongezwa kwa ma!", "1151608942": "Jumla ya kiasi", "1157877436": "{{field_name}} haipaswi kuzidi Kiasi", - "1161621759": "Chagua jina lako", "1162965175": "Mnunuzi", "1163072833": "<0>ID ilithibi tishwa", "1164771858": "Nimepokea malipo kutoka kwa mtu wa tatu.", @@ -427,6 +426,7 @@ "-854930519": "Hutakuwa na uwezo wa kuirejesha.", "-1600783504": "Weka kiwango kinachoelea kwa tangazo lako.", "-1907448242": "Inapatikana Deriv P2P Salio", + "-268565332": "Jina lako ni nini?", "-532709160": "Jina lako", "-1016461467": "Jina lako haliwezi kubadilishwa baadaye.", "-2008992756": "Je! Unataka kughairi agizo hili?", diff --git a/packages/p2p/src/translations/th.json b/packages/p2p/src/translations/th.json index abbdeab84070..c8619887d55c 100644 --- a/packages/p2p/src/translations/th.json +++ b/packages/p2p/src/translations/th.json @@ -50,7 +50,6 @@ "498743422": "เพื่อความปลอดภัยของคุณ:", "500514593": "ซ่อนโฆษณาของฉัน", "501523417": "คุณไม่มีรายการคำสั่งซื้อ", - "508385321": "ชื่อเล่นนี้จะสามารถมองเห็นได้สำหรับผู้ใช้ Deriv P2P รายอื่น ๆ", "514948272": "คัดลอกลิงก์", "517202770": "กำหนดอัตราคงที่", "523301614": "ปล่อย {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "อื่นๆ", "661808069": "ส่งอีเมล์อีกครั้งใน {{remaining_time}}", "662578726": "ที่มีอยู่", + "668309975": "คนอื่นจะเห็นสิ่งนี้ในโปรไฟล์ โฆษณา และการแชทของคุณ", "683273691": "อัตรา (1 {{ account_currency }})", "723172934": "ต้องการจะซื้อหรือขายเงินดอลล่าห์สหรัฐ (USD)? คุณสามารถโพสต์โฆษณาของคุณเองเพื่อให้ผู้อื่นตอบกลับ", "728383001": "ฉันได้รับจำนวนเงินมากกว่าที่ตกลงกัน", @@ -127,7 +127,6 @@ "1142686040": "เพิ่มชื่อเล่นเรียบร้อยแล้ว!", "1151608942": "ยอดรวมทั้งหมด", "1157877436": "{{field_name}} ไม่ควรเกินจำนวนที่ตั้งไว้", - "1161621759": "เลือกชื่อเล่นของคุณ", "1162965175": "ผู้ซื้อ", "1163072833": "<0>ID ผ่านการตรวจสอบยืนยันแล้ว", "1164771858": "ฉันได้รับการชำระเงินจากบุคคลที่สาม", @@ -427,6 +426,7 @@ "-854930519": "คุณจะไม่สามารถกู้คืนได้", "-1600783504": "ตั้งค่าอัตราลอยตัวสำหรับโฆษณาของคุณ", "-1907448242": "ยอดคงเหลือ Deriv P2P ที่มีอยู่", + "-268565332": "ชื่อเล่นของคุณคืออะไร?", "-532709160": "ชื่อเล่นของคุณ", "-1016461467": "ชื่อเล่นของคุณไม่สามารถเปลี่ยนแปลงได้ในภายหลัง", "-2008992756": "คุณต้องการยกเลิกคำสั่งซื้อนี้หรือไม่?", diff --git a/packages/p2p/src/translations/tr.json b/packages/p2p/src/translations/tr.json index 311ee0f83491..582278b2bb62 100644 --- a/packages/p2p/src/translations/tr.json +++ b/packages/p2p/src/translations/tr.json @@ -50,7 +50,6 @@ "498743422": "Güvenliğiniz için:", "500514593": "İlanlarımı gizle", "501523417": "Hiç emriniz yok.", - "508385321": "Bu takma ad diğer Deriv P2P kullanıcıları tarafından görülebilir.", "514948272": "Bağlantıyı Kopyala", "517202770": "Sabit oran ayarla", "523301614": "Bırakın {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Diğerleri", "661808069": "E-postayı tekrar gönder {{remaining_time}}", "662578726": "Kullanılabilir", + "668309975": "Diğerleri bunu profilinizde, reklamlarınızda ve sohbetlerinizde görecektir.", "683273691": "Oran (1 {{ account_currency }})", "723172934": "USD almak veya satmak mı istiyorsunuz? Başkalarının yanıt vermesi için kendi ilanlarınızı yayınlayabilirsiniz.", "728383001": "Kabul edilen tutardan fazlasını aldım.", @@ -127,7 +127,6 @@ "1142686040": "Takma ad başarıyla eklendi!", "1151608942": "Toplam miktar", "1157877436": "{{field_name}} miktarı aşmamalıdır", - "1161621759": "Takma adınızı seçin", "1162965175": "Alıcı", "1163072833": "<0>ID doğrulandı", "1164771858": "Üçüncü taraftan ödeme aldım.", @@ -302,7 +301,7 @@ "-55126326": "Satıcı", "-92830427": "Satıcı talimatları", "-1940034707": "Alıcı talimatları", - "-631576120": "Siparişler şu şekilde tamamlanmalıdır", + "-631576120": "Siparişler şu sürede tamamlanmalıdır", "-835196958": "Ödeme al", "-1218007718": "En fazla 3 tane seçebilirsiniz.", "-1933432699": "{{transaction_type}} tutarı girin", @@ -372,7 +371,7 @@ "-1452684930": "Alıcının gerçek adı", "-1875343569": "Satıcının ödeme bilgileri", "-1977959027": "saat", - "-1603581277": "dakikalar", + "-1603581277": "dakika", "-1792280476": "Ödeme yönteminizi seçin", "-520142572": "Kasiyer şu anda bakım nedeniyle kapalı", "-1552080215": "Lütfen birkaç dakika içinde tekrar kontrol edin.<0>Sabrınız için teşekkür ederiz.", @@ -427,6 +426,7 @@ "-854930519": "Geri yükleyemeyeceksiniz.", "-1600783504": "İlanınız için dalgalı bir kur belirleyin.", "-1907448242": "Kullanılabilir Deriv P2P bakiyesi", + "-268565332": "Takma adın ne?", "-532709160": "Takma adınız", "-1016461467": "Takma adınız daha sonra değiştirilemez.", "-2008992756": "Bu emri iptal etmek istiyor musunuz?", diff --git a/packages/p2p/src/translations/vi.json b/packages/p2p/src/translations/vi.json index 7bd7b6fcebe7..aa626de77340 100644 --- a/packages/p2p/src/translations/vi.json +++ b/packages/p2p/src/translations/vi.json @@ -50,7 +50,6 @@ "498743422": "Vì sự an toàn của bạn:", "500514593": "Ẩn quảng cáo của tôi", "501523417": "Bạn không có lệnh đặt nào.", - "508385321": "Nickname này sẽ hiển thị cho những người dùng Deriv P2P khác.", "514948272": "Sao chép đường liên kết", "517202770": "Đặt tỷ giá cố định", "523301614": "Xuất {{amount}} {{currency}}", @@ -73,6 +72,7 @@ "655733440": "Khác", "661808069": "Gửi lại email {{remaining_time}}", "662578726": "Khả dụng", + "668309975": "Những người khác sẽ thấy điều này trên hồ sơ, quảng cáo và cuộc trò chuyện của bạn.", "683273691": "Tỷ giá (1 {{ account_currency }})", "723172934": "Bạn đang tìm mua hoặc bán USD? Bạn có thể đăng quảng cáo dịch vụ của mình để người khác biết đến.", "728383001": "Tôi đã nhận được nhiều hơn khoản tiền thoả thuận.", @@ -127,7 +127,6 @@ "1142686040": "Nickname đã được thêm thành công!", "1151608942": "Tổng tiền", "1157877436": "{{field_name}} không được vượt quá khoản", - "1161621759": "Chọn tên của bạn", "1162965175": "Người mua", "1163072833": "<0>ID đã được xác minh", "1164771858": "Tôi đã nhận được khoản thanh toán từ bên thứ 3.", @@ -427,6 +426,7 @@ "-854930519": "Bạn sẽ KHÔNG thể khôi phục nó.", "-1600783504": "Đặt tỷ giá thả nổi cho quảng cáo của bạn.", "-1907448242": "Số dư Deriv P2P hiện có", + "-268565332": "Biệt danh của bạn là gì?", "-532709160": "Tên của bạn", "-1016461467": "Bạn sẽ không thể thay đổi nickname của mình sau này.", "-2008992756": "Bạn có muốn hủy đơn hàng này?", diff --git a/packages/p2p/src/translations/zh_cn.json b/packages/p2p/src/translations/zh_cn.json index b1e0a402a31d..ea45068e50cc 100644 --- a/packages/p2p/src/translations/zh_cn.json +++ b/packages/p2p/src/translations/zh_cn.json @@ -50,7 +50,6 @@ "498743422": "为了您的安全:", "500514593": "隐藏我的广告", "501523417": "无订单。", - "508385321": "其他 Deriv P2P 用户将可看到此昵称。", "514948272": "复制链接", "517202770": "设置固定汇率", "523301614": "发放{{amount}}{{currency}}", @@ -73,6 +72,7 @@ "655733440": "其他", "661808069": "{{remaining_time}} 后重发电子邮件", "662578726": "可用", + "668309975": "其他人会在您的个人资料、广告和聊天记录中看到这一点。", "683273691": "费率 (1 {{ account_currency }})", "723172934": "想买入或卖出美元?可以自己发布广告以供他人回应。", "728383001": "我收到的金额比约定的金额更大。", @@ -127,7 +127,6 @@ "1142686040": "已成功添加昵称!", "1151608942": "总金额", "1157877436": "{{field_name}} 不可大于此数额", - "1161621759": "选择昵称", "1162965175": "买方", "1163072833": "<0>ID 已验证", "1164771858": "我已收到第三方的付款。", @@ -427,6 +426,7 @@ "-854930519": "您将无法还原它。", "-1600783504": "为广告设置浮动汇率。", "-1907448242": "可用的 Deriv P2P 余额", + "-268565332": "你的昵称是什么?", "-532709160": "您的昵称", "-1016461467": "昵称以后无法更改。", "-2008992756": "要取消此订单?", diff --git a/packages/p2p/src/translations/zh_tw.json b/packages/p2p/src/translations/zh_tw.json index d3d5f87925bf..5a9d88a0ceab 100644 --- a/packages/p2p/src/translations/zh_tw.json +++ b/packages/p2p/src/translations/zh_tw.json @@ -50,7 +50,6 @@ "498743422": "為了您的安全:", "500514593": "隱藏我的廣告", "501523417": "無訂單.", - "508385321": "其他 Deriv P2P 使用者將可以看到這個別名。", "514948272": "複製連結", "517202770": "設定固定匯率", "523301614": "發放{{amount}}{{currency}}", @@ -73,6 +72,7 @@ "655733440": "其他", "661808069": "{{remaining_time}} 後重傳電子郵件", "662578726": "可用", + "668309975": "其他人會在您的個人資料、廣告和聊天中看到這一點。", "683273691": "費率 (1 {{ account_currency }})", "723172934": "想要買賣美元?可以自己發佈廣告,以供他人回覆。", "728383001": "我收到的金額比約定的金額更大。", @@ -127,7 +127,6 @@ "1142686040": "已成功新增別名!", "1151608942": "總金額", "1157877436": "{{field_name}} 不可大於此金額", - "1161621759": "選擇暱稱", "1162965175": "買方", "1163072833": "<0>ID 已驗證", "1164771858": "我已收到第三方的付款。", @@ -427,6 +426,7 @@ "-854930519": "您將無法還原它。", "-1600783504": "為廣告設定浮動匯率。", "-1907448242": "可用的 Deriv P2P 餘額", + "-268565332": "你的暱稱是什麼?", "-532709160": "您的暱稱", "-1016461467": "別名之後將無法更改。", "-2008992756": "要取消此訂單?", diff --git a/packages/translations/crowdin/messages.json b/packages/translations/crowdin/messages.json index d0f0229d53fd..1896596ea411 100644 --- a/packages/translations/crowdin/messages.json +++ b/packages/translations/crowdin/messages.json @@ -1 +1 @@ -{"1014140":"You may also call <0>+447723580049 to place your complaint.","1485191":"1:1000","2082741":"additional document number","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.","4547840":"<0>Verify your account to transfer funds. <1>Verify now","5149403":"Learn more about trade types","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'.","9757544":"Please submit your proof of address","11539750":"set {{ variable }} to Relative Strength Index Array {{ dummy }}","11706633":"Loss threshold: The bot will stop trading if your total loss exceeds this amount.","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","27582393":"Example :","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","33433576":"Please use an e-wallet to withdraw your funds.","35089987":"Upload the front and back of your driving licence.","35875634":"<0>EU statutory disclaimer: CFDs are complex instruments and come with a high risk of losing money rapidly due to leverage. <0>70.1% 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.","41737927":"Thank you","44877997":"Residence permit","45453595":"Binary Coin","45821474":"Proof of income","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.","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","57362642":"Closed","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","66610627":"We were unable to verify your selfie because it’s not clear. Please take a clearer photo and try again. Ensure that there’s enough light where you are and that your entire face is in the frame.","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","71232823":"Manage funds","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.","74836780":"{{currency_code}} Wallet","74963864":"Under","76635112":"To proceed, resubmit these documents","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\".","81091424":"To complete the upgrade, please log out and log in again to add more accounts and make transactions with your Wallets.","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","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.","93939827":"Cryptocurrency accounts","96381225":"ID verification failed","96936877":"The multiplier amount used to increase your stake if you’re losing a trade. Value must be higher than 1.","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","105871033":"Your age in the document you provided appears to be below 18 years. We’re only allowed to offer our services to clients above 18 years old, so we’ll need to close your account. If you have a balance in your account, contact us via live chat and we’ll help to withdraw your funds before your account is closed.","107537692":"These limits apply to your options trades only. For example, <0>maximum total loss refers to the losses on all your trades on options trading platforms.","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.","110822969":"One Wallet for all your transactions","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.","117366356":"Turbo options allow you to predict the direction of the underlying asset’s movements.","118727646":"{{new_account_title}}","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","125354367":"An example of D’Alembert's Grind strategy","125443840":"6. Restart last trade on error","125842960":"{{name}} is required.","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.","129005644":"The idea is that successful trades may recoup previous losses. However, it is crucial to exercise caution as the risk can quickly increase with this strategy. With Deriv Bot, you can minimise your risk by setting a maximum stake. This is an optional risk management feature. Let’s say a maximum stake of 3 USD. If your stake for the next trade is set to exceed 3 USD, your stake will reset to the initial stake of 1 USD. If you didn't set a maximum stake, it would have increased beyond 3 USD.","129137937":"You decide how much and how long to trade. You can take a break from trading whenever you want. This break can be from 6 weeks to 5 years. When it’s over, you can extend it or resume trading after a 24-hour cooling-off period. If you don’t want to set a specific limit, leave the field empty.","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","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.","137589354":"To assess your trading experience and if our products are suitable for you. Please provide accurate and complete answers, as they may affect the outcome of this assessment.","138055021":"Synthetic indices","139454343":"Confirm my limits","141265840":"Funds transfer information","141626595":"Make sure your device has a working camera","142050447":"set {{ variable }} to create text with","142390699":"Connected to your mobile","143970826":"Payment problems?","145511192":"s is the initial stake.","145633981":"Unavailable as your documents are still under review","145736466":"Take a selfie","150486954":"Token name","151279367":"2. Set the Purchase conditions. In this example, your bot will purchase a Rise contract when it starts and after a contract closes.","151646545":"Unable to read file {{name}}","152415091":"Math","152524253":"Trade the world’s markets with our popular user-friendly platform.","157593038":"random integer from {{ start_number }} to {{ end_number }}","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?","167094229":"• Current stake: Use this variable to store the stake amount. You can assign any amount you want, but it must be a positive number.","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","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.","181107754":"Your new <0>{{platform}} {{eligible_account_to_migrate}} account(s) are ready for trading.","181346014":"Notes ","181881956":"Contract Type: {{ contract_type }}","182630355":"Thank you for submitting your information.","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","195136585":"Trading View Chart","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","207521645":"Reset Time","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.","210872733":"The verification status is not available, provider says: Malformed JSON.","211224838":"Investment","211461880":"Common names and surnames are easy to guess","211487193":"Document number (e.g. identity card, passport, driver's license)","211847965":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.","215975531":"This account offers CFDs on a highly customisable CFD trading platform.","216650710":"You are using a demo account","217377529":"5. If the next trades are profitable, the stake for the following trade will be reduced by 2 USD. This can be shown above where the stake of 3 USD is reduced to 1 USD. See A3.","217403651":"St. Vincent & Grenadines","217504255":"Financial assessment submitted successfully","218441288":"Identity card number","220014242":"Upload a selfie from your computer","220186645":"Text Is empty","220232017":"demo CFDs","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).","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. ","235994721":"Forex (standard/exotic) and cryptocurrencies","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","241546739":"Please choose the correct Deriv company and server name when logging in, as shown on Trader’s Hub.","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","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","251445658":"Dark theme","251882697":"Thank you! Your response has been recorded into our system.<0/><0/>Please click ‘OK’ to continue.","253805458":"This is your personal start page for Deriv.","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","256123827":"What happens to my trading accounts","256602726":"If you close your account:","258026201":"<0>To complete the upgrade, please log out and log in again to add more accounts and make transactions with your Wallets.","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.","260393332":"You cannot make further deposits as your documents are still under review. We will notify you by email within 3 days once your verification is approved.","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.","271637055":"Download is unavailable while your bot is running.","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","276639155":"Please enter a Postal/ZIP code under 20 chatacters.","276770377":"New MT5 account(s) under the {{to_account}} jurisdiction will be created for new trades.","277469417":"Exclude time cannot be for more than five years.","278684544":"get sub-list from # from end","280021988":"Use these shortcuts","281110034":"Effective trading with the D'Alembert system requires careful consideration of its stake progression and risk management. Traders can automate this approach using Deriv Bot, setting profit and loss thresholds to ensure balanced and controlled trading. However, it is crucial for traders to assess their risk appetite, test strategies on a demo account, and align with their own trading style before transitioning to real money trading. This optimization process helps strike a balance between potential gains and losses while managing risk prudently.","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","285909860":"Demo {{currency}} Wallet","287934290":"Are you sure you want to cancel this transaction?","291344459":"The table illustrates this principle in the second session. After a trade resulting in loss in round 4 followed by a successful trade in round 5, the stake will increase to 2 USD for round 6. This is in line with the strategy's rule of raising the stake only after a loss is followed by a successful trade.","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.","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","293250845":"Are you sure you want to continue?","294043810":"I confirm that my tax information is accurate and complete.","294305803":"Manage account settings","294335229":"Sell at market price","296017162":"Back to Bot","301441673":"Select your citizenship/nationality as it appears on your passport or other government-issued ID.","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.","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.","334942497":"Buy time","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.","346214602":"A better way to manage your funds","347029309":"Forex: standard/micro","347039138":"Iterate (2)","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","357672069":"Income verification failed","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","360854506":"I agree to move my {{platform}} account(s) and agree to Deriv {{account_to_migrate}} Ltd’s <0>terms and conditions","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","372805409":"You should enter 9-35 characters.","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","377538732":"Key parameters","379523479":"To avoid loss of funds, do not share tokens with the Admin scope with unauthorised parties.","380606668":"tick","380694312":"Maximum consecutive trades","381972464":"Your document has expired.","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.","384707870":"CRS confirmation","386278304":"Install the {{platform_name_trader}} web app","386502387":"Bot is not running","389923099":"Zoom in","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.","403456289":"The formula for SMA is:","403608958":"Select a trading account or a Wallet","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.","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","424101652":"Quick strategy guides >","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","429970999":"To avoid delays, enter your <0>name exactly as it appears on your {{document_name}}.","431267979":"Here’s a quick guide on how to use Deriv Bot on the go.","431654991":"<0>This may take up to 2 minutes. During this time, you won't be able to deposit, withdraw, transfer, and add new accounts.","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","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.","452949978":"The 1-3-2-6 strategy is designed to capitalise on consecutive successful trades while minimising losses during losing streaks. The rationale behind this strategy lies in statistical probabilities, with adjustments to stake sizes based on the perceived likelihood of success. There is a higher likelihood of success in the second trade after one successful trade. Hence the stake adjusts to 3 in the second trade. In the third trade, the stake adjusts to 2 units due to a lower probability of a successful trade. If the third trade is also successful, the strategy then allocates all the previous gains (a total of 6 units of initial stake) into the fourth trade with the aim of doubling the potential profits. If the fourth trade results in a positive outcome, the strategy helps achieve a total gain of 12 units. However, it is crucial to exercise caution, as the risk can escalate quickly with this strategy, and any loss in the fourth trade forfeits all previous gains.","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).","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","466424460":"Oscar’s Grind","466837068":"Yes, increase my limits","467839232":"I trade forex CFDs and other complex financial instruments regularly on other platforms.","471402292":"Your bot uses a single trade type for each run.","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\".","478827886":"We calculate this based on the barrier you’ve selected.","479420576":"Tertiary","480356486":"*Boom 300 and Crash 300 Index","481276888":"Goes Outside","483279638":"Assessment Completed<0/><0/>","483591040":"Delete all {{ delete_count }} blocks?","485379166":"View transactions","487239607":"Converts a given True or False to the opposite value","488150742":"Resend email","489768502":"Change investor password","490053735":"If you select this feature, your trade will be closed automatically at the nearest available asset price when your loss reaches or exceeds the stop loss amount. Your loss may be more than the amount you entered depending on the market price at closing.","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","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","517833647":"Volatility 50 (1s) Index","518955798":"7. Run Once at Start","519205761":"You can no longer open new positions with this account.","520136698":"Boom 500 Index","521872670":"item","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","530864956":"Deriv Apps","531114081":"3. Contract Type","531675669":"Euro","532724086":"Employment contract","535041346":"Max. total stake per day","537788407":"Other CFDs Platform","538017420":"0.5 pips","538042340":"Principle 2: The stake only increases when a loss trade is followed by a successful trade","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","545476424":"Total withdrawals","547029855":"If you select this feature, you can cancel your trade within a chosen time frame if the asset price moves against your favour. You will get your stake back without profit/loss. We charge a small fee for this. Take profit and stop loss are disabled when deal cancellation is active.","549479175":"Deriv Multipliers","549799607":"Go to LiveChat","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.","551550548":"Your balance has been reset to 10,000.00 USD.","551569133":"Learn more about trading limits","554135844":"Edit","554410233":"This is a top-10 common password","554777712":"Deposit and withdraw Tether TRC20, a version of Tether hosted on the TRON blockchain.","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","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?","575668969":"3. For trades that result in a profit, the stake for the next trade will be increased by 2 USD. Deriv Bot will continue to add 2 USD for every successful trade. See A1.","575702000":"Remember, selfies, pictures of houses, or non-related images will be rejected.","575968081":"Account created. Select payment method for deposit.","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","587450463":"StartnTime","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","613877038":"Chart","615156635":"Your selfie does not match your document.","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}}?","621829484":"{{days_passed}}d ago","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.","634274250":"How long each trade takes to expire.","635884758":"Deposit and withdraw Tether ERC20, a version of Tether hosted on the Ethereum blockchain.","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","644150241":"The number of contracts you have won since you last cleared your stats.","645902266":"EUR/NZD","646773081":"Profit threshold: The bot will stop trading if your total profit exceeds this amount.","647039329":"Proof of address required","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)","650836587":"This article explores the Martingale strategy integrated into Deriv Bot, a versatile trading bot designed to trade assets such as forex, commodities, and derived indices. We will delve into the strategy's core parameters, its application, and provide essential takeaways for traders looking to use the bot effectively.","651284052":"Low Tick","651684094":"Notify","652298946":"Date of birth","654422099":"CRS confirmation is required.","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.","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/>","662953503":"Your contract will be closed when the <0>stop out level is reached.","664779910":"3. If the first trade results in profit, the stake for the following trade will not reduce but remain at the initial stake. The strategy minimally trades at the initial stake of 1 USD. See A1.","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","672731171":"Non-EU USD accounts","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.","676675313":"Authy","677918431":"Market: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}","680334348":"This block was required to correctly convert your old strategy.","680478881":"Total withdrawal limit","681108680":"Additional information required for {{platform}} account(s)","681808253":"Previous spot price","681926004":"Example of a blurry document","682056402":"Standard Deviation Down Multiplier {{ input_number }}","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.","692354762":"Please enter your {{document_name}}. {{example_format}}","693396140":"Deal cancellation (expired)","693933036":"Exploring the Oscar’s Grind strategy in Deriv Bot","694035561":"Trade options multipliers","694089159":"Deposit and withdraw Australian dollars using credit or debit cards, e-wallets, or bank wires.","696735942":"Enter your National Identification Number (NIN)","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","705262734":"Your Wallets are ready","705299518":"Next, upload the page of your passport that contains your photo.","705697927":"2. Set your preferred unit. In this example, it is 2 units or 2 USD.","705821926":"Learn about this trade type","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.","707189572":"Your email address has changed.<0/>Now, log in with your new email address.","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","718509613":"Maximum duration: {{ value }}","720293140":"Log out","720519019":"Reset my password","721011817":"- Raise the first number to the power of the second number","722797282":"EU-regulated USD accounts","723045653":"You'll log in to your Deriv account with this email address.","723475843":"These are the trading accounts available to you. You can click on an account’s icon or description to find out more.","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","729251105":"Range: {{min}} - {{max}} {{duration_unit_text}} ","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","742570452":"<0>Deriv P2P is unavailable in Wallets at this time.","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","746576003":"Enter your {{platform}} password to move your account(s).","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","755138488":"We’re unable to verify the document you provided because it contains markings or text that should not be on your document. Please provide a clear photo or a scan of your original identity document.","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.","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}}","772520934":"You may sell the contract up to 24 hours before expiry. If you do, we’ll pay you the <0>contract value.","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","776432808":"Select the country where you currently live.","780009485":"About D'Alembert","781924436":"Call Spread/Put Spread","782563319":"Add more Wallets","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.","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.","812430133":"Spot price on the previous tick.","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.","822915673":"Earn a range of payouts by correctly predicting market price movements with <0>options, or get the upside of CFDs without risking more than your initial stake with <1>multipliers.","823186089":"A block that can contain text.","824797920":"Is list empty?","825042307":"Let’s try again","825179913":"This document number was already submitted for a different account. It seems you have an account with us that doesn't need further verification. Please contact us via <0>live chat if you need help.","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","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.","839158849":"4. If the second trade results in a loss, the Deriv Bot will automatically increase your stake for the next trade by 2 USD. Deriv Bot will continue to add 2 USD to the previous round’s stake after every losing trade. See A2.","839805709":"To smoothly verify you, we need a better photo","841434703":"Disable stack","841543189":"View transaction on Blockchain","843333337":"You can only make deposits. Please complete the <0>financial assessment to unlock withdrawals.","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.","851444316":"You can choose between CFD trading accounts or Options and Multipliers accounts.","851508288":"This block constrains a given number within a set range.","852527030":"Step 2","852583045":"Tick List String","852627184":"document number","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","858663703":"For new trades, please transfer your funds into the new <0>{{platform}} {{eligible_account_to_migrate}} account(s).","860319618":"Tourism","862283602":"Phone number*","863023016":"For instance, if a trader has a loss threshold (B) of 100 USD, with an initial stake (s) of 1 USD and 2 units of increment (f), the calculation would be as follows:","863328851":"Proof of identity","864610268":"First, enter your {{label}} and the expiry date.","864655280":"You can continue to hold your current open positions in your existing MT5 account(s).","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","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.","873387641":"If you have open positions","874461655":"Scan the QR code with your phone","874472715":"Your funds will remain in your existing MT5 account(s).","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","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.","894739499":"Enhancing your trading experience","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","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.","906789729":"Your verification documents were already used for another account.","907680782":"Proof of ownership verification failed","909272635":"Financial - SVG","910888293":"Too many attempts","911048905":"(BTCUSD, ETHUSD)","912257733":"The workspace will be reset to the default strategy and any unsaved changes will be lost. <0>Note: This will not affect your running bot.","912406629":"Follow these steps:","912967164":"Import from your computer","915735109":"Back to {{platform_name}}","918447723":"Real","920125517":"Add demo account","921857297":"Enter a value from 0 to {{ value }}.","921901739":"- your account details of the bank linked to your account","922313275":"You're back online","924046954":"Upload a document showing your name and bank account number or account details.","924912760":"Your document appears to be a digital document.","929608744":"You are unable to make withdrawals","930255747":"Please enter your {{document_name}}. ","930346117":"Capitalization doesn't help very much","930546422":"Touch","933126306":"Enter some text here","933193610":"Only letters, periods, hyphens, apostrophes, and spaces, please.","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","944499219":"Max. open positions","945532698":"Contract sold","945753712":"Back to Trader’s Hub","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.","947046137":"Your withdrawal will be processed within 24 hours","947363256":"Create list","947704973":"Reverse D’Alembert","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948176566":"New!","949859957":"Submit","952927527":"Regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156)","956448295":"Cut-off image detected","957182756":"Trigonometric functions","958430760":"In/Out","959031082":"set {{ variable }} to MACD Array {{ dropdown }} {{ dummy }}","960201789":"3. Sell conditions","961266215":"140+","961327418":"My computer","961692401":"Bot","962251615":"If you want to adjust your self-exclusion limits, <0>contact us via live chat.","966457287":"set {{ variable }} to Exponential Moving Average {{ dummy }}","968576099":"Up/Down","968726189":"You can choose between CFD trading accounts and Multipliers accounts.","969858761":"Principle 1: Strategy aims to potentially make one unit of profit per session","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","980050614":"Update now","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.","986565137":"We've received your proof of income","987053672":"You can continue with the open positions on your current <0>{{platform}} {{existing_account}} account(s).","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","989840364":"You’re under legal age.","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 }}","997276809":"I confirm that the name and date of birth above match my chosen identity document","999008199":"text","1001160515":"Sell","1003876411":"Should start with letter or number and may contain a hyphen, period and slash.","1004127734":"Send email","1006069082":"The objective of Martingale strategy is to take advantage of consecutive successful trades and maximise potential profits from them. This strategy is beneficial only if there are consecutive successful trades. Therefore, it is important to set a maximum stake to secure all the potential profits gained from a number of consecutive successful trades, or you could lose all the profits you have accumulated, including your initial stake. For example, if your goal is to maximise profits within 2 consecutive successful trades, you set a maximum stake of 2 USD, given your initial stake is 1 USD. Similarly, if your goal is to maximise profits within 3 consecutive successful trades, you set a maximum stake of 4 USD, given your initial stake is 1 USD.","1006458411":"Errors","1006664890":"Silent","1008151470":"Unit: The number of units that are added in the event of successful trades or the number of units removed in the event of losing trades. For example, if the unit is set at 2, the stake increases or decreases by two times the initial stake of 1 USD, meaning it changes by 2 USD.","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","1021090237":"Upgrade your <0>{{account_1}} <1/>and <0>{{account_2}} {{platform}} account(s)","1021679446":"Multipliers only","1022934784":"1 minute","1022971288":"Payout per pip","1023237947":"1. In the example below, the instructions are repeated as long as the value of x is less than or equal to 10. Once the value of x exceeds 10, the loop is terminated.","1023643811":"This block purchases contract of a specified type.","1023795011":"Even/Odd","1024205076":"Logic operation","1026046972":"Please enter a payout amount that's lower than {{max_payout}}.","1026289179":"Trade on the go","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.","1029641567":"{{label}} must be less than 30 characters.","1030021206":"change {{ variable }} by {{ number }}","1031602624":"We've sent a secure link to %{number}","1031731167":"Pound Sterling","1032173180":"Deriv","1032907147":"AUD/NZD","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","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","1052921318":"{{currency}} Wallet","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","1057519018":"4. If a trade ends in a profit, the stake for the following trade will be reset to the initial stake amount of 1 USD.","1057749183":"Two-factor authentication (2FA)","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","1058905535":"Tutorial","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","1062569830":"The <0>name on your identity document doesn't match your profile.","1065275078":"cTrader is only available on desktop for now.","1065498209":"Iterate (1)","1065766135":"You have {{remaining_transfers}} {{transfer_text}} remaining for today.","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.","1070323991":"6. If consecutive successful trades were to happen, the stake would follow a sequence of adjustment from 1 to 3, then 2, and 6 units of initial stake. After 4 consecutive successful trades, it completes one cycle and then the strategy will repeat itself for another cycle. If any trade results in a loss, your stake will reset back to the initial stake for the next trade.","1070624871":"Check proof of address document verification status","1073261747":"Verifications","1073611269":"A copy of your identity document (e.g. identity card, passport, driver's license)","1073711308":"Trade closed","1076006913":"Profit/loss on the last {{item_count}} contracts","1077515534":"Date to","1078189922":"You can make a new deposit once the verification of your account is complete.","1078221772":"Leverage prevents you from opening large positions.","1078303105":"Stop out","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","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.","1113221217":"MT5 Swap-free","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","1124382808":"Please enter the expiry time in the format \"HH:MM\".","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","1139483178":"Enable stack","1141383005":"Deposit and withdraw Litecoin, the cryptocurrency with low transaction fees, hosted on the Litecoin blockchain.","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","1172230903":"• Stop loss threshold: Use this variable to store your loss limit. You can assign any amount you want. Your bot will stop when your losses hits or exceeds this amount.","1172524677":"CFDs Demo","1174542625":"- Find the chat ID property in the response, and copy the value of the id property","1174689133":"3. Set your trade parameters and hit Run.","1174748431":"Payment channel","1175183064":"Vanuatu","1177396776":"If you select \"Asian Fall\", you will win the payout if the last tick is lower than the average of the ticks.","1177723589":"There are no transactions to display","1178582280":"The number of contracts you have lost since you last cleared your stats.","1178800778":"Take a photo of the back of your license","1178942276":"Please try again in a minute.","1179704370":"Please enter a take profit amount that's higher than the current potential profit.","1181396316":"This block gives you a random number from within a set range","1181770592":"Profit/loss from selling","1183007646":"- Contract type: the name of the contract type such as Rise, Fall, Touch, No Touch, etс.","1183448523":"<0>We're setting up your Wallets","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 ","1186687280":"Question {{ current }} of {{ total }}","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.","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1198368641":"Relative Strength Index (RSI)","1199281499":"Last Digits List","1201533528":"Contracts won","1201773643":"numeric","1202494002":"Get real-time data, advanced charting tools, and customisable views.","1203297580":"This block sends a message to a Telegram channel.","1203380736":"The D’Alembert strategy is less risky than Martingale, but you can still determine how long your funds will last with this strategy before trading. Simply use this formula.","1204223111":"In this example, the open prices from a list of candles are assigned to a variable called \"candle_list\".","1204834928":"We'll connect your existing USD trading account(s) to your new USD Wallet ","1206227936":"How to mask your card?","1206821331":"Armed Forces","1208729868":"Ticks","1208903663":"Invalid token","1209914202":"Get a Wallet, add funds, trade","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","1225874865":"The stake adjustment: target session profit (1 USD) - current session profit (0 USD) = 1 USD","1226027513":"Transfer from","1227074958":"random fraction","1227132397":"4. For trades that result in a loss, there are two outcomes. If it was traded at the initial stake, the next trade will remain at the same amount as the strategy trades minimally at the initial stake, see A2. If it was traded with a higher amount, the stake for the next trade would be reduced by 2 USD, see A3.","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","1233376285":"Options & multipliers","1233910495":"If you select \"<0>Down\", your total profit/loss will be the percentage decrease in the underlying asset price, times the multiplier and stake, minus commissions.","1234292259":"Source of wealth","1234764730":"Upload a screenshot of your name and email address from the personal details section.","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","1245662381":"Deriv Apps accounts","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","1259145708":"Let’s try again. Choose another document and enter the corresponding details.","1259598687":"GBP/JPY","1260259925":"Phone is not in a proper format.","1264096613":"Search for a given string","1264842111":"You can switch between real and demo accounts.","1265317149":"A recent utility bill (e.g. electricity, water or gas) or recent bank statement or government-issued letter with your name and address.","1265704976":"","1266728508":"Proof of income verification passed","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.","1272012156":"GBP/CHF","1272337240":"Days","1272681097":"Hours","1274380814":"Your payout is equal to the <0>payout per pip multiplied by the difference, <1>in pips, between the final price and the strike price. You will only earn a profit if your payout is higher than your initial stake.","1274819385":"3. Complaints and Disputes","1276660852":"Submit your proof of identity","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","1283807218":"Deposit and withdraw USD Coin, hosted on the Ethereum blockchain.","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","1289650867":"The Oscar’s Grind strategy is designed to potentially gain a modest yet steady profit in each trading session. This strategy splits trades into sessions and has three principles.","1290525720":"Example: ","1291997417":"Contracts will expire at exactly 23:59:59 GMT on your selected expiry date.","1292188546":"Reset Deriv MT5 investor password","1292891860":"Notify Telegram","1293605874":"Click ‘Get’ to create a trading account.","1293660048":"Max. total loss per day","1294553728":"We’re unable to verify the document you provided because it appears to be a blank image. Please try again or upload another document.","1294756261":"This block creates a function, which is a group of instructions that can be executed at any time. Place other blocks in here to perform any kind of action that you need in your strategy. When all the instructions in a function have been carried out, your bot will continue with the remaining blocks in your strategy. Click the “do something” field to give it a name of your choice. Click the plus icon to send a value (as a named variable) to your function.","1295284664":"Please accept our <0>updated Terms and Conditions to proceed.","1296380713":"Close my contract","1299479533":"8 hours","1300576911":"Please resubmit your proof of address or we may restrict your account.","1302691457":"Occupation","1303016265":"Yes","1303530014":"We’re processing your withdrawal.","1304083330":"copy","1304272843":"Please submit your proof of address.","1304620236":"Enable camera","1304788377":"<0/><1/>If your complaint relates to our data processing practices, you can submit a formal complaint to the <2>Information and Data Protection Commissioner (Malta) on their website or make a complaint to any supervisory authority within the European Union.","1305217290":"Upload the back of your identity card.","1308625834":"Sets the default time interval for blocks that read list of candles.","1309017029":"Enabling this allows you to save your blocks as one collection which can be easily integrated into other bots.","1309044871":"Returns the value of the latest tick in string format","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.","1310483610":"Results for \"{{ search_term }}\"","1311680770":"payout","1313167179":"Please log in","1313302450":"The bot will stop trading if your total loss exceeds this amount.","1314572331":"Your document failed our verification checks.","1316216284":"You can use this password for all your {{platform}} accounts.","1319217849":"Check your mobile","1320715220":"<0>Account closed","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","1330479159":"Ready to upgrade?","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","1337198355":"Congratulations, you have successfully created your {{category}} <0>{{deriv_keyword}} {{platform}} <1>{{type}} {{jurisdiction_selected_shortcode}} account. ","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","1340286510":"The bot has stopped, but your trade may still be running. You can check it on the Reports page.","1341840346":"View in Journal","1341921544":"Trading accounts and funds","1344696151":"Forex, stocks, stock indices, commodities, cryptocurrencies and synthetic indices.","1346038489":"Should be less than 70.","1346204508":"Take profit","1346339408":"Managers","1346947293":"We were unable to verify your selfie because it’s not clear. Please take a clearer photo and try again. Ensure that there's enough light where you are and that your entire face is in the frame.","1347037687":"Trader’s Hub V2","1347071802":"{{minutePast}}m ago","1349133669":"Try changing your search criteria.","1349289354":"Great, that's everything we need","1349295677":"in text {{ input_text }} get substring from {{ position1 }} {{ index1 }} to {{ position2 }} {{ index2 }}","1351906264":"This feature is not available for payment agents.","1353197182":"Please select","1354288636":"Based on your answers, it looks like you have insufficient knowledge and experience in trading CFDs. CFD trading is risky and you could potentially lose all of your capital.<0/><0/>","1355250245":"{{ calculation }} of list {{ input_list }}","1356574493":"Returns a specific portion of a given string of text.","1356607862":"Deriv password","1357213116":"Identity card","1358543466":"Not available","1358543748":"enabled","1360929368":"Add a Deriv account","1362029761":"Exploring the Reverse Martingale strategy in Deriv Bot","1362578283":"High","1363645836":"Derived FX","1363675688":"Duration is a required field.","1364045306":"Account V2","1364879837":"The verification is passed but the personal info is not available to compare.","1364958515":"Stocks","1366244749":"Limits","1367488817":"4. Restart trading conditions","1367990698":"Volatility 10 Index","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).","1373949314":"The Reverse Martingale strategy involves increasing your stake after each successful trade and resets to the initial stake for every losing trade as it aims to secure potential profits from consecutive wins.","1374627690":"Max. account balance","1374902304":"Your document appears to be damaged or cropped.","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","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","1402300547":"Lets get your address verified","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","1414918420":"We'll review your proof of identity again and will give you an update as soon as possible.","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.","1419330165":"Forex, stocks, stock indices, commodities, cryptocurrencies, ETFs and synthetic indices","1421046084":"Setup your account","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","1424763981":"1-3-2-6","1424779296":"If you've recently used bots but don't see them in this list, it may be because you:","1427811867":"Trade CFDs on MT5 with derived indices that simulate real-world market movements.","1428657171":"You can only make deposits. Please contact us via <0>live chat for more information.","1430221139":"Verify now","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.","1435368624":"Get one Wallet, get several {{dash}} your choice","1437396005":"Add comment","1437529196":"Payslip","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.","1462238858":"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.","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","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","1468508098":"Slippage happens when the asset price changes by the time it reaches our servers.","1469133110":"cTrader Windows app","1469150826":"Take Profit","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1470565177":"Article of association","1471008053":"Deriv Bot isn't quite ready for real accounts","1471070549":"Can contract be sold?","1471741480":"Severe error","1473369747":"Synthetics only","1475513172":"Size","1476301886":"Similar to SMA, this block gives you the entire SMA line containing a list of all values for a given period.","1478030986":"Create or delete API tokens for trading and withdrawals","1480915523":"Skip","1481860194":"Your new Wallet(s)","1481977420":"Please help us verify your withdrawal request.","1484336612":"This block is used to either terminate or continue a loop, and can be placed anywhere within a loop block.","1487086154":"Your documents were submitted successfully","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","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.","1506251760":"Wallets","1507554225":"Submit your proof of address","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.","1513771077":"We're processing your withdrawal.","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","1541770236":"The 1-3-2-6 strategy aims to maximise potential profits with four consecutive successful trades. One unit is equal to the amount of the initial stake. The stake will adjust from 1 unit to 3 units after the first successful trade, then to 2 units after your second successful trade, and to 6 units after the third successful trade. The stake for the next trade will reset to the initial stake if there is a losing trade or a completion of the trade cycle.","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.","1549098835":"Total withdrawn","1551172020":"AUD Basket","1552162519":"View onboarding","1555345325":"User Guide","1556320543":"The amount that you may add to your stake if you're losing a trade.","1556391770":"You cannot make a withdrawal as your documents are still under review. We will notify you by email within 3 days once your verification is approved.","1557426040":"Demo Derived SVG","1557682012":"Account Settings","1557706779":"Once you have an account click on ‘Deposit’ to add funds to an account.","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","1561884348":"This MFSA-regulated account offers CFDs on derived and financial instruments.","1562374116":"Students","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 - ","1567745852":"Bot name","1569527365":"Verification failed. Resubmit your details.","1569624004":"Dismiss alert","1570484627":"Ticks list","1571575776":"Accepted formats: pdf, jpeg, jpg, and png. Max file size: 8MB","1572504270":"Rounding operation","1572982976":"Server","1573429525":"Call/Put","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","1577780041":"Trade CFDs on MT5 with forex, stocks and indices, commodities, cryptocurrencies, and ETFs.","1577879664":"<0>Your Wallets are ready","1579839386":"Appstore","1580498808":"Multiple faces found","1584109614":"Ticks String List","1584936297":"XML file contains unsupported elements. Please check or modify file.","1587046102":"Documents from that country are not currently supported — try another document type","1589148299":"Start","1589640950":"Resale of this contract is not offered.","1589702653":"Proof of address","1589863913":"These are the trade parameters used for D’Alembert strategy in Deriv Bot.","1590400723":"Total assets in all your accounts","1591933071":"Resubmit document","1593010588":"Login now","1594147169":"Please come back in","1594322503":"Sell is available","1595295238":"3. Use a logic block to check if Total profit/loss is more than the Stop loss threshold amount. You can find the Total profit/loss variable under Analysis > Stats on the Blocks menu on the left. Your bot will continue to purchase new contracts until the Total profit/loss amount exceeds the Stop loss threshold amount.","1596378630":"You have added a real Gaming account.<0/>Make a deposit now to start trading.","1597672660":"Deriv MT5 Password","1598009247":"<0>a.You may file a complaint with the Financial Commission up to 45 days after the incident.","1598386296":"Town/City is required.","1598443642":"Transaction hash","1599743312":"An example of Reverse Martingale strategy","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.","1615897837":"Signal EMA Period {{ input_number }}","1618652381":"For instance, if a trader has a loss threshold (B) is 1000 USD, with an initial stake (s) is 1 USD, and the Martingale multiplier (m) is 2, the calculation would be as follows:","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","1633661992":"Tick {{current_tick}}/{{tick_count}}","1634016345":"2. If the trade is successful, this strategy will automatically adjust your stake to 3 units of your initial stake for the next trade. In this case, the stake adjustment is 3 units and the initial stake is 1 USD, hence the next trade will start at 3 USD.","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.","1645315784":"{{display_currency_code}} Wallet","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.","1650963565":"Introducing Wallets","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","1653999225":"Forex: major/minor","1654365787":"Unknown","1654529197":"Purchase condition","1654721858":"Upload anyway","1655372864":"Your contract will expire on this date (in GMT), based on the end time you’ve selected.","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.","1665718170":"The document must contain a letterhead.","1665738338":"Balance","1665756261":"Go to live chat","1666783057":"Upgrade now","1668138872":"Modify account settings","1669062316":"The payout at expiry is equal to the payout per pip multiplied by the difference, <0>in pips, between the final price and the strike price.","1670016002":"Multiplier: {{ multiplier }}","1670426231":"End Time","1671232191":"You have set the following limits:","1675030608":"To create this account first we need you to resubmit your proof of address.","1676549796":"Dynamic Leverage","1677027187":"Forex","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.","1681765749":"Martingale formula 2","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.","1691536201":"If you choose your duration in number of ticks, you won’t be able to terminate your contract early.","1691765860":"- Negation","1692912479":"Deriv MT5, Deriv X","1693614409":"Start time","1694517345":"Enter a new email address","1696190747":"Trading inherently involves risks, and actual profits can fluctuate due to various factors, including market volatility and other unforeseen variables. As such, exercise caution and conduct thorough research before engaging in any trading activities.","1698624570":"2. Hit Ok to confirm.","1699606318":"You've reached the limit of uploading your documents.","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.","1703712522":"Your payout is equal to the payout per pip multiplied by the difference, <0>in pips, between the final price and the strike price.","1704656659":"How much experience do you have in CFD trading?","1708413635":"For your {{currency_name}} ({{currency}}) account","1709293836":"Wallet balance","1709859601":"Exit Spot Time","1711013665":"Anticipated account turnover","1711676335":"square root","1711929663":"Your funds have been transferred","1712357617":"Invalid email address.","1713633297":"3. If the second trade is also successful, your stake will adjust to 2 USD or 2 units of the initial stake for the next trade.","1714255392":"To enable withdrawals, please complete your financial assessment.","1715011380":"Jump 25 Index","1715630945":"Returns the total profit in string format","1715680813":"Your contract will expire at exactly 23:59:59 GMT +0 on your selected expiry date.","1717023554":"Resubmit documents","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","1722056905":"The document you provided is not supported for your country. Please provide a supported document for your country.","1723069433":"Your new Wallet","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.","1724367774":"You can make a funds transfer once the verification of your account is complete.","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","1734521537":"The document you provided appears to be two different types. Please try again or provide another document.","1736292549":"Update postal code","1737352280":"Bot.init is not called","1738094481":"<0>Duration: Ticks 1","1738611950":"About Reverse Martingale","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","1747674345":"Please use `.` as a decimal separator for fractional numbers.","1747682136":"Contract was cancelled.","1748754976":"Run","1753082252":"This article explores the strategy integrated into Deriv Bot, a versatile trading bot designed to trade assets such as Forex, Commodities, and Derived Indices. We will delve into the strategy's core parameters, its application, and provide essential takeaways for traders looking to use the bot effectively.","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","1754256229":"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_ctrader }} transfers between your Deriv and {{platform_name_ctrader}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.","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","1772396880":"The date of birth on your document doesn’t match your profile.","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.","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","1785298924":"D’Alembert formula 1","1786644593":"Supported formats: JPEG, JPG, PNG, PDF, and GIF only","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","1791432284":"Search for country","1791971912":"Recent","1792037169":"To avoid delays, enter your <0>name and <0>date of birth exactly as they appear on your {{document_name}}.","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","1808058682":"Blocks are loaded successfully","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","1811138041":"Enter a value from {{ value }} to 9.","1811343027":"2. Select your Martingale multiplier. In this example, it is 2.","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","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)","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.","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","1843336754":"Select document","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.","1844458194":"You can only transfers funds from the {{account}} to the linked {{wallet}}.","1845598565":"The second session concludes upon reaching the aim of one unit of potential profit per session, equivalent to 1 USD. If trading continues, a new session will commence again.","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","1846588117":"Your contract will be closed automatically when your loss reaches {{stop_out_percentage}}% of your stake.","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","1858251701":"minute","1859308030":"Give feedback","1863053247":"Please upload your identity document.","1863731653":"To receive your funds, contact the payment agent","1865525612":"No recent transactions.","1866244589":"The entry spot is the first tick for High/Low Ticks.","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.","1869486036":"You receive a <0>payout at <0>expiry if the spot price never touches or breaches the <0>barrier during the contract period. If it does, your contract will be terminated early.","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","1873376454":"This is a price level that you choose. If this barrier is ever crossed, your contract would be terminated.","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","1876333357":"Tax Identification Number is invalid.","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.","1878189977":"The Martingale strategy involves increasing your stake after each loss to recoup prior losses with a single successful trade.","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 }}","1880377568":"An example of D’Alembert strategy","1880875522":"Create \"get %1\"","1881018702":"hour","1881380263":"Total assets in your account.","1881587673":"Total stake since you last cleared your stats.","1882825238":"Restart trading conditions","1883531976":"Clerks","1885708031":"#","1887257727":"R is the number of rounds a trader can sustain given a specific loss threshold.","1887925280":"The document must be recent and include your name and address:","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","1899898605":"Maximum size: 8MB","1902547203":"MetaTrader 5 MacOS app","1903437648":"Blurry photo detected","1904665809":"The Reverse Martingale strategy in trading may offer substantial gains but also comes with significant risks. With your selected strategy, Deriv Bot provides automated trading with risk management measures like setting initial stake, stake size, maximum stake, profit threshold and loss threshold. It's crucial for traders to assess their risk tolerance, practice in a demo account, and understand the strategy before trading with real money.","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.","1907423697":"Earn more with Deriv API","1907884620":"Add a real Deriv Gaming account","1908023954":"Sorry, an error occurred while processing your request.","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.","1916129921":"Reverse Martingale","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","1919296368":"2. Select your unit. In this example, it is 2 units or 2 USD.","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","1924365090":"Maybe later","1924765698":"Place of birth*","1928930389":"GBP/NOK","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","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","1948044825":"MT5 Derived","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","1958788790":"This is the amount you’ll receive at expiry for every point of change in the underlying price, if the spot price never touches or breaches the barrier throughout the contract duration.","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","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","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.","1977724653":"This account offers CFDs on financial instruments.","1978218112":"Google Authenticator","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}}.","1982790875":"Upgrade your <0/><1>{{account_title}} {{platform}} account(s)","1982796981":"Declarations","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.","1986322868":"When your loss reaches or exceeds this amount, your trade will be closed automatically.","1986498784":"BTC/LTC","1987080350":"Demo","1987447369":"Your cashier is locked","1987662349":"If you select <0>\"Long\", you’ll earn a payout if the spot price never drops below the barrier.<1 />If you select <0>\"Short\", you’ll earn a payout if the spot price never rises above the barrier.","1988153223":"Email address","1988302483":"Take profit:","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.","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.","2001361785":"1. Start with the initial stake. Let’s say 1 USD.","2004052487":"Estimating the lifespan of your trades","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","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.","2019596693":"The document was rejected by the Provider.","2020104747":"Filter","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.","2023546580":"Your account will be available for trading once the verification of your account is complete.","2023659183":"Student","2023762268":"I prefer another trading website.","2025339348":"Move away from direct light — no glare","2027441253":"Why do we collect this?","2027625329":"Simple Moving Average Array (SMAA)","2027638150":"Upgrade","2027696535":"Tax information","2028163119":"EOS/USD","2029237955":"Labuan","2030018735":"RSI is a technical analysis tool that helps you identify the market trend. It will give you a value from 0 to 100. An RSI value of 70 and above means that the asset is overbought and the current trend may reverse, while a value of 30 and below means that the asset is oversold.","2030045667":"Message","2033648953":"This block gives you the specified candle value for a selected time interval.","2034803607":"You must be 18 years old and above.","2035258293":"Start trading with us","2035925727":"sort {{ sort_type }} {{ sort_direction }} {{ input_list }}","2036578466":"Should be {{value}}","2037665157":"Expand All Blocks","2037906477":"get sub-list from #","2038562422":"TIN is required.","2039198937":"Maximum stake: The maximum amount you are willing to pay to enter a single trade. The stake for your next trade will reset to the initial stake if it exceeds this value. This is an optional risk management parameter.","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 }}","2063812316":"Text Statement","2063890788":"Cancelled","2066419724":"Trading accounts linked with {{wallet}}","2066978677":"{{formatted_opening_time}} (GMT) on {{opening_day}},<0 /> {{opening_date}}.","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","2070858497":"Your document appears to be a screenshot.","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","2079925695":"Unit: The number of units that are added in the event of a trade resulting in loss or the number of units removed in the event of a trade resulting in profit. For example, if the unit is set at 2, the stake increases or decreases by two times the initial stake of 1 USD, meaning it changes by 2 USD.","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}}","2080906200":"I understand and agree to upgrade to Wallets.","2081622549":"Must be a number higher than {{ min }}","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","2086048243":"Certificate of incorporation","2086742952":"You have added a real Options account.<0/>Make a deposit now to start trading.","2086792088":"Both barriers should be relative or absolute","2088735355":"Your session and login limits","2089087110":"Basket indices","2089395053":"Unit","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)","2097381850":"Calculates Simple Moving Average line from a list with a period","2097815211":"Number of rounds (R) = 10","2097932389":"Upload 2 separate screenshots from the personal details page and the account page via <0>https://app.astropay.com/profile","2099488590":"Changes to your Deriv MT5 login","2100713124":"account","2100912278":"4. If a trade ends in a loss, the stake for the following trade will be reset to the initial stake amount of 1 USD.","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","2107882050":"The back of your document appears to be missing. Please include both sides of your identity document.","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","2114766645":"Some trade types are unavailable for {{symbol}}.","2115223095":"Loss","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","2118292085":"<0>Note: You’ll receive an email when your deposit starts being processed.","2119449126":"Example output of the below example will be:","2119710534":"FAQ","2121227568":"NEO/USD","2122152120":"Assets","2127564856":"Withdrawals are locked","2128919448":"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. We won’t offer a contract value if the remaining duration is below 15 seconds or if the contract duration is in ticks.","2129807378":"Update profile","2133075559":"This means after 10 rounds of consecutive losses, this trader will lose 100 USD. This reaches the loss threshold of 100 USD, stopping the bot.","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","2136480755":"Some details in your document appear to be invalid, missing, or unclear.","2137901996":"This will clear all data in the summary, transactions, and journal panels. All counters will be reset to zero.","2137993569":"This block compares two values and is used to build a conditional structure.","2138861911":"Scans and photocopies are not accepted","2139171480":"Reset Up/Reset Down","2139362660":"left side","2141055709":"New {{type}} password","2143803283":"Purchase Error","2144609616":"If you select \"Reset-Down”, you win the payout if the exit spot is strictly lower than either the entry spot or the spot at reset time.","2145690912":"Income Earning","2145995536":"Create new account","2146336100":"in text %1 get %2","2146698770":"Pro tip: You can also click and drag out the desired block","2146751355":"We use current-tick-execution mechanism, which is the latest asset price when the trade opening is processed by our servers for Volatility Index, Basket Indices, Jump Indices and Crash/Boom Indices.","2146892766":"Binary options trading experience","2147244655":"How do I import my own trading bot into Deriv Bot?","-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","-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*","-583925597":"For verification purposes as required by regulation. It’s your responsibility to provide accurate and complete answers. You can update personal details at any time in your account settings.","-1113902570":"Details","-71696502":"Previous","-1541554430":"Next","-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.","-684271315":"OK","-1292808093":"Trading Experience","-153346659":"Upload your selfie.","-602131304":"Passport number","-1051213440":"Upload the front and back of your identity card.","-1600807543":"First, enter your identity card number and the expiry date.","-1139923664":"Next, upload the front and back of your identity card.","-783705755":"Upload the front of your identity card.","-566750665":"NIMC slip and proof of age","-1465944279":"NIMC slip number","-429612996":"Next, upload both of the following documents.","-376981174":"Upload your proof of age: birth certificate or age declaration document.","-612174191":"First line of address is required","-242734402":"Only {{max}} characters, please.","-378415317":"State is required","-1784470716":"State is not in a proper format","-1699820408":"Please enter a {{field_name}} under {{max_number}} characters.","-1575567374":"postal/ZIP code","-816263501":"Only letters, numbers, space and hyphen are allowed.","-1497654315":"Our accounts and services are unavailable for the Jersey postal code.","-755626951":"Complete your address details","-1024240099":"Address","-1461267236":"Please choose your currency","-1027595143":"Less than $25,000","-40491332":"$25,000 - $50,000","-1139806939":"$50,001 - $100,000","-996132458":"Construction","-915003867":"Health","-1430012453":"Information & Communications Technology","-987824916":"Science & Engineering","-146630682":"Social & Cultural","-761306973":"Manufacturing","-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","-1030759620":"Government Officers","-2137323480":"Company Ownership","-1590574533":"Divorce Settlement","-1667683002":"Inheritance","-1237843731":"Investment Income","-777506574":"Sale of Property","-654781670":"Primary","-1717373258":"Secondary","-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","-477761028":"Voter ID","-1466346630":"CPF","-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.","-1823540512":"Personal details","-1227878799":"Speculative","-1174064217":"Mr","-855506127":"Ms","-204765990":"Terms of use","-189310067":"Account closed","-849320995":"Assessments","-773766766":"Email and passwords","-1466827732":"Self exclusion","-1498206510":"Account limits","-241588481":"Login history","-966136867":"Connected apps","-213009361":"Two-factor authentication","-526636259":"Error 404","-739367071":"Employed","-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","-1458676679":"You should enter 2-50 characters.","-1116008222":"You should enter 9-35 numbers.","-1995979930":"First line of address is required.","-2113555886":"Only letters, numbers, space, and hyphen are allowed.","-1103497546":"Tax return","-700600899":"Business proof of address","-1073862586":"Memorandum","-1823328095":"Authorization letter","-397487797":"Enter your full card number","-1376950117":"That file format isn't supported. Please upload .pdf, .png, .jpg, or .jpeg files only.","-612752984":"These are default limits that we apply to your accounts.","-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.","-506122621":"Please take a moment to update your information now.","-1106259572":"Don't know your tax identification number? <1 />Click <0>here to learn more.","-252665911":"Place of birth{{required}}","-859814496":"Tax residence{{required}}","-237940902":"Tax Identification number{{required}}","-919191810":"Please fill in tax residence.","-270569590":"Intended use of account{{required}}","-2120290581":"Intended use of account is required.","-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.","-594456225":"Second line of address","-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?","-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. ","-807767876":"Note:","-1117963487":"Name your token and click on 'Create' to generate your token.","-2005211699":"Create","-2115275974":"CFDs","-1879666853":"Deriv MT5","-359585233":"Enjoy a seamless trading experience with the selected fiat account. Please note that once you've made your first deposit or created a real {{dmt5_label}} account, your account currency cannot be changed.","-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","-370334393":"Click here to browse your files.","-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","-1117345066":"Choose the document type","-1634507018":"Enter your {{document_name}}","-1237846864":"Verify again","-39187636":"{{index}}.","-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","-251603364":"Your document for proof of address is expired. <0/>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","-2145244263":"This field is required","-839094775":"Back","-1813671961":"Your identity verification failed because:","-2097808873":"We were unable to verify your ID with the details you provided. ","-1652371224":"Your profile is updated","-504784172":"Your document has been submitted","-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","-1044962593":"Upload Document","-749870311":"Please contact us via <0>live chat.","-1084991359":"Proof of identity verification not required","-1981334109":"Your account does not need identity verification at this time. We will inform you if identity verification is required in the future.","-182918740":"Your proof of identity submission failed because:","-155705811":"A clear colour photo or scanned image","-246893488":"JPEG, JPG, PNG, PDF, or GIF","-1454880310":"Must be valid for at least 6 months","-1949501500":"First, enter your {{label}}.","-100534371":"Before uploading, please ensure that you’re facing forward in the selfie, your face is within the frame, and your eyes are clearly visible even if you’re wearing glasses.","-1529523673":"Confirm and upload","-705047643":"Sorry, an error occured. Please select another file.","-1664309884":"Tap here to upload","-1725454783":"Failed","-856213726":"You must also submit a proof of address.","-552371330":"We were unable to verify your income. <0 /> Please check the email we've sent you for further information.","-841187054":"Try Again","-978467455":"Limit reached","-361316523":"You have reached the maximum number of allowed attempts for submitting proof of income. <0 /> Please check the email we've sent you for further information.","-1785967427":"We'll review your documents and notify you of its status within 7 working days.","-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.","-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","-638756912":"Black out digits 7 to 12 of the card number that’s shown on the front of your debit/credit card.⁤","-996691262":"We’ve introduced these limits to encourage <0>responsible trading. They are optional, and you can adjust them anytime.","-2079276011":"These limits apply to your multipliers trades only. For example, <0>maximum total loss refers to the losses on your multipliers trades.","-2116570030":"If you want to adjust your limits, <0>contact us via live chat. We’ll make the adjustments within 24 hours.","-1389915983":"You decide how much and how long to trade. You can take a break from trading whenever you want. This break can be from 6 weeks to 5 years. When it’s over, you can extend it or log in to resume trading. If you don’t want to set a specific limit, leave the field empty.","-1031814119":"About trading limits and self-exclusion","-183468698":"Trading limits and self-exclusion","-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.","-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","-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.","-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.","-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.","-1035494182":"You acknowledge that, subject to the Company's discretion, applicable regulations, and internal checks being fulfilled, we will open an account for you and allow you to deposit funds during the client acceptance procedure. However, until the verification of your account is completed, you will not be able to trade, withdraw or make further deposits. If you do not provide relevant documents within 30-days, we will refund the deposited amount through the same payment method you used to deposit.","-1125193491":"Add account","-2068229627":"I am not a PEP, and I have not been a PEP in the last 12 months.","-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.","-1685104463":"* This is required","-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}}","-428335668":"You will need to set a password to complete the process.","-1232613003":"<0>Verification failed. <1>Why?","-805775852":"<0>Needs verification.<1>Verify now","-1983989074":"<0>No new positions","-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.","-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.","-1576856758":"An account with these details already exists. Please make sure the details you entered are correct as only one real account is allowed per client. If this is a mistake, contact us via <0>live chat.","-1792723131":"To avoid delays, enter your <0>date of birth exactly as it appears on your {{document_name}}.","-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.","-1231402474":"Connected apps are authorised applications associated with your account through your API token or the OAuth authorisation process. They can act on your behalf within the limitations that you have set.","-506083843":"As a user, you are responsible for sharing access and for actions that occur in your account (even if they were initiated by a third-party app on your behalf).","-831752682":"Please note that only third-party apps will be displayed on this page. Official Deriv apps will not appear here.","-1858215754":"The document must be up-to-date and signed by the issuance authority.","-718917527":"Invalid or incomplete documents shall be rejected.","-1526404112":"Utility bill: electricity, water, gas, or landline phone bill.","-537552700":"Home rental agreement: valid and current agreement.","-506510414":"Date and time","-1708927037":"IP address","-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.","-1592318047":"See example","-1694758788":"Enter your document number","-1176889260":"Please select a document type.","-1265050949":"identity document","-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","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-1743024217":"Select Language","-136976514":"Country of residence*","-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","-2068064150":"Get updates about Deriv products, services and events.","-1558679249":"Please make sure your information is correct or it may affect your trading experience.","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-2116332353":"Please close your positions in the following Deriv account(s):","-2048005267":"{{number_of_positions}} position(s)","-2125635811":"Please withdraw your funds from the following {{platform_name}} account(s):","-577445413":"Please close your positions in the following {{platform_name}} account(s):","-1219849101":"Please select at least one reason","-9323953":"Remaining characters: {{remaining_characters}}","-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","-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","-771109503":"Use our powerful, flexible, and free API to build a custom trading platform for yourself or for your business.","-1815044949":"You currently don't have any third-party authorised apps associated with your account.","-1699100421":"What are connected apps?","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-1468863262":"{{action}}","-727433417":"{{status}}","-80717068":"Apps you have linked to your <0>Deriv password:","-340060402":"Your Deriv X password is for logging in to your Deriv X accounts on the web and mobile apps.","-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}}.","-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.","-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.","-752939584":"How to set up 2FA for your Deriv account","-90649785":"Click here to copy key","-206376148":"Key copied!","-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:","-890084320":"Save and submit","-30772747":"Your personal details have been saved successfully.","-2021135479":"This field is required.","-1002044401":"Select your document*","-1272489896":"Please complete this field.","-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","-1186807402":"Transfer","-224804428":"Transactions","-470018967":"Reset balance","-693105141":"MT5 Financial","-145462920":"Deriv cTrader","-882362166":"Deposit and withdraw euros into your accounts regulated by MFSA using credit or debit cards and e-wallets.","-1186915014":"Deposit and withdraw US dollars using credit or debit cards, e-wallets, or bank wires.","-1533139744":"Deposit and withdraw Bitcoin, the world's most popular cryptocurrency, hosted on the Bitcoin blockchain.","-549933762":"Deposit and withdraw Ether, the fastest growing cryptocurrency, hosted on the Ethereum blockchain.","-714679884":"Deposit and withdraw Tether Omni, hosted on the Bitcoin blockchain.","-794619351":"Deposit and withdraw funds via authorised, independent payment agents.","-1856204727":"Reset","-213142918":"Deposits and withdrawals temporarily unavailable ","-1308346982":"Derived","-328128497":"Financial","-659955365":"Swap-Free","-1779268418":"Trade swap-free CFDs on MT5 with forex, stocks, stock indices, commodities cryptocurrencies, ETFs and synthetic indices.","-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.","-982095728":"Get","-1790089996":"NEW!","-124150034":"Reset balance to 10,000.00 USD","-677271147":"Reset your virtual balance if it falls below 10,000.00 USD or exceeds 10,000.00 USD.","-1829666875":"Transfer funds","-1504456361":"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.","-2134770229":"Total assets in your Deriv Apps and Deriv MT5 CFDs demo account.","-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.","-1146027991":"If you’d like to get the {{from_account}} account, resubmit these documents.","-710685402":"No new positions","-1445744852":"You can no longer open new positions with your {{from_account}} account. Please use your {{to_account}} account to open new positions.","-1699909965":"or ","-2127865736":"Your {{from_account}} account will be archived after 30 days of inactivity. You can still access your trade history until the account is archived.","-1320592007":"Upgrade to Wallets","-1283678015":"This is <0>irreversible. Once you upgrade, the Cashier won't be available anymore. You'll need to\n use Wallets to deposit, withdraw, and transfer funds.","-417529381":"Your current trading account(s)","-1842223244":"This is how we link your accounts with your new Wallet.","-437170875":"Your existing funds will remain in your trading account(s) and can be transferred to your Wallet after the upgrade.","-2055865877":"Non-EU regulation","-643108528":"Non-EU and EU regulation","-979459594":"Buy/Sell","-494667560":"Orders","-679691613":"My ads","-1002556560":"We’re unable to complete with the Wallet upgrade. Please try again later or contact us via live chat.","-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}}","-561436679":"This account offers CFDs on derived instruments.","-1173266642":"This account offers CFDs on a feature-rich trading platform.","-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.","-623025665":"Balance: {{balance}} {{currency}}","-473300321":"To trade CFDs, you’ll need to use your {{fiat_wallet_currency}} Wallet. Click Transfer to move your {{currency}} to your {{fiat_wallet_currency}} Wallet.","-596618970":"Other CFDs","-2006676463":"Account information","-1078378070":"Trade with leverage and tight spreads for better returns on trades. <0>Learn more","-1989682739":"Get the upside of CFDs without risking more than your initial stake with <0>multipliers.","-2102073579":"{{balance}} {{currency}}","-2082307900":"You have insufficient fund in the selected wallet, please reset your virtual balance","-1483251744":"Amount you send","-536126207":"Amount you receive","-486580863":"Transfer to","-71189928":"<0>Wallets<1> — the best way to organise your funds","-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","-442549651":"Trading account","-1505405823":"This is the trading account available to you. You can click on an account’s icon or description to find out more.","-1034232248":"CFDs or Multipliers","-1471572127":"‘Get’ your Deriv account","-2069414013":"Click the ‘Get’ button to create an account","-951876657":"Top-up your account","-510789296":"Once you have an account click on ‘Deposit’ or ‘Transfer’ to add funds to an account.","-1965920446":"Start trading","-1858900720":"Click ‘Open’ to start trading with your account.","-542766473":"During the upgrade, deposits, withdrawals, transfers, and adding new accounts will be unavailable.","-327352856":"Your open positions won't be affected and you can continue trading.","-747378570":"You can use <0>Payment agents' services to deposit by adding a Payment Agent Wallet after the upgrade.","-917391116":"A new way to manage your funds","-35169107":"One Wallet, one currency","-2069339099":"Keep track of your trading funds in one place","-1615726661":"A Wallet for each currency to focus your funds","-132463075":"How it works","-1215197245":"Simply add your funds and trade","-1325660250":"Get a Wallet for the currency you want","-1643530462":"Add funds to your Wallet via your favourite payment method","-557603541":"Move funds to your trading account to start trading","-1200921647":"We'll link them","-1370356153":"We'll connect your existing trading accounts of the same currency to your new Wallet","-2125046510":"For example, all your USD trading account(s) will be linked to your USD Wallet","-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.","-520142572":"Cashier is currently down for maintenance","-1552080215":"Please check back in a few minutes.<0>Thank you for your patience.","-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.","-2027907316":"You can make a withdrawal once the verification of your account is complete.","-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.","-599998434":"You cannot make a fund transfer as your documents are still under review. We will notify you by email within 3 days once your verification is approved.","-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","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-1332236294":"Please verify your identity","-1675848843":"Error","-283017497":"Retry","-1294455996":"Deriv P2P unavailable","-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.","-190084602":"Transaction","-1995606668":"Amount","-2024290965":"Confirmations","-811190405":"Time","-1984478597":"The details of this transaction is available on CoinsPaid.","-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.","-922143389":"Deriv P2P is currently unavailable in this currency.","-1310327711":"Deriv P2P is currently unavailable in your country.","-1463156905":"Learn more about payment methods","-972283623":"Deriv P2P-V2","-685073712":"This is your <0>{{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.","-515809216":"Send only {{currency_name}} ({{currency_code}}) to this address.","-748636591":"A minimum deposit value of <0>{{minimum_deposit}} {{currency}} is required. Otherwise, a fee is applied.","-1589407981":"To avoid loss of funds:","-1042704302":"Make sure to copy your Deriv account address correctly into your crypto wallet.","-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.","-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. ","-338505133":"We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, between your Deriv fiat and {{platform_name_ctrader}} accounts, and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-2056016338":"You’ll not be charged a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts.","-599632330":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-1196994774":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency accounts.","-993556039":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts and between your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.","-1382702462":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts.","-1339063554":"You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_ctrader}}, 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.","-855721928":"Needs verification","-908402700":"Verification failed","-1866405488":"Deriv cTrader accounts","-1344870129":"Deriv accounts","-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","-1155970854":"You have reached the maximum daily transfers. Please try again tomorrow.","-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.","-352134412":"Transfer limit","-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","-259633143":"Click the button below and we'll send you an email with a link. Click that link to verify your withdrawal request.","-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.","-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.","-1223145005":"Loss amount: {{profit}}","-1206212388":"Welcome back! Your messages have been restored. You are using your {{current_currency}} account.","-1724342053":"You are using your {{current_currency}} account.","-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","-179005984":"Save","-610059687":"Exploring the D’Alembert strategy in Deriv Bot","-1226666341":"The D'Alembert strategy involves increasing your stake after a losing trade and reducing it after a successful trade by a predetermined number of units.","-312844882":"Initial stake: The amount that you are willing to place as a stake to enter a trade. This is the starting point for any changes in stake depending on the dynamic of the strategy being used.","-1173302981":"1. Start with the initial stake. In this example, we’ll use 1 USD.","-1540106116":"Profit and loss thresholds","-894905768":"With Deriv Bot, traders can set the profit and loss thresholds to secure potential profits and limit potential losses. This means that the trading bot will automatically stop when either the profit or loss thresholds are reached. It's a form of risk management that can potentially enhance returns. For example, if a trader sets the profit threshold at 100 USD and the strategy exceeds 100 USD of profit from all trades, then the bot will stop running.","-1946134465":"Where:","-248283982":"B is the loss threshold.","-1148521416":"f is the unit increment.","-211800490":"D’Alembert formula 2","-1772692202":"This formula helps you plan your trades by considering the amount of money you have and your comfort level with risk. It involves determining your loss threshold and the initial stake you want to trade with. Then, you use this formula to calculate the number of rounds you can trade. This process provides insight into stake sizing and expectations.","-2107238266":"The D'Alembert system offers more balanced trading through controlled stake progression. With prudent risk management like stake limits, it can be effectively automated in Deriv Bot. However, traders should thoroughly assess their risk appetite, test strategies on a demo account to align with their trading style before trading with real money. This allows optimising the approach and striking a balance between potential gains and losses whilst managing risk.","-500873566":"Disclaimer:","-344769349":"Please be aware that while we may use rounded figures for illustration, a stake of a specific amount does not guarantee an exact amount in successful trades. For example, a 1 USD stake does not necessarily equate to a 1 USD profit in successful trades.","-818800551":"Exploring the Martingale strategy in Deriv Bot","-533490374":"These are the trade parameters used in Deriv Bot with Martingale strategy.","-1507161059":"Multiplier: The multiplier used to increase your stake if you're losing a trade. The value must be greater than 1.","-1333404686":"An example of Martingale strategy","-1755877136":"3. If the first trade ends in a loss, Deriv Bot will automatically double your stake for the next trade to 2 USD. Deriv Bot will continue to double the stake after every losing trade.","-1297651002":"If you're about to start trading and haven't established a Maximum Stake as part of your risk management strategy, you can determine how long your funds will last by employing the Martingale strategy. Simply use this formula.","-46865201":"Martingale formula 1","-116397598":"m is the Martingale multiplier.","-658161609":"Number of rounds, R ≈ 9.965","-288082521":"This means that after 10 rounds of consecutive losses, this trader will lose 1023 USD which exceeds the loss threshold of 1000 USD, stopping the bot.","-770387160":"The Martingale strategy in trading may offer substantial gains but also comes with significant risks. With your selected strategy, Deriv Bot provides automated trading with risk management measures like setting initial stake, stake size, maximum stake, profit threshold and loss threshold. It's crucial for traders to assess their risk tolerance, practice in a demo account, and understand the strategy before trading with real money.","-1901073152":"These are the trade parameters used for Oscar’s Grind strategy in Deriv Bot.","-1575153036":"An example of Oscar’s Grind strategy","-732418614":"The table above demonstrates this principle by showing that when a successful trade occurs and meets the target of one unit of potential profit which is 1 USD in this example, the session ends. If trading continues, a new session will begin.","-106266344":"Principle 3: The stake adjusts to the gap size between current loss and the target profit for the session","-492908094":"In round 7, the stake is adjusted downwards from 2 USD to 1 USD, to meet the target profit of 1 USD.","-90079299":"With Deriv Bot, traders can set the profit and loss thresholds to secure potential profits and limit potential losses. This means that the trading bot will automatically stop when either the profit or loss threshold is reached. This is a form of risk management that can potentially boost successful trades whilst limiting the impact of loss. For example, if a trader sets the profit threshold at 100 USD and the strategy exceeds 100 USD of profit from all trades, then the bot will stop running.","-1549673884":"The Oscar's Grind strategy provides a disciplined approach for incremental gains through systematic stake progression. When integrated into Deriv Bot with proper risk management like profit or loss thresholds, it offers traders a potentially powerful automated trading technique. However, traders should first thoroughly assess their risk tolerance and first try trading on a demo account in order to familiarise with the strategy before trading with real funds.","-655650222":"Exploring the Reverse D’Alembert strategy in Deriv Bot","-1864807973":"The Reverse D'Alembert strategy involves increasing your stake after a successful trade and reducing it after a losing trade by a predetermined number of units.","-809681645":"These are the trade parameters used in Deriv Bot with Reverse D’Alembert strategy.","-1239374257":"An example of Reverse D’Alembert strategy","-309821442":"Please be aware that while we may use rounded figures for illustration, a stake of a specific amount does not guarantee an exact amount in successful trades. For example, a 1 USD stake does not necessarily equate to a 1 USD profit in successful trades.","-1576691912":"This article explores the Reverse Martingale strategy integrated into Deriv Bot, a versatile trading bot designed to trade assets such as forex, commodities, and derived indices. We will delve into the strategy's core parameters, its application, and provide essential takeaways for traders looking to use the bot effectively.","-1934849823":"These are the trade parameters used in Deriv Bot with Reverse Martingale strategy.","-1021919630":"Multiplier: The multiplier used to increase your stake if your trade is successful. The value must be greater than 1.","-760516362":"3. If the first trade is a successful trade, Deriv Bot will automatically double your stake for the next trade to 2 USD. Deriv Bot will continue to double the stake after every successful trade.","-1410950365":"Exploring the 1-3-2-6 strategy in Deriv Bot","-1175255072":"These are the trade parameters used in Deriv Bot with 1-3-2-6 strategy.","-183884527":"An example of 1-3-2-6 strategy","-275617819":"4. However, if any trade results in a loss, your stake will reset back to the initial stake of 1 USD for the next trade. The third trade results in a loss hence the stake resets to the initial stake of 1 USD for the next trade.","-719846465":"5. Upon reaching the initial stake, if the next trade still results in a loss, your stake will remain at the initial stake of 1 USD. This strategy will minimally trade at the initial stake. Refer to the fourth and fifth trade.","-1452746011":"The 1-3-2-6 strategy in trading may offer substantial gains but also comes with significant risks. Each stake is independent, and the strategy does not increase your chances of successful trades in the long run. If you encounter a series of losses, the strategy can lead to significant losses. Therefore, it is crucial for traders to assess their risk tolerance, practice in a demo account, utilise profit and loss thresholds, and fully comprehend the strategy before engaging in real-money trading.","-1016171176":"Asset","-138833194":"The underlying market your bot will trade with this strategy.","-621128676":"Trade type","-399349239":"Your bot will use this trade type for every run","-671128668":"The amount that you pay to enter a trade.","-410856998":"The bot will stop trading if your total profit exceeds this amount.","-447853970":"Loss threshold","-1560175960":"The multiplier amount used to increase your stake after a successful trade. Value must be higher than 1.","-1503301801":"The value must be equal or greater than {{ min }}","-1021066654":"The amount that you may add to your stake after a successful trade.","-1521098535":"Max stake","-1448426542":"The stake for your next trade will reset to the initial stake if it exceeds this value.","-993953307":"Your prediction of the last digit of the asset price.","-1305281529":"D’Alembert","-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?","-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:","-2129119462":"1. Create the following variables and place them under Run once at start:","-468926787":"This is how your trade parameters, variables, and trade options should look like:","-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.","-1630262763":"About Martingale","-413928457":"About Oscar's Grind","-1497015866":"About Reverse D’Alembert","-437005403":"About 1-3-2-6","-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","-507620484":"Unsaved","-764102808":"Google Drive","-555886064":"Won","-529060972":"Lost","-287223248":"No transaction or activity yet.","-418247251":"Download your journal.","-2123571162":"Download","-870004399":"<0>Bought: {{longcode}} (ID: {{transaction_id}})","-1211474415":"Filters","-186972150":"There are no messages to display","-999254545":"All messages are filtered out","-934909826":"Load strategy","-1121028020":"or, if you prefer...","-254025477":"Select an XML file from your device","-1131095838":"Please upload an XML file","-523928088":"Create one or upload one from your local drive or Google Drive.","-1684205190":"Why can't I see my recent bots?","-2050879370":"1. Logged in from a different device","-811857220":"3. Cleared your browser cache","-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.","-1778025545":"You’ve successfully imported a bot.","-24780060":"When you’re ready to trade, hit ","-2147110353":". You’ll be able to track your bot’s performance here.","-411060180":"TradingView Chart","-2140412463":"Buy price","-1299484872":"Account","-2004386410":"Win","-266502731":"Transactions detailed summary","-992003496":"Changes you make will not affect your running bot.","-1823621139":"Quick Strategy","-1782602933":"Choose a template below and set your trade parameters.","-315611205":"Strategy","-150224710":"Yes, continue","-475765963":"Edit the amount","-1349897832":"Do not show this message again.","-984512425":"Minimum duration: {{ value }}","-2084091453":"The value must be equal or greater than {{ value }}","-657364297":"The value must be equal or less than {{ value }}","-1696412885":"Import","-320197558":"Sort blocks","-939764287":"Charts","-1566369363":"Zoom out","-1285759343":"Search","-1291088318":"Purchase conditions","-112876186":"Analysis","-1769584466":"Stats","-1133736197":"Utility","-1682372359":"Text","-907562847":"Lists","-1646497683":"Loops","-251326965":"Miscellaneous","-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","-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.","-129587613":"Got it, thanks!","-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?","-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","-1596172043":"Quick strategy guides","-1717650468":"Online","-1309011360":"Open positions","-1597214874":"Trade table","-1929724703":"Compare CFD accounts","-883103549":"Account deactivated","-1190972431":"P2P-V2","-1837059346":"Buy / Sell","-1845037007":"Advertiser's page","-821418875":"Trader","-679102561":"Contract Details","-430118939":"Complaints policy","-568280383":"Deriv Gaming","-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","-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","-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","-1090244963":"Trade Smarter with Deriv Trader Chart v2.0:","-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.","-1744163489":"Please verify your proof of income","-382676325":"To continue trading with us, please submit your proof of income.","-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.","-1629185222":"Submit now","-1961967032":"Resubmit proof of identity","-117048458":"Please submit your proof of identity.","-1196422502":"Your proof of identity is verified.","-1392958585":"Please check your email.","-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","-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.","-822813736":"We're unable to complete with the Wallet upgrade. Please try again later or contact us via live chat.","-285366843":"We are going to update the login process for your Deriv MT5 account.","-978414767":"We require additional information for your Deriv MT5 account(s). Please take a moment to update your information now.","-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.","-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","-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","-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.","-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.","-1342699195":"Total profit/loss:","-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.","-1825471709":"A whole new trading experience on a powerful yet easy to use platform.","-981017278":"Automated trading at your fingertips. No coding needed.","-583559763":"Menu","-1685795001":"Demo Wallet","-725930228":"Looking for CFDs? Go to Trader’s hub","-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.","-2007055538":"Information updated","-521477049":"We are going to update the login process for your Deriv MT5 account. Here is what you need to do when you want to log in via your MT5 mobile app starting from 7 February:","-749864644":"If you have trouble logging into your Deriv MT5 account, please follow this <0>guide.","-238296389":"Need help? Contact us via <0>live chat to assist you with any login questions.","-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.","-715867914":"Successfully deposited","-1271218821":"Account added","-197631101":"Your funds will be available for trading once the verification of your account is complete.","-835056719":"We’ve received your documents","-55435892":"We’ll need 1 - 3 days to review your documents and notify you by email. You can practice with demo accounts in the meantime.","-1089300025":"We don’t charge deposit fees! Once your account is verified, you will be able to trade, make additional deposits, or withdraw funds.","-476018343":"Live Chat","-1471705969":"<0>{{title}}: {{trade_type_name}} on {{symbol}}","-1771117965":"Trade opened","-1567989247":"Submit your proof of identity and address","-523602297":"Forex majors","-1303090739":"Up to 1:1500","-19213603":"Metals","-1264604378":"Up to 1:1000","-1728334460":"Up to 1:300","-646902589":"(US_30, US_100, US_500)","-705682181":"Malta","-1835174654":"1:30","-1647612934":"Spreads from","-1587894214":"about verifications needed.","-466784048":"Regulator/EDR","-2098459063":"British Virgin Islands","-1005069157":"Synthetic indices, basket indices, and derived FX","-1344709651":"40+","-1326848138":"British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114)","-1711743223":"Forex (standard/micro), stocks, stock indices, commodities, cryptocurrencies and ETFs","-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)","-139026353":"A selfie of yourself.","-1228847561":"Verification in review.","-618322245":"Verification successful.","-149461870":"Forex: standard/exotic","-1995163270":"ETFs","-651501076":"Derived - SVG","-865172869":"Financial - BVI","-1851765767":"Financial - Vanuatu","-558597854":"Financial - Labuan","-2052425142":"Swap-Free - SVG","-1192904361":"Deriv X Demo","-283929334":"Deriv cTrader Demo","-1269597956":"MT5 Platform","-1302404116":"Maximum leverage","-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","-860609405":"Password","-742647506":"Fund transfer","-712681566":"Peer-to-peer exchange","-1267880283":"{{field_name}} is required","-2084509650":"{{field_name}} is not properly formatted.","-790488576":"Forgot password?","-476558960":"If you don’t have open positions","-1385484963":"Confirm to change your {{platform}} password","-1990902270":"This will change the password to all of your {{platform}} accounts.","-12535938":"*Volatility 250 Index, Volatility 150 Index, Boom 300 and Crash 300 Index","-201485855":"Up to","-700260448":"demo","-1769158315":"real","-1922462747":"Trader's hub","-535365199":"Enter your {{platform}} password to add a {{platform_name}} {{account}} account.","-184453418":"Enter your {{platform}} password","-393388362":"We’re reviewing your documents. This should take about 1 to 3 days.","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1928229820":"Reset Deriv X investor password","-1087845020":"main","-1950683866":"investor","-1874242353":"Fund top up","-89838213":"You can top up your demo account with an additional <0> if your balance is <1> or less.","-1211122723":"{{ platform }} {{ account_title }} account","-78895143":"Current balance","-149993085":"New current balance","-251202291":"Broker","-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.","-81650212":"MetaTrader 5 web","-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","-1460321521":"Choose a jurisdiction for your {{account_type}} account","-964130856":"{{existing_account_title}}","-2065943005":"What will happen to the funds in my existing account(s)?","-915298583":"We are giving you a new {{platform}} account(s) to enhance your trading experience","-1453395312":"Your existing <0>{{platform}} {{account}} account(s) will remain accessible.","-2145356061":"Download Deriv X on your phone to trade with the Deriv X account","-1547458328":"Run cTrader on your browser","-508045656":"Coming soon on IOS","-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.","-1936102840":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} {{jurisdiction_selected_shortcode}} account. ","-2015785957":"Compare CFDs {{demo_title}} accounts","-601303096":"Scan the QR code to download Deriv {{ platform }}.","-1357917360":"Web terminal","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-1386326276":"Barrier is a required field.","-1418742026":"Higher barrier must be higher than lower barrier.","-92007689":"Lower barrier must be lower than higher barrier.","-1095538960":"Please enter the start time in the format \"HH:MM\".","-1975910372":"Minute must be between 0 and 59.","-866277689":"Expiry time cannot be in the past.","-1455298001":"Now","-256210543":"Trading is unavailable at this time.","-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","-1013917510":"The reset time is {{ reset_time }}","-902712434":"Deal cancellation","-988484646":"Deal cancellation (executed)","-444882676":"Deal cancellation (active)","-13423018":"Reference ID","-1371082433":"Reset barrier","-1402197933":"Reset time","-2035315547":"Low barrier","-1745835713":"Selected tick","-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","-104603605":"You cannot trade as your documents are still under review. We will notify you by email once your verification is approved.","-439389714":"We’re working on it","-770929448":"Go to {{platform_name_smarttrader}}","-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.","-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","-153220091":"{{display_value}} Tick","-802374032":"Hour","-1052279158":"Your <0>payout is the sum of your initial stake and profit.","-1819891401":"You can close your trade anytime. However, be aware of <0>slippage risk.","-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.","-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.","-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).","-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.","-93996528":"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.","-420387848":"The high is the highest point ever reached by the market during the contract period.","-1722190480":"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.","-1281286610":"If you select \"Matches\", you will win the payout if the last digit of the last tick is the same as your prediction.","-618782785":"Use multipliers to leverage your potential returns. Predict if the asset price will move upward (bullish) or downward (bearish). We’ll charge a commission when you open a multipliers trade.","-565391674":"If you select \"<0>Up\", your total profit/loss will be the percentage increase in the underlying asset price, times the multiplier and stake, minus commissions.","-1113825265":"Additional features are available to manage your positions: “<0>Take profit” and “<0>Stop loss” allow you to adjust your level of risk aversion.","-1104397398":"Additional features are available to manage your positions: “<0>Take profit”, “<0>Stop loss” and “<0>Deal cancellation” allow you to adjust your level of risk aversion.","-1272255095":"If the exit spot is equal to the barrier or the new barrier (if a reset occurs), you don't win the payout.","-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\".","-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.","-299450697":"If you select \"High Tick\", you win the payout if the selected tick is the highest among the next five ticks.","-1416078023":"If you select \"Touch\", you win the payout if the market touches the barrier at any time during the contract period.","-1547935605":"Your payout is equal to the <0>payout per point multiplied by the difference between the <0>final price and the barrier. You will only earn a profit if your payout is higher than your initial stake.","-1307465836":"You may sell the contract up to 15 seconds before expiry. If you do, we’ll pay you the <0>contract value.","-351875097":"Number of ticks","-729830082":"View less","-1649593758":"Trade info","-1382749084":"Go back to trading","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-1977959027":"hours","-442488432":"day","-337314714":"days","-1435392215":"About deal cancellation","-2017825013":"Got it","-1192773792":"Don't show this again","-1341681145":"When this is active, you can cancel your trade within the chosen time frame. Your stake will be returned without loss.","-471757681":"Risk management","-843831637":"Stop loss","-771725194":"Deal Cancellation","-1669741470":"The payout at expiry is equal to the payout per point multiplied by the difference between the final price and the strike price.","-993480898":"Accumulators","-45873457":"NEW","-2131851017":"Growth rate","-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.","-1186082278":"Your payout is equal to the payout per point multiplied by the difference between the final price and barrier.","-584445859":"This is when your contract will expire based on the duration or end time you’ve selected. If the duration is more than 24 hours, the cut-off time and expiry date will apply instead.","-1221049974":"Final price","-1247327943":"This is the spot price of the last tick at expiry.","-1890561510":"Cut-off time","-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.","-565990678":"Your contract will expire on this date (in GMT), based on the End time you’ve selected.","-1545819495":"Your trade will be closed automatically at the nearest available asset price when your loss reaches a certain percentage of your stake, but your loss never exceeds your stake. This percentage depends on the chosen underlying asset and the Multiplier.","-468501352":"If you select this feature, your trade will be closed automatically at the nearest available asset price when your profit reaches or exceeds the take profit amount. Your profit may be more than the amount you entered depending on the market price at closing.","-1789190266":"We use next-tick-execution mechanism, which is the next asset price when the trade opening is processed by our servers for Major Pairs.","-1476381873":"The latest asset price when the trade closure is processed by our servers.","-148680560":"Spot price of the last tick upon reaching expiry.","-1123926839":"Contracts will expire at exactly 14:00:00 GMT on your selected expiry date.","-1904828224":"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 24 hours.","-127118348":"Choose {{contract_type}}","-543478618":"Try checking your spelling or use a different term","-338707425":"Minimum duration is 1 day","-1003473648":"Duration: {{duration}} day","-700280380":"Deal cancel. fee","-8998663":"Digit: {{last_digit}} ","-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.","-438655760":"<0>Note: You can close your trade anytime. Be aware of slippage risk.","-774638412":"Stake must be between {{min_stake}} {{currency}} and {{max_stake}} {{currency}}","-434270664":"Current Price","-1956787775":"Barrier Price:","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-1231210510":"Tick","-2055106024":"Toggle between advanced and simple duration settings","-1012793015":"End time","-1804019534":"Expiry: {{date}}","-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}})","-732683018":"When your profit reaches or exceeds this amount, your trade will be closed automatically.","-339236213":"Multiplier","-1763848396":"Put","-194424366":"above","-857660728":"Strike Prices","-1683683754":"Long","-1346404690":"You receive a payout at expiry if the spot price never touches or breaches the barrier throughout the contract duration. Otherwise, your contract will be terminated early.","-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","-1738427539":"Purchase","-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}})","-1876891031":"Currency","-513103225":"Transaction time","-2066666313":"Credit/Debit","-1981004241":"Sell time","-1370419052":"Profit / Loss","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-1769852749":"N/A","-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","-447037544":"Buy price:","-1694314813":"Contract value:","-113940416":"Current stake:","-1999539705":"Deal cancel. fee:","-155989831":"Decrement value","-1167474366":"Tick ","-1511825574":"Profit/Loss:","-726626679":"Potential profit/loss:","-338379841":"Indicative price:","-2027409966":"Initial stake:","-1525144993":"Payout limit:","-1669418686":"AUD/CAD","-1548588249":"AUD/CHF","-1552890620":"AUD/JPY","-681231560":"AUD/PLN","-64938413":"AUD/USD","-1430522808":"EUR/AUD","-2020477069":"EUR/CAD","-1201853162":"EUR/CHF","-1318070255":"EUR/GBP","-1197505739":"EUR/JPY","-405907358":"EUR/USD","-1536293064":"NZD/JPY","-79700881":"NZD/USD","-642323838":"USD/CAD","-428199705":"USD/CHF","-424108348":"USD/JPY","-548255282":"USD/NOK","-1834131208":"USD/PLN","-524302516":"Silver/USD","-764731776":"Platinum/USD","-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","-82971929":"Volatility 25 (1s) Index","-433962508":"Volatility 75 (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","-132112961":"Sharkfin","-1715390759":"I want to do this later","-56163366":"I don't have any of these","-175164838":"{{seconds_passed}}s ago","-514136557":"{{minutes_passed}}m ago","-1420737287":"{{hours_passed}}h ago","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-1603581277":"minutes","-886317740":"The <0>date of birth on your identity document doesn't match your profile.","-1606307809":"We were unable to verify the identity document with the details provided.","-475787720":"The verification status was empty, rejected for lack of information.","-1627868670":"Your identity document has expired.","-1302288704":"The document’s owner is deceased.","-895884696":"The <0>name and <0>date of birth on your identity document don't match your profile.","-1231856133":"The verification status is not available, provider says: Needs Technical Investigation.","-433687715":"For enhanced security, we need to reverify your identity. Kindly resubmit your proof of identity to unlock your account.","-1637538521":"Your document appears to be invalid.","-876579004":"The name on your document doesn’t match your profile.","-746520172":"Some details on your document appear to be invalid, missing, or unclear.","-2146200521":"The serial number of your document couldn’t be verified.","-1945323197":"Your document appears to be in black and white. Please upload a colour photo of your document.","-631393256":"Your document contains markings or text that should not be on your document.","-609103016":"The image quality of your document is too low. Please provide a hi-res photo of your identity document.","-530935718":"We’re unable to verify the document you provided because some details appear to be missing. Please try again or provide another document.","-1027031626":"We’re unable to verify the document you provided because it appears to be damaged. Please try again or upload another document.","-1671621833":"The front of your document appears to be missing. Please provide both sides of your identity document.","-727588232":"Your document appears to be a scanned copy that contains markings or text that shouldn’t be on your document.","-1435064387":"Your document appears to be a printed copy.","-624316211":"Your document appears to be a photo of a device screen.","-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 +{"1014140":"You may also call <0>+447723580049 to place your complaint.","1485191":"1:1000","2082741":"additional document number","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.","4547840":"<0>Verify your account to transfer funds. <1>Verify now","5149403":"Learn more about trade types","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'.","9757544":"Please submit your proof of address","11539750":"set {{ variable }} to Relative Strength Index Array {{ dummy }}","11706633":"Loss threshold: The bot will stop trading if your total loss exceeds this amount.","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","27582393":"Example :","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","33433576":"Please use an e-wallet to withdraw your funds.","35089987":"Upload the front and back of your driving licence.","35875634":"<0>EU statutory disclaimer: CFDs are complex instruments and come with a high risk of losing money rapidly due to leverage. <0>70.1% 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.","41737927":"Thank you","44877997":"Residence permit","45453595":"Binary Coin","45821474":"Proof of income","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.","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","57362642":"Closed","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","66610627":"We were unable to verify your selfie because it’s not clear. Please take a clearer photo and try again. Ensure that there’s enough light where you are and that your entire face is in the frame.","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","71232823":"Manage funds","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.","74836780":"{{currency_code}} Wallet","74963864":"Under","76635112":"To proceed, resubmit these documents","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\".","81091424":"To complete the upgrade, please log out and log in again to add more accounts and make transactions with your Wallets.","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","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.","93939827":"Cryptocurrency accounts","96381225":"ID verification failed","96936877":"The multiplier amount used to increase your stake if you’re losing a trade. Value must be higher than 1.","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","105871033":"Your age in the document you provided appears to be below 18 years. We’re only allowed to offer our services to clients above 18 years old, so we’ll need to close your account. If you have a balance in your account, contact us via live chat and we’ll help to withdraw your funds before your account is closed.","107537692":"These limits apply to your options trades only. For example, <0>maximum total loss refers to the losses on all your trades on options trading platforms.","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.","110822969":"One Wallet for all your transactions","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.","117366356":"Turbo options allow you to predict the direction of the underlying asset’s movements.","118727646":"{{new_account_title}}","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","125354367":"An example of D’Alembert's Grind strategy","125443840":"6. Restart last trade on error","125842960":"{{name}} is required.","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.","129005644":"The idea is that successful trades may recoup previous losses. However, it is crucial to exercise caution as the risk can quickly increase with this strategy. With Deriv Bot, you can minimise your risk by setting a maximum stake. This is an optional risk management feature. Let’s say a maximum stake of 3 USD. If your stake for the next trade is set to exceed 3 USD, your stake will reset to the initial stake of 1 USD. If you didn't set a maximum stake, it would have increased beyond 3 USD.","129137937":"You decide how much and how long to trade. You can take a break from trading whenever you want. This break can be from 6 weeks to 5 years. When it’s over, you can extend it or resume trading after a 24-hour cooling-off period. If you don’t want to set a specific limit, leave the field empty.","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","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.","137589354":"To assess your trading experience and if our products are suitable for you. Please provide accurate and complete answers, as they may affect the outcome of this assessment.","138055021":"Synthetic indices","139454343":"Confirm my limits","141265840":"Funds transfer information","141626595":"Make sure your device has a working camera","142050447":"set {{ variable }} to create text with","142390699":"Connected to your mobile","143970826":"Payment problems?","145511192":"s is the initial stake.","145633981":"Unavailable as your documents are still under review","145736466":"Take a selfie","150486954":"Token name","151279367":"2. Set the Purchase conditions. In this example, your bot will purchase a Rise contract when it starts and after a contract closes.","151646545":"Unable to read file {{name}}","152415091":"Math","152524253":"Trade the world’s markets with our popular user-friendly platform.","157593038":"random integer from {{ start_number }} to {{ end_number }}","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?","167094229":"• Current stake: Use this variable to store the stake amount. You can assign any amount you want, but it must be a positive number.","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","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.","181107754":"Your new <0>{{platform}} {{eligible_account_to_migrate}} account(s) are ready for trading.","181346014":"Notes ","181881956":"Contract Type: {{ contract_type }}","182630355":"Thank you for submitting your information.","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","195136585":"Trading View Chart","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","207521645":"Reset Time","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.","210872733":"The verification status is not available, provider says: Malformed JSON.","211224838":"Investment","211461880":"Common names and surnames are easy to guess","211487193":"Document number (e.g. identity card, passport, driver's license)","211847965":"Your <0>personal details are incomplete. Please go to your account settings and complete your personal details to enable withdrawals.","215975531":"This account offers CFDs on a highly customisable CFD trading platform.","216650710":"You are using a demo account","217377529":"5. If the next trades are profitable, the stake for the following trade will be reduced by 2 USD. This can be shown above where the stake of 3 USD is reduced to 1 USD. See A3.","217403651":"St. Vincent & Grenadines","217504255":"Financial assessment submitted successfully","218441288":"Identity card number","220014242":"Upload a selfie from your computer","220186645":"Text Is empty","220232017":"demo CFDs","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).","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. ","235994721":"Forex (standard/exotic) and cryptocurrencies","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","241546739":"Please choose the correct Deriv company and server name when logging in, as shown on Trader’s Hub.","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","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","251445658":"Dark theme","251882697":"Thank you! Your response has been recorded into our system.<0/><0/>Please click ‘OK’ to continue.","253805458":"This is your personal start page for Deriv.","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","256123827":"What happens to my trading accounts","256602726":"If you close your account:","258026201":"<0>To complete the upgrade, please log out and log in again to add more accounts and make transactions with your Wallets.","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.","260393332":"You cannot make further deposits as your documents are still under review. We will notify you by email within 3 days once your verification is approved.","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.","271637055":"Download is unavailable while your bot is running.","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","276639155":"Please enter a Postal/ZIP code under 20 chatacters.","276770377":"New MT5 account(s) under the {{to_account}} jurisdiction will be created for new trades.","277469417":"Exclude time cannot be for more than five years.","278684544":"get sub-list from # from end","280021988":"Use these shortcuts","281110034":"Effective trading with the D'Alembert system requires careful consideration of its stake progression and risk management. Traders can automate this approach using Deriv Bot, setting profit and loss thresholds to ensure balanced and controlled trading. However, it is crucial for traders to assess their risk appetite, test strategies on a demo account, and align with their own trading style before transitioning to real money trading. This optimization process helps strike a balance between potential gains and losses while managing risk prudently.","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","285909860":"Demo {{currency}} Wallet","287934290":"Are you sure you want to cancel this transaction?","291344459":"The table illustrates this principle in the second session. After a trade resulting in loss in round 4 followed by a successful trade in round 5, the stake will increase to 2 USD for round 6. This is in line with the strategy's rule of raising the stake only after a loss is followed by a successful trade.","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.","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","293250845":"Are you sure you want to continue?","294043810":"I confirm that my tax information is accurate and complete.","294305803":"Manage account settings","294335229":"Sell at market price","296017162":"Back to Bot","301441673":"Select your citizenship/nationality as it appears on your passport or other government-issued ID.","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.","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.","334942497":"Buy time","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.","346214602":"A better way to manage your funds","347029309":"Forex: standard/micro","347039138":"Iterate (2)","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","357672069":"Income verification failed","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","360854506":"I agree to move my {{platform}} account(s) and agree to Deriv {{account_to_migrate}} Ltd’s <0>terms and conditions","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","372805409":"You should enter 9-35 characters.","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","377538732":"Key parameters","379523479":"To avoid loss of funds, do not share tokens with the Admin scope with unauthorised parties.","380606668":"tick","380694312":"Maximum consecutive trades","381972464":"Your document has expired.","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.","384707870":"CRS confirmation","386278304":"Install the {{platform_name_trader}} web app","386502387":"Bot is not running","389923099":"Zoom in","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.","403456289":"The formula for SMA is:","403608958":"Select a trading account or a Wallet","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.","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","424101652":"Quick strategy guides >","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","429970999":"To avoid delays, enter your <0>name exactly as it appears on your {{document_name}}.","431267979":"Here’s a quick guide on how to use Deriv Bot on the go.","431654991":"<0>This may take up to 2 minutes. During this time, you won't be able to deposit, withdraw, transfer, and add new accounts.","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","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.","452949978":"The 1-3-2-6 strategy is designed to capitalise on consecutive successful trades while minimising losses during losing streaks. The rationale behind this strategy lies in statistical probabilities, with adjustments to stake sizes based on the perceived likelihood of success. There is a higher likelihood of success in the second trade after one successful trade. Hence the stake adjusts to 3 in the second trade. In the third trade, the stake adjusts to 2 units due to a lower probability of a successful trade. If the third trade is also successful, the strategy then allocates all the previous gains (a total of 6 units of initial stake) into the fourth trade with the aim of doubling the potential profits. If the fourth trade results in a positive outcome, the strategy helps achieve a total gain of 12 units. However, it is crucial to exercise caution, as the risk can escalate quickly with this strategy, and any loss in the fourth trade forfeits all previous gains.","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).","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","466424460":"Oscar’s Grind","466837068":"Yes, increase my limits","467839232":"I trade forex CFDs and other complex financial instruments regularly on other platforms.","471402292":"Your bot uses a single trade type for each run.","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\".","478827886":"We calculate this based on the barrier you’ve selected.","479420576":"Tertiary","480356486":"*Boom 300 and Crash 300 Index","481276888":"Goes Outside","483279638":"Assessment Completed<0/><0/>","483591040":"Delete all {{ delete_count }} blocks?","485379166":"View transactions","487239607":"Converts a given True or False to the opposite value","488150742":"Resend email","489768502":"Change investor password","490053735":"If you select this feature, your trade will be closed automatically at the nearest available asset price when your loss reaches or exceeds the stop loss amount. Your loss may be more than the amount you entered depending on the market price at closing.","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","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","517833647":"Volatility 50 (1s) Index","518955798":"7. Run Once at Start","519205761":"You can no longer open new positions with this account.","520136698":"Boom 500 Index","521872670":"item","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","530864956":"Deriv Apps","531114081":"3. Contract Type","531675669":"Euro","532724086":"Employment contract","535041346":"Max. total stake per day","537788407":"Other CFDs Platform","538017420":"0.5 pips","538042340":"Principle 2: The stake only increases when a loss trade is followed by a successful trade","538228086":"Close-Low","541650045":"Manage {{platform}} password","541700024":"First, enter your driving licence number and the expiry date.","542038694":"Only letters, numbers, space, underscore, and hyphen are allowed for {{label}}.","542305026":"You must also submit a proof of identity.","543413346":"You have no open positions for this asset. To view other open positions, click Go to Reports","545476424":"Total withdrawals","547029855":"If you select this feature, you can cancel your trade within a chosen time frame if the asset price moves against your favour. You will get your stake back without profit/loss. We charge a small fee for this. Take profit and stop loss are disabled when deal cancellation is active.","549479175":"Deriv Multipliers","549799607":"Go to LiveChat","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.","551550548":"Your balance has been reset to 10,000.00 USD.","551569133":"Learn more about trading limits","554135844":"Edit","554410233":"This is a top-10 common password","554777712":"Deposit and withdraw Tether TRC20, a version of Tether hosted on the TRON blockchain.","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","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?","575668969":"3. For trades that result in a profit, the stake for the next trade will be increased by 2 USD. Deriv Bot will continue to add 2 USD for every successful trade. See A1.","575702000":"Remember, selfies, pictures of houses, or non-related images will be rejected.","575968081":"Account created. Select payment method for deposit.","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","587450463":"StartnTime","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","613877038":"Chart","615156635":"Your selfie does not match your document.","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}}?","621829484":"{{days_passed}}d ago","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.","634274250":"How long each trade takes to expire.","635884758":"Deposit and withdraw Tether ERC20, a version of Tether hosted on the Ethereum blockchain.","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.","640249298":"Normal","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","644150241":"The number of contracts you have won since you last cleared your stats.","645902266":"EUR/NZD","646773081":"Profit threshold: The bot will stop trading if your total profit exceeds this amount.","647039329":"Proof of address required","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)","650836587":"This article explores the Martingale strategy integrated into Deriv Bot, a versatile trading bot designed to trade assets such as forex, commodities, and derived indices. We will delve into the strategy's core parameters, its application, and provide essential takeaways for traders looking to use the bot effectively.","651284052":"Low Tick","651684094":"Notify","652298946":"Date of birth","654422099":"CRS confirmation is required.","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.","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/>","662953503":"Your contract will be closed when the <0>stop out level is reached.","664779910":"3. If the first trade results in profit, the stake for the following trade will not reduce but remain at the initial stake. The strategy minimally trades at the initial stake of 1 USD. See A1.","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","672731171":"Non-EU USD accounts","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.","676675313":"Authy","677918431":"Market: {{ input_market }} > {{ input_submarket }} > {{ input_symbol }}","680334348":"This block was required to correctly convert your old strategy.","680478881":"Total withdrawal limit","681108680":"Additional information required for {{platform}} account(s)","681808253":"Previous spot price","681926004":"Example of a blurry document","682056402":"Standard Deviation Down Multiplier {{ input_number }}","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.","692354762":"Please enter your {{document_name}}. {{example_format}}","693396140":"Deal cancellation (expired)","693933036":"Exploring the Oscar’s Grind strategy in Deriv Bot","694035561":"Trade options multipliers","694089159":"Deposit and withdraw Australian dollars using credit or debit cards, e-wallets, or bank wires.","696157141":"Low spot","696735942":"Enter your National Identification Number (NIN)","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","705262734":"Your Wallets are ready","705299518":"Next, upload the page of your passport that contains your photo.","705697927":"2. Set your preferred unit. In this example, it is 2 units or 2 USD.","705821926":"Learn about this trade type","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.","707189572":"Your email address has changed.<0/>Now, log in with your new email address.","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","718509613":"Maximum duration: {{ value }}","720293140":"Log out","720519019":"Reset my password","721011817":"- Raise the first number to the power of the second number","722797282":"EU-regulated USD accounts","723045653":"You'll log in to your Deriv account with this email address.","723475843":"These are the trading accounts available to you. You can click on an account’s icon or description to find out more.","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","729251105":"Range: {{min}} - {{max}} {{duration_unit_text}} ","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","739126643":"Indicative high spot","742469109":"Reset Balance","742570452":"<0>Deriv P2P is unavailable in Wallets at this time.","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","746576003":"Enter your {{platform}} password to move your account(s).","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","755138488":"We’re unable to verify the document you provided because it contains markings or text that should not be on your document. Please provide a clear photo or a scan of your original identity document.","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.","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}}","772520934":"You may sell the contract up to 24 hours before expiry. If you do, we’ll pay you the <0>contract value.","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","776432808":"Select the country where you currently live.","780009485":"About D'Alembert","781924436":"Call Spread/Put Spread","782563319":"Add more Wallets","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.","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.","812430133":"Spot price on the previous tick.","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.","822915673":"Earn a range of payouts by correctly predicting market price movements with <0>options, or get the upside of CFDs without risking more than your initial stake with <1>multipliers.","823186089":"A block that can contain text.","824797920":"Is list empty?","825042307":"Let’s try again","825179913":"This document number was already submitted for a different account. It seems you have an account with us that doesn't need further verification. Please contact us via <0>live chat if you need help.","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","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.","839158849":"4. If the second trade results in a loss, the Deriv Bot will automatically increase your stake for the next trade by 2 USD. Deriv Bot will continue to add 2 USD to the previous round’s stake after every losing trade. See A2.","839805709":"To smoothly verify you, we need a better photo","841434703":"Disable stack","841543189":"View transaction on Blockchain","843333337":"You can only make deposits. Please complete the <0>financial assessment to unlock withdrawals.","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.","851444316":"You can choose between CFD trading accounts or Options and Multipliers accounts.","851508288":"This block constrains a given number within a set range.","852527030":"Step 2","852583045":"Tick List String","852627184":"document number","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","858663703":"For new trades, please transfer your funds into the new <0>{{platform}} {{eligible_account_to_migrate}} account(s).","860319618":"Tourism","862283602":"Phone number*","863023016":"For instance, if a trader has a loss threshold (B) of 100 USD, with an initial stake (s) of 1 USD and 2 units of increment (f), the calculation would be as follows:","863328851":"Proof of identity","864610268":"First, enter your {{label}} and the expiry date.","864655280":"You can continue to hold your current open positions in your existing MT5 account(s).","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","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.","873387641":"If you have open positions","874461655":"Scan the QR code with your phone","874472715":"Your funds will remain in your existing MT5 account(s).","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","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.","894739499":"Enhancing your trading experience","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","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.","906789729":"Your verification documents were already used for another account.","907680782":"Proof of ownership verification failed","909272635":"Financial - SVG","910888293":"Too many attempts","911048905":"(BTCUSD, ETHUSD)","912257733":"The workspace will be reset to the default strategy and any unsaved changes will be lost. <0>Note: This will not affect your running bot.","912406629":"Follow these steps:","912967164":"Import from your computer","915735109":"Back to {{platform_name}}","918447723":"Real","920125517":"Add demo account","921857297":"Enter a value from 0 to {{ value }}.","921901739":"- your account details of the bank linked to your account","922313275":"You're back online","924046954":"Upload a document showing your name and bank account number or account details.","924912760":"Your document appears to be a digital document.","929608744":"You are unable to make withdrawals","930255747":"Please enter your {{document_name}}. ","930346117":"Capitalization doesn't help very much","930546422":"Touch","933126306":"Enter some text here","933193610":"Only letters, periods, hyphens, apostrophes, and spaces, please.","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","944499219":"Max. open positions","945532698":"Contract sold","945753712":"Back to Trader’s Hub","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.","947046137":"Your withdrawal will be processed within 24 hours","947363256":"Create list","947704973":"Reverse D’Alembert","947758334":"City is required","947914894":"Top up  <0>","948156236":"Create {{type}} password","948176566":"New!","949859957":"Submit","952927527":"Regulated by the Malta Financial Services Authority (MFSA) (licence no. IS/70156)","956448295":"Cut-off image detected","957182756":"Trigonometric functions","958430760":"In/Out","959031082":"set {{ variable }} to MACD Array {{ dropdown }} {{ dummy }}","960201789":"3. Sell conditions","961266215":"140+","961327418":"My computer","961692401":"Bot","962251615":"If you want to adjust your self-exclusion limits, <0>contact us via live chat.","966457287":"set {{ variable }} to Exponential Moving Average {{ dummy }}","968576099":"Up/Down","968726189":"You can choose between CFD trading accounts and Multipliers accounts.","969858761":"Principle 1: Strategy aims to potentially make one unit of profit per session","969987233":"Win up to maximum payout if exit spot is between lower and upper barrier, in proportion to the difference between exit spot and lower barrier.","970915884":"AN","974888153":"High-Low","975668699":"I confirm and accept {{company}} 's <0>Terms and Conditions","975950139":"Country of Residence","977929335":"Go to my account settings","980050614":"Update now","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.","986565137":"We've received your proof of income","987053672":"You can continue with the open positions on your current <0>{{platform}} {{existing_account}} account(s).","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","989840364":"You’re under legal age.","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 }}","997276809":"I confirm that the name and date of birth above match my chosen identity document","999008199":"text","1001160515":"Sell","1003876411":"Should start with letter or number and may contain a hyphen, period and slash.","1004127734":"Send email","1006069082":"The objective of Martingale strategy is to take advantage of consecutive successful trades and maximise potential profits from them. This strategy is beneficial only if there are consecutive successful trades. Therefore, it is important to set a maximum stake to secure all the potential profits gained from a number of consecutive successful trades, or you could lose all the profits you have accumulated, including your initial stake. For example, if your goal is to maximise profits within 2 consecutive successful trades, you set a maximum stake of 2 USD, given your initial stake is 1 USD. Similarly, if your goal is to maximise profits within 3 consecutive successful trades, you set a maximum stake of 4 USD, given your initial stake is 1 USD.","1006458411":"Errors","1006664890":"Silent","1008151470":"Unit: The number of units that are added in the event of successful trades or the number of units removed in the event of losing trades. For example, if the unit is set at 2, the stake increases or decreases by two times the initial stake of 1 USD, meaning it changes by 2 USD.","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","1021090237":"Upgrade your <0>{{account_1}} <1/>and <0>{{account_2}} {{platform}} account(s)","1021679446":"Multipliers only","1022934784":"1 minute","1022971288":"Payout per pip","1023237947":"1. In the example below, the instructions are repeated as long as the value of x is less than or equal to 10. Once the value of x exceeds 10, the loop is terminated.","1023643811":"This block purchases contract of a specified type.","1023795011":"Even/Odd","1024205076":"Logic operation","1026046972":"Please enter a payout amount that's lower than {{max_payout}}.","1026289179":"Trade on the go","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.","1029641567":"{{label}} must be less than 30 characters.","1030021206":"change {{ variable }} by {{ number }}","1031602624":"We've sent a secure link to %{number}","1031731167":"Pound Sterling","1032173180":"Deriv","1032907147":"AUD/NZD","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","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","1052921318":"{{currency}} Wallet","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","1057519018":"4. If a trade ends in a profit, the stake for the following trade will be reset to the initial stake amount of 1 USD.","1057749183":"Two-factor authentication (2FA)","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","1058905535":"Tutorial","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","1062569830":"The <0>name on your identity document doesn't match your profile.","1065275078":"cTrader is only available on desktop for now.","1065498209":"Iterate (1)","1065766135":"You have {{remaining_transfers}} {{transfer_text}} remaining for today.","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.","1070323991":"6. If consecutive successful trades were to happen, the stake would follow a sequence of adjustment from 1 to 3, then 2, and 6 units of initial stake. After 4 consecutive successful trades, it completes one cycle and then the strategy will repeat itself for another cycle. If any trade results in a loss, your stake will reset back to the initial stake for the next trade.","1070624871":"Check proof of address document verification status","1073261747":"Verifications","1073611269":"A copy of your identity document (e.g. identity card, passport, driver's license)","1073711308":"Trade closed","1076006913":"Profit/loss on the last {{item_count}} contracts","1077515534":"Date to","1078189922":"You can make a new deposit once the verification of your account is complete.","1078221772":"Leverage prevents you from opening large positions.","1078303105":"Stop out","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","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.","1113221217":"MT5 Swap-free","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","1124382808":"Please enter the expiry time in the format \"HH:MM\".","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","1139483178":"Enable stack","1141383005":"Deposit and withdraw Litecoin, the cryptocurrency with low transaction fees, hosted on the Litecoin blockchain.","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","1172230903":"• Stop loss threshold: Use this variable to store your loss limit. You can assign any amount you want. Your bot will stop when your losses hits or exceeds this amount.","1172524677":"CFDs Demo","1174542625":"- Find the chat ID property in the response, and copy the value of the id property","1174689133":"3. Set your trade parameters and hit Run.","1174748431":"Payment channel","1175183064":"Vanuatu","1177396776":"If you select \"Asian Fall\", you will win the payout if the last tick is lower than the average of the ticks.","1177723589":"There are no transactions to display","1178582280":"The number of contracts you have lost since you last cleared your stats.","1178800778":"Take a photo of the back of your license","1178942276":"Please try again in a minute.","1179704370":"Please enter a take profit amount that's higher than the current potential profit.","1181396316":"This block gives you a random number from within a set range","1181770592":"Profit/loss from selling","1183007646":"- Contract type: the name of the contract type such as Rise, Fall, Touch, No Touch, etс.","1183448523":"<0>We're setting up your Wallets","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 ","1186687280":"Question {{ current }} of {{ total }}","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.","1195393249":"Notify {{ notification_type }} with sound: {{ notification_sound }} {{ input_message }}","1196006480":"Profit threshold","1198368641":"Relative Strength Index (RSI)","1199281499":"Last Digits List","1201533528":"Contracts won","1201773643":"numeric","1202494002":"Get real-time data, advanced charting tools, and customisable views.","1203297580":"This block sends a message to a Telegram channel.","1203380736":"The D’Alembert strategy is less risky than Martingale, but you can still determine how long your funds will last with this strategy before trading. Simply use this formula.","1204223111":"In this example, the open prices from a list of candles are assigned to a variable called \"candle_list\".","1204834928":"We'll connect your existing USD trading account(s) to your new USD Wallet ","1206227936":"How to mask your card?","1206821331":"Armed Forces","1208729868":"Ticks","1208903663":"Invalid token","1209914202":"Get a Wallet, add funds, trade","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","1225874865":"The stake adjustment: target session profit (1 USD) - current session profit (0 USD) = 1 USD","1226027513":"Transfer from","1227074958":"random fraction","1227132397":"4. For trades that result in a loss, there are two outcomes. If it was traded at the initial stake, the next trade will remain at the same amount as the strategy trades minimally at the initial stake, see A2. If it was traded with a higher amount, the stake for the next trade would be reduced by 2 USD, see A3.","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","1233376285":"Options & multipliers","1233910495":"If you select \"<0>Down\", your total profit/loss will be the percentage decrease in the underlying asset price, times the multiplier and stake, minus commissions.","1234292259":"Source of wealth","1234764730":"Upload a screenshot of your name and email address from the personal details section.","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","1245662381":"Deriv Apps accounts","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","1259145708":"Let’s try again. Choose another document and enter the corresponding details.","1259598687":"GBP/JPY","1260259925":"Phone is not in a proper format.","1264096613":"Search for a given string","1264842111":"You can switch between real and demo accounts.","1265317149":"A recent utility bill (e.g. electricity, water or gas) or recent bank statement or government-issued letter with your name and address.","1265704976":"","1266728508":"Proof of income verification passed","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.","1272012156":"GBP/CHF","1272337240":"Days","1272681097":"Hours","1274380814":"Your payout is equal to the <0>payout per pip multiplied by the difference, <1>in pips, between the final price and the strike price. You will only earn a profit if your payout is higher than your initial stake.","1274819385":"3. Complaints and Disputes","1276660852":"Submit your proof of identity","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","1283807218":"Deposit and withdraw USD Coin, hosted on the Ethereum blockchain.","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","1289650867":"The Oscar’s Grind strategy is designed to potentially gain a modest yet steady profit in each trading session. This strategy splits trades into sessions and has three principles.","1290525720":"Example: ","1291997417":"Contracts will expire at exactly 23:59:59 GMT on your selected expiry date.","1292188546":"Reset Deriv MT5 investor password","1292891860":"Notify Telegram","1293605874":"Click ‘Get’ to create a trading account.","1293660048":"Max. total loss per day","1294553728":"We’re unable to verify the document you provided because it appears to be a blank image. Please try again or upload another document.","1294756261":"This block creates a function, which is a group of instructions that can be executed at any time. Place other blocks in here to perform any kind of action that you need in your strategy. When all the instructions in a function have been carried out, your bot will continue with the remaining blocks in your strategy. Click the “do something” field to give it a name of your choice. Click the plus icon to send a value (as a named variable) to your function.","1295284664":"Please accept our <0>updated Terms and Conditions to proceed.","1296380713":"Close my contract","1299479533":"8 hours","1300576911":"Please resubmit your proof of address or we may restrict your account.","1302691457":"Occupation","1303016265":"Yes","1303530014":"We’re processing your withdrawal.","1304083330":"copy","1304272843":"Please submit your proof of address.","1304620236":"Enable camera","1304788377":"<0/><1/>If your complaint relates to our data processing practices, you can submit a formal complaint to the <2>Information and Data Protection Commissioner (Malta) on their website or make a complaint to any supervisory authority within the European Union.","1305217290":"Upload the back of your identity card.","1308625834":"Sets the default time interval for blocks that read list of candles.","1309017029":"Enabling this allows you to save your blocks as one collection which can be easily integrated into other bots.","1309044871":"Returns the value of the latest tick in string format","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.","1310483610":"Results for \"{{ search_term }}\"","1311680770":"payout","1313167179":"Please log in","1313302450":"The bot will stop trading if your total loss exceeds this amount.","1314572331":"Your document failed our verification checks.","1316216284":"You can use this password for all your {{platform}} accounts.","1319217849":"Check your mobile","1320715220":"<0>Account closed","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","1330479159":"Ready to upgrade?","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","1337198355":"Congratulations, you have successfully created your {{category}} <0>{{deriv_keyword}} {{platform}} <1>{{type}} {{jurisdiction_selected_shortcode}} account. ","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","1340286510":"The bot has stopped, but your trade may still be running. You can check it on the Reports page.","1341840346":"View in Journal","1341921544":"Trading accounts and funds","1344696151":"Forex, stocks, stock indices, commodities, cryptocurrencies and synthetic indices.","1346038489":"Should be less than 70.","1346204508":"Take profit","1346339408":"Managers","1346947293":"We were unable to verify your selfie because it’s not clear. Please take a clearer photo and try again. Ensure that there's enough light where you are and that your entire face is in the frame.","1347037687":"Trader’s Hub V2","1347071802":"{{minutePast}}m ago","1349133669":"Try changing your search criteria.","1349289354":"Great, that's everything we need","1349295677":"in text {{ input_text }} get substring from {{ position1 }} {{ index1 }} to {{ position2 }} {{ index2 }}","1351906264":"This feature is not available for payment agents.","1353197182":"Please select","1354288636":"Based on your answers, it looks like you have insufficient knowledge and experience in trading CFDs. CFD trading is risky and you could potentially lose all of your capital.<0/><0/>","1355250245":"{{ calculation }} of list {{ input_list }}","1356574493":"Returns a specific portion of a given string of text.","1356607862":"Deriv password","1357213116":"Identity card","1358543466":"Not available","1358543748":"enabled","1360929368":"Add a Deriv account","1362029761":"Exploring the Reverse Martingale strategy in Deriv Bot","1362578283":"High","1363645836":"Derived FX","1363675688":"Duration is a required field.","1364045306":"Account V2","1364879837":"The verification is passed but the personal info is not available to compare.","1364958515":"Stocks","1366244749":"Limits","1367488817":"4. Restart trading conditions","1367990698":"Volatility 10 Index","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","1371758591":"Enjoy smoother and more secure transactions in multiple currencies with Wallets – <0>our new and improved Cashier.","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).","1373949314":"The Reverse Martingale strategy involves increasing your stake after each successful trade and resets to the initial stake for every losing trade as it aims to secure potential profits from consecutive wins.","1374627690":"Max. account balance","1374902304":"Your document appears to be damaged or cropped.","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","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","1400962248":"High-Close","1402208292":"Change text case","1402300547":"Lets get your address verified","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","1414918420":"We'll review your proof of identity again and will give you an update as soon as possible.","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.","1419330165":"Forex, stocks, stock indices, commodities, cryptocurrencies, ETFs and synthetic indices","1421046084":"Setup your account","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","1424763981":"1-3-2-6","1424779296":"If you've recently used bots but don't see them in this list, it may be because you:","1427811867":"Trade CFDs on MT5 with derived indices that simulate real-world market movements.","1428657171":"You can only make deposits. Please contact us via <0>live chat for more information.","1430221139":"Verify now","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.","1435368624":"Get one Wallet, get several {{dash}} your choice","1437396005":"Add comment","1437529196":"Payslip","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.","1462238858":"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.","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","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","1468508098":"Slippage happens when the asset price changes by the time it reaches our servers.","1469133110":"cTrader Windows app","1469150826":"Take Profit","1469764234":"Cashier Error","1469814942":"- Division","1470319695":"Returns either True or False","1470565177":"Article of association","1471008053":"Deriv Bot isn't quite ready for real accounts","1471070549":"Can contract be sold?","1471741480":"Severe error","1473369747":"Synthetics only","1475513172":"Size","1476301886":"Similar to SMA, this block gives you the entire SMA line containing a list of all values for a given period.","1478030986":"Create or delete API tokens for trading and withdrawals","1480915523":"Skip","1481860194":"Your new Wallet(s)","1481977420":"Please help us verify your withdrawal request.","1484336612":"This block is used to either terminate or continue a loop, and can be placed anywhere within a loop block.","1487086154":"Your documents were submitted successfully","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","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.","1506251760":"Wallets","1507554225":"Submit your proof of address","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.","1513771077":"We're processing your withdrawal.","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","1541770236":"The 1-3-2-6 strategy aims to maximise potential profits with four consecutive successful trades. One unit is equal to the amount of the initial stake. The stake will adjust from 1 unit to 3 units after the first successful trade, then to 2 units after your second successful trade, and to 6 units after the third successful trade. The stake for the next trade will reset to the initial stake if there is a losing trade or a completion of the trade cycle.","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.","1549098835":"Total withdrawn","1551172020":"AUD Basket","1552162519":"View onboarding","1555345325":"User Guide","1556320543":"The amount that you may add to your stake if you're losing a trade.","1556391770":"You cannot make a withdrawal as your documents are still under review. We will notify you by email within 3 days once your verification is approved.","1557426040":"Demo Derived SVG","1557682012":"Account Settings","1557706779":"Once you have an account click on ‘Deposit’ to add funds to an account.","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","1561884348":"This MFSA-regulated account offers CFDs on derived and financial instruments.","1562374116":"Students","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 - ","1567745852":"Bot name","1569527365":"Verification failed. Resubmit your details.","1569624004":"Dismiss alert","1570484627":"Ticks list","1571575776":"Accepted formats: pdf, jpeg, jpg, and png. Max file size: 8MB","1572504270":"Rounding operation","1572982976":"Server","1573429525":"Call/Put","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","1577780041":"Trade CFDs on MT5 with forex, stocks and indices, commodities, cryptocurrencies, and ETFs.","1577879664":"<0>Your Wallets are ready","1579839386":"Appstore","1580498808":"Multiple faces found","1584109614":"Ticks String List","1584936297":"XML file contains unsupported elements. Please check or modify file.","1587046102":"Documents from that country are not currently supported — try another document type","1589148299":"Start","1589640950":"Resale of this contract is not offered.","1589702653":"Proof of address","1589863913":"These are the trade parameters used for D’Alembert strategy in Deriv Bot.","1590400723":"Total assets in all your accounts","1591933071":"Resubmit document","1593010588":"Login now","1594147169":"Please come back in","1594322503":"Sell is available","1595295238":"3. Use a logic block to check if Total profit/loss is more than the Stop loss threshold amount. You can find the Total profit/loss variable under Analysis > Stats on the Blocks menu on the left. Your bot will continue to purchase new contracts until the Total profit/loss amount exceeds the Stop loss threshold amount.","1596378630":"You have added a real Gaming account.<0/>Make a deposit now to start trading.","1597672660":"Deriv MT5 Password","1598009247":"<0>a.You may file a complaint with the Financial Commission up to 45 days after the incident.","1598386296":"Town/City is required.","1598443642":"Transaction hash","1599743312":"An example of Reverse Martingale strategy","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.","1615897837":"Signal EMA Period {{ input_number }}","1618652381":"For instance, if a trader has a loss threshold (B) is 1000 USD, with an initial stake (s) is 1 USD, and the Martingale multiplier (m) is 2, the calculation would be as follows:","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","1633661992":"Tick {{current_tick}}/{{tick_count}}","1634016345":"2. If the trade is successful, this strategy will automatically adjust your stake to 3 units of your initial stake for the next trade. In this case, the stake adjustment is 3 units and the initial stake is 1 USD, hence the next trade will start at 3 USD.","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.","1645315784":"{{display_currency_code}} Wallet","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.","1650963565":"Introducing Wallets","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","1653999225":"Forex: major/minor","1654365787":"Unknown","1654529197":"Purchase condition","1654721858":"Upload anyway","1655372864":"Your contract will expire on this date (in GMT), based on the end time you’ve selected.","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.","1665718170":"The document must contain a letterhead.","1665738338":"Balance","1665756261":"Go to live chat","1666783057":"Upgrade now","1668138872":"Modify account settings","1669062316":"The payout at expiry is equal to the payout per pip multiplied by the difference, <0>in pips, between the final price and the strike price.","1670016002":"Multiplier: {{ multiplier }}","1670426231":"End Time","1671232191":"You have set the following limits:","1675030608":"To create this account first we need you to resubmit your proof of address.","1676549796":"Dynamic Leverage","1677027187":"Forex","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.","1681765749":"Martingale formula 2","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.","1691536201":"If you choose your duration in number of ticks, you won’t be able to terminate your contract early.","1691765860":"- Negation","1692912479":"Deriv MT5, Deriv X","1693614409":"Start time","1694517345":"Enter a new email address","1696190747":"Trading inherently involves risks, and actual profits can fluctuate due to various factors, including market volatility and other unforeseen variables. As such, exercise caution and conduct thorough research before engaging in any trading activities.","1698624570":"2. Hit Ok to confirm.","1699606318":"You've reached the limit of uploading your documents.","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.","1703712522":"Your payout is equal to the payout per pip multiplied by the difference, <0>in pips, between the final price and the strike price.","1704656659":"How much experience do you have in CFD trading?","1708413635":"For your {{currency_name}} ({{currency}}) account","1709293836":"Wallet balance","1709859601":"Exit Spot Time","1711013665":"Anticipated account turnover","1711676335":"square root","1711929663":"Your funds have been transferred","1712357617":"Invalid email address.","1713633297":"3. If the second trade is also successful, your stake will adjust to 2 USD or 2 units of the initial stake for the next trade.","1714255392":"To enable withdrawals, please complete your financial assessment.","1715011380":"Jump 25 Index","1715630945":"Returns the total profit in string format","1715680813":"Your contract will expire at exactly 23:59:59 GMT +0 on your selected expiry date.","1717023554":"Resubmit documents","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","1722056905":"The document you provided is not supported for your country. Please provide a supported document for your country.","1723069433":"Your new Wallet","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.","1724367774":"You can make a funds transfer once the verification of your account is complete.","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","1734521537":"The document you provided appears to be two different types. Please try again or provide another document.","1736292549":"Update postal code","1737352280":"Bot.init is not called","1738094481":"<0>Duration: Ticks 1","1738611950":"About Reverse Martingale","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","1747674345":"Please use `.` as a decimal separator for fractional numbers.","1747682136":"Contract was cancelled.","1748754976":"Run","1753082252":"This article explores the strategy integrated into Deriv Bot, a versatile trading bot designed to trade assets such as Forex, Commodities, and Derived Indices. We will delve into the strategy's core parameters, its application, and provide essential takeaways for traders looking to use the bot effectively.","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","1754256229":"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_ctrader }} transfers between your Deriv and {{platform_name_ctrader}} accounts, and up to {{ allowed_dxtrade }} transfers between your Deriv and {{platform_name_dxtrade}} accounts.","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","1772396880":"The date of birth on your document doesn’t match your profile.","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.","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","1785298924":"D’Alembert formula 1","1786644593":"Supported formats: JPEG, JPG, PNG, PDF, and GIF only","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","1791432284":"Search for country","1791971912":"Recent","1792037169":"To avoid delays, enter your <0>name and <0>date of birth exactly as they appear on your {{document_name}}.","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","1808058682":"Blocks are loaded successfully","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","1811138041":"Enter a value from {{ value }} to 9.","1811343027":"2. Select your Martingale multiplier. In this example, it is 2.","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","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)","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.","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","1843336754":"Select document","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.","1844458194":"You can only transfers funds from the {{account}} to the linked {{wallet}}.","1845598565":"The second session concludes upon reaching the aim of one unit of potential profit per session, equivalent to 1 USD. If trading continues, a new session will commence again.","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","1846588117":"Your contract will be closed automatically when your loss reaches {{stop_out_percentage}}% of your stake.","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","1854909245":"Multiplier:","1855566768":"List item position","1856485118":"Please <0>resubmit your proof of address to transfer funds between MT5 and Deriv accounts.","1856755117":"Pending action required","1858251701":"minute","1859308030":"Give feedback","1863053247":"Please upload your identity document.","1863731653":"To receive your funds, contact the payment agent","1865525612":"No recent transactions.","1866244589":"The entry spot is the first tick for High/Low Ticks.","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.","1869486036":"You receive a <0>payout at <0>expiry if the spot price never touches or breaches the <0>barrier during the contract period. If it does, your contract will be terminated early.","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","1873376454":"This is a price level that you choose. If this barrier is ever crossed, your contract would be terminated.","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","1876333357":"Tax Identification Number is invalid.","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.","1878189977":"The Martingale strategy involves increasing your stake after each loss to recoup prior losses with a single successful trade.","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 }}","1880377568":"An example of D’Alembert strategy","1880875522":"Create \"get %1\"","1881018702":"hour","1881380263":"Total assets in your account.","1881587673":"Total stake since you last cleared your stats.","1882825238":"Restart trading conditions","1883531976":"Clerks","1885708031":"#","1887257727":"R is the number of rounds a trader can sustain given a specific loss threshold.","1887925280":"The document must be recent and include your name and address:","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","1899898605":"Maximum size: 8MB","1902547203":"MetaTrader 5 MacOS app","1903437648":"Blurry photo detected","1904665809":"The Reverse Martingale strategy in trading may offer substantial gains but also comes with significant risks. With your selected strategy, Deriv Bot provides automated trading with risk management measures like setting initial stake, stake size, maximum stake, profit threshold and loss threshold. It's crucial for traders to assess their risk tolerance, practice in a demo account, and understand the strategy before trading with real money.","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.","1907423697":"Earn more with Deriv API","1907884620":"Add a real Deriv Gaming account","1908023954":"Sorry, an error occurred while processing your request.","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.","1916129921":"Reverse Martingale","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","1919296368":"2. Select your unit. In this example, it is 2 units or 2 USD.","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","1924365090":"Maybe later","1924765698":"Place of birth*","1928930389":"GBP/NOK","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","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","1948044825":"MT5 Derived","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","1958788790":"This is the amount you’ll receive at expiry for every point of change in the underlying price, if the spot price never touches or breaches the barrier throughout the contract duration.","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","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","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.","1977724653":"This account offers CFDs on financial instruments.","1978218112":"Google Authenticator","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}}.","1982790875":"Upgrade your <0/><1>{{account_title}} {{platform}} account(s)","1982796981":"Declarations","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.","1986322868":"When your loss reaches or exceeds this amount, your trade will be closed automatically.","1986498784":"BTC/LTC","1987080350":"Demo","1987447369":"Your cashier is locked","1987662349":"If you select <0>\"Long\", you’ll earn a payout if the spot price never drops below the barrier.<1 />If you select <0>\"Short\", you’ll earn a payout if the spot price never rises above the barrier.","1988153223":"Email address","1988302483":"Take profit:","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.","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.","2001361785":"1. Start with the initial stake. Let’s say 1 USD.","2004052487":"Estimating the lifespan of your trades","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","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.","2019596693":"The document was rejected by the Provider.","2020104747":"Filter","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.","2023546580":"Your account will be available for trading once the verification of your account is complete.","2023659183":"Student","2023762268":"I prefer another trading website.","2025339348":"Move away from direct light — no glare","2027441253":"Why do we collect this?","2027625329":"Simple Moving Average Array (SMAA)","2027638150":"Upgrade","2027696535":"Tax information","2028163119":"EOS/USD","2029237955":"Labuan","2030018735":"RSI is a technical analysis tool that helps you identify the market trend. It will give you a value from 0 to 100. An RSI value of 70 and above means that the asset is overbought and the current trend may reverse, while a value of 30 and below means that the asset is oversold.","2030045667":"Message","2033648953":"This block gives you the specified candle value for a selected time interval.","2034803607":"You must be 18 years old and above.","2035258293":"Start trading with us","2035925727":"sort {{ sort_type }} {{ sort_direction }} {{ input_list }}","2036578466":"Should be {{value}}","2037665157":"Expand All Blocks","2037906477":"get sub-list from #","2038562422":"TIN is required.","2039198937":"Maximum stake: The maximum amount you are willing to pay to enter a single trade. The stake for your next trade will reset to the initial stake if it exceeds this value. This is an optional risk management parameter.","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 }}","2063812316":"Text Statement","2063890788":"Cancelled","2066419724":"Trading accounts linked with {{wallet}}","2066978677":"{{formatted_opening_time}} (GMT) on {{opening_day}},<0 /> {{opening_date}}.","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","2070858497":"Your document appears to be a screenshot.","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","2079925695":"Unit: The number of units that are added in the event of a trade resulting in loss or the number of units removed in the event of a trade resulting in profit. For example, if the unit is set at 2, the stake increases or decreases by two times the initial stake of 1 USD, meaning it changes by 2 USD.","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}}","2080906200":"I understand and agree to upgrade to Wallets.","2081622549":"Must be a number higher than {{ min }}","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","2086048243":"Certificate of incorporation","2086742952":"You have added a real Options account.<0/>Make a deposit now to start trading.","2086792088":"Both barriers should be relative or absolute","2088735355":"Your session and login limits","2089087110":"Basket indices","2089395053":"Unit","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)","2097381850":"Calculates Simple Moving Average line from a list with a period","2097815211":"Number of rounds (R) = 10","2097932389":"Upload 2 separate screenshots from the personal details page and the account page via <0>https://app.astropay.com/profile","2099488590":"Changes to your Deriv MT5 login","2100713124":"account","2100912278":"4. If a trade ends in a loss, the stake for the following trade will be reset to the initial stake amount of 1 USD.","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","2107882050":"The back of your document appears to be missing. Please include both sides of your identity document.","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","2114766645":"Some trade types are unavailable for {{symbol}}.","2115223095":"Loss","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","2118292085":"<0>Note: You’ll receive an email when your deposit starts being processed.","2119449126":"Example output of the below example will be:","2119710534":"FAQ","2121227568":"NEO/USD","2122152120":"Assets","2127564856":"Withdrawals are locked","2128919448":"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. We won’t offer a contract value if the remaining duration is below 15 seconds or if the contract duration is in ticks.","2129807378":"Update profile","2133075559":"This means after 10 rounds of consecutive losses, this trader will lose 100 USD. This reaches the loss threshold of 100 USD, stopping the bot.","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","2136480755":"Some details in your document appear to be invalid, missing, or unclear.","2137901996":"This will clear all data in the summary, transactions, and journal panels. All counters will be reset to zero.","2137993569":"This block compares two values and is used to build a conditional structure.","2138861911":"Scans and photocopies are not accepted","2139171480":"Reset Up/Reset Down","2139362660":"left side","2141055709":"New {{type}} password","2143803283":"Purchase Error","2144609616":"If you select \"Reset-Down”, you win the payout if the exit spot is strictly lower than either the entry spot or the spot at reset time.","2145690912":"Income Earning","2145995536":"Create new account","2146336100":"in text %1 get %2","2146698770":"Pro tip: You can also click and drag out the desired block","2146751355":"We use current-tick-execution mechanism, which is the latest asset price when the trade opening is processed by our servers for Volatility Index, Basket Indices, Jump Indices and Crash/Boom Indices.","2146892766":"Binary options trading experience","2147244655":"How do I import my own trading bot into Deriv Bot?","-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","-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*","-583925597":"For verification purposes as required by regulation. It’s your responsibility to provide accurate and complete answers. You can update personal details at any time in your account settings.","-1113902570":"Details","-71696502":"Previous","-1541554430":"Next","-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.","-684271315":"OK","-1292808093":"Trading Experience","-153346659":"Upload your selfie.","-602131304":"Passport number","-1051213440":"Upload the front and back of your identity card.","-1600807543":"First, enter your identity card number and the expiry date.","-1139923664":"Next, upload the front and back of your identity card.","-783705755":"Upload the front of your identity card.","-566750665":"NIMC slip and proof of age","-1465944279":"NIMC slip number","-429612996":"Next, upload both of the following documents.","-376981174":"Upload your proof of age: birth certificate or age declaration document.","-612174191":"First line of address is required","-242734402":"Only {{max}} characters, please.","-378415317":"State is required","-1784470716":"State is not in a proper format","-1699820408":"Please enter a {{field_name}} under {{max_number}} characters.","-1575567374":"postal/ZIP code","-816263501":"Only letters, numbers, space and hyphen are allowed.","-1497654315":"Our accounts and services are unavailable for the Jersey postal code.","-755626951":"Complete your address details","-1024240099":"Address","-1461267236":"Please choose your currency","-1027595143":"Less than $25,000","-40491332":"$25,000 - $50,000","-1139806939":"$50,001 - $100,000","-996132458":"Construction","-915003867":"Health","-1430012453":"Information & Communications Technology","-987824916":"Science & Engineering","-146630682":"Social & Cultural","-761306973":"Manufacturing","-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","-1030759620":"Government Officers","-2137323480":"Company Ownership","-1590574533":"Divorce Settlement","-1667683002":"Inheritance","-1237843731":"Investment Income","-777506574":"Sale of Property","-654781670":"Primary","-1717373258":"Secondary","-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","-477761028":"Voter ID","-1466346630":"CPF","-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.","-1823540512":"Personal details","-1227878799":"Speculative","-1174064217":"Mr","-855506127":"Ms","-204765990":"Terms of use","-189310067":"Account closed","-849320995":"Assessments","-773766766":"Email and passwords","-1466827732":"Self exclusion","-1498206510":"Account limits","-241588481":"Login history","-966136867":"Connected apps","-213009361":"Two-factor authentication","-526636259":"Error 404","-739367071":"Employed","-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","-1458676679":"You should enter 2-50 characters.","-1116008222":"You should enter 9-35 numbers.","-1995979930":"First line of address is required.","-2113555886":"Only letters, numbers, space, and hyphen are allowed.","-1103497546":"Tax return","-700600899":"Business proof of address","-1073862586":"Memorandum","-1823328095":"Authorization letter","-397487797":"Enter your full card number","-1376950117":"That file format isn't supported. Please upload .pdf, .png, .jpg, or .jpeg files only.","-612752984":"These are default limits that we apply to your accounts.","-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.","-506122621":"Please take a moment to update your information now.","-1106259572":"Don't know your tax identification number? <1 />Click <0>here to learn more.","-252665911":"Place of birth{{required}}","-859814496":"Tax residence{{required}}","-237940902":"Tax Identification number{{required}}","-919191810":"Please fill in tax residence.","-270569590":"Intended use of account{{required}}","-2120290581":"Intended use of account is required.","-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.","-594456225":"Second line of address","-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?","-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. ","-807767876":"Note:","-1117963487":"Name your token and click on 'Create' to generate your token.","-2005211699":"Create","-2115275974":"CFDs","-1879666853":"Deriv MT5","-359585233":"Enjoy a seamless trading experience with the selected fiat account. Please note that once you've made your first deposit or created a real {{dmt5_label}} account, your account currency cannot be changed.","-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","-370334393":"Click here to browse your files.","-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","-1117345066":"Choose the document type","-1634507018":"Enter your {{document_name}}","-1237846864":"Verify again","-39187636":"{{index}}.","-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","-251603364":"Your document for proof of address is expired. <0/>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","-2145244263":"This field is required","-839094775":"Back","-1813671961":"Your identity verification failed because:","-2097808873":"We were unable to verify your ID with the details you provided. ","-1652371224":"Your profile is updated","-504784172":"Your document has been submitted","-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","-1044962593":"Upload Document","-749870311":"Please contact us via <0>live chat.","-1084991359":"Proof of identity verification not required","-1981334109":"Your account does not need identity verification at this time. We will inform you if identity verification is required in the future.","-182918740":"Your proof of identity submission failed because:","-155705811":"A clear colour photo or scanned image","-246893488":"JPEG, JPG, PNG, PDF, or GIF","-1454880310":"Must be valid for at least 6 months","-1949501500":"First, enter your {{label}}.","-100534371":"Before uploading, please ensure that you’re facing forward in the selfie, your face is within the frame, and your eyes are clearly visible even if you’re wearing glasses.","-1529523673":"Confirm and upload","-705047643":"Sorry, an error occured. Please select another file.","-1664309884":"Tap here to upload","-1725454783":"Failed","-856213726":"You must also submit a proof of address.","-552371330":"We were unable to verify your income. <0 /> Please check the email we've sent you for further information.","-841187054":"Try Again","-978467455":"Limit reached","-361316523":"You have reached the maximum number of allowed attempts for submitting proof of income. <0 /> Please check the email we've sent you for further information.","-1785967427":"We'll review your documents and notify you of its status within 7 working days.","-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.","-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","-638756912":"Black out digits 7 to 12 of the card number that’s shown on the front of your debit/credit card.⁤","-996691262":"We’ve introduced these limits to encourage <0>responsible trading. They are optional, and you can adjust them anytime.","-2079276011":"These limits apply to your multipliers trades only. For example, <0>maximum total loss refers to the losses on your multipliers trades.","-2116570030":"If you want to adjust your limits, <0>contact us via live chat. We’ll make the adjustments within 24 hours.","-1389915983":"You decide how much and how long to trade. You can take a break from trading whenever you want. This break can be from 6 weeks to 5 years. When it’s over, you can extend it or log in to resume trading. If you don’t want to set a specific limit, leave the field empty.","-1031814119":"About trading limits and self-exclusion","-183468698":"Trading limits and self-exclusion","-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.","-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","-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.","-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.","-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.","-1035494182":"You acknowledge that, subject to the Company's discretion, applicable regulations, and internal checks being fulfilled, we will open an account for you and allow you to deposit funds during the client acceptance procedure. However, until the verification of your account is completed, you will not be able to trade, withdraw or make further deposits. If you do not provide relevant documents within 30-days, we will refund the deposited amount through the same payment method you used to deposit.","-1125193491":"Add account","-2068229627":"I am not a PEP, and I have not been a PEP in the last 12 months.","-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.","-1685104463":"* This is required","-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}}","-428335668":"You will need to set a password to complete the process.","-1232613003":"<0>Verification failed. <1>Why?","-805775852":"<0>Needs verification.<1>Verify now","-1983989074":"<0>No new positions","-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.","-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.","-1576856758":"An account with these details already exists. Please make sure the details you entered are correct as only one real account is allowed per client. If this is a mistake, contact us via <0>live chat.","-1792723131":"To avoid delays, enter your <0>date of birth exactly as it appears on your {{document_name}}.","-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.","-1231402474":"Connected apps are authorised applications associated with your account through your API token or the OAuth authorisation process. They can act on your behalf within the limitations that you have set.","-506083843":"As a user, you are responsible for sharing access and for actions that occur in your account (even if they were initiated by a third-party app on your behalf).","-831752682":"Please note that only third-party apps will be displayed on this page. Official Deriv apps will not appear here.","-1858215754":"The document must be up-to-date and signed by the issuance authority.","-718917527":"Invalid or incomplete documents shall be rejected.","-1526404112":"Utility bill: electricity, water, gas, or landline phone bill.","-537552700":"Home rental agreement: valid and current agreement.","-506510414":"Date and time","-1708927037":"IP address","-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.","-1592318047":"See example","-1694758788":"Enter your document number","-1176889260":"Please select a document type.","-1265050949":"identity document","-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","-601903492":"Forex trading experience","-1012699451":"CFD trading experience","-1894668798":"Other trading instruments experience","-1026468600":"Other trading instruments frequency","-1743024217":"Select Language","-136976514":"Country of residence*","-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","-2068064150":"Get updates about Deriv products, services and events.","-1558679249":"Please make sure your information is correct or it may affect your trading experience.","-1822545742":"Ether Classic","-1334641066":"Litecoin","-1214036543":"US Dollar","-1782590355":"No currency has been set for this account","-2116332353":"Please close your positions in the following Deriv account(s):","-2048005267":"{{number_of_positions}} position(s)","-2125635811":"Please withdraw your funds from the following {{platform_name}} account(s):","-577445413":"Please close your positions in the following {{platform_name}} account(s):","-1219849101":"Please select at least one reason","-9323953":"Remaining characters: {{remaining_characters}}","-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","-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","-771109503":"Use our powerful, flexible, and free API to build a custom trading platform for yourself or for your business.","-1815044949":"You currently don't have any third-party authorised apps associated with your account.","-1699100421":"What are connected apps?","-536187647":"Confirm revoke access?","-1357606534":"Permission","-570222048":"Revoke access","-1468863262":"{{action}}","-727433417":"{{status}}","-80717068":"Apps you have linked to your <0>Deriv password:","-340060402":"Your Deriv X password is for logging in to your Deriv X accounts on the web and mobile apps.","-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}}.","-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.","-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.","-752939584":"How to set up 2FA for your Deriv account","-90649785":"Click here to copy key","-206376148":"Key copied!","-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:","-890084320":"Save and submit","-30772747":"Your personal details have been saved successfully.","-2021135479":"This field is required.","-1002044401":"Select your document*","-1272489896":"Please complete this field.","-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","-1186807402":"Transfer","-224804428":"Transactions","-470018967":"Reset balance","-693105141":"MT5 Financial","-145462920":"Deriv cTrader","-882362166":"Deposit and withdraw euros into your accounts regulated by MFSA using credit or debit cards and e-wallets.","-1186915014":"Deposit and withdraw US dollars using credit or debit cards, e-wallets, or bank wires.","-1533139744":"Deposit and withdraw Bitcoin, the world's most popular cryptocurrency, hosted on the Bitcoin blockchain.","-549933762":"Deposit and withdraw Ether, the fastest growing cryptocurrency, hosted on the Ethereum blockchain.","-714679884":"Deposit and withdraw Tether Omni, hosted on the Bitcoin blockchain.","-794619351":"Deposit and withdraw funds via authorised, independent payment agents.","-1856204727":"Reset","-213142918":"Deposits and withdrawals temporarily unavailable ","-1308346982":"Derived","-328128497":"Financial","-659955365":"Swap-Free","-1779268418":"Trade swap-free CFDs on MT5 with forex, stocks, stock indices, commodities cryptocurrencies, ETFs and synthetic indices.","-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.","-982095728":"Get","-1790089996":"NEW!","-124150034":"Reset balance to 10,000.00 USD","-677271147":"Reset your virtual balance if it falls below 10,000.00 USD or exceeds 10,000.00 USD.","-1829666875":"Transfer funds","-1504456361":"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.","-2134770229":"Total assets in your Deriv Apps and Deriv MT5 CFDs demo account.","-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.","-1146027991":"If you’d like to get the {{from_account}} account, resubmit these documents.","-710685402":"No new positions","-1445744852":"You can no longer open new positions with your {{from_account}} account. Please use your {{to_account}} account to open new positions.","-1699909965":"or ","-2127865736":"Your {{from_account}} account will be archived after 30 days of inactivity. You can still access your trade history until the account is archived.","-1320592007":"Upgrade to Wallets","-1283678015":"This is <0>irreversible. Once you upgrade, the Cashier won't be available anymore. You'll need to\n use Wallets to deposit, withdraw, and transfer funds.","-417529381":"Your current trading account(s)","-1842223244":"This is how we link your accounts with your new Wallet.","-437170875":"Your existing funds will remain in your trading account(s) and can be transferred to your Wallet after the upgrade.","-2055865877":"Non-EU regulation","-643108528":"Non-EU and EU regulation","-979459594":"Buy/Sell","-494667560":"Orders","-679691613":"My ads","-1002556560":"We’re unable to complete with the Wallet upgrade. Please try again later or contact us via live chat.","-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}}","-561436679":"This account offers CFDs on derived instruments.","-1173266642":"This account offers CFDs on a feature-rich trading platform.","-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.","-623025665":"Balance: {{balance}} {{currency}}","-473300321":"To trade CFDs, you’ll need to use your {{fiat_wallet_currency}} Wallet. Click Transfer to move your {{currency}} to your {{fiat_wallet_currency}} Wallet.","-596618970":"Other CFDs","-2006676463":"Account information","-1078378070":"Trade with leverage and tight spreads for better returns on trades. <0>Learn more","-1989682739":"Get the upside of CFDs without risking more than your initial stake with <0>multipliers.","-2102073579":"{{balance}} {{currency}}","-2082307900":"You have insufficient fund in the selected wallet, please reset your virtual balance","-1483251744":"Amount you send","-536126207":"Amount you receive","-486580863":"Transfer to","-1424352390":"<0>Wallets<1> — A smarter way to manage your funds","-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","-442549651":"Trading account","-1505405823":"This is the trading account available to you. You can click on an account’s icon or description to find out more.","-1034232248":"CFDs or Multipliers","-1471572127":"‘Get’ your Deriv account","-2069414013":"Click the ‘Get’ button to create an account","-951876657":"Top-up your account","-510789296":"Once you have an account click on ‘Deposit’ or ‘Transfer’ to add funds to an account.","-1965920446":"Start trading","-1858900720":"Click ‘Open’ to start trading with your account.","-542766473":"During the upgrade, deposits, withdrawals, transfers, and adding new accounts will be unavailable.","-327352856":"Your open positions won't be affected and you can continue trading.","-747378570":"You can use <0>Payment agents' services to deposit by adding a Payment Agent Wallet after the upgrade.","-917391116":"A new way to manage your funds","-35169107":"One Wallet, one currency","-2069339099":"Keep track of your trading funds in one place","-1615726661":"A Wallet for each currency to focus your funds","-132463075":"How it works","-1215197245":"Simply add your funds and trade","-1325660250":"Get a Wallet for the currency you want","-1643530462":"Add funds to your Wallet via your favourite payment method","-557603541":"Move funds to your trading account to start trading","-1200921647":"We'll link them","-1370356153":"We'll connect your existing trading accounts of the same currency to your new Wallet","-2125046510":"For example, all your USD trading account(s) will be linked to your USD Wallet","-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.","-520142572":"Cashier is currently down for maintenance","-1552080215":"Please check back in a few minutes.<0>Thank you for your patience.","-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.","-2027907316":"You can make a withdrawal once the verification of your account is complete.","-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.","-599998434":"You cannot make a fund transfer as your documents are still under review. We will notify you by email within 3 days once your verification is approved.","-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","-1272778997":"We've sent you an email.","-89973258":"Resend email in {{seconds}}s","-1332236294":"Please verify your identity","-1675848843":"Error","-283017497":"Retry","-1294455996":"Deriv P2P unavailable","-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.","-190084602":"Transaction","-1995606668":"Amount","-2024290965":"Confirmations","-811190405":"Time","-1984478597":"The details of this transaction is available on CoinsPaid.","-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.","-922143389":"Deriv P2P is currently unavailable in this currency.","-1310327711":"Deriv P2P is currently unavailable in your country.","-1463156905":"Learn more about payment methods","-972283623":"Deriv P2P-V2","-685073712":"This is your <0>{{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.","-515809216":"Send only {{currency_name}} ({{currency_code}}) to this address.","-748636591":"A minimum deposit value of <0>{{minimum_deposit}} {{currency}} is required. Otherwise, a fee is applied.","-1589407981":"To avoid loss of funds:","-1042704302":"Make sure to copy your Deriv account address correctly into your crypto wallet.","-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.","-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. ","-338505133":"We do not charge a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts, between your Deriv fiat and {{platform_name_ctrader}} accounts, and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-2056016338":"You’ll not be charged a transfer fee for transfers in the same currency between your Deriv fiat and {{platform_name_mt5}} accounts.","-599632330":"We’ll charge a 1% transfer fee for transfers in different currencies between your Deriv fiat and {{platform_name_mt5}} accounts and between your Deriv fiat and {{platform_name_dxtrade}} accounts.","-1196994774":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency accounts.","-993556039":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts and between your Deriv cryptocurrency and {{platform_name_dxtrade}} accounts.","-1382702462":"We’ll charge a 2% transfer fee or {{minimum_fee}} {{currency}}, whichever is higher, for transfers between your Deriv cryptocurrency and Deriv MT5 accounts.","-1339063554":"You may transfer between your Deriv fiat, cryptocurrency, {{platform_name_mt5}}, {{platform_name_ctrader}}, 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.","-855721928":"Needs verification","-908402700":"Verification failed","-1866405488":"Deriv cTrader accounts","-1344870129":"Deriv accounts","-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","-1155970854":"You have reached the maximum daily transfers. Please try again tomorrow.","-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.","-352134412":"Transfer limit","-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","-259633143":"Click the button below and we'll send you an email with a link. Click that link to verify your withdrawal request.","-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.","-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.","-1223145005":"Loss amount: {{profit}}","-1206212388":"Welcome back! Your messages have been restored. You are using your {{current_currency}} account.","-1724342053":"You are using your {{current_currency}} account.","-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","-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","-179005984":"Save","-610059687":"Exploring the D’Alembert strategy in Deriv Bot","-1226666341":"The D'Alembert strategy involves increasing your stake after a losing trade and reducing it after a successful trade by a predetermined number of units.","-312844882":"Initial stake: The amount that you are willing to place as a stake to enter a trade. This is the starting point for any changes in stake depending on the dynamic of the strategy being used.","-1173302981":"1. Start with the initial stake. In this example, we’ll use 1 USD.","-1540106116":"Profit and loss thresholds","-894905768":"With Deriv Bot, traders can set the profit and loss thresholds to secure potential profits and limit potential losses. This means that the trading bot will automatically stop when either the profit or loss thresholds are reached. It's a form of risk management that can potentially enhance returns. For example, if a trader sets the profit threshold at 100 USD and the strategy exceeds 100 USD of profit from all trades, then the bot will stop running.","-1946134465":"Where:","-248283982":"B is the loss threshold.","-1148521416":"f is the unit increment.","-211800490":"D’Alembert formula 2","-1772692202":"This formula helps you plan your trades by considering the amount of money you have and your comfort level with risk. It involves determining your loss threshold and the initial stake you want to trade with. Then, you use this formula to calculate the number of rounds you can trade. This process provides insight into stake sizing and expectations.","-2107238266":"The D'Alembert system offers more balanced trading through controlled stake progression. With prudent risk management like stake limits, it can be effectively automated in Deriv Bot. However, traders should thoroughly assess their risk appetite, test strategies on a demo account to align with their trading style before trading with real money. This allows optimising the approach and striking a balance between potential gains and losses whilst managing risk.","-500873566":"Disclaimer:","-344769349":"Please be aware that while we may use rounded figures for illustration, a stake of a specific amount does not guarantee an exact amount in successful trades. For example, a 1 USD stake does not necessarily equate to a 1 USD profit in successful trades.","-818800551":"Exploring the Martingale strategy in Deriv Bot","-533490374":"These are the trade parameters used in Deriv Bot with Martingale strategy.","-1507161059":"Multiplier: The multiplier used to increase your stake if you're losing a trade. The value must be greater than 1.","-1333404686":"An example of Martingale strategy","-1755877136":"3. If the first trade ends in a loss, Deriv Bot will automatically double your stake for the next trade to 2 USD. Deriv Bot will continue to double the stake after every losing trade.","-1297651002":"If you're about to start trading and haven't established a Maximum Stake as part of your risk management strategy, you can determine how long your funds will last by employing the Martingale strategy. Simply use this formula.","-46865201":"Martingale formula 1","-116397598":"m is the Martingale multiplier.","-658161609":"Number of rounds, R ≈ 9.965","-288082521":"This means that after 10 rounds of consecutive losses, this trader will lose 1023 USD which exceeds the loss threshold of 1000 USD, stopping the bot.","-770387160":"The Martingale strategy in trading may offer substantial gains but also comes with significant risks. With your selected strategy, Deriv Bot provides automated trading with risk management measures like setting initial stake, stake size, maximum stake, profit threshold and loss threshold. It's crucial for traders to assess their risk tolerance, practice in a demo account, and understand the strategy before trading with real money.","-1901073152":"These are the trade parameters used for Oscar’s Grind strategy in Deriv Bot.","-1575153036":"An example of Oscar’s Grind strategy","-732418614":"The table above demonstrates this principle by showing that when a successful trade occurs and meets the target of one unit of potential profit which is 1 USD in this example, the session ends. If trading continues, a new session will begin.","-106266344":"Principle 3: The stake adjusts to the gap size between current loss and the target profit for the session","-492908094":"In round 7, the stake is adjusted downwards from 2 USD to 1 USD, to meet the target profit of 1 USD.","-90079299":"With Deriv Bot, traders can set the profit and loss thresholds to secure potential profits and limit potential losses. This means that the trading bot will automatically stop when either the profit or loss threshold is reached. This is a form of risk management that can potentially boost successful trades whilst limiting the impact of loss. For example, if a trader sets the profit threshold at 100 USD and the strategy exceeds 100 USD of profit from all trades, then the bot will stop running.","-1549673884":"The Oscar's Grind strategy provides a disciplined approach for incremental gains through systematic stake progression. When integrated into Deriv Bot with proper risk management like profit or loss thresholds, it offers traders a potentially powerful automated trading technique. However, traders should first thoroughly assess their risk tolerance and first try trading on a demo account in order to familiarise with the strategy before trading with real funds.","-655650222":"Exploring the Reverse D’Alembert strategy in Deriv Bot","-1864807973":"The Reverse D'Alembert strategy involves increasing your stake after a successful trade and reducing it after a losing trade by a predetermined number of units.","-809681645":"These are the trade parameters used in Deriv Bot with Reverse D’Alembert strategy.","-1239374257":"An example of Reverse D’Alembert strategy","-309821442":"Please be aware that while we may use rounded figures for illustration, a stake of a specific amount does not guarantee an exact amount in successful trades. For example, a 1 USD stake does not necessarily equate to a 1 USD profit in successful trades.","-1576691912":"This article explores the Reverse Martingale strategy integrated into Deriv Bot, a versatile trading bot designed to trade assets such as forex, commodities, and derived indices. We will delve into the strategy's core parameters, its application, and provide essential takeaways for traders looking to use the bot effectively.","-1934849823":"These are the trade parameters used in Deriv Bot with Reverse Martingale strategy.","-1021919630":"Multiplier: The multiplier used to increase your stake if your trade is successful. The value must be greater than 1.","-760516362":"3. If the first trade is a successful trade, Deriv Bot will automatically double your stake for the next trade to 2 USD. Deriv Bot will continue to double the stake after every successful trade.","-1410950365":"Exploring the 1-3-2-6 strategy in Deriv Bot","-1175255072":"These are the trade parameters used in Deriv Bot with 1-3-2-6 strategy.","-183884527":"An example of 1-3-2-6 strategy","-275617819":"4. However, if any trade results in a loss, your stake will reset back to the initial stake of 1 USD for the next trade. The third trade results in a loss hence the stake resets to the initial stake of 1 USD for the next trade.","-719846465":"5. Upon reaching the initial stake, if the next trade still results in a loss, your stake will remain at the initial stake of 1 USD. This strategy will minimally trade at the initial stake. Refer to the fourth and fifth trade.","-1452746011":"The 1-3-2-6 strategy in trading may offer substantial gains but also comes with significant risks. Each stake is independent, and the strategy does not increase your chances of successful trades in the long run. If you encounter a series of losses, the strategy can lead to significant losses. Therefore, it is crucial for traders to assess their risk tolerance, practice in a demo account, utilise profit and loss thresholds, and fully comprehend the strategy before engaging in real-money trading.","-1016171176":"Asset","-138833194":"The underlying market your bot will trade with this strategy.","-621128676":"Trade type","-399349239":"Your bot will use this trade type for every run","-671128668":"The amount that you pay to enter a trade.","-410856998":"The bot will stop trading if your total profit exceeds this amount.","-447853970":"Loss threshold","-1560175960":"The multiplier amount used to increase your stake after a successful trade. Value must be higher than 1.","-1503301801":"The value must be equal or greater than {{ min }}","-1021066654":"The amount that you may add to your stake after a successful trade.","-1521098535":"Max stake","-1448426542":"The stake for your next trade will reset to the initial stake if it exceeds this value.","-993953307":"Your prediction of the last digit of the asset price.","-1305281529":"D’Alembert","-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?","-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:","-2129119462":"1. Create the following variables and place them under Run once at start:","-468926787":"This is how your trade parameters, variables, and trade options should look like:","-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.","-1630262763":"About Martingale","-413928457":"About Oscar's Grind","-1497015866":"About Reverse D’Alembert","-437005403":"About 1-3-2-6","-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","-507620484":"Unsaved","-764102808":"Google Drive","-555886064":"Won","-529060972":"Lost","-287223248":"No transaction or activity yet.","-418247251":"Download your journal.","-2123571162":"Download","-984140537":"Add","-870004399":"<0>Bought: {{longcode}} (ID: {{transaction_id}})","-1211474415":"Filters","-186972150":"There are no messages to display","-999254545":"All messages are filtered out","-934909826":"Load strategy","-1121028020":"or, if you prefer...","-254025477":"Select an XML file from your device","-1131095838":"Please upload an XML file","-523928088":"Create one or upload one from your local drive or Google Drive.","-1684205190":"Why can't I see my recent bots?","-2050879370":"1. Logged in from a different device","-811857220":"3. Cleared your browser cache","-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.","-1778025545":"You’ve successfully imported a bot.","-24780060":"When you’re ready to trade, hit ","-2147110353":". You’ll be able to track your bot’s performance here.","-411060180":"TradingView Chart","-2140412463":"Buy price","-1299484872":"Account","-2004386410":"Win","-266502731":"Transactions detailed summary","-992003496":"Changes you make will not affect your running bot.","-1823621139":"Quick Strategy","-1782602933":"Choose a template below and set your trade parameters.","-315611205":"Strategy","-150224710":"Yes, continue","-475765963":"Edit the amount","-1349897832":"Do not show this message again.","-984512425":"Minimum duration: {{ value }}","-2084091453":"The value must be equal or greater than {{ value }}","-657364297":"The value must be equal or less than {{ value }}","-1696412885":"Import","-320197558":"Sort blocks","-939764287":"Charts","-1566369363":"Zoom out","-1285759343":"Search","-1291088318":"Purchase conditions","-112876186":"Analysis","-1769584466":"Stats","-1133736197":"Utility","-1682372359":"Text","-907562847":"Lists","-1646497683":"Loops","-251326965":"Miscellaneous","-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","-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.","-129587613":"Got it, thanks!","-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?","-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","-1596172043":"Quick strategy guides","-1717650468":"Online","-1309011360":"Open positions","-1597214874":"Trade table","-1929724703":"Compare CFD accounts","-883103549":"Account deactivated","-1190972431":"P2P-V2","-1837059346":"Buy / Sell","-1845037007":"Advertiser's page","-821418875":"Trader","-679102561":"Contract Details","-430118939":"Complaints policy","-568280383":"Deriv Gaming","-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","-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","-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","-1090244963":"Trade Smarter with Deriv Trader Chart v2.0:","-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.","-1744163489":"Please verify your proof of income","-382676325":"To continue trading with us, please submit your proof of income.","-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.","-1629185222":"Submit now","-1961967032":"Resubmit proof of identity","-117048458":"Please submit your proof of identity.","-1196422502":"Your proof of identity is verified.","-1392958585":"Please check your email.","-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","-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.","-822813736":"We're unable to complete with the Wallet upgrade. Please try again later or contact us via live chat.","-285366843":"We are going to update the login process for your Deriv MT5 account.","-978414767":"We require additional information for your Deriv MT5 account(s). Please take a moment to update your information now.","-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.","-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","-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","-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.","-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.","-1342699195":"Total profit/loss:","-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.","-1825471709":"A whole new trading experience on a powerful yet easy to use platform.","-981017278":"Automated trading at your fingertips. No coding needed.","-583559763":"Menu","-1685795001":"Demo Wallet","-725930228":"Looking for CFDs? Go to Trader’s hub","-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.","-2007055538":"Information updated","-521477049":"We are going to update the login process for your Deriv MT5 account. Here is what you need to do when you want to log in via your MT5 mobile app starting from 7 February:","-749864644":"If you have trouble logging into your Deriv MT5 account, please follow this <0>guide.","-238296389":"Need help? Contact us via <0>live chat to assist you with any login questions.","-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.","-715867914":"Successfully deposited","-1271218821":"Account added","-197631101":"Your funds will be available for trading once the verification of your account is complete.","-835056719":"We’ve received your documents","-55435892":"We’ll need 1 - 3 days to review your documents and notify you by email. You can practice with demo accounts in the meantime.","-1089300025":"We don’t charge deposit fees! Once your account is verified, you will be able to trade, make additional deposits, or withdraw funds.","-476018343":"Live Chat","-1471705969":"<0>{{title}}: {{trade_type_name}} on {{symbol}}","-1771117965":"Trade opened","-1567989247":"Submit your proof of identity and address","-523602297":"Forex majors","-1303090739":"Up to 1:1500","-19213603":"Metals","-1264604378":"Up to 1:1000","-1728334460":"Up to 1:300","-646902589":"(US_30, US_100, US_500)","-705682181":"Malta","-1835174654":"1:30","-1647612934":"Spreads from","-1587894214":"about verifications needed.","-466784048":"Regulator/EDR","-2098459063":"British Virgin Islands","-1005069157":"Synthetic indices, basket indices, and derived FX","-1344709651":"40+","-1326848138":"British Virgin Islands Financial Services Commission (License no. SIBA/L/18/1114)","-1711743223":"Forex (standard/micro), stocks, stock indices, commodities, cryptocurrencies and ETFs","-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)","-139026353":"A selfie of yourself.","-1228847561":"Verification in review.","-618322245":"Verification successful.","-149461870":"Forex: standard/exotic","-1995163270":"ETFs","-651501076":"Derived - SVG","-865172869":"Financial - BVI","-1851765767":"Financial - Vanuatu","-558597854":"Financial - Labuan","-2052425142":"Swap-Free - SVG","-1192904361":"Deriv X Demo","-283929334":"Deriv cTrader Demo","-1269597956":"MT5 Platform","-1302404116":"Maximum leverage","-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","-860609405":"Password","-742647506":"Fund transfer","-712681566":"Peer-to-peer exchange","-1267880283":"{{field_name}} is required","-2084509650":"{{field_name}} is not properly formatted.","-790488576":"Forgot password?","-476558960":"If you don’t have open positions","-1385484963":"Confirm to change your {{platform}} password","-1990902270":"This will change the password to all of your {{platform}} accounts.","-12535938":"*Volatility 250 Index, Volatility 150 Index, Boom 300 and Crash 300 Index","-201485855":"Up to","-700260448":"demo","-1769158315":"real","-1922462747":"Trader's hub","-535365199":"Enter your {{platform}} password to add a {{platform_name}} {{account}} account.","-184453418":"Enter your {{platform}} password","-393388362":"We’re reviewing your documents. This should take about 1 to 3 days.","-2057918502":"Hint: You may have entered your Deriv password, which is different from your {{platform}} password.","-1928229820":"Reset Deriv X investor password","-1087845020":"main","-1950683866":"investor","-1874242353":"Fund top up","-89838213":"You can top up your demo account with an additional <0> if your balance is <1> or less.","-1211122723":"{{ platform }} {{ account_title }} account","-78895143":"Current balance","-149993085":"New current balance","-251202291":"Broker","-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.","-81650212":"MetaTrader 5 web","-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","-1460321521":"Choose a jurisdiction for your {{account_type}} account","-964130856":"{{existing_account_title}}","-2065943005":"What will happen to the funds in my existing account(s)?","-915298583":"We are giving you a new {{platform}} account(s) to enhance your trading experience","-1453395312":"Your existing <0>{{platform}} {{account}} account(s) will remain accessible.","-2145356061":"Download Deriv X on your phone to trade with the Deriv X account","-1547458328":"Run cTrader on your browser","-508045656":"Coming soon on IOS","-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.","-1936102840":"Congratulations, you have successfully created your {{category}} <0>{{platform}} <1>{{type}} {{jurisdiction_selected_shortcode}} account. ","-2015785957":"Compare CFDs {{demo_title}} accounts","-601303096":"Scan the QR code to download Deriv {{ platform }}.","-1357917360":"Web terminal","-1282933308":"Not {{barrier}}","-968190634":"Equals {{barrier}}","-1747377543":"Under {{barrier}}","-1386326276":"Barrier is a required field.","-1418742026":"Higher barrier must be higher than lower barrier.","-92007689":"Lower barrier must be lower than higher barrier.","-1095538960":"Please enter the start time in the format \"HH:MM\".","-1975910372":"Minute must be between 0 and 59.","-866277689":"Expiry time cannot be in the past.","-1455298001":"Now","-256210543":"Trading is unavailable at this time.","-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","-1013917510":"The reset time is {{ reset_time }}","-925402280":"Indicative low spot","-1075414250":"High spot","-902712434":"Deal cancellation","-988484646":"Deal cancellation (executed)","-444882676":"Deal cancellation (active)","-13423018":"Reference ID","-1371082433":"Reset barrier","-1402197933":"Reset time","-2035315547":"Low barrier","-1745835713":"Selected tick","-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","-104603605":"You cannot trade as your documents are still under review. We will notify you by email once your verification is approved.","-439389714":"We’re working on it","-770929448":"Go to {{platform_name_smarttrader}}","-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.","-590131162":"Stay on {{website_domain}}","-1526466612":"You’ve selected a trade type that is currently unsupported, but we’re working on it.","-1043795232":"Recent positions","-153220091":"{{display_value}} Tick","-802374032":"Hour","-1052279158":"Your <0>payout is the sum of your initial stake and profit.","-1819891401":"You can close your trade anytime. However, be aware of <0>slippage risk.","-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.","-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.","-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).","-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.","-93996528":"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.","-420387848":"The high is the highest point ever reached by the market during the contract period.","-1722190480":"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.","-1281286610":"If you select \"Matches\", you will win the payout if the last digit of the last tick is the same as your prediction.","-618782785":"Use multipliers to leverage your potential returns. Predict if the asset price will move upward (bullish) or downward (bearish). We’ll charge a commission when you open a multipliers trade.","-565391674":"If you select \"<0>Up\", your total profit/loss will be the percentage increase in the underlying asset price, times the multiplier and stake, minus commissions.","-1113825265":"Additional features are available to manage your positions: “<0>Take profit” and “<0>Stop loss” allow you to adjust your level of risk aversion.","-1104397398":"Additional features are available to manage your positions: “<0>Take profit”, “<0>Stop loss” and “<0>Deal cancellation” allow you to adjust your level of risk aversion.","-1272255095":"If the exit spot is equal to the barrier or the new barrier (if a reset occurs), you don't win the payout.","-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\".","-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.","-299450697":"If you select \"High Tick\", you win the payout if the selected tick is the highest among the next five ticks.","-1416078023":"If you select \"Touch\", you win the payout if the market touches the barrier at any time during the contract period.","-1547935605":"Your payout is equal to the <0>payout per point multiplied by the difference between the <0>final price and the barrier. You will only earn a profit if your payout is higher than your initial stake.","-1307465836":"You may sell the contract up to 15 seconds before expiry. If you do, we’ll pay you the <0>contract value.","-351875097":"Number of ticks","-729830082":"View less","-1649593758":"Trade info","-1382749084":"Go back to trading","-1239477911":"second","-1585766960":"min","-1652791614":"mins","-1977959027":"hours","-442488432":"day","-337314714":"days","-1435392215":"About deal cancellation","-2017825013":"Got it","-1192773792":"Don't show this again","-1341681145":"When this is active, you can cancel your trade within the chosen time frame. Your stake will be returned without loss.","-471757681":"Risk management","-843831637":"Stop loss","-771725194":"Deal Cancellation","-1669741470":"The payout at expiry is equal to the payout per point multiplied by the difference between the final price and the strike price.","-993480898":"Accumulators","-45873457":"NEW","-2131851017":"Growth rate","-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.","-1186082278":"Your payout is equal to the payout per point multiplied by the difference between the final price and barrier.","-584445859":"This is when your contract will expire based on the duration or end time you’ve selected. If the duration is more than 24 hours, the cut-off time and expiry date will apply instead.","-1221049974":"Final price","-1247327943":"This is the spot price of the last tick at expiry.","-1890561510":"Cut-off time","-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.","-565990678":"Your contract will expire on this date (in GMT), based on the End time you’ve selected.","-1545819495":"Your trade will be closed automatically at the nearest available asset price when your loss reaches a certain percentage of your stake, but your loss never exceeds your stake. This percentage depends on the chosen underlying asset and the Multiplier.","-468501352":"If you select this feature, your trade will be closed automatically at the nearest available asset price when your profit reaches or exceeds the take profit amount. Your profit may be more than the amount you entered depending on the market price at closing.","-1789190266":"We use next-tick-execution mechanism, which is the next asset price when the trade opening is processed by our servers for Major Pairs.","-1476381873":"The latest asset price when the trade closure is processed by our servers.","-148680560":"Spot price of the last tick upon reaching expiry.","-1123926839":"Contracts will expire at exactly 14:00:00 GMT on your selected expiry date.","-1904828224":"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 24 hours.","-127118348":"Choose {{contract_type}}","-543478618":"Try checking your spelling or use a different term","-338707425":"Minimum duration is 1 day","-1003473648":"Duration: {{duration}} day","-700280380":"Deal cancel. fee","-8998663":"Digit: {{last_digit}} ","-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.","-438655760":"<0>Note: You can close your trade anytime. Be aware of slippage risk.","-774638412":"Stake must be between {{min_stake}} {{currency}} and {{max_stake}} {{currency}}","-434270664":"Current Price","-1956787775":"Barrier Price:","-1513281069":"Barrier 2","-390994177":"Should be between {{min}} and {{max}}","-1231210510":"Tick","-2055106024":"Toggle between advanced and simple duration settings","-1012793015":"End time","-1804019534":"Expiry: {{date}}","-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}})","-732683018":"When your profit reaches or exceeds this amount, your trade will be closed automatically.","-339236213":"Multiplier","-1763848396":"Put","-194424366":"above","-857660728":"Strike Prices","-1683683754":"Long","-1346404690":"You receive a payout at expiry if the spot price never touches or breaches the barrier throughout the contract duration. Otherwise, your contract will be terminated early.","-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","-1738427539":"Purchase","-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}})","-1876891031":"Currency","-513103225":"Transaction time","-2066666313":"Credit/Debit","-1981004241":"Sell time","-1370419052":"Profit / Loss","-600828210":"Indicative profit/loss","-706219815":"Indicative price","-1769852749":"N/A","-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","-447037544":"Buy price:","-1694314813":"Contract value:","-113940416":"Current stake:","-1999539705":"Deal cancel. fee:","-155989831":"Decrement value","-1167474366":"Tick ","-1511825574":"Profit/Loss:","-726626679":"Potential profit/loss:","-338379841":"Indicative price:","-2027409966":"Initial stake:","-1525144993":"Payout limit:","-1669418686":"AUD/CAD","-1548588249":"AUD/CHF","-1552890620":"AUD/JPY","-681231560":"AUD/PLN","-64938413":"AUD/USD","-1430522808":"EUR/AUD","-2020477069":"EUR/CAD","-1201853162":"EUR/CHF","-1318070255":"EUR/GBP","-1197505739":"EUR/JPY","-405907358":"EUR/USD","-1536293064":"NZD/JPY","-79700881":"NZD/USD","-642323838":"USD/CAD","-428199705":"USD/CHF","-424108348":"USD/JPY","-548255282":"USD/NOK","-1834131208":"USD/PLN","-524302516":"Silver/USD","-764731776":"Platinum/USD","-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","-82971929":"Volatility 25 (1s) Index","-433962508":"Volatility 75 (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","-132112961":"Sharkfin","-1715390759":"I want to do this later","-56163366":"I don't have any of these","-175164838":"{{seconds_passed}}s ago","-514136557":"{{minutes_passed}}m ago","-1420737287":"{{hours_passed}}h ago","-2092611555":"Sorry, this app is unavailable in your current location.","-1488537825":"If you have an account, log in to continue.","-1603581277":"minutes","-886317740":"The <0>date of birth on your identity document doesn't match your profile.","-1606307809":"We were unable to verify the identity document with the details provided.","-475787720":"The verification status was empty, rejected for lack of information.","-1627868670":"Your identity document has expired.","-1302288704":"The document’s owner is deceased.","-895884696":"The <0>name and <0>date of birth on your identity document don't match your profile.","-1231856133":"The verification status is not available, provider says: Needs Technical Investigation.","-433687715":"For enhanced security, we need to reverify your identity. Kindly resubmit your proof of identity to unlock your account.","-1637538521":"Your document appears to be invalid.","-876579004":"The name on your document doesn’t match your profile.","-746520172":"Some details on your document appear to be invalid, missing, or unclear.","-2146200521":"The serial number of your document couldn’t be verified.","-1945323197":"Your document appears to be in black and white. Please upload a colour photo of your document.","-631393256":"Your document contains markings or text that should not be on your document.","-609103016":"The image quality of your document is too low. Please provide a hi-res photo of your identity document.","-530935718":"We’re unable to verify the document you provided because some details appear to be missing. Please try again or provide another document.","-1027031626":"We’re unable to verify the document you provided because it appears to be damaged. Please try again or upload another document.","-1671621833":"The front of your document appears to be missing. Please provide both sides of your identity document.","-727588232":"Your document appears to be a scanned copy that contains markings or text that shouldn’t be on your document.","-1435064387":"Your document appears to be a printed copy.","-624316211":"Your document appears to be a photo of a device screen.","-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 e6ece8d26c54..02542aea7af5 100644 --- a/packages/translations/src/translations/ach.json +++ b/packages/translations/src/translations/ach.json @@ -501,6 +501,7 @@ "537788407": "crwdns2886853:0crwdne2886853:0", "538017420": "crwdns2154495:0crwdne2154495:0", "538042340": "crwdns4122042:0crwdne4122042:0", + "538228086": "crwdns4308518:0crwdne4308518:0", "541650045": "crwdns1259727:0{{platform}}crwdne1259727:0", "541700024": "crwdns1259729:0crwdne1259729:0", "542038694": "crwdns1259731:0{{label}}crwdne1259731:0", @@ -598,6 +599,7 @@ "635884758": "crwdns3172738:0crwdne3172738:0", "636219628": "crwdns1259869:0crwdne1259869:0", "639382772": "crwdns1259871:0crwdne1259871:0", + "640249298": "crwdns4309902:0crwdne4309902:0", "640596349": "crwdns1259873:0crwdne1259873:0", "640730141": "crwdns1259875:0crwdne1259875:0", "641420532": "crwdns1259877:0crwdne1259877:0", @@ -658,6 +660,7 @@ "693933036": "crwdns3664528:0crwdne3664528:0", "694035561": "crwdns2925239:0crwdne2925239:0", "694089159": "crwdns3172742:0crwdne3172742:0", + "696157141": "crwdns4308520:0crwdne4308520:0", "696735942": "crwdns3537466:0crwdne3537466:0", "696870196": "crwdns1259971:0crwdne1259971:0", "697630556": "crwdns1259973:0crwdne1259973:0", @@ -708,6 +711,7 @@ "731382582": "crwdns1260033:0crwdne1260033:0", "734390964": "crwdns1260035:0crwdne1260035:0", "734881840": "crwdns1260037:0crwdne1260037:0", + "739126643": "crwdns4308522:0crwdne4308522:0", "742469109": "crwdns1719373:0crwdne1719373:0", "742570452": "crwdns3172748:0crwdne3172748:0", "743623600": "crwdns2783083:0crwdne2783083:0", @@ -927,6 +931,7 @@ "969858761": "crwdns4122046:0crwdne4122046:0", "969987233": "crwdns1260391:0crwdne1260391:0", "970915884": "crwdns1260393:0crwdne1260393:0", + "974888153": "crwdns4308524:0crwdne4308524:0", "975668699": "crwdns1260397:0{{company}}crwdne1260397:0", "975950139": "crwdns1260399:0crwdne1260399:0", "977929335": "crwdns1260401:0crwdne1260401:0", @@ -1347,6 +1352,7 @@ "1371193412": "crwdns1261035:0crwdne1261035:0", "1371555192": "crwdns1261037:0crwdne1261037:0", "1371641641": "crwdns1261039:0crwdne1261039:0", + "1371758591": "crwdns4308488:0crwdne4308488:0", "1371911731": "crwdns1261041:0{{legal_entity_name}}crwdne1261041:0", "1373949314": "crwdns3859822:0crwdne3859822:0", "1374627690": "crwdns1261043:0crwdne1261043:0", @@ -1372,6 +1378,7 @@ "1397628594": "crwdns1261079:0crwdne1261079:0", "1400341216": "crwdns1503659:0crwdne1503659:0", "1400732866": "crwdns1261085:0crwdne1261085:0", + "1400962248": "crwdns4308526:0crwdne4308526:0", "1402208292": "crwdns1261089:0crwdne1261089:0", "1402300547": "crwdns3526844:0crwdne3526844:0", "1403376207": "crwdns1261091:0crwdne1261091:0", @@ -1828,6 +1835,7 @@ "1851776924": "crwdns1261789:0crwdne1261789:0", "1854480511": "crwdns1261793:0crwdne1261793:0", "1854874899": "crwdns1261795:0crwdne1261795:0", + "1854909245": "crwdns4308528:0crwdne4308528:0", "1855566768": "crwdns1261797:0crwdne1261797:0", "1856485118": "crwdns1261799:0crwdne1261799:0", "1856755117": "crwdns2783067:0crwdne2783067:0", @@ -2744,7 +2752,7 @@ "-1483251744": "crwdns3172856:0crwdne3172856:0", "-536126207": "crwdns3172858:0crwdne3172858:0", "-486580863": "crwdns3172860:0crwdne3172860:0", - "-71189928": "crwdns3172862:0crwdne3172862:0", + "-1424352390": "crwdns4308490:0crwdne4308490:0", "-2146691203": "crwdns1719525:0crwdne1719525:0", "-249184528": "crwdns1719527:0crwdne1719527:0", "-1505234170": "crwdns1925319:0crwdne1925319:0", @@ -3049,7 +3057,6 @@ "-254421190": "crwdns121900:0{{message_length}}crwdne121900:0", "-1616649196": "crwdns70590:0crwdne70590:0", "-90107030": "crwdns70592:0crwdne70592:0", - "-984140537": "crwdns70292:0crwdne70292:0", "-1373954791": "crwdns124174:0crwdne124174:0", "-1278608332": "crwdns125126:0{{api_max_losses}}crwdne125126:0", "-287597204": "crwdns125128:0crwdne125128:0", @@ -3174,6 +3181,7 @@ "-287223248": "crwdns3286922:0crwdne3286922:0", "-418247251": "crwdns125122:0crwdne125122:0", "-2123571162": "crwdns838744:0crwdne838744:0", + "-984140537": "crwdns70292:0crwdne70292:0", "-870004399": "crwdns117766:0{{longcode}}crwdnd117766:0{{transaction_id}}crwdne117766:0", "-1211474415": "crwdns123894:0crwdne123894:0", "-186972150": "crwdns89484:0crwdne89484:0", @@ -3672,6 +3680,8 @@ "-453920758": "crwdns496944:0{{platform_name_mt5}}crwdne496944:0", "-402175529": "crwdns89548:0crwdne89548:0", "-1013917510": "crwdns3871938:0{{ reset_time }}crwdne3871938:0", + "-925402280": "crwdns4308530:0crwdne4308530:0", + "-1075414250": "crwdns4308532:0crwdne4308532:0", "-902712434": "crwdns89522:0crwdne89522:0", "-988484646": "crwdns89550:0crwdne89550:0", "-444882676": "crwdns89552:0crwdne89552:0", @@ -3694,7 +3704,6 @@ "-2036388794": "crwdns85173:0crwdne85173:0", "-1813736037": "crwdns851336:0crwdne851336:0", "-590131162": "crwdns120650:0{{website_domain}}crwdne120650:0", - "-1444663817": "crwdns120652:0crwdne120652:0", "-1526466612": "crwdns120654:0crwdne120654:0", "-1043795232": "crwdns120656:0crwdne120656:0", "-153220091": "crwdns117884:0{{display_value}}crwdne117884:0", diff --git a/packages/translations/src/translations/ar.json b/packages/translations/src/translations/ar.json index 0ab8b533aa4c..4e883d6e3cd2 100644 --- a/packages/translations/src/translations/ar.json +++ b/packages/translations/src/translations/ar.json @@ -501,6 +501,7 @@ "537788407": "منصة العقود مقابل الفروقات الأخرى", "538017420": "0.5 نقطة", "538042340": "المبدأ 2: تزداد الحصة فقط عندما تتبع التجارة الخاسرة تجارة ناجحة", + "538228086": "Close-Low", "541650045": "إدارة {{platform}} كلمة مرور", "541700024": "أولاً، أدخل رقم رخصة القيادة وتاريخ انتهاء الصلاحية.", "542038694": "يُسمح فقط بالأحرف والأرقام والمسافة والتسطير السفلي والواصلة بـ {{label}}.", @@ -598,6 +599,7 @@ "635884758": "قم بإيداع وسحب Tether ERC20، وهو إصدار من Tether المستضاف على بلوكشين الإيثيريوم.", "636219628": "<0>ج. إذا لم يتم العثور على فرصة للتسوية، ستنتقل الشكوى إلى مرحلة التحديد الذي ستتعامل معها لجنة فض المنازعات", "639382772": "يرجى تحميل نوع الملف المدعوم.", + "640249298": "عادي", "640596349": "لم تتلق أي إشعارات حتى الآن", "640730141": "قم بتحديث هذه الصفحة لإعادة تشغيل عملية التحقق من الهوية", "641420532": "لقد أرسلنا لك بريدًا إلكترونيًا", @@ -658,6 +660,7 @@ "693933036": "اكتشف استراتيجية Oscar's Grind في Deriv Bot", "694035561": "Multipliers خيارات التجارة", "694089159": "قم بإيداع وسحب الدولارات الأسترالية باستخدام بطاقات الائتمان أو الخصم أو المحافظ الإلكترونية أو التحويلات المصرفية.", + "696157141": "بقعة Low", "696735942": "أدخل رقم التعريف الوطني (NIN)", "696870196": "- وقت الفتح: طابع وقت الافتتاح", "697630556": "هذا السوق مغلق حاليًا.", @@ -708,6 +711,7 @@ "731382582": "عملة الباينانس/دولار أمريكي", "734390964": "رصيد غير كافٍ", "734881840": "خاطئ", + "739126643": "نقطة إرشادية High", "742469109": "إعادة ضبط الرصيد", "742570452": "<0>Deriv P2P غير متاح في المحافظ في الوقت الحالي.", "743623600": "مرجع", @@ -927,6 +931,7 @@ "969858761": "المبدأ 1: تهدف الإستراتيجية إلى تحقيق وحدة ربح واحدة لكل جلسة", "969987233": "اربح حتى أقصى عائد إذا كانت نقطة الخروج بين الحاجز السفلي والعلوي، بما يتناسب مع الفرق بين نقطة الخروج والحاجز السفلي.", "970915884": "رجل", + "974888153": "High-Low", "975668699": "أؤكد وأوافق على <0>شروط وأحكام {{company}}", "975950139": "بلد الإقامة", "977929335": "اذهب إلى إعدادات حسابي", @@ -1347,6 +1352,7 @@ "1371193412": "إلغاء", "1371555192": "اختر وكيل الدفع المفضل لديك وأدخل مبلغ السحب. إذا لم يكن وكيل الدفع الخاص بك مدرجًا، <0>فابحث عنه باستخدام رقم حسابه.", "1371641641": "افتح الرابط على هاتفك المحمول", + "1371758591": "استمتع بمعاملات أكثر سلاسة وأمانًا بعملات متعددة مع Wallets – <0>أمين الصندوق الجديد والمحسن لدينا.", "1371911731": "يتم تقديم المنتجات المالية في الاتحاد الأوروبي من قبل {{legal_entity_name}}، وهو مرخص كمزود لخدمات الاستثمار من الفئة 3 من قبل هيئة الخدمات المالية في مالطا (<0>رقم الترخيص. (إيه/70156).", "1373949314": "تتضمن استراتيجية Reverse Martingale زيادة حصتك بعد كل صفقة ناجحة وإعادة التعيين إلى الحصة الأولية لكل صفقة خاسرة لأنها تهدف إلى تأمين الأرباح المحتملة من المكاسب المتتالية.", "1374627690": "الحد الأقصى لرصيد الحساب", @@ -1372,6 +1378,7 @@ "1397628594": "رصيد غير كافي", "1400341216": "سنراجع مستنداتك وسيتم ابلاغك بحالتها في غضون 1 إلى 3 أيام.", "1400732866": "عرض من الكاميرا", + "1400962248": "High-Close", "1402208292": "تغيير حالة النص", "1402300547": "دعنا نتحقق من عنوانك", "1403376207": "تحديث بياناتي", @@ -1828,6 +1835,7 @@ "1851776924": "أعلى", "1854480511": "الكايشر مغلق", "1854874899": "عودة إلى القائمة", + "1854909245": "Multiplier:", "1855566768": "موضع عنصر القائمة", "1856485118": "يرجى <0>إعادة تقديم إثبات العنوان الخاص بك لتحويل الأموال بين حسابات MT5 و Deriv.", "1856755117": "يلزم اتخاذ إجراء معلق", @@ -2744,7 +2752,7 @@ "-1483251744": "المبلغ الذي ترسله", "-536126207": "المبلغ الذي تتلقاه", "-486580863": "نقل إلى", - "-71189928": "<0>المحافظ <1>- أفضل طريقة لتنظيم أموالك", + "-1424352390": "<0>Wallets <1>- طريقة أكثر ذكاءً لإدارة أموالك", "-2146691203": "اختيار التنظيم", "-249184528": "يمكنك إنشاء حسابات حقيقية بموجب لوائح الاتحاد الأوروبي أو خارج الاتحاد الأوروبي. انقر فوق <0><0/>الرمز لمعرفة المزيد حول هذه الحسابات.", "-1505234170": "جولة مركز المتداول", @@ -3049,7 +3057,6 @@ "-254421190": "القائمة: ({{message_length}})", "-1616649196": "النتائج", "-90107030": "لم يتم العثور على أية نتائج", - "-984140537": "أضف", "-1373954791": "يجب أن يكون رقمًا صالحًا", "-1278608332": "يرجى إدخال رقم بين 0 و {{api_max_losses}}.", "-287597204": "أدخل حدودًا لإيقاف الروبوت الخاص بك من التداول عند استيفاء أي من هذه الشروط.", @@ -3174,6 +3181,7 @@ "-287223248": "لا توجد معاملة أو نشاط حتى الآن.", "-418247251": "قم بتنزيل دفتر يومياتك.", "-2123571162": "تنزيل", + "-984140537": "أضف", "-870004399": "<0>تم شراؤها: {{longcode}} (المعرف: {{transaction_id}})", "-1211474415": "الفلاتر", "-186972150": "لا توجد رسائل لعرضها", @@ -3672,6 +3680,8 @@ "-453920758": "انتقل إلى لوحة معلومات {{platform_name_mt5}}", "-402175529": "التاريخ", "-1013917510": "وقت إعادة الضبط هو {{ reset_time }}", + "-925402280": "نقطة إرشادية Low", + "-1075414250": "بقعة High", "-902712434": "إلغاء الصفقة", "-988484646": "إلغاء الصفقة (تم تنفيذه)", "-444882676": "إلغاء الصفقة (نشط)", @@ -3694,7 +3704,6 @@ "-2036388794": "إنشاء حساب مجاني", "-1813736037": "لا يُسمح بأي تداول آخر على هذا النوع من العقود لجلسة التداول الحالية. لمزيد من المعلومات، راجع <0>الشروط والأحكام الخاصة بنا.", "-590131162": "ابق على {{website_domain}}", - "-1444663817": "انتقل إلى Binary.com", "-1526466612": "لقد حددت نوع تداول غير مدعوم حاليًا، ولكننا نعمل على ذلك.", "-1043795232": "المناصب الأخيرة", "-153220091": "{{display_value}} علامة", diff --git a/packages/translations/src/translations/bn.json b/packages/translations/src/translations/bn.json index 1e08d6d82c08..5996e9092088 100644 --- a/packages/translations/src/translations/bn.json +++ b/packages/translations/src/translations/bn.json @@ -501,6 +501,7 @@ "537788407": "অন্যান্য CFD প্লাটফর্ম", "538017420": "0.5 পিপস", "538042340": "নীতি 2: শেয়ার কেবল তখনই বৃদ্ধি পায় যখন কোনও ক্ষতির ট্রেড একটি সফল ট্রেডে অনুসরণ করা হয়", + "538228086": "Close-Low", "541650045": "{{platform}} পাসওয়ার্ড পরিচালনা করুন", "541700024": "প্রথমে, আপনার ড্রাইভিং লাইসেন্স নম্বর এবং মেয়াদ শেষের তারিখ লিখুন।", "542038694": "শুধুমাত্র অক্ষর, সংখ্যা, স্থান, আন্ডারস্কোর, এবং হাইফেন {{label}}এর জন্য অনুমোদিত।", @@ -598,6 +599,7 @@ "635884758": "ইথেরিয়াম ব্লকচেইনে হোস্ট করা টেথারের একটি সংস্করণ টিথার ইআরসি 20 জমা এবং উত্তোলন করুন।", "636219628": "<0>গ) নিষ্পত্তির সুযোগ না পাওয়া গেলে অভিযোগটি ডিআরসি কর্তৃক পরিচালিত সংকল্প পর্যায়ে অগ্রসর হবে।", "639382772": "অনুগ্রহ করে সমর্থিত ফাইল টাইপ আপলোড করুন।", + "640249298": "স্বাভাবিক", "640596349": "আপনি এখনও কোনো বিজ্ঞপ্তি পাননি", "640730141": "পরিচয় যাচাইকরণ প্রক্রিয়া পুনরায় আরম্ভ করতে এই পৃষ্ঠাটি রিফ্রেশ করুন", "641420532": "আমরা আপনাকে একটি ইমেইল পাঠিয়েছি", @@ -658,6 +660,7 @@ "693933036": "Deriv Bot এ অস্কারের গ্রাইন্ড কৌশল অন্বেষণ", "694035561": "ট্রেড অপশন Multipliers", "694089159": "ক্রেডিট বা ডেবিট কার্ড, ই-ওয়ালেট বা ব্যাংকের তারের ব্যবহার করে অস্ট্রেলিয়ান ডলার জমা এবং প্রত্যাহার", + "696157141": "Low স্পট", "696735942": "আপনার জাতীয় পরিচয়পত্রের নাম্বার (NIN) লিখুন", "696870196": "- খোলা সময়: খোলার সময় স্ট্যাম্প", "697630556": "এই মার্কেটটি বর্তমানে বন্ধ আছে।", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "অপর্যাপ্ত ভারসাম্য", "734881840": "মিথ্যা", + "739126643": "সূচক High স্পট", "742469109": "ব্যালেন্স রিসেট করুন", "742570452": "<0>Deriv P2P এই সময়ে ওয়ালেটগুলিতে-এ অনুপলব্ধ৷", "743623600": "রেফারেন্স", @@ -927,6 +931,7 @@ "969858761": "নীতি 1: কৌশলটির লক্ষ্য সম্ভাব্য প্রতি সেশনে এক ইউনিট লাভ করা", "969987233": "প্রস্থান স্পট এবং নিম্ন বাধা মধ্যে পার্থক্য অনুপাত, প্রস্থান স্পট নিম্ন এবং উপরের বাধা মধ্যে যদি সর্বোচ্চ পরিশোধ পর্যন্ত জিততে।", "970915884": "একটি", + "974888153": "High-Low", "975668699": "আমি নিশ্চিতকরণ এবং {{company}} এর <0>শর্তাবলী স্বীকার", "975950139": "বসবাসের দেশ", "977929335": "আমার অ্যাকাউন্ট সেটিংসে যান", @@ -1347,6 +1352,7 @@ "1371193412": "বাতিল", "1371555192": "আপনার পছন্দের পেমেন্ট এজেন্ট নির্বাচন করুন এবং আপনার উইথড্রয়াল অ্যামাউন্টটি লিখুন। যদি আপনার পেমেন্ট এজেন্ট তালিকাভুক্ত না হয়, তাহলে <0>তাদের অ্যাকাউন্ট নম্বর ব্যবহার করে তাদের সন্ধান করুন।", "1371641641": "আপনার মোবাইলে লিঙ্কটি খুলুন", + "1371758591": "ওয়ালেটের সাথে একাধিক মুদ্রায় মসৃণ এবং আরও সুরক্ষিত লেনদেন উপভোগ<0> করুন - আমাদের নতুন এবং উন্নত ক্যাশিয়ার৷", "1371911731": "ইইউতে আর্থিক পণ্যগুলি {{legal_entity_name}}দ্বারা সরবরাহ করা হয়, মাল্টা ফাইন্যান্সিয়াল সার্ভিসেস অথরিটি দ্বারা বিভাগ 3 বিনিয়োগ পরিষেবা প্রদানকারী হিসাবে লাইসেন্সপ্রাপ্ত (<0>লাইসেন্স নং। ইস/৭০১৫৬)।", "1373949314": "Reverse Martingale কৌশল প্রতিটি সফল বাণিজ্যের পরে আপনার শেক বাড়ানোর সাথে জড়িত এবং প্রতিটি হারানো ট্রেডের জন্য প্রাথমিক শেয়ারে পুনরায় সেট করে কারণ এটি ধারাবাহিক জয় থেকে সম্ভাব্য লাভ।", "1374627690": "সর্বোচ্চ অ্যাকাউন্ট ব্যালেন্স", @@ -1372,6 +1378,7 @@ "1397628594": "অপর্যাপ্ত তহবিল", "1400341216": "আমরা আপনার দস্তাবেজগুলি পর্যালোচনা করব এবং 1 থেকে 3 দিনের মধ্যে এটির স্থিতি সম্পর্কে আপনাকে অবহিত করব।", "1400732866": "ক্যামেরা থেকে দেখুন", + "1400962248": "High-Close", "1402208292": "টেক্সট কেস পরিবর্তন করুন", "1402300547": "আপনার ঠিকানা যাচাই করা যাক", "1403376207": "আমার বিস্তারিত হালনাগাদ করুন", @@ -1828,6 +1835,7 @@ "1851776924": "উপরের", "1854480511": "ক্যাশিয়ার লক করা ", "1854874899": "তালিকায় ফিরে যান", + "1854909245": "Multiplier:", "1855566768": "আইটেমের অবস্থান তালিকায়", "1856485118": "MT5 এবং Deriv অ্যাকাউন্টের মধ্যে অর্থ স্থানান্তর করার জন্য আপনার ঠিকানা প্রমাণ <0>পুনরায় জমা দিন।", "1856755117": "মুলতুবি কর্ম প্রয়োজন", @@ -2744,7 +2752,7 @@ "-1483251744": "আপনার পাঠানো পরিমাণ", "-536126207": "আপনার প্রাপ্ত পরিমাণ", "-486580863": "স্থানান্তর করুন", - "-71189928": "<0>ওয়ালেট<1> — আপনার তহবিল সংগঠিত করার সর্বোত্তম উপায়", + "-1424352390": "<0>Wallets<1> — আপনার তহবিল পরিচালনা করার একটি স্মার্ট উপায়", "-2146691203": "প্রবিধান পছন্দ", "-249184528": "আপনি ইইউ বা অ-ইইউ নিয়ন্ত্রণের অধীনে প্রকৃত অ্যাকাউন্ট তৈরি করতে পারেন। <0>এই অ্যাকাউন্টগুলি সম্পর্কে আরও জানতে<0/> আইকনে ক্লিক করুন।", "-1505234170": "ট্রেডার'স হাব ট্যুর", @@ -3049,7 +3057,6 @@ "-254421190": "তালিকা: ({{message_length}})", "-1616649196": "ফলাফল সমূহ", "-90107030": "কোনো ফলাফল পাওয়া যায়নি", - "-984140537": "যোগ করুন", "-1373954791": "একটি বৈধ সংখ্যা হতে হবে", "-1278608332": "অনুগ্রহ করে 0 এবং {{api_max_losses}} এর মধ্যে একটি সংখ্যা লিখুন।", "-287597204": "এই শর্তগুলির মধ্যে যেকোনো একটি পূরণ হলে আপনার বটকে ট্রেড বন্ধে সীমা রাখুন।", @@ -3174,6 +3181,7 @@ "-287223248": "এখনও কোন লেনদেন বা কার্যকলাপ নেই", "-418247251": "আপনার জার্নাল ডাউনলোড করুন।", "-2123571162": "ডাউনলোড", + "-984140537": "যোগ করুন", "-870004399": "<0>কেনা: {{longcode}} (আইডি: {{transaction_id}})", "-1211474415": "ফিল্টারগুলি", "-186972150": "প্রদর্শন করার মত কোনো বার্তা নেই", @@ -3672,6 +3680,8 @@ "-453920758": "{{platform_name_mt5}} ড্যাশবোর্ডে যান", "-402175529": "ইতিহাস", "-1013917510": "রিসেট সময় {{ reset_time }}", + "-925402280": "সূচক Low স্পট", + "-1075414250": "High স্পট", "-902712434": "চুক্তি বাতিল", "-988484646": "চুক্তি বাতিল (সম্পাদিত)", "-444882676": "চুক্তি বাতিল (সক্রিয়)", @@ -3694,7 +3704,6 @@ "-2036388794": "ফ্রি অ্যাকাউন্ট তৈরি করুন", "-1813736037": "বর্তমান ট্রেডিং সেশনের জন্য এই কন্ট্রাক্ট টাইপে আর কোন ট্রেডিং অনুমোদিত নেই। আরও তথ্যের জন্য, আমাদের <0>শর্তাবলী দেখুন।", "-590131162": "{{website_domain}}এ থাকুন", - "-1444663817": "Binary.com এ যান", "-1526466612": "আপনি একটি ট্রেড টাইপ নির্বাচন করেছেন যা বর্তমানে অসমর্থিত, কিন্তু আমরা এটিতে কাজ করছি।", "-1043795232": "সাম্প্রতিক অবস্থান", "-153220091": "{{display_value}} টিক", diff --git a/packages/translations/src/translations/de.json b/packages/translations/src/translations/de.json index f1d6b2f33eb3..28ef991384d4 100644 --- a/packages/translations/src/translations/de.json +++ b/packages/translations/src/translations/de.json @@ -501,6 +501,7 @@ "537788407": "Andere CFD-Plattform", "538017420": "0,5 Pips", "538042340": "Prinzip 2: Der Einsatz erhöht sich nur, wenn auf einen Verlusthandel ein erfolgreicher Handel folgt", + "538228086": "Close-Low", "541650045": "{{platform}} Passwort verwalten", "541700024": "Geben Sie zunächst Ihre Führerscheinnummer und das Ablaufdatum ein.", "542038694": "Für {{label}}sind nur Buchstaben, Zahlen, Leerzeichen, Unterstriche und Bindestriche zulässig.", @@ -598,6 +599,7 @@ "635884758": "Zahlen Sie Tether ERC20 ein und aus, eine Version von Tether, die auf der Ethereum-Blockchain gehostet wird.", "636219628": "<0>c. Wenn keine Möglichkeit zur Beilegung gefunden werden kann, wird die Beschwerde in die Erledigungsphase überführt, die von der Demokratischen Republik Kongo bearbeitet wird.", "639382772": "Bitte laden Sie den unterstützten Dateityp hoch.", + "640249298": "Normal", "640596349": "Sie haben noch keine Benachrichtigungen erhalten", "640730141": "Aktualisieren Sie diese Seite, um den Identitätsprüfungsprozess neu zu starten", "641420532": "Wir haben dir eine E-Mail geschickt", @@ -658,6 +660,7 @@ "693933036": "Erkunden Sie die Oscar's Grind Strategie in Deriv Bot", "694035561": "Multipliers für Handelsoptionen", "694089159": "Zahlen Sie australische Dollar mit Kredit- oder Debitkarten, E-Wallets oder Banküberweisungen ein und aus.", + "696157141": "Low Spot", "696735942": "Geben Sie Ihre Nationale Identifikationsnummer (NIN) ein", "696870196": "- Öffnungszeit: der Öffnungszeitstempel", "697630556": "Dieser Markt ist derzeit geschlossen.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Unzureichendes Gleichgewicht", "734881840": "falsch", + "739126643": "Indikativer High Spot", "742469109": "Reset Balance", "742570452": "<0>Deriv P2P ist zur Zeit nicht in Wallets verfügbar.", "743623600": "Referenz", @@ -927,6 +931,7 @@ "969858761": "Prinzip 1: Die Strategie zielt darauf ab, potenziell eine Einheit Gewinn pro Sitzung zu erzielen", "969987233": "Gewinnen Sie bis zur maximalen Auszahlung, wenn der Ausstiegsplatz zwischen der unteren und der oberen Barriere liegt, und zwar proportional zur Differenz zwischen Ausgangsplatz und unterer Barriere.", "970915884": "EIN", + "974888153": "High-Low", "975668699": "Ich bestätige und akzeptiere die <0>Allgemeinen Geschäftsbedingungen von {{company}}", "975950139": "Land des Wohnsitzes", "977929335": "Gehe zu meinen Kontoeinstellungen", @@ -1347,6 +1352,7 @@ "1371193412": "Stornieren", "1371555192": "Wählen Sie Ihre bevorzugte Zahlungsstelle und geben Sie Ihren Auszahlungsbetrag ein. Wenn Ihr Zahlungsagent nicht aufgeführt ist, <0>suchen Sie anhand seiner Kontonummer nach ihm.", "1371641641": "Öffne den Link auf deinem Handy", + "1371758591": "Genießen Sie reibungslosere und sicherere Transaktionen in mehreren Währungen mit Wallets —<0> unserem neuen und verbesserten Kassierer.", "1371911731": "Finanzprodukte werden in der EU von {{legal_entity_name}}angeboten, das von der maltesischen Finanzdienstleistungsbehörde als Anlagedienstleister der Kategorie 3 lizenziert ist (<0>Lizenz-Nr. IST/70156).", "1373949314": "Bei der Reverse-Martingale-Strategie wird Ihr Einsatz nach jedem erfolgreichen Handel erhöht und bei jedem Verlusthandel auf den ursprünglichen Einsatz zurückgesetzt, um potenzielle Gewinne aus aufeinanderfolgenden Gewinnen zu sichern.", "1374627690": "Max. Kontostand", @@ -1372,6 +1378,7 @@ "1397628594": "Unzureichende Mittel", "1400341216": "Wir werden Ihre Dokumente überprüfen und Sie innerhalb von 1 bis 3 Tagen über den Status informieren.", "1400732866": "Blick von der Kamera", + "1400962248": "High-Close", "1402208292": "Groß- und Kleinschreibung ändern", "1402300547": "Lassen Sie Ihre Adresse überprüfen", "1403376207": "Aktualisiere meine Daten", @@ -1828,6 +1835,7 @@ "1851776924": "oberer", "1854480511": "Kassierer ist gesperrt", "1854874899": "Zurück zur Liste", + "1854909245": "Multiplier:", "1855566768": "Position des Listenelements", "1856485118": "Bitte <0>reichen Sie Ihren Adressnachweis erneut ein, um Geld zwischen MT5- und Deriv-Konten zu überweisen.", "1856755117": "Ausstehende Maßnahmen erforderlich", @@ -2744,7 +2752,7 @@ "-1483251744": "Betrag, den Sie senden", "-536126207": "Betrag, den Sie erhalten", "-486580863": "Übertragen auf", - "-71189928": "<0>Geldbörsen<1> - die beste Art, Ihr Geld zu organisieren", + "-1424352390": "<0>Wallets <1>— Eine intelligentere Art, Ihr Geld zu verwalten", "-2146691203": "Wahl der Verordnung", "-249184528": "Sie können echte Konten gemäß EU- oder Nicht-EU-Vorschriften erstellen. Klicken Sie auf das <0><0/>Symbol, um mehr über diese Konten zu erfahren.", "-1505234170": "Trader's Hub-Tour", @@ -3049,7 +3057,6 @@ "-254421190": "Liste: ({{message_length}})", "-1616649196": "Ergebnisse", "-90107030": "Keine Ergebnisse gefunden", - "-984140537": "Hinzufügen", "-1373954791": "Sollte eine gültige Zahl sein", "-1278608332": "Bitte geben Sie eine Zahl zwischen 0 und {{api_max_losses}}ein.", "-287597204": "Geben Sie Limits ein, um Ihren Bot am Handel zu hindern, wenn eine dieser Bedingungen erfüllt ist.", @@ -3174,6 +3181,7 @@ "-287223248": "Noch keine Transaktion oder Aktivität.", "-418247251": "Laden Sie Ihr Journal herunter.", "-2123571162": "Herunterladen", + "-984140537": "Hinzufügen", "-870004399": "<0>Gekauft: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Filter", "-186972150": "Es gibt keine anzuzeigenden Meldungen", @@ -3672,6 +3680,8 @@ "-453920758": "Gehe zum Dashboard {{platform_name_mt5}}", "-402175529": "Geschichte", "-1013917510": "Die Rücksetzzeit ist {{ reset_time }}", + "-925402280": "Indikativer Low Spot", + "-1075414250": "High Spot", "-902712434": "Stornierung des Deals", "-988484646": "Stornierung des Deals (ausgeführt)", "-444882676": "Stornierung des Deals (aktiv)", @@ -3694,7 +3704,6 @@ "-2036388794": "Kostenloses Konto erstellen", "-1813736037": "Für die aktuelle Handelssitzung ist mit diesem Kontrakttyp kein weiterer Handel zulässig. Weitere Informationen finden Sie in unseren <0>Allgemeinen Geschäftsbedingungen.", "-590131162": "Bleib auf {{website_domain}}", - "-1444663817": "Gehe zu Binary.com", "-1526466612": "Sie haben einen Handelstyp ausgewählt, der derzeit nicht unterstützt wird, aber wir arbeiten daran.", "-1043795232": "Aktuelle Positionen", "-153220091": "{{display_value}} Häkchen", diff --git a/packages/translations/src/translations/es.json b/packages/translations/src/translations/es.json index 681361a4d03c..23e11e6224b2 100644 --- a/packages/translations/src/translations/es.json +++ b/packages/translations/src/translations/es.json @@ -501,6 +501,7 @@ "537788407": "Otra plataforma de CFD", "538017420": "0.5 pips", "538042340": "Principio 2: La inversión solo aumenta cuando a una operación con pérdidas le sigue una operación con éxito", + "538228086": "Close-Low", "541650045": "Gestionar la contraseña de {{platform}}", "541700024": "Primero, introduzca el número de su carné de conducir y la fecha de caducidad.", "542038694": "Solo se permite el uso de letras, números, espacios, guión bajo y guiones para {{label}}.", @@ -598,6 +599,7 @@ "635884758": "Deposite y Retire Tether TRC20, una versión de Tether alojada en la blockchain de Ethereum.", "636219628": "<0>c. Si no se encuentra una oportunidad de solución, la queja pasará a la fase de determinación que será manejada por el DRC.", "639382772": "Suba un tipo de archivo compatible.", + "640249298": "Normal", "640596349": "Aún no ha recibido una notificación", "640730141": "Actualice esta página para reiniciar el proceso de verificación de identidad", "641420532": "Le hemos enviado un correo electrónico", @@ -658,6 +660,7 @@ "693933036": "Explorando la estrategia Oscar's Grind en Deriv Bot", "694035561": "Multipliers de opciones de comercio", "694089159": "Deposite y retire dólares australianos utilizando tarjetas de crédito o débito, billeteras electrónicas o transferencias bancarias.", + "696157141": "Punto Low", "696735942": "Introduzca su Número de Identificación Nacional (NIN)", "696870196": "- Tiempo de apertura: marca temporal de apertura", "697630556": "Este mercado está actualmente cerrado.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Saldo insuficiente", "734881840": "falso", + "739126643": "Punto High indicativo", "742469109": "Reiniciar saldo", "742570452": "<0>Deriv P2P no está disponible en Billeteras en este momento.", "743623600": "Referencia", @@ -927,6 +931,7 @@ "969858761": "Principio 1: La estrategia tiene como objetivo potencial obtener una unidad de beneficio por sesión", "969987233": "Gane hasta el pago máximo si el punto de salida está entre la barrera inferior y superior, en proporción a la diferencia entre el punto de salida y la barrera inferior.", "970915884": "UN", + "974888153": "High-Low", "975668699": "Confirmo y acepto <0>los Términos y Condiciones de {{company}}", "975950139": "País de residencia", "977929335": "Ir a la configuración de mi cuenta", @@ -1312,12 +1317,12 @@ "1339613797": "Resolución de disputa reguladora/externa", "1340286510": "El bot se ha detenido, pero es posible que su operación siga en curso. Puede comprobarlo en la página Informes.", "1341840346": "Ver en el Diario", - "1341921544": "Cuentas y fondos de negociación", + "1341921544": "Cuentas y fondos de operación", "1344696151": "Divisas, acciones, índices bursátiles, materias primas, criptomonedas e índices sintéticos.", - "1346038489": "Debe ser menor a 70.", + "1346038489": "Debe ser inferior a 70.", "1346204508": "Take profit", "1346339408": "Gerentes", - "1346947293": "No pudimos verificar su selfie porque no está claro. Tome una foto más clara y vuelva a intentarlo. Asegúrese de que haya suficiente luz donde se encuentre y que toda su cara esté en la foto.", + "1346947293": "No pudimos verificar su selfie porque no está clara. Tome una foto más clara y vuelva a intentarlo. Asegúrese de que haya suficiente luz donde se encuentre y que toda su cara esté en la foto.", "1347037687": "Trader’s Hub V2", "1347071802": "Hace {{minutePast}}m", "1349133669": "Intente cambiar sus criterios de búsqueda.", @@ -1347,8 +1352,9 @@ "1371193412": "Cancelar", "1371555192": "Elija su agente de pago preferido e introduzca el importe del retiro. Si su agente de pagos no aparece en la lista, <0>búsquelo con su número de cuenta.", "1371641641": "Abra el enlace en su móvil", + "1371758591": "Disfrute de transacciones más fluidas y seguras en múltiples monedas con Wallets,<0> nuestro Cajero nuevo y mejorado.", "1371911731": "Los productos financieros en la UE son ofrecidos por {{legal_entity_name}}, autorizado como proveedor de Servicios de Inversión de Categoría 3 por la Autoridad de Servicios Financieros de Malta (<0>número de licencia IS/70156).", - "1373949314": "La estrategia de Reverse Martingale consiste en aumentar su apuesta después de cada operación con éxito y volver a la apuesta inicial para cada operación perdedora, ya que su objetivo es asegurar los beneficios potenciales de las ganancias consecutivas.", + "1373949314": "La estrategia de Reverse Martingale consiste en aumentar su inversión después de cada operación con éxito y volver a la inversión inicial para cada operación perdedora, ya que su objetivo es asegurar los beneficios potenciales de las ganancias consecutivas.", "1374627690": "Saldo máx. de la cuenta", "1374902304": "Su documento parece estar dañado o recortado.", "1375884086": "Documento financiero, legal o gubernamental: extracto bancario reciente, declaración jurada o carta emitida por el gobierno.", @@ -1372,6 +1378,7 @@ "1397628594": "Fondos insuficientes", "1400341216": "Revisaremos sus documentos y le avisaremos de su estado en un plazo de 1 a 3 días.", "1400732866": "Vista desde la cámara", + "1400962248": "High-Close", "1402208292": "Cambiar las mayúsculas y minúsculas del texto", "1402300547": "Verifiquemos su dirección", "1403376207": "Actualizar mis datos", @@ -1402,7 +1409,7 @@ "1424779296": "Si recientemente ha usado bots pero no los ve en esta lista, puede ser porque:", "1427811867": "Opere con CFD en MT5 con índices Derivados que simulan los movimientos del mercado en el mundo real.", "1428657171": "Solo puede hacer depósitos. Contáctenos a través del <0>live chat para obtener más información.", - "1430221139": "Verifica ahora", + "1430221139": "Verifique ahora", "1430396558": "5. Reiniciar compra/venta por error", "1430632931": "Para comenzar a operar, confirme quién es y dónde vive.", "1433367863": "Lo sentimos, ha ocurrido un error mientras se procesaba su solicitud.", @@ -1413,7 +1420,7 @@ "1435363248": "Este bloque convierte el número de segundos desde el Epoch Unix a un formato de fecha y hora como 2019-08-01 00:00:00.", "1435368624": "Obtenga una billetera, obtenga varias {{dash}} a su elección", "1437396005": "Agregar comentario", - "1437529196": "Nómina", + "1437529196": "Recibo de pago", "1438247001": "Un cliente profesional recibe un menor grado de protección al cliente debido a lo siguiente.", "1438340491": "si no", "1439168633": "Stop loss:", @@ -1484,7 +1491,7 @@ "1505898522": "Descargar montón", "1505927599": "Nuestros servidores tuvieron una interrupción. Refresque para continuar.", "1506251760": "Billeteras", - "1507554225": "Envíe su justificante de domicilio", + "1507554225": "Envíe su comprobante de domicilio", "1509559328": "cTrader", "1509570124": "{{buy_value}} (Comprar)", "1509678193": "Educación", @@ -1511,7 +1518,7 @@ "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", "1541508606": "¿Busca CFD? Vaya al Trader's Hub", - "1541770236": "La estrategia 1-3-2-6 tiene como objetivo maximizar las ganancias potenciales con cuatro operaciones exitosas consecutivas. Una unidad equivale al importe de la apuesta inicial. La apuesta pasará de 1 unidad a 3 unidades después de la primera operación exitosa, luego a 2 unidades después de la segunda operación exitosa y a 6 unidades después de la tercera operación exitosa. La apuesta de la próxima operación se restablecerá a la apuesta inicial si hay una operación perdedora o se completa el ciclo de negociación.", + "1541770236": "La estrategia 1-3-2-6 tiene como objetivo maximizar las ganancias potenciales con cuatro operaciones exitosas consecutivas. Una unidad equivale al importe de la inversión inicial. La inversión pasará de 1 unidad a 3 unidades después de la primera operación exitosa, luego a 2 unidades después de la segunda operación exitosa y a 6 unidades después de la tercera operación exitosa. La inversión de la próxima operación se restablecerá a la inversión inicial si hay una operación perdedora o se completa el ciclo de negociación.", "1541969455": "Ambos", "1542742708": "Sintéticos, Forex, Acciones, Índices bursátiles, Materias primas y Criptomonedas", "1544642951": "Si selecciona \"Only Ups\", usted gana el pago si los ticks consecutivos suben sucesivamente después del precio de entrada. No se gana el pago si algún tick cae o es igual a cualquiera de los ticks anteriores.", @@ -1521,7 +1528,7 @@ "1552162519": "Ver incorporación", "1555345325": "Guía del usuario", "1556320543": "La cantidad que puede agregar a su inversión si está perdiendo una operación.", - "1556391770": "No puede realizar una retirada ya que sus documentos aún están siendo revisados. Le notificaremos por correo electrónico en un plazo de 3 días una vez aprobada su verificación.", + "1556391770": "No puede realizar una retirada ya que sus documentos aún están siendo verificados. Le notificaremos por correo electrónico en un plazo de 3 días una vez aprobada su verificación.", "1557426040": "Demo derivada SVG", "1557682012": "Configuración de cuenta", "1557706779": "Una vez que tenga una cuenta, haga clic en 'Depositar' para añadir fondos a una cuenta.", @@ -1535,7 +1542,7 @@ "1566717687": "También proporcionamos una guía en la pestaña Tutorial para mostrarle cómo puede crear y ejecutar una estrategia sencilla.", "1567076540": "Utilice solo una dirección que pueda demostrar mediante una prueba de residencia - ", "1567745852": "Nombre del bot", - "1569527365": "Verificación fallida. Vuelva a enviar sus datos.", + "1569527365": "Verificación fallida. Vuelva a enviar sus detalles.", "1569624004": "Descartar alerta", "1570484627": "Lista de ticks", "1571575776": "Formatos aceptados: pdf, jpeg, jpg y png. Tamaño máximo de archivo: 8MB", @@ -1556,7 +1563,7 @@ "1589148299": "Comenzar", "1589640950": "No se ofrece reventa de este contrato.", "1589702653": "Prueba de domicilio", - "1589863913": "Estos son los parámetros comerciales utilizados para la estrategia D'Alembert en Deriv Bot.", + "1589863913": "Estos son los parámetros de operación utilizados para la estrategia D'Alembert en Deriv Bot.", "1590400723": "Total de activos en todas sus cuentas", "1591933071": "Volver a enviar documento", "1593010588": "Inicie sesión ahora", @@ -1576,7 +1583,7 @@ "1612105450": "Obtener subcadena", "1612638396": "Cancele su operación en cualquier momento durante un plazo específico.", "1615897837": "Período de EMA de señal {{ input_number }}", - "1618652381": "Por ejemplo, si un operador tiene un umbral de pérdidas (B) es de 1000 USD, con una apuesta inicial (s) es de 1 USD, y el multiplicador Martingala (m) es 2, el cálculo sería el siguiente:", + "1618652381": "Por ejemplo, si un operador tiene un umbral de pérdidas (B) es de 1000 USD, con una inversión inicial(es) de 1 USD, y el multiplicador Martingale (m) es 2, el cálculo sería el siguiente:", "1619070150": "Será redirigido a un sitio web externo.", "1620278321": "Los nombres y apellidos por sí solos son fáciles de adivinar", "1620346110": "Definir moneda", @@ -1587,8 +1594,8 @@ "1628981793": "¿Puedo operar con criptomonedas en Deriv Bot?", "1630417358": "Vaya a la configuración de su cuenta y complete los datos personales para permitir los retiros.", "1631281562": "Cesta de GBP", - "1633661992": "Garrapata {{current_tick}}/{{tick_count}}", - "1634016345": "2. Si la operación tiene éxito, esta estrategia ajustará automáticamente su apuesta a 3 unidades de su apuesta inicial para la próxima operación. En este caso, el ajuste de la apuesta es de 3 unidades y la apuesta inicial es de 1 USD, por lo que la próxima operación comenzará en 3 USD.", + "1633661992": "Tick {{current_tick}}/{{tick_count}}", + "1634016345": "2. Si la operación tiene éxito, esta estrategia ajustará automáticamente su inversión a 3 unidades de su inversión inicial para la próxima operación. En este caso, el ajuste de la inversión es de 3 unidades y la inversión inicial es de 1 USD, por lo que la próxima operación comenzará en 3 USD.", "1634903642": "Solo su cara puede estar en el selfie", "1634969163": "Cambiar moneda", "1635266650": "Parece que el nombre en su documento no coincide con el de su perfil de Deriv. Por favor, actualice su nombre en lá página de <0>Datos personales para solucionar este problema.", @@ -1642,7 +1649,7 @@ "1677027187": "Forex", "1679743486": "1. Ve a Estrategia rápida y selecciona la estrategia que desees.", "1680666439": "Suba un extracto bancario con su nombre, número de cuenta e historial de transacciones.", - "1681765749": "Fórmula martingala 2", + "1681765749": "Fórmula Martingale 2", "1682409128": "Estrategia sin título", "1682636566": "Reenviar correo en", "1683522174": "Recargar", @@ -1658,9 +1665,9 @@ "1692912479": "Deriv MT5, Deriv X", "1693614409": "Hora de inicio", "1694517345": "Introduzca una nueva dirección de correo electrónico", - "1696190747": "Las operaciones implican riesgos inherentes y los beneficios reales pueden fluctuar debido a diversos factores, como la volatilidad del mercado y otras variables imprevistas. Por ello, actúe con cautela e investigue a fondo antes de emprender cualquier actividad de negociación.", + "1696190747": "Las operaciones implican riesgos inherentes y los beneficios reales pueden fluctuar debido a diversos factores, como la volatilidad del mercado y otras variables imprevistas. Por ello, actúe con cautela e investigue a fondo antes de emprender cualquier actividad de trading.", "1698624570": "Haga clic en Ok para confirmar.", - "1699606318": "Ha llegado al límite de carga de sus documentos.", + "1699606318": "Ha alcanzado el límite para subir sus documentos.", "1700233813": "No se permite la transferencia desde {{selected_value}}. Elija otra cuenta del menú desplegable", "1701447705": "Por favor, actualice su dirección", "1702339739": "Errores comunes", @@ -1674,7 +1681,7 @@ "1711676335": "raíz cuadrada", "1711929663": "Sus fondos han sido transferidos", "1712357617": "Correo electrónico no válido.", - "1713633297": "3. Si la segunda operación también tiene éxito, su apuesta se ajustará a 2 USD o 2 unidades de la apuesta inicial para la próxima operación.", + "1713633297": "3. Si la segunda operación también tiene éxito, su inversión se ajustará a 2 USD o 2 unidades de la inversión inicial para la próxima operación.", "1714255392": "Para permitir los retiros, complete su evaluación financiera.", "1715011380": "Índice Jump 25", "1715630945": "Devuelve la ganancia total en formato de cadena", @@ -1720,7 +1727,7 @@ "1747674345": "Utilice \".\" como separador decimal para números fraccionarios.", "1747682136": "El contrato fue cancelado.", "1748754976": "Ejecutar", - "1753082252": "Este artículo explora la estrategia integrada en Deriv Bot, un robot de negociación versátil diseñado para negociar activos como Forex, Materias primas e índices derivados. Profundizaremos en los parámetros principales de la estrategia, su aplicación y proporcionaremos las conclusiones esenciales para los traders que buscan utilizar el bot de forma eficaz.", + "1753082252": "Este artículo explora la estrategia integrada en Deriv Bot, un robot de trading versátil diseñado para operar activos como Forex, Materias primas e índices derivados. Profundizaremos en los parámetros principales de la estrategia, su aplicación y proporcionaremos las conclusiones esenciales para los traders que buscan utilizar el bot de forma eficaz.", "1753183432": "Nos tomamos todas las quejas muy en serio y nuestro objetivo es resolverlas de la manera más rápida y justa posible. Si no está satisfecho con algún aspecto de nuestro servicio, háganoslo saber enviando una queja siguiendo las instrucciones que se indican a continuación:", "1753226544": "eliminar", "1753975551": "Subir la página de la foto del pasaporte", @@ -1755,7 +1762,7 @@ "1783526986": "¿Cómo creo un bot de trading?", "1783740125": "Suba un selfie", "1785298924": "Fórmula D'Alembert 1", - "1786644593": "Formatos admitidos: Sólo JPEG, JPG, PNG, PDF y GIF", + "1786644593": "Formatos admitidos: Solo JPEG, JPG, PNG, PDF y GIF", "1787135187": "Se requiere código postal", "1787492950": "Los indicadores en la pestaña de gráficos son únicamente referenciales y pueden variar ligeramente de los del espacio de trabajo de {{platform_name_dbot}}.", "1788515547": "<0/>Para obtener más información sobre cómo presentar una queja ante la Oficina del Árbitro de Servicios Financieros, por favor <1>consulte la guía.", @@ -1828,6 +1835,7 @@ "1851776924": "upper", "1854480511": "El cajero está bloqueado", "1854874899": "Volver a la lista", + "1854909245": "Multiplier:", "1855566768": "Posición del elemento de la lista", "1856485118": "<0>Vuelva a enviar su prueba de domicilio para transferir fondos entre las cuentas MT5 y Deriv.", "1856755117": "Acción pendiente requerida", @@ -1836,7 +1844,7 @@ "1863053247": "Suba su documento de identidad.", "1863731653": "Para recibir sus fondos, contacte con el agente de pagos", "1865525612": "No hay transacciones recientes.", - "1866244589": "El punto de entrada es el primer tic para los High/Low Ticks.", + "1866244589": "El punto de entrada es el primer tick para High/Low Ticks.", "1866811212": "Deposite en su moneda local a través de un agente de pago independiente autorizado en su país.", "1866836018": "<0/><1/> Si su queja se relaciona con nuestras prácticas de procesamiento de datos, puede enviar una queja formal a su autoridad de control local.", "1867217564": "El índice debe ser un número entero positivo", @@ -1859,7 +1867,7 @@ "1877225775": "Su prueba de domicilio se ha verificado", "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.", - "1878189977": "La estrategia de la Martingale consiste en aumentar su apuesta después de cada pérdida para recuperar las pérdidas anteriores con una sola operación exitosa.", + "1878189977": "La estrategia de la Martingale consiste en aumentar su inversión después de cada pérdida para recuperar las pérdidas anteriores con una sola operación exitosa.", "1879042430": "Prueba de Idoneidad, ADVERTENCIA:", "1879412976": "Cantidad de ganancia: <0>{{profit}}", "1879651964": "<0>Verificación pendiente", @@ -1883,7 +1891,7 @@ "1899898605": "Tamaño máximo: 8MB", "1902547203": "App MetaTrader 5 para MacOS", "1903437648": "Se detectó una foto borrosa", - "1904665809": "La estrategia Reverse Martingale en el trading puede ofrecer ganancias sustanciales pero también conlleva riesgos significativos. Con la estrategia seleccionada, Deriv Bot proporciona un comercio automatizado con medidas de gestión de riesgos como el establecimiento de la apuesta inicial, el tamaño de la apuesta, la apuesta máxima, el umbral de beneficios y el umbral de pérdidas. Es crucial que los operadores evalúen su tolerancia al riesgo, practiquen en una cuenta de demostración y comprendan la estrategia antes de operar con dinero real.", + "1904665809": "La estrategia Reverse Martingale en el trading puede ofrecer ganancias sustanciales pero también conlleva riesgos significativos. Con la estrategia seleccionada, Deriv Bot proporciona una operación automatizada con medidas de gestión de riesgos como el establecimiento de la inversión inicial, el tamaño de la inversión, la inversión máxima, el umbral de beneficios y el umbral de pérdidas. Es crucial que los operadores evalúen su tolerancia al riesgo, practiquen en una cuenta de demostración y comprendan la estrategia antes de operar con dinero real.", "1905032541": "Ahora estamos listos para verificar su identidad", "1905589481": "Si desea cambiar el tipo de moneda de su cuenta, contáctenos a través del <0>chat en vivo.", "1906213000": "Nuestro sistema terminará cualquier operación de Deriv Bot que esté en curso, y Deriv Bot no colocará ninguna nueva operación.", @@ -2430,7 +2438,7 @@ "-1067082004": "Salir de los ajustes", "-1982432743": "Parece que la dirección en su documento no coincide con la dirección\n en su perfil Deriv. Actualice sus datos personales con la\n dirección correcta.", "-1451334536": "Continúe operando", - "-251603364": "El documento de prueba de domicilio ha caducado. <0/>Vuelva a enviarlo.", + "-251603364": "El documento de comprobante de domicilio ha expirado. <0/>Vuelva a enviarlo.", "-1425489838": "No se requiere verificación de la prueba de domicilio", "-1008641170": "Su cuenta no necesita verificación de dirección en este momento. Le informaremos si se requiere verificación de dirección en el futuro.", "-60204971": "No pudimos verificar su prueba de domicilio", @@ -2465,11 +2473,11 @@ "-1664309884": "Pulse aquí para subir", "-1725454783": "Fallado", "-856213726": "También debe presentar una prueba de domicilio.", - "-552371330": "No hemos podido verificar sus ingresos. <0 /> Consulte el correo electrónico que le hemos enviado para obtener más información.", + "-552371330": "No hemos podido verificar sus ingresos. <0 /> Por favor, consulte el correo electrónico que le hemos enviado para obtener más información.", "-841187054": "Intentar de nuevo", "-978467455": "Límite alcanzado", - "-361316523": "Ha alcanzado el número máximo de intentos permitidos para presentar la prueba de ingresos. <0 /> Consulte el correo electrónico que le hemos enviado para obtener más información.", - "-1785967427": "Revisaremos sus documentos y le notificaremos su estado en un plazo de 7 días laborables.", + "-361316523": "Ha alcanzado el número máximo de intentos permitidos para presentar el comprobante de ingresos. <0 /> Por favor, consulte el correo electrónico que le hemos enviado para obtener más información.", + "-1785967427": "Revisaremos sus documentos y le notificaremos sobre su estado en un plazo de 7 días laborables.", "-987011273": "No se requiere su prueba de titularidad.", "-808299796": "No es necesario que presente una prueba de titularidad en este momento. Le informaremos si se requiere una prueba de titularidad más adelante.", "-179726573": "Hemos recibido su prueba de titularidad.", @@ -2482,7 +2490,7 @@ "-1332137219": "Las contraseñas seguras contienen al menos 8 caracteres que combinan letras mayúsculas y minúsculas, números y símbolos.", "-1597186502": "Restablecer contraseña {{platform}}", "-638756912": "Oculte los dígitos del 7 al 12 del número de la tarjeta que aparece en la parte frontal de su tarjeta de débito/crédito.", - "-996691262": "Hemos introducido estos límites para fomentar el <0>comercio responsable. Son opcionales y puede ajustarlos en cualquier momento.", + "-996691262": "Hemos introducido estos límites para fomentar el <0>operaciones responsables. Son opcionales y puede ajustarlos en cualquier momento.", "-2079276011": "Estos límites se aplican únicamente a sus operaciones con multiplicadores. Por ejemplo, la <0>pérdida total máxima se refiere a las pérdidas de sus operaciones con multiplicadores.", "-2116570030": "Si desea ajustar sus límites, <0>póngase en contacto con nosotros a través del chat en directo. Realizaremos los ajustes en un plazo de 24 horas.", "-1389915983": "Usted decide cuánto y durante cuánto tiempo operar. Puede tomarse un descanso del trading cuando lo desee. Esta pausa puede ser de 6 semanas a 5 años. Cuando termine, puede prorrogarla o iniciar sesión para reanudar las operaciones. Si no desea establecer un límite específico, deje el campo vacío.", @@ -2744,7 +2752,7 @@ "-1483251744": "Monto que envía", "-536126207": "Monto que recibe", "-486580863": "Transferir a", - "-71189928": "<0>Billeteras<1> - la mejor forma de organizar sus fondos", + "-1424352390": "<0>Wallets<1>: una forma más inteligente de administrar sus fondos", "-2146691203": "Elección del reglamento", "-249184528": "Puede crear cuentas reales según la normativa comunitaria o extracomunitaria. Haga clic en el <0><0/>icono para obtener más información sobre estas cuentas.", "-1505234170": "Tour por el Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Listar: ({{message_length}})", "-1616649196": "resultados", "-90107030": "Resultados no encontrados", - "-984140537": "Añadir", "-1373954791": "Debe ser un número válido", "-1278608332": "Por favor, ingrese un número entre 0 y {{api_max_losses}}.", "-287597204": "Establezca límites para detener su bot y evitar operar cuando se cumplen alguna de estas condiciones.", @@ -3174,6 +3181,7 @@ "-287223248": "Aún no hay transacciones ni actividad.", "-418247251": "Descargar su diario.", "-2123571162": "Descargar", + "-984140537": "Añadir", "-870004399": "<0>Comprado: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Filtros", "-186972150": "No hay mensajes para mostrar", @@ -3672,6 +3680,8 @@ "-453920758": "Ir al panel de control de {{platform_name_mt5}}", "-402175529": "Historial", "-1013917510": "El tiempo de reset es {{ reset_time }}", + "-925402280": "Punto Low indicativo", + "-1075414250": "Punto High", "-902712434": "Cancelación del contrato", "-988484646": "Cancelación del contrato (ejecutado)", "-444882676": "Cancelación del contrato (activo)", @@ -3694,7 +3704,6 @@ "-2036388794": "Crear una cuenta gratis", "-1813736037": "No se permiten más operaciones en este tipo de contrato durante la actual sesión de operaciones. Para más información, diríjase a nuestros <0>términos y condiciones.", "-590131162": "Permanezca en {{website_domain}}", - "-1444663817": "Ir a Binary.com", "-1526466612": "Ha seleccionado un tipo de operación que actualmente no es compatible, pero estamos trabajando en ello.", "-1043795232": "Posiciones recientes", "-153220091": "{{display_value}} Tick", diff --git a/packages/translations/src/translations/fr.json b/packages/translations/src/translations/fr.json index b917393f4134..43c1248fa9ba 100644 --- a/packages/translations/src/translations/fr.json +++ b/packages/translations/src/translations/fr.json @@ -501,6 +501,7 @@ "537788407": "Autres plateformes de CFD", "538017420": "0,5 pips", "538042340": "Principe 2 : la mise n'augmente que lorsqu'une transaction à perte est suivie d'une transaction fructueuse", + "538228086": "Close-Low", "541650045": "Gérer le mot de passe {{platform}}", "541700024": "Entrez d'abord votre numéro de permis de conduire et la date d'expiration.", "542038694": "Seuls les lettres, chiffres, espaces, tirets bas et traits d'union sont autorisés pour {{label}}.", @@ -598,6 +599,7 @@ "635884758": "Déposez et retirez Tether ERC20, une version du Tether hébergée sur la blockchain Ethereum.", "636219628": "<0>c. Si aucune opportunité de règlement n'est trouvée, la plainte passera à la phase de détermination qui sera traitée par la DRC.", "639382772": "Veuillez télécharger le type de fichier pris en charge.", + "640249298": "Normal", "640596349": "Vous n'avez pas encore reçu de notifications", "640730141": "Actualisez cette page pour redémarrer le processus de vérification d'identité", "641420532": "Nous vous avons envoyé un e-mail", @@ -658,6 +660,7 @@ "693933036": "Explorer la stratégie Oscar’s Grind dans Deriv Bot", "694035561": "Multipliers d'options de trading", "694089159": "Déposez et retirez des dollars australiens en utilisant des cartes de crédit ou de débit, des portefeuilles électroniques ou des virements bancaires.", + "696157141": "Point Low", "696735942": "Saisissez votre numéro d'identification national (NIN)", "696870196": "- Heure d'ouverture: l'horodatage d'ouverture", "697630556": "Ce marché est actuellement fermé.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Solde insuffisant", "734881840": "faux", + "739126643": "Point High indicatif", "742469109": "Réinitialiser le solde", "742570452": "<0>Deriv P2P n'est pas disponible dans les portefeuilles pour le moment.", "743623600": "Référence", @@ -863,7 +867,7 @@ "900646972": "page.", "902045490": "3 minutes", "903429103": "Dans la liste des bougies, lisez {{ candle_property }} # depuis la fin {{ input_number }}", - "904696726": "Jeton API", + "904696726": "Token de l'API", "905227556": "Les mots de passe forts contiennent au moins 8 caractères, combinent des lettres majuscules et minuscules et des chiffres.", "905564365": "CFD sur MT5", "906049814": "Nous examinerons votre document et reviendrons vers vous dans un délai de 5 minutes.", @@ -927,6 +931,7 @@ "969858761": "Principe 1 : la stratégie vise à réaliser potentiellement une unité de profit par session", "969987233": "Gagnez jusqu'au paiement maximum si le point de sortie se situe entre la barrière inférieure et supérieure, proportionnellement à la différence entre le point de sortie et la barrière inférieure.", "970915884": "UN", + "974888153": "High-Low", "975668699": "Je confirme et j'accepte les <0>conditions générales de {{company}}", "975950139": "Pays de résidence", "977929335": "Allez aux paramètres de mon compte", @@ -1347,6 +1352,7 @@ "1371193412": "Annuler", "1371555192": "Choisissez votre agent de paiement préféré et saisissez le montant de votre retrait. Si votre agent de paiement ne figure pas dans la liste, <0>recherchez-le à l'aide de son numéro de compte.", "1371641641": "Ouvrez le lien sur votre mobile", + "1371758591": "Profitez de transactions plus fluides et plus sécurisées dans plusieurs devises avec Wallets,<0> notre nouvelle Caisse améliorée.", "1371911731": "Les produits financiers dans l'UE sont proposés par {{legal_entity_name}}, titulaire d'une licence de prestataire de services d'investissement de catégorie 3 délivrée par la Malta Financial Services Authority (<0>Licence nº IS/70156).", "1373949314": "La stratégie Reverse Martingale consiste à augmenter votre mise après chaque transaction fructueuse et à revenir à la mise initiale pour chaque transaction infructueuse. Cela dans le but de garantir des profits potentiels grâce à des gains consécutifs.", "1374627690": "Max. solde du compte", @@ -1372,6 +1378,7 @@ "1397628594": "Solde insuffisant", "1400341216": "Nous examinerons votre document et reviendrons vers vous dans un délai de 1 à 3 jours.", "1400732866": "Vue depuis la caméra", + "1400962248": "High-Close", "1402208292": "Changer la case du texte", "1402300547": "Vérifions votre adresse", "1403376207": "Mettre à jour mes détails", @@ -1828,6 +1835,7 @@ "1851776924": "supérieur", "1854480511": "Caisse verrouillée", "1854874899": "Retour à la liste", + "1854909245": "Multiplier:", "1855566768": "Lister la position de l'élément", "1856485118": "Veuillez <0>renvoyer votre justificatif de domicile pour transférer des fonds entre les comptes MT5 et Deriv.", "1856755117": "Action en cours requise", @@ -2402,7 +2410,7 @@ "-807767876": "Remarque :", "-1117963487": "Nommez votre token et cliquez sur 'Créer' pour générer votre token.", "-2005211699": "Créer", - "-2115275974": "CFDs", + "-2115275974": "CFD", "-1879666853": "Deriv MT5", "-359585233": "Profitez d'une expérience de trading continue avec le compte fiat sélectionné. Notez qu'une fois que vous avez effectué votre premier dépôt ou créé un compte réel {{dmt5_label}}, la devise de votre compte ne peut plus être modifiée.", "-460645791": "Vous êtes limité à un seul compte fiat. Vous ne pourrez pas changer la devise de votre compte si vous avez déjà effectué un premier dépôt ou créé un compte réel {{dmt5_label}}.", @@ -2549,7 +2557,7 @@ "-844051272": "Je veux m'empêcher de trader.", "-1113965495": "Je ne suis plus intéressé par le trading.", "-1224285232": "Le service client n'était pas satisfaisant.", - "-1231402474": "Les applications connectées sont des applications autorisées associées à votre compte par le biais de votre jeton API ou du processus d'autorisation OAuth. Elles peuvent agir en votre nom dans les limites que vous avez définies.", + "-1231402474": "Les applications connectées sont des applications autorisées associées à votre compte par le biais de votre token de l’API ou du processus d'autorisation OAuth. Elles peuvent agir en votre nom dans les limites que vous avez définies.", "-506083843": "En tant qu'utilisateur, vous êtes responsable du partage de l'accès et des actions qui se produisent dans votre compte (même si elles ont été initiées par une application tierce en votre nom).", "-831752682": "Veuillez noter que seules les applications tierces seront affichées sur cette page. Les applications Deriv officielles n'apparaîtront pas ici.", "-1858215754": "Le document doit être à jour et signé par l'autorité de délivrance.", @@ -2744,7 +2752,7 @@ "-1483251744": "Montant que vous envoyez", "-536126207": "Montant que vous recevez", "-486580863": "Transfert vers", - "-71189928": "<0>Les portefeuilles<1> - le meilleur moyen d'organiser vos fonds", + "-1424352390": "<0>Wallets<1> — Une façon plus intelligente de gérer vos fonds", "-2146691203": "Choix de la réglementation", "-249184528": "Vous pouvez créer des comptes réels conformément à la réglementation applicable au sein/hors de l'UE. Cliquez sur l'<0><0/>icône pour en savoir plus sur ces comptes.", "-1505234170": "Visite du Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Liste: ({{message_length}})", "-1616649196": "résultats", "-90107030": "Aucun résultat trouvé", - "-984140537": "Ajouter", "-1373954791": "La saisie doit être un nombre valide", "-1278608332": "Veuillez saisir un nombre compris entre 0 et {{api_max_losses}}.", "-287597204": "Entrez des limites pour empêcher votre bot de négocier lorsque l'une de ces conditions est remplie.", @@ -3174,6 +3181,7 @@ "-287223248": "Aucune transaction ou activité pour l'instant.", "-418247251": "Téléchargez votre journal.", "-2123571162": "Télécharger", + "-984140537": "Ajouter", "-870004399": "<0>Acheté: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Filtres", "-186972150": "Il n'y a aucun message à afficher", @@ -3672,6 +3680,8 @@ "-453920758": "Aller sur le tableau de bord {{platform_name_mt5}}", "-402175529": "Historique", "-1013917510": "Heure de réinitialisation : {{ reset_time }}", + "-925402280": "Point Low indicatif", + "-1075414250": "Point High", "-902712434": "Offre annulation", "-988484646": "Offre annulation (réalisée)", "-444882676": "Offre annulation (active)", @@ -3694,7 +3704,6 @@ "-2036388794": "Créer un compte gratuit", "-1813736037": "Aucun autre trade n'est autorisé sur ce type de contrat pour la session de trading en cours. Pour plus d'informations, consultez nos <0>conditions générales.", "-590131162": "Restez sur {{website_domain}}", - "-1444663817": "Allez sur Binary.com", "-1526466612": "Vous avez sélectionné un type de trade qui n'est actuellement pas pris en charge, mais nous y travaillons.", "-1043795232": "Positions récentes", "-153220091": "{{display_value}} Tick", diff --git a/packages/translations/src/translations/it.json b/packages/translations/src/translations/it.json index 36c6bcabb539..bcd27fabfd54 100644 --- a/packages/translations/src/translations/it.json +++ b/packages/translations/src/translations/it.json @@ -501,6 +501,7 @@ "537788407": "Piattaforma di altri CFD", "538017420": "0,5 pips", "538042340": "Principio 2: la puntata aumenta solo quando un'operazione in perdita è seguita da un'operazione di successo", + "538228086": "Close-Low", "541650045": "Gestisci password {{platform}}", "541700024": "Innanzitutto, inserisci il numero della tua patente di guida e la data di scadenza.", "542038694": "Solo lettere, numeri, spazi, il trattino basso e il trattino sono consentiti per {{label}}.", @@ -598,6 +599,7 @@ "635884758": "Depositi e prelievi di Tether ERC20, una versione di Tether ospitata sulla blockchain di Ethereum.", "636219628": "<0>c.Se non è possibile raggiungere la risoluzione del reclamo, quest'ultimo passerà alla fase di determinazione condotta dalla DRC.", "639382772": "Caricare tipi di file supportati.", + "640249298": "Normale", "640596349": "Non hai ancora ricevuto notifiche", "640730141": "Ricarica la pagina per riavviare il procedimento di verifica dell'identità", "641420532": "Ti abbiamo inviato una e-mail", @@ -658,6 +660,7 @@ "693933036": "Esplorazione della strategia Oscar's Grind in Deriv Bot", "694035561": "Multipliers di opzioni commerciali", "694089159": "Depositi e prelievi di dollari australiani con carte di credito o di debito, portafogli elettronici o bonifici bancari.", + "696157141": "Punto Low", "696735942": "Inserisca il suo numero di identificazione nazionale (NIN)", "696870196": "- Orario d'apertura: il marcatore temporale d'inizio", "697630556": "Questo mercato è attualmente chiuso.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Saldo non sufficiente", "734881840": "falso", + "739126643": "Punto High indicativo", "742469109": "Ripristina saldo", "742570452": "<0>Deriv P2P non è disponibile nei portafogli in questo momento.", "743623600": "Riferimento", @@ -927,6 +931,7 @@ "969858761": "Principio 1: la strategia mira a realizzare potenzialmente un'unità di profitto per sessione", "969987233": "Vinci fino al payout massimo se il punto di uscita si trova tra la barriera inferiore e quella superiore, in proporzione alla differenza tra il punto di uscita e la barriera inferiore.", "970915884": "UN", + "974888153": "High-Low", "975668699": "Confermo e accetto i <0>termini e condizioni di {{company}}", "975950139": "Paese di residenza", "977929335": "Vai sulle impostazioni del conto", @@ -1347,6 +1352,7 @@ "1371193412": "Annulla", "1371555192": "Scegli il tuo agente di pagamento preferito e inserisci l'importo del prelievo. Se il tuo agente di pagamento non è presente nell'elenco, <0>cercalo utilizzando il suo numero di conto.", "1371641641": "Apri il link sul tuo smartphone", + "1371758591": "Goditi transazioni più fluide e sicure in più valute con Wallets – <0>la nostra nuova e migliorata Cassa.", "1371911731": "I prodotti finanziari nell'UE sono forniti da {{legal_entity_name}}, autorizzata come appartenente alla Categoria 3 dei fornitori di servizi di investimento dalla Malta Financial Services Authority (<0>licenza n. IS/70156).", "1373949314": "La strategia Reverse Martingale inversa prevede l'aumento della puntata dopo ogni operazione di successo e il ripristino della puntata iniziale per ogni operazione perdente, in quanto mira a garantire i potenziali profitti derivanti da vittorie consecutive.", "1374627690": "Saldo massimo del conto", @@ -1372,6 +1378,7 @@ "1397628594": "Fondi insufficienti", "1400341216": "Analizzeremo i documenti e ti aggiorneremo sul suo stato entro 1-3 giorni.", "1400732866": "Visualizza da fotocamera", + "1400962248": "High-Close", "1402208292": "Conversione minuscolo/maiuscolo", "1402300547": "Verifichiamo il suo indirizzo", "1403376207": "Aggiorna le mie informazioni", @@ -1828,6 +1835,7 @@ "1851776924": "superiore", "1854480511": "La cassa è bloccata", "1854874899": "Torna all'elenco", + "1854909245": "Multiplier:", "1855566768": "Posizione elemento nell'elenco", "1856485118": "<0>Invia nuovamente il documento a prova dell'indirizzo per trasferire fondi tra i conti MT5 e Deriv.", "1856755117": "In attesa dell'azione richiesta", @@ -2744,7 +2752,7 @@ "-1483251744": "Importo inviato", "-536126207": "Importo che riceve", "-486580863": "Trasferisci a", - "-71189928": "<0>Portafogli<1> - Il modo migliore per organizzare i suoi fondi", + "-1424352390": "<0>Wallets<1> — Un modo più intelligente per gestire i tuoi fondi", "-2146691203": "Scelta del regolamento", "-249184528": "Puoi creare conti reali in base a normative UE o extra UE. Fai clic sull'<0><0/>icona per saperne di più su questi conti.", "-1505234170": "Visita del Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Lista: ({{message_length}})", "-1616649196": "risultati", "-90107030": "Nessun risultato trovato", - "-984140537": "Aggiungi", "-1373954791": "Deve essere un numero valido", "-1278608332": "Inserire un numero compreso tra 0 e {{api_max_losses}}.", "-287597204": "Inserisci i limiti per bloccare i trade per il bot quando si verificano le condizioni seguenti.", @@ -3174,6 +3181,7 @@ "-287223248": "Non ci sono ancora transazioni o attività.", "-418247251": "Scarica il tuo registro.", "-2123571162": "Scarica", + "-984140537": "Aggiungi", "-870004399": "<0>Acquistato:{{longcode}} (ID: {{transaction_id}})", "-1211474415": "Filtri", "-186972150": "Nessun messaggio da mostrare", @@ -3672,6 +3680,8 @@ "-453920758": "Vai sul dashboard {{platform_name_mt5}}", "-402175529": "Cronologia", "-1013917510": "La data di reset è {{ reset_time }}", + "-925402280": "Punto Low indicativo", + "-1075414250": "Punto High", "-902712434": "Cancellazione", "-988484646": "Cancellazione (conclusa)", "-444882676": "Cancellazione (attiva)", @@ -3694,7 +3704,6 @@ "-2036388794": "Crea un conto gratuito", "-1813736037": "Non si permettono ulteriori trade su questo tipo di contratto per la sessione di trading in corso. Per maggiori informazione, consulta i <0>termini e condizioni.", "-590131162": "Rimani su {{website_domain}}", - "-1444663817": "Vai su Binary.com", "-1526466612": "Hai selezionato un tipo di trade che non è ancora disponibile, ma ci stiamo lavorando.", "-1043795232": "Posizioni recenti", "-153220091": "{{display_value}} tick", diff --git a/packages/translations/src/translations/ko.json b/packages/translations/src/translations/ko.json index 133dc23181be..69d375d91cd3 100644 --- a/packages/translations/src/translations/ko.json +++ b/packages/translations/src/translations/ko.json @@ -501,6 +501,7 @@ "537788407": "기타 CFD 플랫폼", "538017420": "0.5 핍", "538042340": "원칙 2: 손실 거래 후 성공 거래가 이어질 때만 지분이 증가합니다", + "538228086": "Close-Low", "541650045": "{{platform}} 비밀번호 관리", "541700024": "먼저, 귀하의 운전면허증 번호와 만료일을 입력하세요.", "542038694": "{{label}} 에 대해서 오직 문자, 숫자, 띄어쓰기, 밑줄 및 하이픈만 허용됩니다.", @@ -598,6 +599,7 @@ "635884758": "이더리움 블록체인에서 호스팅되는 테더의 버전인 테더 ERC20을 입금 및 출금할 수 있습니다.", "636219628": "<0>c.합의 기회가 없는 경우, 해당 불만은 결정 단계로 진행되어 DRC에서 처리됩니다.", "639382772": "지원되는 파일 유형을 업로드해 주세요.", + "640249298": "보통", "640596349": "귀하께서는 아직 알림을 받지 않으셨습니다", "640730141": "이 페이지를 새로고침하여 신원 검증 절차를 재시작하세요", "641420532": "귀하에게 이메일을 보내드렸습니다", @@ -658,6 +660,7 @@ "693933036": "Deriv Bot에서 Oscar’s Grind 전략 살펴보기", "694035561": "트레이드 옵션 Multipliers", "694089159": "신용카드나 직불카드, 전자지갑 또는 은행 송금을 사용하여 호주 달러를 입금 및 출금할 수 있습니다.", + "696157141": "Low 스팟", "696735942": "주민등록번호 (NIN) 를 입력하세요.", "696870196": "- 시작 시간: 시작 타임 스탬프", "697630556": "이 시장은 현재 개설되어 있지 않습니다.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "부족한 잔액", "734881840": "거짓", + "739126643": "대표적인 High점", "742469109": "잔액 재설정", "742570452": "현재 지갑에서는 <0>파생 P2P를 사용할 수 없습니다.", "743623600": "참조", @@ -927,6 +931,7 @@ "969858761": "원칙 1: 전략은 세션당 한 단위의 수익을 창출하는 것을 목표로 합니다", "969987233": "만약 출구부가 하위 장벽과 상위 장벽사이일 경우 출구부와 하위 장벽 사이의 차이에 비례하여 최대 지불금까지 획득하세요.", "970915884": " ", + "974888153": "High-Low", "975668699": "저는 {{company}} 의 <0>이용약관에 동의 및 수락합니다", "975950139": "거주 국가", "977929335": "나의 계좌 설정으로 가기", @@ -1347,6 +1352,7 @@ "1371193412": "취소", "1371555192": "선호하시는 결제 에이전트를 선택하시고 인출 금액을 입력하세요. 귀하의 결제 에이전트가 목록에 없다면, <0>이들의 계좌번호를 사용하여 검색하세요.", "1371641641": "귀하의 휴대폰에서 해당 링크를 여세요", + "1371758591": "새롭게 개선된 계산원인 <0>Wallets을 사용하여 여러 통화로 더욱 원활하고 안전한 거래를 즐겨보세요.", "1371911731": "유럽의 금융 상품들은 몰타 금융 서비스 당국 (<0>라이센스 번호. IS/70156) 에 의해 카테고리 3 투자 서비스 제공자로 인가된 {{legal_entity_name}} 에 의해 제공됩니다.", "1373949314": "Reverse Martingale 전략은 성공적인 거래를 할 때마다 지분을 늘리고, 연속 승리로 인한 잠재적 이익을 확보하는 것을 목표로 하기 때문에 모든 손실이 발생할 때마다 초기 지분으로 재설정하는 것을 포함합니다.", "1374627690": "최대 계좌 잔액", @@ -1372,6 +1378,7 @@ "1397628594": "부족한 잔액", "1400341216": "저희는 귀하의 문서를 검토할 것이며 해당 상태에 대하여 1에서 3일 내로 귀하에게 공지해 드릴 것입니다.", "1400732866": "카메라에서 보기", + "1400962248": "High-Close", "1402208292": "텍스트 케이스 변경하기", "1402300547": "주소 인증 받기", "1403376207": "나의 세부사항 업데이트 하기", @@ -1828,6 +1835,7 @@ "1851776924": "상위", "1854480511": "캐셔가 잠겨 있습니다", "1854874899": "목록으로 돌아가기", + "1854909245": "Multiplier:", "1855566768": "목록 항목 포지션", "1856485118": "MT5 및 Deriv 계정 간에 자금을 이체하시기 위해서 귀하의 주소 증명을 <0>다시 제출해 주시기 바랍니다.", "1856755117": "요구되는 작업이 보류 중입니다", @@ -2744,7 +2752,7 @@ "-1483251744": "송금 금액", "-536126207": "수령 금액", "-486580863": "다음으로 전송하기", - "-71189928": "<0>지갑<1> - 자금을 정리하는 가장 좋은 방법", + "-1424352390": "<0>Wallets<1> — 자금을 더 스마트하게 관리하는 방법", "-2146691203": "규제 항목 선택", "-249184528": "EU 또는 비 EU 규정에 따라 실제 계정을 만들 수 있습니다.<0><0/>아이콘을 클릭하면 해당 계정에 대해 자세히 알아볼 수 있습니다.", "-1505234170": "Trader's Hub 투어", @@ -3049,7 +3057,6 @@ "-254421190": "목록: ({{message_length}})", "-1616649196": "결과", "-90107030": "결과가 발견되지 않았습니다", - "-984140537": "추가하기", "-1373954791": "유효한 숫자여야 합니다", "-1278608332": "0과 {{api_max_losses}} 사이에 있는 숫자를 입력해주시기 바랍니다.", "-287597204": "다음의 조건이 충족되었을 때에 귀하의 봇이 거래를 중단하기 위한 제한을 입력하세요.", @@ -3174,6 +3181,7 @@ "-287223248": "아직 거래나 활동이 없습니다.", "-418247251": "귀하의 저널을 다운로드하세요.", "-2123571162": "다운로드", + "-984140537": "추가하기", "-870004399": "<0>매입완료: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "필터", "-186972150": "표시할 메시지가 없습니다", @@ -3672,6 +3680,8 @@ "-453920758": "{{platform_name_mt5}} 대시보드로 이동", "-402175529": "내역", "-1013917510": "재설정 시간은 {{ reset_time }} 입니다", + "-925402280": "대표적인 Low점", + "-1075414250": "High 스팟", "-902712434": "거래 취소", "-988484646": "거래 취소 (실행됨)", "-444882676": "거래 취소 (활성화됨)", @@ -3694,7 +3704,6 @@ "-2036388794": "무료 계좌 생성하기", "-1813736037": "현재의 거래 세션에서는 이 계약 유형에 대하여 더 이상 거래가 허용되지 않습니다. 자세한 내용은, <0>이용약관을 참조하시기 바랍니다.", "-590131162": "{{website_domain}} 에 머무르기", - "-1444663817": "Binary.com으로 가기", "-1526466612": "귀하께서는 현재 지원되지 않는 거래 종류를 선택하셨습니다, 하지만 우리는 시도하고 있습니다.", "-1043795232": "최근 포지션", "-153220091": "{{display_value}} 틱", diff --git a/packages/translations/src/translations/pl.json b/packages/translations/src/translations/pl.json index d8ccb126fc8e..c25b908a365b 100644 --- a/packages/translations/src/translations/pl.json +++ b/packages/translations/src/translations/pl.json @@ -501,6 +501,7 @@ "537788407": "Inne platformy CFD", "538017420": "0,5 pipsa", "538042340": "Zasada 2: Stawka wzrasta tylko wtedy, gdy po transakcji stratowej następuje udana transakcja", + "538228086": "Close-Low", "541650045": "Zarządzaj hasłem {{platform}}", "541700024": "Najpierw wprowadź numer swojego prawa jazdy i datę ważności.", "542038694": "W przypadku {{label}} akceptowane są wyłącznie litery, cyfry, znak spacji i podkreślenia oraz łącznik.", @@ -598,6 +599,7 @@ "635884758": "Wpłacać i wypłacać Tether ERC20, wersję Tether hostowaną na blockchainie Ethereum.", "636219628": "<0>c.Jeżeli nie będzie możliwe dojście do porozumienia, skarga zostanie skierowana do fazy rozstrzygania prowadzonej przez DRC.", "639382772": "Prześlij obsługiwany typ pliku.", + "640249298": "Normalny", "640596349": "Nie otrzymano jeszcze żadnych powiadomień", "640730141": "Odśwież tę stronę, aby rozpocząć ponownie proces weryfikacji tożsamości", "641420532": "Wysłaliśmy Ci wiadomość e-mail", @@ -658,6 +660,7 @@ "693933036": "Odkrywanie strategii Oscar’s Grind w Deriv Bot", "694035561": "Multipliers opcji handlowych", "694089159": "Wpłacać i wypłacać dolary australijskie za pomocą kart kredytowych lub debetowych, e-portfeli lub przelewów bankowych.", + "696157141": "Low punkt", "696735942": "Wprowadź swój krajowy numer identyfikacyjny (NIN)", "696870196": "- Czas otwarcia: otwierający znacznik czasu", "697630556": "Ten rynek jest obecnie zamknięty.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Niewystarczające saldo", "734881840": "fałsz", + "739126643": "Orientacyjny High punkt", "742469109": "Resetuj saldo", "742570452": "<0>Deriv P2P jest obecnie niedostępny w portfelach.", "743623600": "Odwołanie", @@ -927,6 +931,7 @@ "969858761": "Zasada 1: Strategia ma na celu potencjalnie osiągnięcie jednej jednostki zysku na sesję", "969987233": "Zyskaj wygraną w wysokości nawet maksymalnej wypłaty, jeśli punkt wyjściowy będzie mieścił się w przedziale między dolnym a górnym limitem, proporcjonalnie do różnicy między punktem wyjściowym a dolnym limitem.", "970915884": " ", + "974888153": "High-Low", "975668699": "Potwierdzam i akceptuję <0>Regulamin {{company}}", "975950139": "Kraj zamieszkania", "977929335": "Przejdź do ustawień swojego konta", @@ -1347,6 +1352,7 @@ "1371193412": "Anuluj", "1371555192": "Wybierz preferowanego agenta płatności i wprowadź kwotę wypłaty. Jeśli Twojego agenta płatniczego nie ma na liście, <0>wyszukaj go, używając numeru konta.", "1371641641": "Otwórz link na swoim urządzeniu", + "1371758591": "Ciesz się płynniejszymi i bezpieczniejszymi transakcjami w wielu walutach dzięki Wallets – <0>\nnas zemu nowemu i ulepszonemu kasjerowi.", "1371911731": "W UE produkty finansowe są oferowane przez {{legal_entity_name}}, objętą licencją Urzędu ds. Usług Finansowych na Malcie: Malta Financial Services Authority jako firma świadcząca usługi inwestycyjne kategorii 3 (<0>Licencja o nr IS/70156).", "1373949314": "Strategia Reverse Martingale polega na zwiększaniu stawki po każdej udanej transakcji i resetowaniu do początkowej stawki za każdą przegraną transakcję, ponieważ ma na celu zabezpieczenie potencjalnych zysków z kolejnych wygranych.", "1374627690": "Maksymalne saldo konta", @@ -1372,6 +1378,7 @@ "1397628594": "Niewystarczające środki", "1400341216": "Sprawdzimy Twoje dokumenty i powiadomimy Cię o statusie w ciągu 1-3 dni.", "1400732866": "Widok z aparatu", + "1400962248": "High-Close", "1402208292": "Zmień wielkość liter tekstu", "1402300547": "Zweryfikujemy Twój adres", "1403376207": "Zaktualizuj moje dane", @@ -1828,6 +1835,7 @@ "1851776924": "wyższy", "1854480511": "Sekcja Kasjer jest zablokowana", "1854874899": "Wróć do listy", + "1854909245": "Multiplier:", "1855566768": "Pozycja elementu na liście", "1856485118": "Prosimy o <0>ponowne przesłanie dowodu adresu, aby przelać środki między kontem MT5 i Deriv.", "1856755117": "Wymagane działanie w toku", @@ -2744,7 +2752,7 @@ "-1483251744": "Kwota, którą Państwo wysyłają", "-536126207": "Kwota, którą Państwo otrzymują", "-486580863": "Przelew do", - "-71189928": "<0>Portfele<1> - najlepszy sposób na zorganizowanie Państwa funduszy", + "-1424352390": "<0>Wallets<1> — mądrzejszy sposób na zarządzanie środkami", "-2146691203": "Wybór regulacji", "-249184528": "Możesz tworzyć konta rzeczywiste zgodnie z przepisami UE lub spoza UE. Kliknij <0><0/>ikonę, aby dowiedzieć się więcej o tych kontach.", "-1505234170": "Wycieczka po Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Lista: ({{message_length}})", "-1616649196": "wyniki", "-90107030": "Nie znaleziono wyników", - "-984140537": "Dodaj", "-1373954791": "Powinien to być prawidłowy numer", "-1278608332": "Proszę wpisać liczbę od 0 do {{api_max_losses}}.", "-287597204": "Wprowadź limity, aby bot przestał inwestować, gdy spełnione zostaną określone warunki.", @@ -3174,6 +3181,7 @@ "-287223248": "Brak transakcji lub aktywności.", "-418247251": "Pobierz rejestr.", "-2123571162": "Pobierz", + "-984140537": "Dodaj", "-870004399": "<0>Kupiono: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Filtry", "-186972150": "Nie ma wiadomości do wyświetlenia", @@ -3672,6 +3680,8 @@ "-453920758": "Przejdź do pulpitu {{platform_name_mt5}}", "-402175529": "Historia", "-1013917510": "Czas resetowania to {{ reset_time }}", + "-925402280": "Orientacyjny Low punkt", + "-1075414250": "High punkt", "-902712434": "Anulowanie transakcji", "-988484646": "Anulowanie transakcji (wykonano)", "-444882676": "Anulowanie transakcji (aktywne)", @@ -3694,7 +3704,6 @@ "-2036388794": "Załóż darmowe konto", "-1813736037": "Nie jest dozwolone dalsze inwestowanie w ten kontrakt w obecnej sesji. Aby uzyskać więcej informacji, zapoznaj się z naszym <0>regulaminem.", "-590131162": "Zostań na {{website_domain}}", - "-1444663817": "Idź do Binary.com", "-1526466612": "Wybrano rodzaj zakładu, który nie jest obecnie obsługiwany, ale pracujemy nad tym.", "-1043795232": "Ostatnie pozycje", "-153220091": "{{display_value}} Tick", diff --git a/packages/translations/src/translations/pt.json b/packages/translations/src/translations/pt.json index a8c5d234bcb5..116d9846ac51 100644 --- a/packages/translations/src/translations/pt.json +++ b/packages/translations/src/translations/pt.json @@ -501,6 +501,7 @@ "537788407": "Outra Plataforma de CFDs", "538017420": "0.5 pips", "538042340": "Princípio 2: O montante da entrada só aumenta quando uma negociação com perdas é seguida de uma negociação bem sucedida", + "538228086": "Close-Low", "541650045": "Gerir a palavra-passe {{platform}}", "541700024": "Primeiro, introduza o número da carta de condução e a data de validade.", "542038694": "Só são permitidas letras, números, espaços, underscores e hífenes para {{label}}.", @@ -598,6 +599,7 @@ "635884758": "Deposite e levante Tether ERC20, uma versão da Tether alojada na Ethereum blockchain.", "636219628": "<0>c.Se não for possível encontrar uma solução, a reclamação segue para a fase de apuramento a ser tratada pelo Comité de Resolução de Litígios (DRC).", "639382772": "Por favor, carregue um tipo de ficheiro suportado.", + "640249298": "Normal", "640596349": "Sem notificações", "640730141": "Atualizar a página para reiniciar o processo de validação de identidade", "641420532": "Enviámos-lhe um e-mail", @@ -658,6 +660,7 @@ "693933036": "Explorar a estratégia Oscar's Grind na Deriv Bot", "694035561": "Multipliers de Options de Negociação", "694089159": "Deposite e levante dólares australianos através de cartões de crédito ou débito, carteiras digitais ou transferências bancárias.", + "696157141": "Low spot", "696735942": "Introduza o seu Número de Identificação Nacional (NIN)", "696870196": "- Open time: hora de inicio", "697630556": "Este mercado está atualmente encerrado.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Saldo insuficiente", "734881840": "false", + "739126643": "Hight spot indicativo", "742469109": "Repor saldo", "742570452": "<0>Deriv P2P não está disponível nas Carteiras neste momento.", "743623600": "Referência", @@ -927,6 +931,7 @@ "969858761": "Princípio 1: A estratégia visa obter potencialmente uma unidade de lucro por sessão", "969987233": "Receba o pagamento máximo se o preço de fecho estiver entre a barreira inferior e superior, proporcionalmente à diferença entre o preço de fecho e a barreira inferior.", "970915884": "AN", + "974888153": "High-Low", "975668699": "Confirmo e aceito os <0>Termos e Condições da {{company}}", "975950139": "País de residência", "977929335": "Aceder às definições da minha conta", @@ -1347,6 +1352,7 @@ "1371193412": "Cancelar", "1371555192": "Escolha o seu agente de pagamentos preferido e introduza o valor do levantamento. Se o seu agente de pagamentos não constar da lista, <0>procure-o utilizando o número da conta.", "1371641641": "Abra o link no seu telemóvel", + "1371758591": "Desfrute de transações mais simples e seguras em diversas moedas com a Wallets - <0>a nossa nova e melhorada Caixa.", "1371911731": "Os produtos financeiros na União Europeia são oferecidos pela {{legal_entity_name}}, licenciada como prestadora de serviços de investimento de categoria 3 pela Malta Financial Services Authority<0>(Licença n. º IS/70156).", "1373949314": "A estratégia Reverse Martingale envolve o aumento da sua entrada após cada negociação bem sucedida e repõe a entrada inicial para cada negociação perdida, dado que visa assegurar lucros potenciais de vitórias consecutivas.", "1374627690": "Saldo máximo da conta", @@ -1372,6 +1378,7 @@ "1397628594": "Fundos insuficientes", "1400341216": "Analisaremos os seus documentos e notificaremos sobre o seu status no prazo de 3 dias.", "1400732866": "Imagem da câmara", + "1400962248": "High-Close", "1402208292": "Alterar maiúsculas e minúsculas", "1402300547": "Vamos proceder à validação do seu endereço", "1403376207": "Atualizar os meus dados", @@ -1828,6 +1835,7 @@ "1851776924": "superior", "1854480511": "A caixa está bloqueada", "1854874899": "Voltar à lista", + "1854909245": "Multiplier:", "1855566768": "Posição do item da lista", "1856485118": "<0>Reenvie o seu comprovativo de morada para transferir fundos entre as contas MT5 e Deriv.", "1856755117": "Ação pendente necessária", @@ -2744,7 +2752,7 @@ "-1483251744": "Montante enviado", "-536126207": "Montante recebido", "-486580863": "Transferir para", - "-71189928": "<0>Carteiras<1> - a melhor forma de organizar os seus fundos", + "-1424352390": "<0>Wallets<1> - Uma forma mais inteligente de gerir os seus fundos", "-2146691203": "Escolha de regulamentação", "-249184528": "Pode criar contas reais ao abrigo da regulamentação da UE ou de países não pertencentes à UE. Clique no ícone <0><0/> para saber mais sobre estas contas.", "-1505234170": "Visita ao Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Lista: ({{message_length}})", "-1616649196": "resultados", "-90107030": "Nenhum resultado encontrado", - "-984140537": "Adicionar", "-1373954791": "O número deve ser válido", "-1278608332": "Por favor, introduza um número entre 0 e {{api_max_losses}}.", "-287597204": "Defina limites para impedir que o seu bot negoceie quando alguma destas condições for atingida.", @@ -3174,6 +3181,7 @@ "-287223248": "Nenhuma transação ou atividade até o momento.", "-418247251": "Descarregue o seu diário.", "-2123571162": "Transferir", + "-984140537": "Adicionar", "-870004399": "<0>Comprado: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Filtros", "-186972150": "Não há mensagens para exibir", @@ -3672,6 +3680,8 @@ "-453920758": "Vá para o painel {{platform_name_mt5}}", "-402175529": "Histórico", "-1013917510": "O tempo de reposição é {{ reset_time }}", + "-925402280": "Low spot indicativo", + "-1075414250": "High spot", "-902712434": "Deal cancellation", "-988484646": "Deal cancellation (executado)", "-444882676": "Deal cancellation (ativo)", @@ -3694,7 +3704,6 @@ "-2036388794": "Criar uma conta gratuita", "-1813736037": "Não são permitidas mais negociações neste tipo de contrato para a sessão de negociação atual. Para mais informações, consulte os nossos <0>termos e condições.", "-590131162": "Fique na {{website_domain}}", - "-1444663817": "Aceder a Binary.com", "-1526466612": "Selecionou um tipo de negociação que não está atualmente disponível, mas estamos a trabalhar nisso.", "-1043795232": "Posições recentes", "-153220091": "{{display_value}} Tick", diff --git a/packages/translations/src/translations/ru.json b/packages/translations/src/translations/ru.json index 3bac3a085333..c022852b3e85 100644 --- a/packages/translations/src/translations/ru.json +++ b/packages/translations/src/translations/ru.json @@ -501,6 +501,7 @@ "537788407": "Другие платформы CFD", "538017420": "0.5 пипсов", "538042340": "Принцип 2: Ставка увеличивается только тогда, когда за убыточной сделкой следует успешная.", + "538228086": "Close-Low", "541650045": "Управление паролем {{platform}}", "541700024": "Сначала введите номер водительских прав и дату истечения срока действия.", "542038694": "Для {{label}} разрешены только буквы, цифры, пробел, нижнее подчёркивание, и дефис.", @@ -598,6 +599,7 @@ "635884758": "Пополнение счета и вывод средств в Tether ERC20, версия Tether на блокчейне Ethereum.", "636219628": "<0>c.Если не удастся найти возможность урегулировать спор, DRC перейдет к этапу определения.", "639382772": "Пожалуйста, загрузите файл в поддерживаемом формате.", + "640249298": "Нормальный", "640596349": "У вас пока нет уведомлений", "640730141": "Обновите эту страницу, чтобы перезапустить процесс проверки личности.", "641420532": "Мы отправили вам письмо", @@ -658,6 +660,7 @@ "693933036": "Изучение стратегии Oscar's Grind в Deriv Bot", "694035561": "Торговать multipliers опционов", "694089159": "Пополнение и вывод средств в австралийских долларах с помощью кредитных и дебетовых карт, электронных кошельков или банковских переводов.", + "696157141": "Low место", "696735942": "Введите свой национальный идентификационный номер (NIN)", "696870196": "- Время открытия: отметка времени открытия", "697630556": "В настоящее время этот рынок закрыт.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Недостаточно средств на счете", "734881840": "неверно", + "739126643": "Ориентировочная High точка", "742469109": "Сбросить баланс", "742570452": "В настоящее время <0>Deriv P2P недоступен в кошельках.", "743623600": "Номер", @@ -927,6 +931,7 @@ "969858761": "Принцип 1: Стратегия направлена на потенциальное получение одной единицы прибыли за сессию", "969987233": "Получите максимальную выплату, если спот-котировка на выходе будет находиться между нижним и верхним барьером, в соответствии с разницей между спот-котировкой на выходе и нижним барьером.", "970915884": " ", + "974888153": "High-Low", "975668699": "Я принимаю <0>правила и условия {{company}}", "975950139": "Страна проживания", "977929335": "Перейти в настройки счета", @@ -1347,6 +1352,7 @@ "1371193412": "Отменить", "1371555192": "Выберите платежного агента и введите сумму вывода. Если вашего платежного агента нет в списке, <0>найдите его по номеру счета.", "1371641641": "Откройте ссылку на своем телефоне", + "1371758591": "Наслаждайтесь более удобными и безопасными транзакциями в нескольких валютах с помощью Wallets —<0> нашего нового улучшенного Касса.", "1371911731": "Финансовые продукты в ЕС предоставляются компанией {{legal_entity_name}}, лицензированной Мальтийским управлением финансовых услуг в качестве поставщика инвестиционных услуг 3-й категории (<0>лицензия # IS/70156).", "1373949314": "Стратегия Reverse Martingale предполагает увеличение ставки после каждой успешной сделки и возврат к первоначальной ставке за каждую убыточную сделку, поскольку она направлена на получение потенциальной прибыли от последовательных выигрышей.", "1374627690": "Макс. баланс счета", @@ -1372,6 +1378,7 @@ "1397628594": "Недостаточно средств", "1400341216": "Мы проверим ваши документы и сообщим об их статусе в течение 1-3 дней.", "1400732866": "Вид с камеры", + "1400962248": "High-Close", "1402208292": "Изменить регистр текста", "1402300547": "Давайте проверим Ваш адрес", "1403376207": "Обновить мои данные", @@ -1828,6 +1835,7 @@ "1851776924": "верхн.", "1854480511": "Касса заблокирована", "1854874899": "Назад к списку", + "1854909245": "Multiplier:", "1855566768": "Позиция элемента списка", "1856485118": "<0>Отправьте подтверждение адреса еще раз, чтобы переводить средства между счетами MT5 и Deriv.", "1856755117": "Требуется отложенное действие", @@ -2744,7 +2752,7 @@ "-1483251744": "Сумма, которую Вы отправляете", "-536126207": "Сумма, которую Вы получаете", "-486580863": "Перевести на счёт", - "-71189928": "<0>Кошельки<1> - лучший способ организации Ваших средств", + "-1424352390": "<0>Wallets<1> — более эффективный способ управления средствами", "-2146691203": "Выбор регулятора", "-249184528": "Можно открыть счет под юрисдикцией регулятора в ЕС или за его пределами. Нажмите <0><0/>, чтобы узнать больше об этих счетах.", "-1505234170": "Тур по Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Список: ({{message_length}})", "-1616649196": "результаты", "-90107030": "Результатов не найдено", - "-984140537": "Добавить", "-1373954791": "Введите правильное число", "-1278608332": "Пожалуйста, введите число от 0 до {{api_max_losses}}.", "-287597204": "Установите лимиты, чтобы ваш бот не торговал, когда выполняется любое из этих условий.", @@ -3174,6 +3181,7 @@ "-287223248": "Пока нет ни одной транзакции или активности.", "-418247251": "Загрузить журнал.", "-2123571162": "Загрузить", + "-984140537": "Добавить", "-870004399": "<0>Куплено: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Фильтры", "-186972150": "Нет сообщений для отображения", @@ -3672,6 +3680,8 @@ "-453920758": "Перейти на панель {{platform_name_mt5}}", "-402175529": "История", "-1013917510": "Время Reset: {{ reset_time }}", + "-925402280": "Ориентировочная Low точка", + "-1075414250": "High место", "-902712434": "Отмена сделки", "-988484646": "Отмена сделки (выполнена)", "-444882676": "Отмена сделки (активна)", @@ -3694,7 +3704,6 @@ "-2036388794": "Открыть бесплатный счет", "-1813736037": "Вы больше не можете торговать этим типом контракта в текущей торговой сессии. Дополнительную информацию см. в наших <0>правилах и условиях.", "-590131162": "Остаться на {{website_domain}}", - "-1444663817": "Перейти на Binary.com", "-1526466612": "Выбранный тип контракта в настоящее время не поддерживается. Мы работаем над этим.", "-1043795232": "Недавние позиции", "-153220091": "{{display_value}} Тик", diff --git a/packages/translations/src/translations/si.json b/packages/translations/src/translations/si.json index d2602db56058..f142aa90484c 100644 --- a/packages/translations/src/translations/si.json +++ b/packages/translations/src/translations/si.json @@ -501,6 +501,7 @@ "537788407": "වෙනත් CFD වේදිකා", "538017420": "ලක්ෂ්‍යයේ ප්‍රතිශත (pips) 0.5", "538042340": "මූලධර්මය 2: අලාභ ලබන ගනුදෙනුවකට පසු සාර්ථක ගනුදෙනුවක් සිදු වුවහොත් පමණක් කොටස් වැඩි වේ", + "538228086": "Close-Low", "541650045": "{{platform}} මුරපදය කළමනාකරණය කරන්න", "541700024": "පළමුව, ඔබගේ රියදුරු බලපත්‍ර අංකය සහ සහ එය කල් ඉකුත් වන දිනය ඇතුළත් කරන්න.", "542038694": "{{label}} සඳහා අවසර ඇත්තේ අකුරු, ඉලක්කම්, අවකාශ, යටි ඉර සහ හයිපන පමණි.", @@ -598,6 +599,7 @@ "635884758": "Ethereum blockchain හි සත්කාරකත්වය සපයන Tether හි අනුවාදයක් වන Tether ERC20 හි තැන්පත් කිරීම සහ ආපසු ගැනීම.", "636219628": "<0>c.පියවීමට අවස්ථාවක් සොයාගත නොහැකි නම්, පැමිණිල්ල DRC විසින් හසුරුවන නිර්ණය කිරීමේ අදියර කරා ගමන් කරනු ඇත.", "639382772": "කරුණාකර සහය දක්වන ගොනු වර්ගයක් උඩුගත කරන්න.", + "640249298": "සාමාන්‍යයි", "640596349": "ඔබට තවමත් කිසිදු දැනුම්දීමක් ලැබී නැත", "640730141": "අනන්‍යතා සත්‍යාපනය ක්‍රියාවලිය නැවත ආරම්භ කිරීම සඳහා මෙම පිටුව නැවුම් කරන්න", "641420532": "අපි ඔබට ඊ-තැපෑලක් එවා ඇත", @@ -658,6 +660,7 @@ "693933036": "Deriv බොට් හි Oscar’s Grind උපාය මාර්ගය ගවේෂණය කිරීම", "694035561": "ගනුදෙනු විකල්ප multipliers", "694089159": "ණය හෝ හර​ කාඩ්පත්, ඊ-පසුම්බි හෝ බැංකු වයර් භාවිතයෙන් ඕස්ට්‍රේලියානු ඩොලර් තැන්පත් කිරීම සහ ආපසු ගැනීම.", + "696157141": "Low ස්ථානය", "696735942": "ඔබේ ජාතික හැඳුනුම් අංකය (NIN) ඇතුළත් කරන්න", "696870196": "- විවෘත වේලාව: ආරම්භක කාල​ මුද්‍රාව​", "697630556": "මෙම වෙළඳපල දැනට වසා ඇත.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "ප්‍රමාණවත් නොවන ශේෂය", "734881840": "අසත්‍ය", + "739126643": "දර්ශනීය High ස්ථානය", "742469109": "ශේෂය යළි සකසන්න", "742570452": "මෙම අවස්ථාවේදී <0>Deriv P2P පසුම්බි තුළ ලබා ගත නොහැක.", "743623600": "යොමුව", @@ -927,6 +931,7 @@ "969858761": "මූලධර්මය 1: උපායමාර්ගයේ අරමුණ වන්නේ එක් සැසියකට ලාභ ඒකක එකක් ඉපැයීමයි", "969987233": "පිටවීමේ ස්ථානය සහ පහළ බාධකය අතර වෙනසට සමානුපාතිකව, පිටවීමේ ස්ථානය පහළ සහ ඉහළ බාධක අතර පිහිටයි නම් උපරිම ගෙවීමක් දිනා ගන්න.", "970915884": "AN", + "974888153": "High-Low", "975668699": "මම {{company}} හි <0>නියම සහ කොන්දේසි තහවුරු කර පිළිගනිමි", "975950139": "පදිංචි රට", "977929335": "මගේ ගිණුම් සැකසීම් වෙත යන්න", @@ -1347,6 +1352,7 @@ "1371193412": "අවලංගු කරන්න", "1371555192": "ඔබ කැමති ගෙවීම් නියෝජිතයා තෝරා ඔබේ ආපසු ගැනීමේ මුදල ඇතුළත් කරන්න. ඔබේ ගෙවීම් නියෝජිතයා ලැයිස්තුගත කර නොමැති නම්, <0>ඔවුන්ගේ ගිණුම් අංකය භාවිතයෙන් ඔවුන්ව සොයා ගන්න.", "1371641641": "ඔබගේ ජංගම දුරකථනයේ සබැඳිය විවෘත කරන්න", + "1371758591": "<0>අපගේ නව සහ වැඩිදියුණු කරන ලද කැෂියර් – Wallets සමඟ බහු මුදල් වලින් සුමට සහ වඩාත් ආරක්ෂිත ගනුදෙනු භුක්ති විඳින්න.", "1371911731": "යුරෝපීය සංගමයේ මූල්‍ය නිෂ්පාදන පිරිනමන {{legal_entity_name}}, Malta Financial Services Authority (<0>බලපත්‍ර අංකය IS/70156) වෙතින් 3 වන කාණ්ඩයේ ආයෝජන සේවා සපයන්නෙකු ලෙස බලපත්‍ර ලබා ඇත.", "1373949314": "ප්‍රතිලෝම Martingale උපාය මාර්ගය අඛණ්ඩ ලාභවලින් විභව ලාභ ලබා ගැනීම අරමුණු කර ගෙන ඇති බැවින්, එක් එක් සාර්ථක ගනුදෙනුවෙන් පසු ඔබේ කොටස් වැඩි කිරීම සහ අහිමි වන සෑම ගනුදෙනුවක් සඳහාම ආරම්භක කොටස් වෙත නැවත සැකසීම එයට ඇතුළත් වේ.", "1374627690": "උපරිම ගිණුම් ශේෂය", @@ -1372,6 +1378,7 @@ "1397628594": "ප්‍රමාණවත් නොවන අරමුදල්", "1400341216": "අපි ඔබේ ලේඛන සමාලෝචනය කර දින 1-3 අතර කාලය ඇතුළත එහි තත්ත්වය ඔබට දන්වන්නෙමු.", "1400732866": "කැමරාවෙන් බලන්න", + "1400962248": "High-Close", "1402208292": "පාඨ ස්වභාවය වෙනස් කරයි", "1402300547": "අපි ඔබේ ලිපිනය සත්‍යාපනය කර ගනිමු", "1403376207": "මගේ විස්තර යාවත්කාලීන කරන්න", @@ -1828,6 +1835,7 @@ "1851776924": "ඉහළ", "1854480511": "අයකැමි අගුලු දමා ඇත", "1854874899": "ලැයිස්තුවට ආපසු", + "1854909245": "Multiplier:", "1855566768": "අයිතමයේ පිහිටීම ලැයිස්තුගත කරන්න", "1856485118": "MT5 සහ Deriv ගිණුම් අතර අරමුදල් මාරු කිරීම සඳහා කරුණාකර ඔබේ ලිපිනය පිළිබඳ සාක්ෂි <0>නැවත ඉදිරිපත් කරන්න.", "1856755117": "පොරොත්තු ක්‍රියාමාර්ග අවශ්‍යයි", @@ -2744,7 +2752,7 @@ "-1483251744": "ඔබ යැවූ මුදල", "-536126207": "ඔබට ලැබෙන මුදල", "-486580863": "වෙත මාරු කරන්න", - "-71189928": "<0>පසුම්බි<1> — ඔබේ අරමුදල් සංවිධානය කිරීමට හොඳම ක්‍රමය", + "-1424352390": "<0>Wallets<1> — ඔබේ අරමුදල් කළමනාකරණය කිරීමට සුක්ෂම ක්රමයක්", "-2146691203": "නියාමන තේරීම", "-249184528": "ඔබට යුරෝපීය සංගමයේ හෝ යුරෝපීය නොවන සංගමයේ රෙගුලාසි යටතේ සැබෑ ගිණුම් සෑදිය හැක. මෙම ගිණුම් ගැන තව දැන ගැනීමට <0><0/> අයිකනය ක්ලික් කරන්න.", "-1505234170": "Trader's Hub චාරිකාව", @@ -3049,7 +3057,6 @@ "-254421190": "ලැයිස්තුව: ({{message_length}})", "-1616649196": "ප්‍රතිඵල", "-90107030": "ප්‍රතිඵල හමු නොවිණි", - "-984140537": "එකතු කරන්න", "-1373954791": "වලංගු අංකයක් විය යුතුය", "-1278608332": "කරුණාකර 0 සහ {{api_max_losses}} අතර අංකයක් ඇතුළත් කරන්න.", "-287597204": "මෙම කොන්දේසි අතරින් ඇතැම් ඒවා සපුරා ඇති විට ඔබේ බොට් ගනුදෙනු කිරීම නැවැත්වීම සඳහා සීමාවන් ඇතුළත් කරන්න.", @@ -3174,6 +3181,7 @@ "-287223248": "තවමත් ගනුදෙනුවක් හෝ ක්‍රියාවක් නැත.", "-418247251": "ඔබේ ජර්නලය බාගන්න.", "-2123571162": "බාගන්න", + "-984140537": "එකතු කරන්න", "-870004399": "<0>මිලදී ගත්: {{longcode}} (හැඳුනුම්පත: {{transaction_id}})", "-1211474415": "පෙරහන්", "-186972150": "ප්‍රදර්ශනය කිරීමට පණිවුඩ​ නොමැත", @@ -3672,6 +3680,8 @@ "-453920758": "{{platform_name_mt5}} හි පාලක පුවරුව වෙත යන්න", "-402175529": "ඉතිහාසය", "-1013917510": "යළි සැකසීමේ වේලාව {{ reset_time }} වේ", + "-925402280": "දර්ශනීය Low ස්ථානය", + "-1075414250": "High ස්ථානය", "-902712434": "ගනුදෙනුව අවලංගු කිරීම", "-988484646": "ගනුදෙනුව අවලංගු කිරීම (ක්‍රියාත්මක කරන ලද)", "-444882676": "ගනුදෙනුව අවලංගු කිරීම (ක්‍රියාකාරී)", @@ -3694,7 +3704,6 @@ "-2036388794": "නොමිලේ ගිණුමක් සාදන්න", "-1813736037": "වත්මන් ගනුදෙනු සැසිය සඳහා මෙම ගිවිසුම් වර්ගය මත තවදුරටත් ගනුදෙනු කිරීමට ඉඩ නොදේ. වැඩි විස්තර සඳහා, අපගේ <0>නියම සහ කොන්දේසි වෙත යොමු වන්න.", "-590131162": "{{website_domain}} හි රැඳී සිටින්න", - "-1444663817": "Binary.com වෙත යන්න", "-1526466612": "ඔබ දැනට සහය නොදක්වන ගනුදෙනු වර්ගයක් තෝරාගෙන ඇත, නමුත් අපි ඒ සම්බන්ධයෙන් කටයුතු කරන්නෙමු.", "-1043795232": "මෑත කාලීන ස්ථාන", "-153220091": "{{display_value}} ටික් එක", diff --git a/packages/translations/src/translations/sw.json b/packages/translations/src/translations/sw.json index 9ce93d19de4e..3ddc3cdb2e0e 100644 --- a/packages/translations/src/translations/sw.json +++ b/packages/translations/src/translations/sw.json @@ -501,6 +501,7 @@ "537788407": "Jukwaa lingine la CFDs", "538017420": "0.5 pips", "538042340": "Kanuni ya 2: Hisa huongezeka tu wakati biashara ya hasara inafuatiwa na biashara iliyofanikiwa", + "538228086": "Close-Low", "541650045": "Dhibiti nenosiri la {{platform}}", "541700024": "Kwanza, ingiza nambari yako ya leseni ya kuendesha gari na tarehe ya kumalizika.", "542038694": "Barua tu, nambari, nafasi, msingi, na nyama zinaruhusiwa kwa {{label}}.", @@ -598,6 +599,7 @@ "635884758": "Aweka na uondoe Tether ERC20, toleo la Tether lililohifadhiwa kwenye blockchain ya Ethereum.", "636219628": "<0>c. Iki wa hakuna fursa za utulizi inayoweza kupatikana, malalamiko itaendelea kwenye awamu ya uamuzi ili kushughulikia na DRC.", "639382772": "Tafadhali pakia aina ya faili inayosaidiwa.", + "640249298": "Kawaida", "640596349": "Bado haujapata arifa yoyote", "640730141": "Rejesha ukurasa huu ili kuanza upya mchakato wa uthibitishaji", "641420532": "Tumekutuma barua pepe", @@ -658,6 +660,7 @@ "693933036": "Kuchunguza mkakati wa Oscar's Grind katika Deriv Bot", "694035561": "Viongezaji wa chaguzi za biashara", "694089159": "Weka na uondoe dola za Australia kwa kutumia kadi za mkopo au deni, pochi za elektroniki, au waya za benki.", + "696157141": "Sehemu ya Low", "696735942": "Ingiza Nambari yako ya Kitambulisho cha Kitaifa (NIN)", "696870196": "- Wakati wa wazi: stempu ya wakati wa ufunguzi", "697630556": "Soko hili limefungwa kwa sasa.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Usawa wa kutosha", "734881840": "uwongo", + "739126643": "Maonyesho ya nafasi ya High", "742469109": "Weka upya usawa", "742570452": "<0>Deriv P2P haipati kani katika Pochi kwa wakati huu.", "743623600": "Rejeo", @@ -927,6 +931,7 @@ "969858761": "Kanuni ya 1: Mkakati unalenga kupata kitengo kimoja cha faida kwa kila kikao", "969987233": "Ushinda hadi malipo ya juu ikiwa nafasi ya kuondoka iko kati ya kizuizi cha chini na ya juu, kwa uwiano wa tofauti kati ya sehemu ya kuondoka na kizuizi cha chini.", "970915884": "YA", + "974888153": "High-Low", "975668699": "Ninathibitisha na kukubali Sheria na <0>Masharti ya {{company}} ", "975950139": "Nchi ya Makazi", "977929335": "Nenda kwenye mipangilio ya akaunti yangu", @@ -1347,6 +1352,7 @@ "1371193412": "Ghairi", "1371555192": "Chagua wakala uliopendelea wa malipo na uingie kiasi chako cha kuondoa Ikiwa wakala wako wa malipo hajaorodheshwa, <0>tafuta kwa kutumia nambari yao ya akaunti.", "1371641641": "Fungua kiungo kwenye simu yako", + "1371758591": "Furahia shughuli rahisi na salama zaidi katika sarafu nyingi na Wallets – <0>Keshia wetu mpya na iliyoboreshwa.", "1371911731": "Bidhaa za kifedha katika EU hutolewa na {{legal_entity_name}}, yenye leseni kama mtoa huduma za Uwekezaji wa Jamii ya 3 na Mamlaka ya Huduma za Fedha ya Malta <0>(Leseni No. IS/70156).", "1373949314": "Mkakati wa Reverse Martingale unajumuisha kuongeza hisa yako baada ya kila biashara iliyofanikiwa na kurejesha kwa hisa ya awali kwa kila biashara iliyopoteza kwani inalenga kupata faida inayowezekana kutoka kwa ushindi mfululizo.", "1374627690": "Max. salio ya akaunti", @@ -1372,6 +1378,7 @@ "1397628594": "Fedha za kutotosha", "1400341216": "Tutakagua hati zako na kukujulisha hali yake ndani ya siku 1 hadi 3.", "1400732866": "Tazama kutoka kwa kamera", + "1400962248": "High-Close", "1402208292": "Badilisha kesi ya maandishi", "1402300547": "Hebu kuthibitishwa anwani yako", "1403376207": "Sasisha maelezo yangu", @@ -1828,6 +1835,7 @@ "1851776924": "juu", "1854480511": "Mchaja amefungwa", "1854874899": "Rudi kwenye orodha", + "1854909245": "Multiplier:", "1855566768": "Orodha nafasi ya bidhaa", "1856485118": "Tafadhali <0>wasilisha tena u thibitisho wako wa anwani ili kuhamisha fedha kati ya akaunti za MT5 na Deriv.", "1856755117": "Hatua inayotakiwa", @@ -2744,7 +2752,7 @@ "-1483251744": "Kiasi unachotuma", "-536126207": "Kiasi unachopokea", "-486580863": "Kuhamisha kwenda", - "-71189928": "<0>Mko <1>ba - njia bora ya kupanga fedha zako", + "-1424352390": "<0>Wallets<1> — Njia bora ya kusimamia fedha zako", "-2146691203": "Uchaguzi wa udhibiti", "-249184528": "Unaweza kuunda akaunti halisi chini ya kanuni ya EU au isiyo ya EU. Bonyeza <0><0/>ikoni ili kujifunza zaidi kuhusu akaunti hizi.", "-1505234170": "Ziara ya Mfanyabiashara Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Orodha: ({{message_length}})", "-1616649196": "matokeo", "-90107030": "Hakuna matokeo yamepatikana", - "-984140537": "Ongeza", "-1373954791": "Inapaswa kuwa nambari halali", "-1278608332": "Tafadhali ingiza nambari kati ya 0 na {{api_max_losses}}.", "-287597204": "Ingiza mipaka ili kuzuia bot yako kufanya biashara wakati yoyote ya masharti haya yanapotimizwa.", @@ -3174,6 +3181,7 @@ "-287223248": "Hakuna shughuli au shughuli bado.", "-418247251": "Pakua jarida lako.", "-2123571162": "Pakua", + "-984140537": "Ongeza", "-870004399": "<0>Kunun uliwa: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Vichungi", "-186972150": "Hakuna ujumbe wa kuonyesha", @@ -3672,6 +3680,8 @@ "-453920758": "Nenda {{platform_name_mt5}} dashibodi", "-402175529": "Historia", "-1013917510": "Wakati wa kuweka upya ni {{ reset_time }}", + "-925402280": "Maonyesho ya nafasi ya Low", + "-1075414250": "Sehemu ya High", "-902712434": "Ghairi mpango", "-988484646": "Kufutwa mpango (kutekelezwa)", "-444882676": "Kufutwa mpango (inafanya kazi)", @@ -3694,7 +3704,6 @@ "-2036388794": "Unda akaunti ya bure", "-1813736037": "Hakuna biashara zaidi inayoruhusiwa kwenye aina hii ya mkataba kwa kikao cha sasa cha biashara. Kwa habari zaidi, rejelea sheria na <0>masharti yetu.", "-590131162": "Kaa kwenye {{website_domain}}", - "-1444663817": "Nenda kwa Binary.com", "-1526466612": "Umechagua aina ya biashara ambayo haijaunga mkono kwa sasa, lakini tunafanya kazi juu yake.", "-1043795232": "Nafasi za hivi karibuni", "-153220091": "{{display_value}} Tika", diff --git a/packages/translations/src/translations/th.json b/packages/translations/src/translations/th.json index 909d2083ba24..1f3227df2118 100644 --- a/packages/translations/src/translations/th.json +++ b/packages/translations/src/translations/th.json @@ -207,7 +207,7 @@ "218441288": "หมายเลขบัตรประชาชน", "220014242": "อัปโหลดภาพเซลฟี่จากคอมพิวเตอร์ของคุณ", "220186645": "ข้อความว่าง", - "220232017": "บัญชีทดลอง CFDs", + "220232017": "บัญชีทดลอง CFD", "221261209": "บัญชี Deriv จะอนุญาตให้คุณฝากเงินเข้า (และถอนเงินออกจาก) บัญชี CFD ของคุณได้", "223120514": "จากตัวอย่างนี้ แต่ละจุดของเส้นค่าเฉลี่ยเคลื่อนที่แบบปกติหรือ SMA คือค่าเฉลี่ยเลขคณิตของราคาปิดในช่วง 50 วันที่ผ่านมา", "223607908": "สถิติเลขหลักสุดท้ายของจุด Tick จำนวน 1000 จุดล่าสุดสำหรับ {{underlying_name}}", @@ -501,6 +501,7 @@ "537788407": "แพลตฟอร์ม CFD อื่นๆ", "538017420": "0.5 pips", "538042340": "หลักการที่ 2: เงินทุนทรัพย์จะเพิ่มขึ้นก็ต่อเมื่อการเทรดขาดทุนนั้นตามมาด้วยการเทรดที่ประสบความสำเร็จ", + "538228086": "Close-Low", "541650045": "จัดการรหัสผ่าน {{platform}}", "541700024": "ขั้นตอนแรกคือให้กรอกข้อมูลหมายเลขใบขับขี่และวันหมดอายุบัตร", "542038694": "เฉพาะตัวอักษร ตัวเลข เว้นวรรค เส้นใต้ และยัติภังค์เท่านั้นที่ได้รับอนุญาตสำหรับ {{label}}", @@ -598,6 +599,7 @@ "635884758": "ฝากและถอนเงินดิจิทัล Tether ERC20 ซึ่งเป็นเวอร์ชั่นของ Tether ที่สร้างขึ้นบนบล็อกเชนของแพลตฟอร์ม Ethereum", "636219628": "<0>c หากไร้โอกาสในการหาข้อตกลงยุติการพิพาท ข้อร้องเรียนนั้นจะถูกส่งไปยังขั้นตอนการพิจารณาเพื่อให้คณะกรรมการ DRC เข้าจัดการต่อไป", "639382772": "โปรดอัปโหลดประเภทไฟล์ที่มีการรองรับ", + "640249298": "ปกติ", "640596349": "คุณยังไม่ได้รับการแจ้งเตือนใดๆ", "640730141": "สั่งให้แสดงข้อมูลในหน้านี้ใหม่เพื่อเริ่มต้นกระบวนการยืนยันตัวตนอีกครั้ง", "641420532": "เราได้ส่งอีเมล์ถึงคุณแล้ว", @@ -658,6 +660,7 @@ "693933036": "สำรวจกลยุทธ์ Oscar’s Grind ใน Deriv Bot", "694035561": "การซื้อขาย ตราสารสิทธิ Multipliers", "694089159": "ฝากและถอนเงินดอลลาร์ออสเตรเลียโดยใช้บัตรเครดิตหรือบัตรเดบิต อีวอลเล็ท หรือการโอนเงินผ่านธนาคาร", + "696157141": "จุด Low", "696735942": "ป้อนหมายเลขประจำตัวประชาชนของคุณ (NIN)", "696870196": "เวลาเปิด: การประทับเวลาเปิด", "697630556": "ตลาดนี้ปิดทําการแล้วตอนนี้", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "ยอดคงเหลือไม่เพียงพอ", "734881840": "เท็จ", + "739126643": "จุด High ที่บ่งชี้", "742469109": "รีเซ็ตยอดเงินคงเหลือ", "742570452": "<0>Deriv P2P ไม่สามารถใช้งานได้ในวอลเล็ทในขณะนี้", "743623600": "การอ้างอิง", @@ -865,7 +869,7 @@ "903429103": "ในลิสต์รายการแท่งเทียนสามารถอ่าน {{ candle_property }} # จากท้าย {{ input_number }}", "904696726": "โทเคน API", "905227556": "รหัสผ่านที่คาดเดาได้ยากประกอบด้วยอย่างน้อย 8 อักขระ โดยรวมเอาตัวอักษรตัวพิมพ์ใหญ่และตัวพิมพ์เล็ก และตัวเลขเข้าด้วยกัน", - "905564365": "MT5 CFDs", + "905564365": "MT5 CFD", "906049814": "เราจะตรวจสอบเอกสารของคุณและแจ้งให้คุณทราบถึงสถานะเอกสารภายใน 5 นาที", "906789729": "เอกสารยืนยันของคุณได้ถูกใช้สำหรับบัญชีอื่นไปแล้ว", "907680782": "การตรวจสอบหลักฐานการยืนยันความเป็นเจ้าของไม่สำเร็จ", @@ -927,6 +931,7 @@ "969858761": "หลักการที่ 1: กลยุทธ์มีเป้าหมายเพื่อสร้างกำไรหนึ่งหน่วยต่อเซสชั่น", "969987233": "คุณจะชนะและรับเงินตอบแทนจำนวนสูงสุดหากจุดออกนั้นอยู่ระหว่างเส้นระดับราคาเป้าหมายอันล่างและอันบน เมื่อเปรียบเทียบสัดส่วนกับความแตกต่างระหว่างจุดออกและเส้นระดับราคาเป้าหมายอันล่าง", "970915884": "AN", + "974888153": "High-Low", "975668699": "ข้าพเจ้ายืนยันและยอมรับ <0>ข้อกำหนดและเงื่อนไข ของ {{company}}", "975950139": "ประเทศที่พำนัก", "977929335": "ไปที่การตั้งค่าบัญชีของฉัน", @@ -1325,7 +1330,7 @@ "1349295677": "ในข้อความ {{ input_text }} รับสตริงย่อยจาก {{ position1 }} {{ index1 }} ถึง {{ position2 }} {{ index2 }}", "1351906264": "ฟีเจอร์ลูกเล่นนี้ไม่สามารถใช้ได้สำหรับตัวแทนการชำระเงิน", "1353197182": "โปรดเลือก", - "1354288636": "จากคำตอบของคุณ ดูเหมือนว่าคุณมีความรู้และประสบการณ์ไม่เพียงพอในการเทรด CFDs ทั้งนี้ การเทรด CFD นั้นมีความเสี่ยงและคุณอาจสูญเสียเงินทุนทั้งหมดของคุณได้<0/><0/>", + "1354288636": "จากคำตอบของคุณ ดูเหมือนว่าคุณมีความรู้และประสบการณ์ไม่เพียงพอในการเทรด CFD ทั้งนี้ การเทรด CFD นั้นมีความเสี่ยงและคุณอาจสูญเสียเงินทุนทั้งหมดของคุณได้<0/><0/>", "1355250245": "{{ calculation }} จากลิสต์รายการ {{ input_list }}", "1356574493": "แสดงค่าเป็นส่วนเฉพาะของสตริงข้อความที่กำหนด", "1356607862": "รหัสผ่าน Deriv", @@ -1347,6 +1352,7 @@ "1371193412": "ยกเลิก", "1371555192": "เลือกตัวแทนรับชำระเงินที่คุณต้องการแล้วป้อนจำนวนเงินที่คุณจะถอน หากว่าตัวแทนชำระเงินของคุณไม่อยู่ในลิสต์รายการ <0>ให้ค้นหาตัวแทนดังกล่าวโดยใช้หมายเลขบัญชีของพวกเขา", "1371641641": "เปิดลิงก์ในโทรศัพท์มือถือของคุณ", + "1371758591": "เพลิดเพลินไปกับธุรกรรมที่ทำได้ราบรื่นและปลอดภัยยิ่งขึ้นในหลายสกุลเงินด้วย Wallets – <0>แคชเชียร์ปรับปรุงโฉมใหม่ของเรา", "1371911731": "ผลิตภัณฑ์ทางการเงินในสหภาพยุโรปถูกนำเสนอโดยบริษัท {{legal_entity_name}} ซึ่งได้รับใบอนุญาตเป็นผู้ให้บริการด้านการลงทุนประเภท 3 จากหน่วยงานบริการทางการเงินแห่งมอลตา (<0>ใบอนุญาตเลขที่ IS/70156)", "1373949314": "กลยุทธ์ Reverse Martingale เกี่ยวข้องกับการเพิ่มเงินทุนทรัพย์ของคุณหลังจากการเทรดที่ประสบความสำเร็จแต่ละครั้ง และรีเซ็ตกลับเป็นจำนวนเงินทุนทรัพย์เริ่มต้นหลังการเทรดที่ขาดทุนทุกครั้ง เนื่องจากกลยุทธ์นี้มุ่งหมายจะรับผลกำไรที่อาจเกิดขึ้นจากการทำกำไรได้ติดต่อกัน", "1374627690": "ยอดเงินคงเหลือในบัญชีขั้นสูงสุด", @@ -1372,6 +1378,7 @@ "1397628594": "เงินทุนไม่เพียงพอ", "1400341216": "เราจะตรวจสอบเอกสารของคุณและแจ้งให้คุณทราบถึงสถานะเอกสารภายใน 1 ถึง 3 วัน", "1400732866": "ดูจากกล้อง", + "1400962248": "High-Close", "1402208292": "เปลี่ยนรูปแบบข้อความ", "1402300547": "มาตรวจยืนยันที่อยู่ของคุณกันเถอะ", "1403376207": "อัพเดตรายละเอียดของฉัน", @@ -1828,6 +1835,7 @@ "1851776924": "อันที่อยู่บน", "1854480511": "แคชเชียร์ถูกล็อค", "1854874899": "กลับไปที่ลิสต์รายการ", + "1854909245": "Multiplier:", "1855566768": "ตําแหน่งรายการ", "1856485118": "กรุณา <0>ส่งหลักฐานที่อยู่ของคุณอีกครั้ง เพื่อจะสามารถโอนเงินระหว่างบัญชี MT5 และ Deriv", "1856755117": "กำลังรอการดำเนินการ", @@ -2260,7 +2268,7 @@ "-1541554430": "ถัดไป", "-307865807": "การเตือนถึงความเสี่ยงที่ยอมรับได้", "-690100729": "ใช่ ฉันเข้าใจถึงความเสี่ยง", - "-2010628430": "CFDs และตราสารทางการเงินอื่นๆ มีความเสี่ยงสูงที่จะสูญเสียเงินอย่างรวดเร็วเนื่องจากเลเวอเรจคุณควรพิจารณาว่าคุณเข้าใจวิธีการทำงานของ CFDs และตราสารทางการเงินอื่นๆ หรือไม่และคุณจะรับความเสี่ยงสูงในการสูญเสียเงินของคุณได้หรือไม่<0/><0/> เพื่อดำเนินการต่อ คุณต้องยืนยันว่าคุณเข้าใจว่าเงินทุนของคุณมีความเสี่ยง", + "-2010628430": "CFD และตราสารทางการเงินอื่นๆ มีความเสี่ยงสูงที่จะสูญเสียเงินอย่างรวดเร็วเนื่องจากเลเวอเรจคุณควรพิจารณาว่าคุณเข้าใจวิธีการทำงานของ CFD และตราสารทางการเงินอื่นๆ หรือไม่และคุณจะรับความเสี่ยงสูงในการสูญเสียเงินของคุณได้หรือไม่<0/><0/> เพื่อดำเนินการต่อ คุณต้องยืนยันว่าคุณเข้าใจว่าเงินทุนของคุณมีความเสี่ยง", "-863770104": "โปรดทราบว่า ในการที่คุณคลิก 'ตกลง' คุณอาจกำลังเผชิญกับความเสี่ยง คุณอาจไม่มีความรู้หรือประสบการณ์ในการประเมินหรือลดความเสี่ยงเหล่านี้อย่างเหมาะสม ซึ่งความเสี่ยงดังกล่าวอาจมีนัยสำคัญและรวมถึงความเสี่ยงในการสูญเสียเงินทั้งหมดที่คุณลงทุน", "-684271315": "OK", "-1292808093": "ประสบการณ์การซื้อขาย", @@ -2402,7 +2410,7 @@ "-807767876": "หมายเหตุ:", "-1117963487": "ตั้งชื่อโทเคนของคุณและคลิกที่ 'สร้าง' เพื่อสร้างโทเคนของคุณ", "-2005211699": "สร้าง", - "-2115275974": "สัญญาส่วนต่างหรือ CFDs", + "-2115275974": "CFD", "-1879666853": "Deriv MT5", "-359585233": "เพลิดเพลินไปกับประสบการณ์การซื้อขายที่ราบรื่นด้วยบัญชีเงินตรารัฐบาลหรือ Fiat โปรดทราบว่า เมื่อคุณทำการฝากเงินครั้งแรกหรือสร้างบัญชีจริง {{dmt5_label}} แล้วสกุลเงินในบัญชีของคุณจะไม่สามารถเปลี่ยนแปลงได้อีก", "-460645791": "คุณถูกจํากัดให้มีบัญชีเงินตรารัฐบาลเพียงอันเดียว คุณจะไม่สามารถเปลี่ยนสกุลเงินในบัญชีของคุณได้หากคุณได้ทําการฝากเงินครั้งแรกหรือสร้างบัญชี {{dmt5_label}} เพื่อใช้จริงไว้แล้ว", @@ -2700,7 +2708,7 @@ "-124150034": "รีเซ็ตยอดคงเหลือให้เป็น 10,000.00 USD", "-677271147": "รีเซ็ตยอดเงินเสมือนของคุณหากยอดต่ำกว่า 10,000.00 USD หรือเกิน 10,000.00 USD", "-1829666875": "โอนเงินทุน", - "-1504456361": "CFD คือตราสารทางการเงินที่ซับซ้อนและมีความเสี่ยงสูงในการสูญเสียเงินอย่างรวดเร็วตามอัตราเลเวอเรจ <0>73% ของบัญชีนักลงทุนรายย่อยได้สูญเสียเงินเมื่อทําการเทรด CFD กับผู้ให้บริการรายนี้ ดังนั้น คุณควรพิจารณาว่า คุณเข้าใจการทำงานของ CFDs หรือไม่อย่างไรและคุณสามารถรับความเสี่ยงต่อการสูญเสียเงินของคุณได้หรือไม่", + "-1504456361": "CFD คือตราสารทางการเงินที่ซับซ้อนและมีความเสี่ยงสูงในการสูญเสียเงินอย่างรวดเร็วตามอัตราเลเวอเรจ <0>73% ของบัญชีนักลงทุนรายย่อยได้สูญเสียเงินเมื่อทําการเทรด CFD กับผู้ให้บริการรายนี้ ดังนั้น คุณควรพิจารณาว่า คุณเข้าใจการทำงานของ CFD หรือไม่อย่างไรและคุณสามารถรับความเสี่ยงต่อการสูญเสียเงินของคุณได้หรือไม่", "-2134770229": "สินทรัพย์ทั้งหมดในบัญชีทดลองของ Deriv App และ Deriv MT5 CFD ของคุณ", "-1277942366": "สินทรัพย์ทั้งหมด", "-1255879419": "Trader's Hub", @@ -2729,7 +2737,7 @@ "-744999940": "บัญชี Deriv", "-1638358352": "รับประโยชน์จากสัญญาส่วนต่างหรือ CFD โดยไม่เสี่ยงไปกว่าเงินทุนทรัพย์เริ่มต้นของคุณด้วย <0>Multipliers", "-749129977": "เปิดใช้บัญชี Deriv จริง แล้วเริ่มทำการซื้อขายและจัดการเงินของคุณ", - "-1814994113": "สัญญาส่วนต่างหรือ CFD <0>{{compare_accounts_title}}", + "-1814994113": "CFD <0>{{compare_accounts_title}}", "-561436679": "บัญชีนี้นำเสนอ CFD สำหรับตราสาร Derived", "-1173266642": "บัญชีนี้ให้บริการ CFD บนแพลตฟอร์มการซื้อขายที่มีคุณสมบัติหลากหลาย", "-2051096382": "รับเงินผลตอบแทนหลายแบบผ่านการคาดการณ์อย่างถูกต้องถึงการเคลื่อนไหวของตลาดไปกับ <0>ตราสารสิทธิ หรือได้ประโยชน์จากข้อดีของสัญญาส่วนต่าง CFD โดยไม่เสี่ยงเกินไปกว่าเงินทุนทรัพย์เริ่มต้นของคุณไปกับ <1>Multipliers", @@ -2744,13 +2752,13 @@ "-1483251744": "จำนวนเงินที่คุณส่ง", "-536126207": "จำนวนเงินที่คุณได้รับ", "-486580863": "โอนไป", - "-71189928": "<0>วอลเล็ท<1> เป็นวิธีที่ดีที่สุดในการจัดการเงินทุนของคุณ", + "-1424352390": "<0>Wallets<1> — วิธีการแสนชาญฉลาดเพื่อจัดการเงินทุนของคุณ", "-2146691203": "ทางเลือกของกฎระเบียบ", "-249184528": "คุณสามารถสร้างบัญชีจริงภายใต้กฎระเบียบของสหภาพยุโรปหรือที่ไม่ใช่สหภาพยุโรป คลิกที่ไอคอน <0><0/>เพื่อเรียนรู้เพิ่มเติมเกี่ยวกับบัญชีเหล่านี้", "-1505234170": "เยี่ยมชม Trader's Hub", "-442549651": "บัญชีซื้อขาย", "-1505405823": "นี่คือบัญชีการซื้อขายที่มีให้คุณใช้ คุณสามารถคลิกที่ไอคอนบัญชีหรือคำอธิบายเพื่อดูข้อมูลเพิ่มเติมได้", - "-1034232248": "สัญญาส่วนต่าง CFD หรือ Multipliers", + "-1034232248": "CFD หรือ Multipliers", "-1471572127": "‘รับ’ เพื่อสร้างบัญชี Deriv ของคุณ", "-2069414013": "คลิกปุ่ม 'รับ' เพื่อสร้างบัญชี", "-951876657": "เติมเงินเข้าบัญชีของคุณ", @@ -3049,7 +3057,6 @@ "-254421190": "ลิสต์รายการ: ({{message_length}})", "-1616649196": "ผลลัพธ์", "-90107030": "ไม่พบผลลัพธ์", - "-984140537": "เพิ่ม", "-1373954791": "ควรเป็นตัวเลขที่ถูกต้อง", "-1278608332": "โปรดป้อนตัวเลขระหว่าง 0 ถึง {{api_max_losses}}", "-287597204": "ป้อนขีดจำกัดเพื่อให้บอทของคุณหยุดการซื้อขายเมื่อตรงตามเงื่อนไขที่กำหนดเหล่านี้", @@ -3174,6 +3181,7 @@ "-287223248": "ยังไม่มีการทำธุรกรรมหรือกิจกรรมใดๆ", "-418247251": "ดาวน์โหลดบันทึกรายละเอียดการเทรดของคุณ", "-2123571162": "ดาวน์โหลด", + "-984140537": "เพิ่ม", "-870004399": "<0>ซื้อ: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "ตัวกรอง", "-186972150": "ไม่มีข้อความที่จะแสดง", @@ -3463,8 +3471,8 @@ "-1016775979": "เลือกบัญชีผู้ใช้", "-1362081438": "การเพิ่มเติมบัญชีจริงถูกจำกัดสำหรับประเทศของคุณ", "-1602122812": "คำเตือนถึงช่วงพักคูลดาว์น 24 ชั่วโมง", - "-1519791480": "CFDs และตราสารทางการเงินอื่นๆ มีความเสี่ยงสูงที่จะสูญเสียเงินอย่างรวดเร็วเนื่องจากเลเวอเรจ คุณควรพิจารณาว่าคุณเข้าใจวิธีการทำงานของ CFDs และตราสารทางการเงินอื่นๆ หรือไม่ และคุณสามารถรับความเสี่ยงในการสูญเสียเงินของคุณได้หรือไม่<0/><0/>\n ในขณะที่คุณได้ปฏิเสธคำเตือนก่อนหน้านี้ของเรา คุณจะต้องรอ 24 ชั่วโมงก่อนที่คุณจะสามารถดำเนินการต่อไปได้", - "-1010875436": "CFDs และตราสารทางการเงินอื่นๆ มีความเสี่ยงสูงที่จะสูญเสียเงินอย่างรวดเร็วเนื่องจากเลเวอเรจ คุณควรพิจารณาว่าคุณเข้าใจวิธีการทำงานของ CFDs และตราสารทางการเงินอื่นๆ หรือไม่ และคุณจะสามารถรับความเสี่ยงสูงที่จะสูญเสียเงินของคุณได้หรือไม่<0/><0/> หากต้องการดำเนินการต่อ โปรดทราบว่าคุณต้องรอ 24 ชั่วโมงก่อนจึงจะสามารถดำเนินการต่อไปได้", + "-1519791480": "CFD และตราสารทางการเงินอื่นๆ มีความเสี่ยงสูงที่จะสูญเสียเงินอย่างรวดเร็วเนื่องจากเลเวอเรจ คุณควรพิจารณาว่าคุณเข้าใจวิธีการทำงานของ CFD และตราสารทางการเงินอื่นๆ หรือไม่ และคุณสามารถรับความเสี่ยงในการสูญเสียเงินของคุณได้หรือไม่<0/><0/>\n ในขณะที่คุณได้ปฏิเสธคำเตือนก่อนหน้านี้ของเรา คุณจะต้องรอ 24 ชั่วโมงก่อนที่คุณจะสามารถดำเนินการต่อไปได้", + "-1010875436": "CFD และตราสารทางการเงินอื่นๆ มีความเสี่ยงสูงที่จะสูญเสียเงินอย่างรวดเร็วเนื่องจากเลเวอเรจ คุณควรพิจารณาว่าคุณเข้าใจวิธีการทำงานของ CFD และตราสารทางการเงินอื่นๆ หรือไม่ และคุณจะสามารถรับความเสี่ยงสูงที่จะสูญเสียเงินของคุณได้หรือไม่<0/><0/> หากต้องการดำเนินการต่อ โปรดทราบว่าคุณต้องรอ 24 ชั่วโมงก่อนจึงจะสามารถดำเนินการต่อไปได้", "-1725418054": "เมื่อคลิก 'ยอมรับ' และดำเนินการเปิดบัญชี คุณควรทราบว่าคุณอาจกำลังเผชิญกับความเสี่ยง ทั้งนี้ ความเสี่ยงเหล่านี้ ซึ่งอาจเป็นความเสี่ยงที่มีนัยความสำคัญ ก็รวมถึงความเสี่ยงที่จะสูญเสียเงินลงทุนทั้งหมด และคุณอาจไม่มีความรู้และประสบการณ์ในการประเมินหรือบรรเทาความเสี่ยงเหล่านี้อย่างเหมาะสม", "-1369294608": "ลงทะเบียนแล้วหรือยัง?", "-730377053": "คุณไม่สามารถเพิ่มบัญชีจริงอันอื่นได้อีก", @@ -3594,7 +3602,7 @@ "-1434036215": "บัญชีทดลอง Financial", "-1416247163": "Financial STP", "-1637969571": "บัญชีทดลองปลอดสวอป", - "-1882063886": "บัญชีทดลอง CFDs", + "-1882063886": "บัญชีทดลอง CFD", "-1347908717": "บัญชีทดลอง Financial SVG", "-1780324582": "SVG", "-860609405": "รหัสผ่าน", @@ -3672,6 +3680,8 @@ "-453920758": "ไปที่หน้ากระดานของ {{platform_name_mt5}}", "-402175529": "ประวัติ", "-1013917510": "เวลารีเซ็ตเป็น {{ reset_time }}", + "-925402280": "จุด Low ที่บ่งชี้", + "-1075414250": "จุด High", "-902712434": "การยกเลิกดีลข้อตกลง", "-988484646": "การยกเลิกข้อตกลง (ดำเนินการแล้ว)", "-444882676": "การยกเลิกดีลข้อตกลง (ใช้งานอยู่)", @@ -3694,7 +3704,6 @@ "-2036388794": "สร้างบัญชีฟรี", "-1813736037": "ไม่อนุญาตให้ทำการซื้อขายเพิ่มเติมในสัญญาประเภทนี้สำหรับเซสชั่นการซื้อขายรอบปัจจุบัน ดูข้อมูลเพิ่มเติมที่ <0>ข้อกำหนดในการให้บริการ.", "-590131162": "อยู่ใน {{website_domain}}", - "-1444663817": "ไปที่ Binary.com", "-1526466612": "คุณเลือกประเภทการซื้อขายที่ยังไม่มีการสนับสนุนในขณะนี้ แต่เรากำลังดำเนินการอยู่", "-1043795232": "ตำแหน่งล่าสุด", "-153220091": "ค่าจุด Tick {{display_value}} จุด", diff --git a/packages/translations/src/translations/tr.json b/packages/translations/src/translations/tr.json index 1aad89b5ab32..b5150570e4fa 100644 --- a/packages/translations/src/translations/tr.json +++ b/packages/translations/src/translations/tr.json @@ -501,6 +501,7 @@ "537788407": "Diğer CFD Platformu", "538017420": "0.5 pips", "538042340": "İlke 2: Bahis miktarı yalnızca bir kayıp işlemini başarılı bir işlem izlediğinde artar", + "538228086": "Close-Low", "541650045": "{{platform}} parolasını yönet", "541700024": "İlk olarak, ehliyet numaranızı ve son kullanma tarihini girin.", "542038694": "{{label}} için sadece harfler, sayılar, boşluk, alt çizgi, ve kısa çizgiye izin verilir.", @@ -598,6 +599,7 @@ "635884758": "Ethereum blok zincirinde barındırılan bir Tether sürümü olan Tether ERC20'yi yatırın ve çekin.", "636219628": "<0>c.herhangi bir anlaşma fırsatı bulunamazsa, şikayet DRC tarafından ele alınmak üzere karar aşamasına geçecektir.", "639382772": "Lütfen desteklenen dosya türünü yükleyin.", + "640249298": "Normal", "640596349": "Henüz herhangi bir bildirim almadınız", "640730141": "Kimlik doğrulama işlemini yeniden başlatmak için bu sayfayı yenileyin", "641420532": "Size bir e-posta gönderdik", @@ -658,6 +660,7 @@ "693933036": "Deriv Bot'ta Oscar's Grind stratejisini keşfetmek", "694035561": "Ticaret opsiyon Multipliers", "694089159": "Kredi veya banka kartları, e-cüzdanlar veya banka havaleleri kullanarak Avustralya doları yatırın ve çekin.", + "696157141": "Düşük nokta", "696735942": "Ulusal Kimlik Numaranızı (NIN) girin", "696870196": "- Açılma süresi: Açılış saati damgası", "697630556": "Bu piyasa şu anda kapalı.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Yetersiz bakiye", "734881840": "yanlış", + "739126643": "Gösterge yüksek nokta", "742469109": "Bakiyeyi sıfırla", "742570452": "<0>Deriv P2P şu anda Cüzdanlarda kullanılamıyor.", "743623600": "Referans", @@ -927,6 +931,7 @@ "969858761": "İlke 1: Strateji, seans başına potansiyel olarak bir birim kar elde etmeyi amaçlar", "969987233": "Çıkış noktası, çıkış noktası ile alt bariyer arasındaki farkla orantılı olarak alt ve üst bariyer arasındaysa maksimum ödemeye kadar kazanç elde edin.", "970915884": "BİR", + "974888153": "High-Low", "975668699": "{{company}} 'in <0>Şartlar ve Koşullarını onaylıyor ve kabul ediyorum", "975950139": "İkamet edilen ülke", "977929335": "Hesap ayarlarıma git", @@ -1347,6 +1352,7 @@ "1371193412": "İptal et", "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": "Mobil aygıtınızda bağlantıyı açın", + "1371758591": "Yeni ve geliştirilmiş Kasiyerimiz <0> Wallets ile birden fazla para biriminde daha sorunsuz ve daha güvenli işlemlerin keyfini çıkarın.", "1371911731": "AB'deki finansal ürünler, Malta Financial Services Authority tarafından Kategori 3 Yatırım Hizmetleri sağlayıcısı olarak lisanslanan {{legal_entity_name}} tarafından sunulmaktadır (<0>Lisans no. IS/70156).", "1373949314": "Ters Martingale stratejisi, her başarılı işlemden sonra bahisinizi artırmayı içerir ve ardışık kazançlardan potansiyel karları güvence altına almayı amaçladığı için her kaybedilen işlem için ilk bahise sıfırlanır.", "1374627690": "Maks. hesap bakiyesi", @@ -1372,6 +1378,7 @@ "1397628594": "Yetersiz fon", "1400341216": "Belgelerinizi inceleyeceğiz ve 1 ila 3 gün içinde durumunu size bildireceğiz.", "1400732866": "Kameradan görünüm", + "1400962248": "High-Close", "1402208292": "Metin durumunu değiştir", "1402300547": "Adresinizi doğrulayalım", "1403376207": "Bilgilerimi güncelle", @@ -1828,6 +1835,7 @@ "1851776924": "yukarı", "1854480511": "Kasiyer kilitli", "1854874899": "Listeye geri dön", + "1854909245": "Çarpan:", "1855566768": "Öğe konumunu listele", "1856485118": "MT5 ve Deriv hesapları arasında para transferi yapmak için lütfen adres kanıtınızı <0>yeniden gönderin.", "1856755117": "Bekleyen eylem gerekli", @@ -2744,7 +2752,7 @@ "-1483251744": "Gönderdiğiniz miktar", "-536126207": "Aldığınız miktar", "-486580863": "Şuraya transfer", - "-71189928": "<0>Cüzdanlar<1> - fonlarınızı organize etmenin en iyi yolu", + "-1424352390": "<0>Wallets<1> — Fonlarınızı yönetmenin daha akıllı bir yolu", "-2146691203": "Düzenleme seçimi", "-249184528": "AB veya AB dışı düzenlemeler kapsamında gerçek hesaplar oluşturabilirsiniz. Bu hesaplar hakkında daha fazla bilgi edinmek için <0><0/> simgesine tıklayın.", "-1505234170": "Trader's Hub turu", @@ -3049,7 +3057,6 @@ "-254421190": "Liste: ({{message_length}})", "-1616649196": "sonuçlar", "-90107030": "Sonuç bulunamadı", - "-984140537": "Ekle", "-1373954791": "Geçerli bir sayı olmalıdır", "-1278608332": "Lütfen 0 ile {{api_max_losses}} arasında bir sayı girin.", "-287597204": "Bu koşullardan herhangi biri karşılandığında, botunuzun alım satım işlemi yapmasını engellemek için sınırları girin.", @@ -3174,6 +3181,7 @@ "-287223248": "Henüz bir işlem veya faaliyet yok.", "-418247251": "Günlüğünüzü indirin.", "-2123571162": "İndir", + "-984140537": "Ekle", "-870004399": "<0>Satın alındı: {{longcode}} (KİMLİK: {{transaction_id}})", "-1211474415": "Filtreler", "-186972150": "Görüntülenecek mesaj yok", @@ -3672,6 +3680,8 @@ "-453920758": "{{platform_name_mt5}} panosuna gidin", "-402175529": "Geçmiş", "-1013917510": "Sıfırlama süresi {{ reset_time }}", + "-925402280": "Gösterge düşük nokta", + "-1075414250": "High nokta", "-902712434": "Anlaşma iptali", "-988484646": "Anlaşma iptali (uygulandı)", "-444882676": "Anlaşma iptali (etkin)", @@ -3694,7 +3704,6 @@ "-2036388794": "Ücretsiz hesap oluştur", "-1813736037": "Mevcut işlem seansı için bu sözleşme türünde başka işleme izin verilmez. Daha fazla bilgi için, <0>şartlar ve koşullar sayfamıza bakın.", "-590131162": "{{website_domain}} sayfasında kal", - "-1444663817": "Binary.com adresine gidin", "-1526466612": "Şu anda desteklenmeyen bir ticaret türü seçtiniz, ancak üzerinde çalışıyoruz.", "-1043795232": "Son pozisyonlar", "-153220091": "{{display_value}} Tik", diff --git a/packages/translations/src/translations/vi.json b/packages/translations/src/translations/vi.json index 0b9069555bc6..a7c604026552 100644 --- a/packages/translations/src/translations/vi.json +++ b/packages/translations/src/translations/vi.json @@ -501,6 +501,7 @@ "537788407": "Các nền tảng CFD khác", "538017420": "0,5 pip", "538042340": "Nguyên tắc 2: Cổ phần chỉ tăng khi giao dịch thua lỗ được theo sau bởi giao dịch thành công", + "538228086": "Close-Low", "541650045": "Quản lý mật khẩu {{platform}}", "541700024": "Trước tiên, hãy nhập số giấy phép lái xe của bạn và ngày hết hạn.", "542038694": "Chỉ được điền chữ cái, số, dấu cách, gạch dưới và dấu gạch nối cho {{label}}.", @@ -598,6 +599,7 @@ "635884758": "Nạp và rút với Tether TRC20, một phiên bản khác của ví Tether được lưu trữ trên blockchain TRON.", "636219628": "<0>c. Nếu không có cơ hội giải quyết, khiếu nại sẽ chuyển sang giai đoạn phán quyết do DRC xử lý.", "639382772": "Vui lòng tải lên loại tệp được hỗ trợ.", + "640249298": "Bình thường", "640596349": "Bạn chưa nhận được thông báo nào", "640730141": "Làm mới trang này để bắt đầu lại quá trình xác minh danh tính", "641420532": "Chúng tôi đã gửi cho bạn một email", @@ -658,6 +660,7 @@ "693933036": "Khám phá chiến lược Oscar's Grind trong Deriv Bot", "694035561": "Giao dịch quyền chọn multiplier", "694089159": "Nạp và rút đô la Úc bằng thẻ tín dụng hoặc thẻ ghi nợ, ví điện tử hoặc chuyển khoản ngân hàng.", + "696157141": "Low thấp", "696735942": "Nhập số Căn cước công dân của bạn (CCCD)", "696870196": "- Giờ mở cửa: đánh dấu thời gian mở", "697630556": "Thị trường này hiện đã đóng cửa.", @@ -708,6 +711,7 @@ "731382582": "BNB/USD", "734390964": "Số dư tài khoản không đủ", "734881840": "sai", + "739126643": "High cao mang tính biểu thị", "742469109": "Đặt lại số dư", "742570452": "Không thể sử dụng <0>Deriv P2P trong Ví tại thời điểm này.", "743623600": "Tài liệu tham khảo", @@ -927,6 +931,7 @@ "969858761": "Nguyên tắc 1: Chiến lược nhằm mục đích tạo ra một đơn vị lợi nhuận cho mỗi phiên", "969987233": "Thu về tối đa lợi nhuận nếu giá thoát nằm giữa ngưỡng trên và dưới, tính theo tỷ lệ khác biệt giữa giá thoát và ngưỡng dưới.", "970915884": "MỘT", + "974888153": "High-Low", "975668699": "Tôi xác nhận và đồng ý với <0>Điều khoản và Điều kiện của {{company}}", "975950139": "Quốc gia cư trú", "977929335": "Chuyển tới cài đặt tài khoản của tôi", @@ -1347,6 +1352,7 @@ "1371193412": "Hủy", "1371555192": "Chọn đại lý thanh toán yêu thích và nhập số tiền muốn rút. Nếu đại lý thanh toán của bạn không có trong danh sách, <0>hãy tìm bằng số tài khoản của họ.", "1371641641": "Mở link trên điện thoại của bạn", + "1371758591": "Tận hưởng các giao dịch mượt mà và an toàn hơn bằng nhiều loại tiền tệ với Wallets — <0>Cashier mới và cải tiến của chúng tôi.", "1371911731": "Các sản phẩm tài chính tại châu Âu được cung cấp bởi {{legal_entity_name}}, được cấp phép là nhà cung cấp dịch vụ đầu tư loại 3 bởi Malta Financial Services Authority (<0>Giấy phép số. IS/70156).", "1373949314": "Chiến lược Reverse Martingale liên quan đến việc tăng số tiền đặt cược của bạn sau mỗi giao dịch thành công và đặt lại tiền đặt cược ban đầu cho mỗi giao dịch thua lỗ vì nó nhằm đảm bảo lợi nhuận tiềm năng từ các chiến thắng liên tiếp.", "1374627690": "Số dư tài khoản tối đa", @@ -1372,6 +1378,7 @@ "1397628594": "Không đủ số dư", "1400341216": "Chúng tôi sẽ xem xét giấy tờ và thông báo tình hình đến bạn trong vòng từ 1 đến 3 ngày.", "1400732866": "Xem qua camera", + "1400962248": "High-Close", "1402208292": "Thay đổi định dạng văn bản", "1402300547": "Hãy xác minh địa chỉ của bạn", "1403376207": "Cập nhật thông tin", @@ -1828,6 +1835,7 @@ "1851776924": "cao hơn", "1854480511": "Cổng thanh toán đã bị khóa", "1854874899": "Quay lại danh sách", + "1854909245": "Multiplier:", "1855566768": "Vị trí danh sách mục", "1856485118": "Vui lòng <0>gửi lại giấy tờ xác thực địa chỉ của bạn để có thể chuyển tiền giữa tài khoản MT5 và Deriv.", "1856755117": "Hành động đang chờ xử lý", @@ -2744,7 +2752,7 @@ "-1483251744": "Số tiền bạn gửi", "-536126207": "Số tiền bạn nhận được", "-486580863": "Chuyển tới", - "-71189928": "<0>Ví<1>— Cách tốt nhất để quản lý tiền của bạn", + "-1424352390": "<0>Wallets<1> — Một cách thông minh hơn để quản lý tiền của bạn", "-2146691203": "Lựa chọn giám sát", "-249184528": "Bạn có thể tạo tài khoản thực theo quy định của châu Âu hoặc theo quy định của các nước không thuộc châu Âu. Nhấp vào biểu tượng <0><0/> để tìm hiểu thêm về các tài khoản này.", "-1505234170": "Khám phá Trader's Hub", @@ -3049,7 +3057,6 @@ "-254421190": "Danh sách: ({{message_length}})", "-1616649196": "các kết quả", "-90107030": "Không tìm thấy kết quả", - "-984140537": "Tạo", "-1373954791": "Nên là một số hợp lệ", "-1278608332": "Vui lòng nhập một số trong khoảng từ 0 và {{api_max_losses}}.", "-287597204": "Nhập các giới hạn để ra lệnh cho bot dừng giao dịch khi bất kỳ điều kiện nào trong những giới hạn này được đáp ứng.", @@ -3174,6 +3181,7 @@ "-287223248": "Chưa có bất kỳ giao dịch hay hoạt động nào.", "-418247251": "Tải xuống nhật ký của bạn.", "-2123571162": "Tải", + "-984140537": "Tạo", "-870004399": "<0>Đã mua: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "Bộ lọc", "-186972150": "Không có tin nhắn để hiển thị", @@ -3672,6 +3680,8 @@ "-453920758": "Đi tới bảng điều khiển {{platform_name_mt5}}", "-402175529": "Lịch sử", "-1013917510": "Thời gian thiết lập lại là {{ reset_time }}", + "-925402280": "Low cao mang tính biểu thị", + "-1075414250": "High cao", "-902712434": "Hủy giao dịch", "-988484646": "Hủy giao dịch (đã thực hiện)", "-444882676": "Hủy giao dịch (đang hoạt động)", @@ -3694,7 +3704,6 @@ "-2036388794": "Tạo tài khoản miễn phí", "-1813736037": "Bạn không thể tiếp tục giao dịch loại hợp đồng này trong phiên giao dịch hiện tại. Để biết thêm thông tin, hãy tham khảo các <0>điều khoản và điều kiện của chúng tôi.", "-590131162": "Tiếp tục sử dụng {{website_domain}}", - "-1444663817": "Đi tới Binary.com", "-1526466612": "Giao dịch bạn chọn hiện chưa được hỗ trợ, chúng tôi sẽ sớm bổ sung vào thời gian tới.", "-1043795232": "Các vị thế gần đây", "-153220091": "{{display_value}} Tick", diff --git a/packages/translations/src/translations/zh_cn.json b/packages/translations/src/translations/zh_cn.json index 6a21f85c75ee..01287a105aaf 100644 --- a/packages/translations/src/translations/zh_cn.json +++ b/packages/translations/src/translations/zh_cn.json @@ -501,6 +501,7 @@ "537788407": "其他差价合约平台", "538017420": "0.5 点", "538042340": "原则 2:只有在亏损后交易获利时,才可增加投注额", + "538228086": "Close-Low", "541650045": "管理{{platform}} 密码", "541700024": "首先,输入驾驶执照号码和到期日。", "542038694": "{{label}} 只允许字母、数字、空格、下划线和连字符。", @@ -598,6 +599,7 @@ "635884758": "Ethereum 程序块链上托管的 Tether 版本 Tether ERC20 存款和取款。", "636219628": "<0>c.如果找不到和解机会,则投诉将进入由 DRC 处理的确定阶段。", "639382772": "请上传支持的文件类型。", + "640249298": "正常", "640596349": "您还未收到任何通知", "640730141": "刷新此页面以重启身份验证过程", "641420532": "我们已给您发送电子邮件", @@ -658,6 +660,7 @@ "693933036": "探索 Deriv Bot 的 Oscar’s Grind 策略", "694035561": "交易期权 multipliers", "694089159": "使用信用卡或借记卡、电子钱包或银行电汇存取澳元。", + "696157141": "Low 现货价格", "696735942": "输入身份证号码 (NIN)", "696870196": "- 开市时间:开市时间戳", "697630556": "此市场目前已关闭。", @@ -708,6 +711,7 @@ "731382582": "币安币/美元", "734390964": "余额不足", "734881840": "假", + "739126643": "指示性 High 现货价", "742469109": "重置余额", "742570452": "<0>Deriv P2P目前无法在钱包中使用。", "743623600": "参考", @@ -927,6 +931,7 @@ "969858761": "原则 1:策略目标是每个时段可能赚取一个单位的利润", "969987233": "如果退市现价介于高、低障碍之间, 其比例与退市现价及低障碍之间的差异相等, 可获得最大赔付。", "970915884": "一个", + "974888153": "High-Low", "975668699": "我确认并接受 {{company}} 的<0>条款和条件", "975950139": "居住国", "977929335": "前往账户设置", @@ -1347,6 +1352,7 @@ "1371193412": "取消", "1371555192": "选择首选付款代理并输入提款金额。如果付款代理未列出,<0>请使用其账号进行搜索。", "1371641641": "用手机打开链接", + "1371758591": "使用<0>经过改进的全新收银台“Wallets”,享受更顺畅、更安全的多种货币交易。", "1371911731": "欧盟国家的金融产品交易由 {{legal_entity_name}} 提供,由马耳他金融服务机构授予牌照为3级投资服务提供商(<0>牌照号码 IS/70156)。", "1373949314": "Reverse Martingale 策略包括在每次成功交易后增加投注,并为每笔亏损的交易重置为初始投注,因为其目的是确保连续获胜的潜在利润。", "1374627690": "最大账户余额", @@ -1372,6 +1378,7 @@ "1397628594": "资金不足", "1400341216": "将审核文件并于1至3天内通知状况。", "1400732866": "从相机观看", + "1400962248": "High-Close", "1402208292": "更改文字大小写", "1402300547": "验证地址", "1403376207": "更新个人资料", @@ -1828,6 +1835,7 @@ "1851776924": "上部", "1854480511": "收银台已锁定", "1854874899": "返回列表", + "1854909245": "Multiplier:", "1855566768": "列出项目头寸", "1856485118": "请<0>重新提交地址证明,以便在 MT5 和 Deriv 账户之间转移资金。", "1856755117": "需要采取待处理的行动", @@ -2744,7 +2752,7 @@ "-1483251744": "汇出的金额", "-536126207": "收到的金额", "-486580863": "转给", - "-71189928": "<0>钱包 <1> — 整理资金的最佳方式", + "-1424352390": "<0>Wallets <1>— 更明智的资金管理方式", "-2146691203": "选择法规", "-249184528": "可以根据欧盟或非欧盟法规开立真实账户。点击<0><0/>图标了解有关这些账户的更多信息。", "-1505234170": "Trader's Hub 浏览", @@ -3049,7 +3057,6 @@ "-254421190": "列表: ({{message_length}})", "-1616649196": "结果", "-90107030": "未找到结果", - "-984140537": "添加", "-1373954791": "必须是有效号码", "-1278608332": "请输入0和 {{api_max_losses}} 之间的数字。", "-287597204": "输入限制后,一旦满足以下任一条件时机器人将停止交易。", @@ -3174,6 +3181,7 @@ "-287223248": "尚无交易或活动。", "-418247251": "下载日志。", "-2123571162": "下载", + "-984140537": "添加", "-870004399": "<0>已购入: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "筛选器", "-186972150": "没有要显示的消息", @@ -3672,6 +3680,8 @@ "-453920758": "前往 {{platform_name_mt5}} 仪表板", "-402175529": "历史", "-1013917510": "重置时间为 {{ reset_time }}", + "-925402280": "指示性 low 现货价", + "-1075414250": "High 现货价格", "-902712434": "交易取消", "-988484646": "交易取消(已执行)", "-444882676": "交易取消(有效)", @@ -3694,7 +3704,6 @@ "-2036388794": "开立免费账户", "-1813736037": "当前交易时段内不允许对该合约类型进一步交易。有关详细信息,请参阅<0>条款和条件.", "-590131162": "留在 {{website_domain}}", - "-1444663817": "前往 Binary.com", "-1526466612": "您已选了当前不支持的交易类型,但我们正在处理此问题。", "-1043795232": "最近的头寸", "-153220091": "{{display_value}} 跳动点", diff --git a/packages/translations/src/translations/zh_tw.json b/packages/translations/src/translations/zh_tw.json index af39b48da269..3cc6a34c5193 100644 --- a/packages/translations/src/translations/zh_tw.json +++ b/packages/translations/src/translations/zh_tw.json @@ -501,6 +501,7 @@ "537788407": "其他差價合約平台", "538017420": "0.5 點", "538042340": "原則 2:只有在虧損後交易獲利時,才可增加投注金額", + "538228086": "Close-Low", "541650045": "管理 {{platform}} 密碼", "541700024": "首先,輸入駕駛執照號碼和到期日。", "542038694": "{{label}} 只允許字母、數位、空格、底線和連字號。", @@ -598,6 +599,7 @@ "635884758": "Ethereum 區塊鏈上託管的 Tether 版本 Tether ERC20 存款和提款。", "636219628": "<0>c.如果找不到和解機會,則投訴將進入由 DRC 處理的確定階段。", "639382772": "請上傳支援的文件類型。", + "640249298": "正常", "640596349": "您還未收到任何通知", "640730141": "刷新此頁面以重啟身份驗證過程", "641420532": "我們已給您傳送電子郵件", @@ -658,6 +660,7 @@ "693933036": "在 Deriv Bot 探索 Oscar’s Grind 策略", "694035561": "交易期權 multipliers", "694089159": "使用信用卡或轉帳卡、電子錢包或銀行電匯存取澳元。", + "696157141": "Low 現貨價格", "696735942": "輸入身份證號碼(NIN)", "696870196": "- 開市時間:開市時間戳", "697630556": "此市場目前已關閉。", @@ -708,6 +711,7 @@ "731382582": "幣安幣/美元", "734390964": "餘額不足", "734881840": "假", + "739126643": "指標้้ high 現貨價", "742469109": "重設餘額", "742570452": "<0>Deriv P2P目前無法在錢包中使用。", "743623600": "參考", @@ -927,6 +931,7 @@ "969858761": "原則 1:策略目標是每個工作階段可能賺取一個單位的利潤", "969987233": "如果退市現價介於高、低障礙之間,其比例與退市現價及低障礙之間的差異相等,可獲得最大賠付。", "970915884": "一個", + "974888153": "High-Low", "975668699": "我確認並接受 {{company}} 的<0>條款和條件", "975950139": "居住國", "977929335": "前往帳戶設定", @@ -1129,7 +1134,7 @@ "1166377304": "遞增值", "1168029733": "如果退市現價與入市現價相同,則將贏得賠付。", "1169201692": "建立 {{platform}} 密碼", - "1170228717": "Stay on {{platform_name_trader}}", + "1170228717": "留在 {{platform_name_trader}}", "1171765024": "步驟 3", "1171961126": "交易參數", "1172230903": "• 止損門檻:使用此變數儲存虧損限額。 可以指定任何金額。 當虧損達到或超過此金額時,機器人將停止運作。", @@ -1347,6 +1352,7 @@ "1371193412": "取消", "1371555192": "選擇慣用付款代理並輸入提款金額。如果付款代理不在清單裡,請<0>使用其帳號搜尋。", "1371641641": "用手機打開連結", + "1371758591": "使用<0>全新且改進的收銀台「Wallets」,更流暢、更安全地交易多種貨幣。", "1371911731": "歐盟國家的金融產品交易由 {{legal_entity_name}} 提供,由馬爾他金融服務機構授予執照為3級投資服務提供商 (<0>執照編號IS/70156)。", "1373949314": "Reverse Martingale 策略包括在每次成功交易後增加投注,並為每次輸入交易重設為初始投,因為它旨在從連續勝利中確保潛在利潤。", "1374627690": "最大帳戶餘額", @@ -1372,6 +1378,7 @@ "1397628594": "資金不足", "1400341216": "將審核文件並於 1 至 3 天內通知狀況。", "1400732866": "從相機觀看", + "1400962248": "High-Close", "1402208292": "更改文字大小寫", "1402300547": "驗證地址", "1403376207": "更新個人資料", @@ -1828,6 +1835,7 @@ "1851776924": "上部", "1854480511": "收銀台已鎖定", "1854874899": "返回清單", + "1854909245": "Multiplier:", "1855566768": "清單項目位置", "1856485118": "請<0>重新提交地址證明,以便在 MT5 和 Deriv 帳戶之間轉移資金。", "1856755117": "需要採取待處理的行動", @@ -2744,7 +2752,7 @@ "-1483251744": "匯出的金額", "-536126207": "收到的金額", "-486580863": "轉給", - "-71189928": "<0>錢包 <1> — 組織資金的最佳方式", + "-1424352390": "<0>Wallets <1>— 更聰明的資金管理方式", "-2146691203": "選擇法規", "-249184528": "可以根據歐盟或非歐盟法規開立真實帳戶。按一下<0><0/>圖示以進一步瞭解這些帳戶。", "-1505234170": "Trader's Hub 瀏覽", @@ -3049,7 +3057,6 @@ "-254421190": "清單: ({{message_length}})", "-1616649196": "結果", "-90107030": "未發現結果", - "-984140537": "新增", "-1373954791": "必須是有效號碼", "-1278608332": "請輸入0和{{api_max_losses}} 之間的數字。", "-287597204": "輸入限制後,一旦滿足以下任一條件時機器人將停止交易。", @@ -3174,6 +3181,7 @@ "-287223248": "尚無交易或活動。", "-418247251": "下載日誌。", "-2123571162": "下載", + "-984140537": "新增", "-870004399": "<0>已購入: {{longcode}} (ID: {{transaction_id}})", "-1211474415": "篩選器", "-186972150": "沒有要顯示的消息", @@ -3672,6 +3680,8 @@ "-453920758": "前往 {{platform_name_mt5}} 儀表板", "-402175529": "歷史", "-1013917510": "重設時間為 {{ reset_time }}", + "-925402280": "指標 low 現貨價", + "-1075414250": "High 現貨價格", "-902712434": "交易取消", "-988484646": "交易取消(已執行)", "-444882676": "交易取消(有效)", @@ -3693,8 +3703,7 @@ "-138538812": "登入或開立免費帳戶進行交易。", "-2036388794": "開立免費帳戶", "-1813736037": "目前交易時段內不允許對該合約類型進一步交易。有關詳細資訊,請參閱<0>條款和條件.", - "-590131162": "Stay on {{website_domain}}", - "-1444663817": "前往 Binary.com", + "-590131162": "留在 {{website_domain}}", "-1526466612": "已選了目前不支持的交易類型,但我們正在處理此問題。", "-1043795232": "最近的頭寸", "-153220091": "{{display_value}} 跳動點", From c9e657f9c361f4dc3e94a764b20832033b79daf9 Mon Sep 17 00:00:00 2001 From: Rostik Kayko <119863957+rostislav-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 08:58:45 +0300 Subject: [PATCH 07/20] [WALL] [Fix] Rostislav / WALL-3449 / Correct input type in transfer form (#13662) * fix: minor correction * fix: different input type --- .../src/components/Base/ATMAmountInput/ATMAmountInput.tsx | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/packages/wallets/src/components/Base/ATMAmountInput/ATMAmountInput.tsx b/packages/wallets/src/components/Base/ATMAmountInput/ATMAmountInput.tsx index bcafd734835d..4430507a3455 100644 --- a/packages/wallets/src/components/Base/ATMAmountInput/ATMAmountInput.tsx +++ b/packages/wallets/src/components/Base/ATMAmountInput/ATMAmountInput.tsx @@ -65,7 +65,7 @@ const WalletTransferFormInputField: React.FC = ({ className='wallets-atm-amount-input__input' disabled={disabled || isFocused} readOnly - value={`${formattedValue} ${currency || ''}`} + value={`${formattedValue} ${currency ?? ''}`} /> = ({ onFocus={onFocusHandler} onPaste={formatOnPaste} ref={inputRef} - type='numeric' + type='tel' value={formattedValue} /> From cf863e43f19c9e51fbb75415fedf1806669439a7 Mon Sep 17 00:00:00 2001 From: Rostik Kayko <119863957+rostislav-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 08:59:07 +0300 Subject: [PATCH 08/20] [WALL] [Fix] Rostislav / WALL-3445 / `useInputATMFormatter` pasting issue (#13534) * fix: the amount input issue * fix: main adjustments --- .../wallets/src/hooks/useInputATMFormatter.ts | 52 +++++++++++++------ 1 file changed, 35 insertions(+), 17 deletions(-) diff --git a/packages/wallets/src/hooks/useInputATMFormatter.ts b/packages/wallets/src/hooks/useInputATMFormatter.ts index 93a3aeab81ba..1e0fe53a6170 100644 --- a/packages/wallets/src/hooks/useInputATMFormatter.ts +++ b/packages/wallets/src/hooks/useInputATMFormatter.ts @@ -45,25 +45,31 @@ const useInputATMFormatter = (inputRef: React.RefObject, initi } }, [caret, formattedValue, caretNeedsRepositioning, input]); - const onChange = useCallback( - (e: DeepPartial> | React.ChangeEvent) => { + const checkExceedsMaxDigits = useCallback( + (newValue: string) => { + if (!input) return true; + + // drop the changes if the number of digits is not decreasing and it has exceeded maxDigits + const inputDigitsCount = input.value.replace(separatorRegex, '').replace(/^0+/, '').length; + const changeDigitsCount = newValue.replace(separatorRegex, '').replace(/^0+/, '').length ?? 0; + return maxDigits && changeDigitsCount >= inputDigitsCount && changeDigitsCount > maxDigits; + }, + [input, maxDigits] + ); + + const handleNewValue = useCallback( + (newValue: string) => { if (!input) return; const newCaretPosition = input.value.length - (input.selectionStart ?? 0); setCaret(newCaretPosition); setCaretNeedsRepositioning(true); - // drop the changes if the number of digits is not decreasing and it has exceeded maxDigits - const inputDigitsCount = input.value.replace(separatorRegex, '').replace(/^0+/, '').length; - const changeDigitsCount = e.target?.value?.replace(separatorRegex, '').replace(/^0+/, '').length ?? 0; - if (maxDigits && changeDigitsCount >= inputDigitsCount && inputDigitsCount > maxDigits) return; - const hasNoChangeInDigits = input.value.length + 1 === prevFormattedValue.length && input.value.replaceAll(separatorRegex, '') === prevFormattedValue.replaceAll(separatorRegex, ''); if (hasNoChangeInDigits) return; - const newValue = e?.target?.value || ''; const unformatted = unFormatLocaleString(newValue, locale); const shifted = (Number(unformatted) * 10).toFixed(fractionDigits); const unShifted = (Number(unformatted) / 10).toFixed(fractionDigits); @@ -111,18 +117,34 @@ const useInputATMFormatter = (inputRef: React.RefObject, initi [input, maxDigits, prevFormattedValue, locale, fractionDigits, onChangeDecimal] ); + const onChange = useCallback( + (e: DeepPartial> | React.ChangeEvent) => { + const newValue = e.target?.value; + if (typeof newValue === 'undefined') return; + if (checkExceedsMaxDigits(newValue)) return; + handleNewValue(newValue); + }, + [handleNewValue] + ); + const onPaste: React.ClipboardEventHandler = useCallback( e => { isPasting.current = e.type === 'paste'; if (Number(unFormatLocaleString(formattedValue, locale)) === 0) { const pasted = (e.clipboardData || window.clipboardData).getData('Text'); const pastedValue = Number(unFormatLocaleString(pasted, locale)); - if (!isNaN(pastedValue) && isFinite(pastedValue) && pastedValue >= 0) + const pastedValueFormatted = `${pastedValue.toLocaleString(locale, { + minimumFractionDigits: fractionDigits, + })}`; + if ( + !isNaN(pastedValue) && + isFinite(pastedValue) && + pastedValue >= 0 && + !checkExceedsMaxDigits(pastedValueFormatted) + ) onChange({ target: { - value: `${pastedValue.toLocaleString(locale, { - minimumFractionDigits: fractionDigits, - })}`, + value: pastedValueFormatted, }, }); } @@ -133,11 +155,7 @@ const useInputATMFormatter = (inputRef: React.RefObject, initi useEffect(() => { if (typeof initial === 'number') { isPasting.current = true; - onChange({ - target: { - value: `${Number(initial).toLocaleString(locale, { minimumFractionDigits: fractionDigits })}`, - }, - }); + handleNewValue(`${Number(initial).toLocaleString(locale, { minimumFractionDigits: fractionDigits })}`); } }, [fractionDigits, initial, locale, onChange]); From e69f68be379af75a39e53daf25d9301b916f07ad Mon Sep 17 00:00:00 2001 From: "Ali(Ako) Hosseini" Date: Tue, 20 Feb 2024 14:00:54 +0800 Subject: [PATCH 09/20] ci: use vars instead of env (#13695) --- .github/workflows/release_production.yml | 2 +- .github/workflows/release_staging.yml | 2 +- .github/workflows/release_uat.yml | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/.github/workflows/release_production.yml b/.github/workflows/release_production.yml index 8ab9fd1339ee..0407377a8a72 100644 --- a/.github/workflows/release_production.yml +++ b/.github/workflows/release_production.yml @@ -22,7 +22,7 @@ jobs: - name: Download Remote Config Backup File uses: ./.github/actions/download_remote_config_backup with: - REMOTE_CONFIG_URL: ${{ env.REMOTE_CONFIG_URL }} + REMOTE_CONFIG_URL: ${{ vars.REMOTE_CONFIG_URL }} - name: Build uses: "./.github/actions/build" with: diff --git a/.github/workflows/release_staging.yml b/.github/workflows/release_staging.yml index 327e73a9f61a..2d632af99d02 100644 --- a/.github/workflows/release_staging.yml +++ b/.github/workflows/release_staging.yml @@ -19,7 +19,7 @@ jobs: - name: Download Remote Config Backup File uses: ./.github/actions/download_remote_config_backup with: - REMOTE_CONFIG_URL: ${{ env.REMOTE_CONFIG_URL }} + REMOTE_CONFIG_URL: ${{ vars.REMOTE_CONFIG_URL }} - name: Build uses: "./.github/actions/build" with: diff --git a/.github/workflows/release_uat.yml b/.github/workflows/release_uat.yml index 7fe232419374..855c5405dc65 100644 --- a/.github/workflows/release_uat.yml +++ b/.github/workflows/release_uat.yml @@ -20,7 +20,7 @@ jobs: - name: Download Remote Config Backup File uses: ./.github/actions/download_remote_config_backup with: - REMOTE_CONFIG_URL: ${{ env.REMOTE_CONFIG_URL }} + REMOTE_CONFIG_URL: ${{ vars.REMOTE_CONFIG_URL }} - name: Build uses: "./.github/actions/build" with: From 27d56448243ce981f324de0bd7fb87fa668805de Mon Sep 17 00:00:00 2001 From: kate-deriv <121025168+kate-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 10:35:44 +0300 Subject: [PATCH 10/20] DTRA / Kate / DTRA-922 / Fix "Learn more" functionality for Turbos / Vanillas/ Rise and Fall (#13686) * fix: add description for rare contracts * refactor: apply suggestions --- .../ContractTypeInfo/contract-type-info.tsx | 26 ++++++++++++++++--- .../__tests__/contract-type-info.spec.tsx | 4 +++ .../ContractType/contract-type-widget.tsx | 1 + 3 files changed, 27 insertions(+), 4 deletions(-) diff --git a/packages/trader/src/Modules/Trading/Components/Form/ContractType/ContractTypeInfo/contract-type-info.tsx b/packages/trader/src/Modules/Trading/Components/Form/ContractType/ContractTypeInfo/contract-type-info.tsx index 23e216d5316a..8e274f5573ee 100644 --- a/packages/trader/src/Modules/Trading/Components/Form/ContractType/ContractTypeInfo/contract-type-info.tsx +++ b/packages/trader/src/Modules/Trading/Components/Form/ContractType/ContractTypeInfo/contract-type-info.tsx @@ -20,6 +20,7 @@ type TInfo = { item: TContractType; list: TList[]; info_banner?: React.ReactNode; + selected_value: string; }; const TABS = { @@ -29,7 +30,7 @@ const TABS = { type TSelectedTab = 'description' | 'glossary'; -const Info = observer(({ handleSelect, item, list, info_banner }: TInfo) => { +const Info = observer(({ handleSelect, item, selected_value, list, info_banner }: TInfo) => { const { cached_multiplier_cancellation_list, symbol } = useTraderStore(); const { active_symbols: { active_symbols }, @@ -38,9 +39,16 @@ const Info = observer(({ handleSelect, item, list, info_banner }: TInfo) => { trade: { is_vanilla_fx }, }, } = useStore(); + const { RISE_FALL, RISE_FALL_EQUAL, TURBOS, VANILLA } = TRADE_TYPES; + const CONTRACT_TYPE_SUBSTITUTE = { + [RISE_FALL_EQUAL]: RISE_FALL, + [TURBOS.SHORT]: TURBOS.LONG, + [VANILLA.PUT]: VANILLA.CALL, + }; const [selected_tab, setSelectedTab] = React.useState(TABS.DESCRIPTION); - const [selected_contract_type, setSelectedContractType] = React.useState(item.value); - const { RISE_FALL_EQUAL, TURBOS, VANILLA } = TRADE_TYPES; + const [selected_contract_type, setSelectedContractType] = React.useState( + CONTRACT_TYPE_SUBSTITUTE[selected_value] ?? selected_value + ); const contract_types: TContractType[] | undefined = getContractTypes(list, item)?.filter( (i: { value: TContractType['value'] }) => i.value !== RISE_FALL_EQUAL && i.value !== TURBOS.SHORT && i.value !== VANILLA.PUT @@ -187,7 +195,17 @@ const Info = observer(({ handleSelect, item, list, info_banner }: TInfo) => { + + ); +}; + +export default Clipboard; diff --git a/packages/cashier-v2/src/components/Clipboard/index.tsx b/packages/cashier-v2/src/components/Clipboard/index.tsx new file mode 100644 index 000000000000..5878f8a254e4 --- /dev/null +++ b/packages/cashier-v2/src/components/Clipboard/index.tsx @@ -0,0 +1 @@ +export { default as Clipboard } from './Clipboard'; diff --git a/packages/cashier-v2/src/components/PageContainer/PageContainer.module.scss b/packages/cashier-v2/src/components/PageContainer/PageContainer.module.scss index 67690b579830..a25bf433f28d 100644 --- a/packages/cashier-v2/src/components/PageContainer/PageContainer.module.scss +++ b/packages/cashier-v2/src/components/PageContainer/PageContainer.module.scss @@ -15,7 +15,7 @@ display: flex; flex: 1; flex-direction: column; - overflow-y: scroll; + overflow-y: auto; padding: 0 2.4rem 2.4rem; gap: 2.4rem; diff --git a/packages/cashier-v2/src/components/index.ts b/packages/cashier-v2/src/components/index.ts index dfb81c7ec872..f0610ce86a65 100644 --- a/packages/cashier-v2/src/components/index.ts +++ b/packages/cashier-v2/src/components/index.ts @@ -1,3 +1,4 @@ +export { Clipboard } from './Clipboard'; export { DummyComponent } from './DummyComponent'; export { NewsTicker } from './NewsTicker'; export { PageContainer } from './PageContainer'; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/DepositCrypto.module.scss b/packages/cashier-v2/src/lib/DepositCrypto/DepositCrypto.module.scss new file mode 100644 index 000000000000..96d0834f5b07 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/DepositCrypto.module.scss @@ -0,0 +1,26 @@ +.container { + position: relative; + height: fit-content; + width: 100%; + display: flex; + justify-content: center; + gap: 2.4rem; + padding-bottom: 2.4rem; + + @include mobile-cashier-v2 { + flex-direction: column; + gap: 1.6rem; + } +} + +.main-content { + display: flex; + flex-direction: column; + gap: 2.4rem; + position: relative; + + @include mobile-cashier-v2 { + padding: 0; + gap: 1.6rem; + } +} diff --git a/packages/cashier-v2/src/lib/DepositCrypto/DepositCrypto.tsx b/packages/cashier-v2/src/lib/DepositCrypto/DepositCrypto.tsx new file mode 100644 index 000000000000..bb13ee205366 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/DepositCrypto.tsx @@ -0,0 +1,25 @@ +import React from 'react'; +import { Divider } from '@deriv-com/ui'; +import { + DepositCryptoAddress, + DepositCryptoCurrencyDetails, + DepositCryptoDisclaimers, + DepositCryptoTryFiatOnRamp, +} from './components'; +import styles from './DepositCrypto.module.scss'; + +const DepositCrypto = () => { + return ( +
+
+ + + + + +
+
+ ); +}; + +export default DepositCrypto; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/DepositCryptoAddress.module.scss b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/DepositCryptoAddress.module.scss new file mode 100644 index 000000000000..8e52b2087dd8 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/DepositCryptoAddress.module.scss @@ -0,0 +1,43 @@ +.container { + display: flex; + flex-direction: column; + align-items: center; + gap: 2.4rem; + min-height: 6rem; + width: 100%; +} + +.loader { + width: 100%; + display: flex; + align-items: center; + justify-content: center; +} + +.hash { + width: fit-content; + display: flex; + align-items: center; + justify-content: space-between; + border: 1px solid $color-grey-4; + border-radius: 0.4rem; + + @include mobile-cashier-v2 { + width: 100%; + } +} + +.hash-text { + overflow-x: hidden; + padding: 0.8rem 1rem; + text-overflow: ellipsis; + border-right: 1px solid $color-grey-4; +} + +.hash-clipboard { + display: flex; + align-items: center; + padding: 1rem 0.6rem; + height: 100%; + gap: 0.8rem; +} diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/DepositCryptoAddress.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/DepositCryptoAddress.tsx new file mode 100644 index 000000000000..a4b2b0ae53ee --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/DepositCryptoAddress.tsx @@ -0,0 +1,44 @@ +import React, { useEffect } from 'react'; +import QRCode from 'qrcode.react'; +import { useAuthorize, useDepositCryptoAddress } from '@deriv/api'; +import { Text, useDevice } from '@deriv-com/ui'; +import { Clipboard } from '../../../../components'; +import { DepositCryptoAddressLoader } from '../DepositCryptoAddressLoader'; +import styles from './DepositCryptoAddress.module.scss'; + +const DepositCryptoAddress = () => { + const { data: depositCryptoAddress, isLoading, mutate } = useDepositCryptoAddress(); + const { isSuccess: isAuthorizeSuccess } = useAuthorize(); + const { isMobile } = useDevice(); + + useEffect(() => { + if (isAuthorizeSuccess) { + mutate(); + } + }, [isAuthorizeSuccess, mutate]); + + if (isLoading) + return ( +
+ +
+ ); + + return ( +
+ +
+
+ + {depositCryptoAddress} + +
+
+ +
+
+
+ ); +}; + +export default DepositCryptoAddress; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/__tests__/DepositCryptoAddress.spec.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/__tests__/DepositCryptoAddress.spec.tsx new file mode 100644 index 000000000000..f5fc7c78c523 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/__tests__/DepositCryptoAddress.spec.tsx @@ -0,0 +1,48 @@ +import React from 'react'; +import { useAuthorize, useDepositCryptoAddress } from '@deriv/api'; +import { useDevice } from '@deriv-com/ui'; +import { render, screen } from '@testing-library/react'; +import DepositCryptoAddress from '../DepositCryptoAddress'; + +jest.mock('@deriv/api', () => ({ + useAuthorize: jest.fn(), + useDepositCryptoAddress: jest.fn(), +})); + +jest.mock('@deriv-com/ui', () => ({ + ...jest.requireActual('@deriv-com/ui'), + useDevice: jest.fn(), +})); + +jest.mock('usehooks-ts', () => ({ + useCopyToClipboard: jest.fn(() => [true, jest.fn()]), +})); + +describe('DepositCryptoAddress', () => { + beforeEach(() => { + jest.clearAllMocks(); + HTMLCanvasElement.prototype.getContext = jest.fn(); + (useDevice as jest.Mock).mockReturnValue({ isMobile: false }); + (useAuthorize as jest.Mock).mockReturnValue({ isSuccess: true }); + (useDepositCryptoAddress as jest.Mock).mockReturnValue({ + data: '1A1zP1eP5QGefi2DMPTfTL5SLmv7DivfNa', + isLoading: false, + mutate: jest.fn(), + }); + }); + it('should show loader when crypto address not loaded yet', () => { + (useDepositCryptoAddress as jest.Mock).mockReturnValue({ data: undefined, isLoading: true, mutate: jest.fn() }); + render(); + expect(screen.getByTestId('dt_deposit-crypto-address-loader')).toBeInTheDocument(); + }); + + it('should show crypto address after the address fetched', () => { + render(); + expect(screen.getByText('1A1zP1eP5QGefi2DMPTfTL5SLmv7DivfNa')).toBeInTheDocument(); + }); + + it('should show QR code', () => { + render(); + expect(screen.getByTestId('dt_deposit-crypto-address-qr-code')).toBeInTheDocument(); + }); +}); diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/index.ts new file mode 100644 index 000000000000..dc8cb7b12efc --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddress/index.ts @@ -0,0 +1 @@ +export { default as DepositCryptoAddress } from './DepositCryptoAddress'; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/DepositCryptoAddressLoader.module.scss b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/DepositCryptoAddressLoader.module.scss new file mode 100644 index 000000000000..25ec875b5dbf --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/DepositCryptoAddressLoader.module.scss @@ -0,0 +1,28 @@ +.container { + display: flex; + flex-direction: column; + align-items: center; + gap: 2.4rem; + + @include mobile-cashier-v2 { + width: 100%; + } +} +.qr-code { + width: 12.8rem; + height: 12.8rem; +} + +.text { + width: 34.5rem; + height: 3.6rem; + border-radius: 4px; + + @include mobile-cashier-v2 { + width: 100%; + } +} + +.skeleton { + @include skeleton-loader; +} diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/DepositCryptoAddressLoader.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/DepositCryptoAddressLoader.tsx new file mode 100644 index 000000000000..0eb0fd1c7268 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/DepositCryptoAddressLoader.tsx @@ -0,0 +1,14 @@ +import React from 'react'; +import clsx from 'clsx'; +import styles from './DepositCryptoAddressLoader.module.scss'; + +const DepositCryptoAddressLoader = () => { + return ( +
+
+
+
+ ); +}; + +export default DepositCryptoAddressLoader; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/index.ts new file mode 100644 index 000000000000..5971f2043a48 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoAddressLoader/index.ts @@ -0,0 +1 @@ +export { default as DepositCryptoAddressLoader } from './DepositCryptoAddressLoader'; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/DepositCryptoCurrencyDetails.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/DepositCryptoCurrencyDetails.tsx new file mode 100644 index 000000000000..5a0f7b870916 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/DepositCryptoCurrencyDetails.tsx @@ -0,0 +1,16 @@ +import React from 'react'; +import { useActiveAccount } from '@deriv/api'; +import { Text } from '@deriv-com/ui'; + +const DepositCryptoCurrencyDetails = () => { + const { data: activeAccount } = useActiveAccount(); + + return ( + + Send only {activeAccount?.currency_config?.name} ({activeAccount?.currency_config?.display_code}) to this + address + + ); +}; + +export default DepositCryptoCurrencyDetails; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/__tests__/DepositCryptoCurrencyDetails.spec.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/__tests__/DepositCryptoCurrencyDetails.spec.tsx new file mode 100644 index 000000000000..08274ee726c6 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/__tests__/DepositCryptoCurrencyDetails.spec.tsx @@ -0,0 +1,29 @@ +import React from 'react'; +import { useActiveAccount } from '@deriv/api'; +import { render, screen } from '@testing-library/react'; +import DepositCryptoCurrencyDetails from '../DepositCryptoCurrencyDetails'; + +jest.mock('@deriv/api', () => ({ + useActiveAccount: jest.fn(), +})); + +describe('DepositCryptoCurrencyDetails', () => { + const mockData = { + currency_config: { + display_code: 'BTC', + name: 'Bitcoin', + }, + }; + + beforeEach(() => { + jest.clearAllMocks(); + }); + + it('should render with correct currency details', () => { + (useActiveAccount as jest.Mock).mockReturnValue({ data: mockData }); + + render(); + + expect(screen.getByText(`Send only Bitcoin (BTC) to this address`)).toBeInTheDocument(); + }); +}); diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/index.ts new file mode 100644 index 000000000000..038a29daf008 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoCurrencyDetails/index.ts @@ -0,0 +1 @@ +export { default as DepositCryptoCurrencyDetails } from './DepositCryptoCurrencyDetails'; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/DepositCryptoDisclaimers.module.scss b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/DepositCryptoDisclaimers.module.scss new file mode 100644 index 000000000000..0bcd8697411e --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/DepositCryptoDisclaimers.module.scss @@ -0,0 +1,35 @@ +.container { + display: flex; + flex-direction: column; + justify-content: center; + gap: 2.4rem; + + @include mobile-cashier-v2 { + gap: 1.6rem; + } +} +.content { + display: flex; + flex-direction: column; + align-items: flex-start; + gap: 1rem; + + @include mobile-cashier-v2 { + gap: 0.8rem; + } +} + +.points { + list-style: disc; + margin-left: 1.4rem; +} + +.note { + text-align: center; + display: flex; + justify-content: center; + + @include mobile-cashier-v2 { + justify-content: unset; + } +} diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/DepositCryptoDisclaimers.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/DepositCryptoDisclaimers.tsx new file mode 100644 index 000000000000..88aaada67994 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/DepositCryptoDisclaimers.tsx @@ -0,0 +1,69 @@ +import React from 'react'; +import { useActiveAccount } from '@deriv/api'; +import { InlineMessage, Text } from '@deriv-com/ui'; +import styles from './DepositCryptoDisclaimers.module.scss'; + +// Check with BE to see if we can get the network name from the API. +const cryptoCurrencyToNetworkMapper: Record = { + BTC: 'Bitcoin (BTC)', + ETH: 'Ethereum (ETH)', + eUSDT: 'Ethereum (ERC20) ', + LTC: 'Litecoin (LTC)', + tUSDT: 'Tron (TRC20) ', + USDC: 'Ethereum (ERC20)', + UST: 'Omnicore', +}; + +const DepositCryptoDisclaimers = () => { + const { data: activeAccount } = useActiveAccount(); + const { currency } = activeAccount ?? {}; + const formattedMinimumDepositValue = activeAccount?.currency_config?.minimum_deposit?.toFixed( + activeAccount?.currency_config?.fractional_digits + ); + + const minimumDepositDisclaimer = activeAccount?.currency_config?.is_tUSDT ? ( + + A minimum deposit value of {formattedMinimumDepositValue} {currency} is required. + Otherwise, a fee is applied. + + ) : ( + + A minimum deposit value of {formattedMinimumDepositValue} {currency} is required. + Otherwise, the funds will be lost and cannot be recovered. + + ); + + return ( +
+ +
+ + To avoid loss of funds: + +
    + {activeAccount?.currency_config?.minimum_deposit && minimumDepositDisclaimer} + + Do not send other cryptocurrencies to this address. + + + Make sure to copy your Deriv account address correctly into your crypto wallet. + + + In your cryptocurrency wallet, make sure to select{' '} + {currency && cryptoCurrencyToNetworkMapper[currency]} network when you + transfer funds to Deriv. + +
+
+
+
+ + Note: + +  You’ll receive an email when your deposit starts being processed. +
+
+ ); +}; + +export default DepositCryptoDisclaimers; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/__tests__/DepositCryptoDisclaimers.spec.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/__tests__/DepositCryptoDisclaimers.spec.tsx new file mode 100644 index 000000000000..5e38c0ed4b9c --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/__tests__/DepositCryptoDisclaimers.spec.tsx @@ -0,0 +1,82 @@ +import React from 'react'; +import { useActiveAccount } from '@deriv/api'; +import { render, screen } from '@testing-library/react'; +import DepositCryptoDisclaimers from '../DepositCryptoDisclaimers'; + +jest.mock('@deriv/api', () => ({ + useActiveAccount: jest.fn(), +})); + +describe('DepositCryptoDisclaimers', () => { + const mockData = { + currency: 'ETH', + currency_config: { + fractional_digits: 2, + is_tUSDT: false, + minimum_deposit: 10, + }, + }; + + beforeEach(() => { + jest.clearAllMocks(); + }); + + it('should render with default disclaimer', () => { + (useActiveAccount as jest.Mock).mockReturnValue({ data: {} }); + + render(); + + expect(screen.getByText('To avoid loss of funds:')).toBeInTheDocument(); + expect(screen.getByText('Do not send other cryptocurrencies to this address.')).toBeInTheDocument(); + expect( + screen.getByText('Make sure to copy your Deriv account address correctly into your crypto wallet.') + ).toBeInTheDocument(); + expect(screen.queryByText(/A minimum deposit value of/)).not.toBeInTheDocument(); + expect( + screen.getByText('You’ll receive an email when your deposit starts being processed.') + ).toBeInTheDocument(); + }); + + it('should render with minimum deposit disclaimer for active currency', () => { + (useActiveAccount as jest.Mock).mockReturnValue({ data: mockData }); + + render(); + + expect(screen.getByText('To avoid loss of funds:')).toBeInTheDocument(); + expect(screen.getByText('Do not send other cryptocurrencies to this address.')).toBeInTheDocument(); + expect( + screen.getByText('Make sure to copy your Deriv account address correctly into your crypto wallet.') + ).toBeInTheDocument(); + expect(screen.getByText(/A minimum deposit value of/)).toBeInTheDocument(); + expect(screen.getByText(/Ethereum \(ETH\) network/)).toBeInTheDocument(); + expect( + screen.getByText('You’ll receive an email when your deposit starts being processed.') + ).toBeInTheDocument(); + }); + + it('should render with specific minimum deposit disclaimer for tUSDT', () => { + const tUSDTData = { + currency: 'tUSDT', + currency_config: { + ...mockData.currency_config, + is_tUSDT: true, + }, + }; + + (useActiveAccount as jest.Mock).mockReturnValue({ data: tUSDTData }); + + render(); + + expect(screen.getByText('To avoid loss of funds:')).toBeInTheDocument(); + expect(screen.getByText('Do not send other cryptocurrencies to this address.')).toBeInTheDocument(); + expect( + screen.getByText('Make sure to copy your Deriv account address correctly into your crypto wallet.') + ).toBeInTheDocument(); + expect(screen.getByText(/A minimum deposit value of/)).toBeInTheDocument(); + expect(screen.getByText(/Tron \(TRC20\) network/)).toBeInTheDocument(); + expect(screen.getByText(/Otherwise, a fee is applied./)).toBeInTheDocument(); + expect( + screen.getByText('You’ll receive an email when your deposit starts being processed.') + ).toBeInTheDocument(); + }); +}); diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/index.ts new file mode 100644 index 000000000000..6c80d6ab7f7f --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoDisclaimers/index.ts @@ -0,0 +1 @@ +export { default as DepositCryptoDisclaimers } from './DepositCryptoDisclaimers'; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/DepositCryptoTryFiatOnRamp.module.scss b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/DepositCryptoTryFiatOnRamp.module.scss new file mode 100644 index 000000000000..42bf173098ed --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/DepositCryptoTryFiatOnRamp.module.scss @@ -0,0 +1,21 @@ +.container { + background-color: var(--general-section-1); + border-radius: 0.8rem; + margin: 0 9.3rem; + padding: 1.6rem 2.4rem; + text-align: center; + + @include mobile-cashier-v2 { + margin: 0; + } +} + +.link { + color: $color-red; + font-weight: 400; + + &:hover { + text-decoration: underline; + cursor: pointer; + } +} diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/DepositCryptoTryFiatOnRamp.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/DepositCryptoTryFiatOnRamp.tsx new file mode 100644 index 000000000000..5060c86e070a --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/DepositCryptoTryFiatOnRamp.tsx @@ -0,0 +1,21 @@ +import React from 'react'; +import { Link } from 'react-router-dom'; +import { Text } from '@deriv-com/ui'; +import styles from './DepositCryptoTryFiatOnRamp.module.scss'; + +const DepositCryptoTryFiatOnRamp = () => { + return ( +
+ + Looking for a way to buy cryptocurrencies?  + + {' '} + Try Fiat onramp{' '} + {' '} + . + +
+ ); +}; + +export default DepositCryptoTryFiatOnRamp; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/__tests__/DepositCryptoTryFiatOnRamp.spec.tsx b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/__tests__/DepositCryptoTryFiatOnRamp.spec.tsx new file mode 100644 index 000000000000..2da58d9e3964 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/__tests__/DepositCryptoTryFiatOnRamp.spec.tsx @@ -0,0 +1,30 @@ +import React from 'react'; +import { Router } from 'react-router-dom'; +import { createMemoryHistory } from 'history'; +import { fireEvent, render, screen } from '@testing-library/react'; +import DepositCryptoTryFiatOnRamp from '../DepositCryptoTryFiatOnRamp'; + +describe('DepositCryptoTryFiatOnRamp', () => { + const history = createMemoryHistory(); + + it('should render component correctly', () => { + render( + + + + ); + expect(screen.getByText(/Looking for a way to buy cryptocurrencies?/)).toBeInTheDocument(); + expect(screen.getByText('Try Fiat onramp')).toBeInTheDocument(); + }); + + it('should navigate to /cashier-v2/on-ramp when the link is clicked', () => { + render( + + + + ); + + fireEvent.click(screen.getByText('Try Fiat onramp')); + expect(history.location.pathname).toEqual('/cashier-v2/on-ramp'); + }); +}); diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/index.ts new file mode 100644 index 000000000000..7753cec87b16 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/DepositCryptoTryFiatOnRamp/index.ts @@ -0,0 +1 @@ +export { default as DepositCryptoTryFiatOnRamp } from './DepositCryptoTryFiatOnRamp'; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/components/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/components/index.ts new file mode 100644 index 000000000000..717c0ebe6167 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/components/index.ts @@ -0,0 +1,6 @@ +import { DepositCryptoAddress } from './DepositCryptoAddress'; +import { DepositCryptoCurrencyDetails } from './DepositCryptoCurrencyDetails'; +import { DepositCryptoDisclaimers } from './DepositCryptoDisclaimers'; +import { DepositCryptoTryFiatOnRamp } from './DepositCryptoTryFiatOnRamp'; + +export { DepositCryptoAddress, DepositCryptoCurrencyDetails, DepositCryptoDisclaimers, DepositCryptoTryFiatOnRamp }; diff --git a/packages/cashier-v2/src/lib/DepositCrypto/index.ts b/packages/cashier-v2/src/lib/DepositCrypto/index.ts new file mode 100644 index 000000000000..28539f65d516 --- /dev/null +++ b/packages/cashier-v2/src/lib/DepositCrypto/index.ts @@ -0,0 +1 @@ +export { default as DepositCryptoModule } from './DepositCrypto'; diff --git a/packages/cashier-v2/src/lib/index.ts b/packages/cashier-v2/src/lib/index.ts index 209563c74638..1d68bff23425 100644 --- a/packages/cashier-v2/src/lib/index.ts +++ b/packages/cashier-v2/src/lib/index.ts @@ -1,3 +1,4 @@ export * from './CashierOnboarding'; +export * from './DepositCrypto'; export * from './DepositFiat'; export * from './WithdrawalVerification'; diff --git a/packages/cashier-v2/src/routes/Router.tsx b/packages/cashier-v2/src/routes/Router.tsx index 56c297bac71c..187d18083668 100644 --- a/packages/cashier-v2/src/routes/Router.tsx +++ b/packages/cashier-v2/src/routes/Router.tsx @@ -3,7 +3,7 @@ import React from 'react'; import { Switch } from 'react-router-dom'; import { DummyComponent, PageContainer } from '../components'; import { Cashier } from '../containers'; -import { CashierOnboardingModule, WithdrawalVerificationModule } from '../lib'; +import { DepositCryptoModule, WithdrawalVerificationModule } from '../lib'; import { TRouteTypes } from '../types'; import RouteWithSubRoutes from './RouteWithSubRoutes'; @@ -27,7 +27,7 @@ const routesConfig: TRouteTypes.IRouteConfig[] = [ path: cashierPathRoutes.cashierDeposit, component: () => ( - + ), title: 'Deposit', diff --git a/packages/cashier-v2/src/styles/index.js b/packages/cashier-v2/src/styles/index.js index 2dfca1c0d736..7f7142ed0fcb 100644 --- a/packages/cashier-v2/src/styles/index.js +++ b/packages/cashier-v2/src/styles/index.js @@ -1,5 +1,5 @@ const path = require('path'); -const resources = ['devices.scss']; +const resources = ['devices.scss', 'loaders.scss']; module.exports = resources.map(file => path.resolve(__dirname, file)); diff --git a/packages/cashier-v2/src/styles/index.scss b/packages/cashier-v2/src/styles/index.scss index 9dc6b3c424c4..f5043018e699 100644 --- a/packages/cashier-v2/src/styles/index.scss +++ b/packages/cashier-v2/src/styles/index.scss @@ -1,2 +1,3 @@ @import '../../../shared/src/styles/constants.scss'; @import './devices.scss'; +@import './loaders.scss'; diff --git a/packages/cashier-v2/src/styles/loaders.scss b/packages/cashier-v2/src/styles/loaders.scss new file mode 100644 index 000000000000..9ebb7fc424c1 --- /dev/null +++ b/packages/cashier-v2/src/styles/loaders.scss @@ -0,0 +1,14 @@ +@mixin skeleton-loader { + background-color: $color-grey-14; + background-image: linear-gradient(90deg, rgba($color-white, 0), rgba($color-white, 0.5), rgba($color-white, 0)); + background-size: 4rem 100%; + background-repeat: no-repeat; + background-position: left -4rem top 0; + animation: shine 1s ease infinite; +} + +@keyframes shine { + to { + background-position: right -4rem top 0; + } +} diff --git a/packages/shared/src/styles/constants.scss b/packages/shared/src/styles/constants.scss index 5848afa9b91a..52e62f83be89 100644 --- a/packages/shared/src/styles/constants.scss +++ b/packages/shared/src/styles/constants.scss @@ -49,6 +49,7 @@ $color-grey-10: #919191; $color-grey-11: #fafafa; $color-grey-12: #f5f7fa; $color-grey-13: #2e2e2e; +$color-grey-14: #e2e5e7; $color-orange: #ff6444; $color-purple: #722fe4; $color-red: #ff444f; From befbc0c5d08b7338efac1a6ecadca5feebfa90ae Mon Sep 17 00:00:00 2001 From: nada-deriv <122768621+nada-deriv@users.noreply.github.com> Date: Tue, 20 Feb 2024 16:54:54 +0400 Subject: [PATCH 13/20] fix: info icon message not getting translated (#13707) --- .../pages/my-ads/order-time-selection/order-time-selection.tsx | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/packages/p2p/src/pages/my-ads/order-time-selection/order-time-selection.tsx b/packages/p2p/src/pages/my-ads/order-time-selection/order-time-selection.tsx index 14f8ca7d4024..66db9258addd 100644 --- a/packages/p2p/src/pages/my-ads/order-time-selection/order-time-selection.tsx +++ b/packages/p2p/src/pages/my-ads/order-time-selection/order-time-selection.tsx @@ -15,7 +15,7 @@ const OrderTimeSelection = ({ ...field }: FormikValues) => { const { showModal } = useModalManagerContext(); const { ui } = useStore(); const { is_mobile } = ui; - const order_time_info_message = 'Orders will expire if they aren’t completed within this time.'; + const order_time_info_message = localize('Orders will expire if they aren’t completed within this time.'); const order_completion_time_list = [ { text: localize('1 hour'), From 7539f56be0cd234a972cc302ab26bbabd58e5f63 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Tue, 20 Feb 2024 17:35:15 +0400 Subject: [PATCH 14/20] =?UTF-8?q?translations:=20=F0=9F=93=9A=20sync=20tra?= =?UTF-8?q?nslations=20with=20crowdin=20(#13709)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Co-authored-by: DerivFE --- packages/p2p/crowdin/messages.json | 2 +- packages/p2p/src/translations/ar.json | 1 + packages/p2p/src/translations/bn.json | 1 + packages/p2p/src/translations/de.json | 1 + packages/p2p/src/translations/es.json | 1 + packages/p2p/src/translations/fr.json | 1 + packages/p2p/src/translations/it.json | 1 + packages/p2p/src/translations/ko.json | 1 + packages/p2p/src/translations/pl.json | 1 + packages/p2p/src/translations/pt.json | 3 ++- packages/p2p/src/translations/ru.json | 1 + packages/p2p/src/translations/si.json | 1 + packages/p2p/src/translations/sw.json | 1 + packages/p2p/src/translations/th.json | 1 + packages/p2p/src/translations/tr.json | 1 + packages/p2p/src/translations/vi.json | 1 + packages/p2p/src/translations/zh_cn.json | 1 + packages/p2p/src/translations/zh_tw.json | 1 + 18 files changed, 19 insertions(+), 2 deletions(-) diff --git a/packages/p2p/crowdin/messages.json b/packages/p2p/crowdin/messages.json index 895e7fa393aa..f75916570eec 100644 --- a/packages/p2p/crowdin/messages.json +++ b/packages/p2p/crowdin/messages.json @@ -1 +1 @@ -{"3215342":"Last 30 days","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","55916349":"All","68867477":"Order ID {{ id }}","81450871":"We couldn’t find that page","97214671":"Hi! I'd like to exchange {{first_currency}} for {{second_currency}} at {{rate_display}}{{rate_type}} on Deriv P2P.nnIf you're interested, check out my ad 👉nn{{- advert_url}}nnThanks!","106063661":"Share this ad","111718006":"End date","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","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","179083332":"Date","192859167":"{{avg_buy_time_in_minutes}} min","197477687":"Edit {{ad_type}} ad","203271702":"Try again","231473252":"Preferred currency","233677840":"of the market rate","257637860":"Upload documents to verify your address.","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","358133589":"Unblock {{advertiser_name}}?","364681129":"Contact details","367579676":"Blocked","390890891":"Last quarter","392469164":"You have blocked {{advertiser_name}}.","416167062":"You'll receive","424668491":"expired","450016951":"Hello! This is where you can chat with the counterparty to confirm the order details.
Note: In case of a dispute, we'll use this chat as a reference.","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","498743422":"For your safety:","500514593":"Hide my ads","501523417":"You have no orders.","514948272":"Copy link","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","574961698":"45 minutes","587882987":"Advertisers","611376642":"Clear","612069973":"Would you recommend this buyer?","625563394":"Only numbers are allowed.","625586185":"Deposits via cards and the following payment methods aren’t included: Maestro, Diners Club, ZingPay, Skrill, Neteller, Ozow, and UPI QR.","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","668309975":"Others will see this on your profile, ads, and chats.","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","784839262":"Share","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?","886126850":"This ad is not listed on Buy/Sell because its maximum order is lower than the minimum amount you can specify for orders in your ads.","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)","926446466":"Please set a different minimum and/or maximum order limit. nnThe range of your ad should not overlap with any of your active ads.","931661826":"Download this QR code","947389294":"We need your documents","949859957":"Submit","954233511":"Sold","957807235":"Blocking wasn't possible as {{name}} is not using Deriv P2P anymore.","988380202":"Your instructions","993198283":"The file you uploaded is not supported. Upload another.","1001160515":"Sell","1002264993":"Seller's real name","1009032439":"All time","1020552673":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }}...","1030390916":"You already have an ad with this range","1035893169":"Delete","1040596075":"Address verification failed. Please try again.","1042690536":"I’ve read and understood the above reminder.","1052094244":"Max order","1056821534":"Are you sure?","1057127276":"{{- avg_release_time_in_minutes}} min","1065551550":"Set floating rate","1077515534":"Date to","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 .- _ @.","1142686040":"Nickname added successfully!","1151608942":"Total amount","1157877436":"{{field_name}} should not exceed Amount","1162965175":"Buyer","1163072833":"<0>ID verified","1164771858":"I’ve received payment from 3rd party.","1168689876":"Your ad is not listed","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","1254676637":"I'll do this later","1258285343":"Oops, something went wrong","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","1376329801":"Last 60 days","1378388952":"Promote your ad by sharing the QR code and link.","1381949324":"<0>Address verified","1385570445":"Upload documents to verify your identity.","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","1543377906":"This ad is not listed on Buy/Sell because you have paused all your ads.","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}} ","1587507924":"Or copy this link","1607051458":"Search by nickname","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 }})","1622662457":"Date from","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","1686592014":"To place an order, add one of the advertiser's preferred payment methods:","1691540875":"Edit payment method","1699829275":"Cannot upload a file over 5MB","1702855414":"Your ad isn’t listed on Buy/Sell due to the following reason(s):","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","1782514544":"This ad is not listed on Buy/Sell because its minimum order is higher than {{maximum_order_amount}} {{currency}}.","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}}","1858251701":"minute","1859308030":"Give feedback","1874956952":"Hit the button below to add payment methods.","1881018702":"hour","1881201992":"Your Deriv P2P balance only includes deposits that can’t be reversed.","1902229457":"Unable to block advertiser","1908023954":"Sorry, an error occurred while processing your request.","1914014145":"Today","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","2064304887":"We accept JPG, PDF, or PNG (up to 5MB).","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","-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?","-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","-991345852":"Only up to 2 decimals are allowed.","-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.","-1837059346":"Buy / Sell","-494667560":"Orders","-679691613":"My ads","-412680608":"Add payment method","-984140537":"Add","-1220275347":"You may choose up to 3 payment methods for this ad.","-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","-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","-2017825013":"Got it","-1845037007":"Advertiser's page","-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","-1148912768":"If the market rate changes from the rate shown here, we won't be able to process your order.","-55126326":"Seller","-92830427":"Seller's instructions","-1940034707":"Buyer's instructions","-631576120":"Orders must be completed in","-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","-892663026":"Your contact details","-1285759343":"Search","-1657433201":"There are no matching ads.","-1862812590":"Limits {{ min_order }}–{{ max_order }} {{ currency }}","-375836822":"Buy {{account_currency}}","-1035421133":"Sell {{account_currency}}","-1876891031":"Currency","-1503997652":"No ads for this currency.","-1048001140":"No results for \"{{value}}\".","-254484597":"You have no ads 😞","-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...","-372210670":"Rate (1 {{account_currency}})","-87612148":"Ad not listed","-1318334333":"Deactivate","-1667041441":"Rate (1 {{ offered_currency }})","-792015701":"Deriv P2P cashier is unavailable in your country.","-1983512566":"This conversation is closed.","-283017497":"Retry","-360975483":"You've made no transactions of this type during this period.","-979459594":"Buy/Sell","-2052184983":"Order ID","-2096350108":"Counterparty","-1597110099":"Receive","-750202930":"Active orders","-1626659964":"I've received {{amount}} {{currency}}.","-526636259":"Error 404","-480724783":"You already have an ad with this rate","-2040406318":"You already have an ad with the same exchange rate for this currency pair and order type. nnPlease set a different rate for your ad.","-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","-1887970998":"Unblocking wasn't possible as {{name}} is not using Deriv P2P anymore.","-1207312691":"Completed","-688728873":"Expired","-1951641340":"Under dispute","-1738697484":"Confirm payment","-1611857550":"Waiting for the seller to confirm","-1452684930":"Buyer's real name","-1875343569":"Seller's payment details","-1977959027":"hours","-1603581277":"minutes","-1792280476":"Choose your payment method","-520142572":"Cashier is currently down for maintenance","-1552080215":"Please check back in a few minutes.<0>Thank you for your patience.","-684271315":"OK","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-1638172550":"To enable this feature you must complete the following:","-1086586743":"Please submit your <0>proof of address. You can use Deriv P2P after we’ve verified your documents.","-559300364":"Your Deriv P2P cashier is blocked","-740038242":"Your rate is","-1072444041":"Update ad","-2085839488":"This ad is not listed on Buy/Sell because its minimum order is higher than the ad’s remaining amount ({{remaining_amount}} {{currency}}).","-987612578":"This ad is not listed on Buy/Sell because its minimum order is higher than your Deriv P2P available balance ({{balance}} {{currency}}).","-84644774":"This ad is not listed on Buy/Sell because its minimum order is higher than your remaining daily limit ({{remaining_limit}} {{currency}}).","-452142075":"You’re not allowed to use Deriv P2P to advertise. Please contact us via live chat for more information.","-1886565882":"Your ads with floating rates have been deactivated. Set fixed rates to reactivate them.","-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.","-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","-146021156":"Delete {{payment_method_name}}?","-1846700504":"Are you sure you want to remove this payment method?","-231863107":"No","-471384801":"Sorry, we're unable to increase your limits right now. Please try again in a few minutes.","-150224710":"Yes, continue","-1422779483":"That payment method cannot be deleted","-1103095341":"If you’re selling, only release funds to the buyer after you’ve received payment.","-1918928746":"We’ll never ask you to release funds on behalf of anyone.","-1641698637":"Read the instructions in the ad carefully before making your order. If there's anything unclear, check with the advertiser first.","-1815993311":"Only discuss your P2P order details within the in-app chatbox, and nowhere else.","-7572501":"All P2P transactions are final and cannot be reversed.","-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).","-75934135":"Matching ads","-1856204727":"Reset","-227512949":"Check your spelling or use a different term.","-1554938377":"Search payment method","-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.","-1907448242":"Available Deriv P2P Balance","-268565332":"What’s your nickname?","-532709160":"Your nickname","-1016461467":"Your nickname cannot be changed later.","-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","-637818525":"Sending forged documents will result in an immediate and permanent ban.","-670364940":"Upload receipt here","-937707753":"Go Back","-1340125291":"Done","-1854199094":"{{type}} {{account_currency}}","-788469106":"ID number","-574559641":"Scan this code to order via Deriv P2P","-1078665050":"Share link","-354026679":"Share via","-229543460":"{{- link}}","-1388977563":"Copied!","-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","-609070622":"Identity verification in progress.","-1269954557":"Identity verification failed. Please try again.","-1507102231":"Identity verification complete.","-670039668":"Address verification in progress.","-23313647":"Address verification complete.","-1483008038":"Verify your P2P account","-792476552":"Verify your identity and address to use Deriv P2P.","-293628675":"1 hour","-1978767852":"30 minutes","-999492762":"15 minutes","-1908692350":"Filter by","-992568889":"No one to show here","-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","-2090878601":"Daily limit","-474123616":"Want to increase your daily limits to <0>{{max_daily_buy}} {{currency}} (buy) and <1>{{max_daily_sell}} {{currency}} (sell)?","-133982971":"{{avg_release_time_in_minutes}} min","-130547447":"Trade volume <0>30d | <1>lifetime","-383030149":"You haven’t added any payment methods yet","-1156559889":"Bank Transfers","-1269362917":"Add new"} \ No newline at end of file +{"3215342":"Last 30 days","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","55916349":"All","68867477":"Order ID {{ id }}","81450871":"We couldn’t find that page","97214671":"Hi! I'd like to exchange {{first_currency}} for {{second_currency}} at {{rate_display}}{{rate_type}} on Deriv P2P.nnIf you're interested, check out my ad 👉nn{{- advert_url}}nnThanks!","106063661":"Share this ad","111718006":"End date","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","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","179083332":"Date","192859167":"{{avg_buy_time_in_minutes}} min","197477687":"Edit {{ad_type}} ad","203271702":"Try again","231473252":"Preferred currency","233677840":"of the market rate","257637860":"Upload documents to verify your address.","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","358133589":"Unblock {{advertiser_name}}?","364681129":"Contact details","367579676":"Blocked","390890891":"Last quarter","392469164":"You have blocked {{advertiser_name}}.","416167062":"You'll receive","424668491":"expired","450016951":"Hello! This is where you can chat with the counterparty to confirm the order details.
Note: In case of a dispute, we'll use this chat as a reference.","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","498743422":"For your safety:","500514593":"Hide my ads","501523417":"You have no orders.","514948272":"Copy link","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","574961698":"45 minutes","587882987":"Advertisers","611376642":"Clear","612069973":"Would you recommend this buyer?","625563394":"Only numbers are allowed.","625586185":"Deposits via cards and the following payment methods aren’t included: Maestro, Diners Club, ZingPay, Skrill, Neteller, Ozow, and UPI QR.","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","668309975":"Others will see this on your profile, ads, and chats.","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","784839262":"Share","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?","886126850":"This ad is not listed on Buy/Sell because its maximum order is lower than the minimum amount you can specify for orders in your ads.","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)","926446466":"Please set a different minimum and/or maximum order limit. nnThe range of your ad should not overlap with any of your active ads.","931661826":"Download this QR code","947389294":"We need your documents","949859957":"Submit","954233511":"Sold","957807235":"Blocking wasn't possible as {{name}} is not using Deriv P2P anymore.","988380202":"Your instructions","993198283":"The file you uploaded is not supported. Upload another.","1001160515":"Sell","1002264993":"Seller's real name","1009032439":"All time","1020552673":"You're creating an ad to buy <0>{{ target_amount }} {{ target_currency }}...","1030390916":"You already have an ad with this range","1035893169":"Delete","1040596075":"Address verification failed. Please try again.","1042690536":"I’ve read and understood the above reminder.","1052094244":"Max order","1056821534":"Are you sure?","1057127276":"{{- avg_release_time_in_minutes}} min","1065551550":"Set floating rate","1077515534":"Date to","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 .- _ @.","1142686040":"Nickname added successfully!","1151608942":"Total amount","1157877436":"{{field_name}} should not exceed Amount","1162965175":"Buyer","1163072833":"<0>ID verified","1164771858":"I’ve received payment from 3rd party.","1168689876":"Your ad is not listed","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","1254676637":"I'll do this later","1258285343":"Oops, something went wrong","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","1376329801":"Last 60 days","1378388952":"Promote your ad by sharing the QR code and link.","1381949324":"<0>Address verified","1385570445":"Upload documents to verify your identity.","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","1543377906":"This ad is not listed on Buy/Sell because you have paused all your ads.","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}} ","1587507924":"Or copy this link","1607051458":"Search by nickname","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 }})","1622662457":"Date from","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","1686592014":"To place an order, add one of the advertiser's preferred payment methods:","1691540875":"Edit payment method","1699829275":"Cannot upload a file over 5MB","1702855414":"Your ad isn’t listed on Buy/Sell due to the following reason(s):","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 }}","1740434340":"Orders will expire if they aren’t completed within this time.","1747523625":"Go back","1752096323":"{{field_name}} should not be below Min limit","1767817594":"Buy completion <0>30d","1782514544":"This ad is not listed on Buy/Sell because its minimum order is higher than {{maximum_order_amount}} {{currency}}.","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}}","1858251701":"minute","1859308030":"Give feedback","1874956952":"Hit the button below to add payment methods.","1881018702":"hour","1881201992":"Your Deriv P2P balance only includes deposits that can’t be reversed.","1902229457":"Unable to block advertiser","1908023954":"Sorry, an error occurred while processing your request.","1914014145":"Today","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","2064304887":"We accept JPG, PDF, or PNG (up to 5MB).","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","-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?","-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","-991345852":"Only up to 2 decimals are allowed.","-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.","-1837059346":"Buy / Sell","-494667560":"Orders","-679691613":"My ads","-412680608":"Add payment method","-984140537":"Add","-1220275347":"You may choose up to 3 payment methods for this ad.","-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","-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","-2017825013":"Got it","-1845037007":"Advertiser's page","-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","-1148912768":"If the market rate changes from the rate shown here, we won't be able to process your order.","-55126326":"Seller","-92830427":"Seller's instructions","-1940034707":"Buyer's instructions","-631576120":"Orders must be completed in","-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","-892663026":"Your contact details","-1285759343":"Search","-1657433201":"There are no matching ads.","-1862812590":"Limits {{ min_order }}–{{ max_order }} {{ currency }}","-375836822":"Buy {{account_currency}}","-1035421133":"Sell {{account_currency}}","-1876891031":"Currency","-1503997652":"No ads for this currency.","-1048001140":"No results for \"{{value}}\".","-254484597":"You have no ads 😞","-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...","-372210670":"Rate (1 {{account_currency}})","-87612148":"Ad not listed","-1318334333":"Deactivate","-1667041441":"Rate (1 {{ offered_currency }})","-792015701":"Deriv P2P cashier is unavailable in your country.","-1983512566":"This conversation is closed.","-283017497":"Retry","-360975483":"You've made no transactions of this type during this period.","-979459594":"Buy/Sell","-2052184983":"Order ID","-2096350108":"Counterparty","-1597110099":"Receive","-750202930":"Active orders","-1626659964":"I've received {{amount}} {{currency}}.","-526636259":"Error 404","-480724783":"You already have an ad with this rate","-2040406318":"You already have an ad with the same exchange rate for this currency pair and order type. nnPlease set a different rate for your ad.","-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","-1887970998":"Unblocking wasn't possible as {{name}} is not using Deriv P2P anymore.","-1207312691":"Completed","-688728873":"Expired","-1951641340":"Under dispute","-1738697484":"Confirm payment","-1611857550":"Waiting for the seller to confirm","-1452684930":"Buyer's real name","-1875343569":"Seller's payment details","-1977959027":"hours","-1603581277":"minutes","-1792280476":"Choose your payment method","-520142572":"Cashier is currently down for maintenance","-1552080215":"Please check back in a few minutes.<0>Thank you for your patience.","-684271315":"OK","-130601012":"Please select duration","-232254547":"Custom","-1577570698":"Start date","-1251526905":"Last 7 days","-1638172550":"To enable this feature you must complete the following:","-1086586743":"Please submit your <0>proof of address. You can use Deriv P2P after we’ve verified your documents.","-559300364":"Your Deriv P2P cashier is blocked","-740038242":"Your rate is","-1072444041":"Update ad","-2085839488":"This ad is not listed on Buy/Sell because its minimum order is higher than the ad’s remaining amount ({{remaining_amount}} {{currency}}).","-987612578":"This ad is not listed on Buy/Sell because its minimum order is higher than your Deriv P2P available balance ({{balance}} {{currency}}).","-84644774":"This ad is not listed on Buy/Sell because its minimum order is higher than your remaining daily limit ({{remaining_limit}} {{currency}}).","-452142075":"You’re not allowed to use Deriv P2P to advertise. Please contact us via live chat for more information.","-1886565882":"Your ads with floating rates have been deactivated. Set fixed rates to reactivate them.","-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.","-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","-146021156":"Delete {{payment_method_name}}?","-1846700504":"Are you sure you want to remove this payment method?","-231863107":"No","-471384801":"Sorry, we're unable to increase your limits right now. Please try again in a few minutes.","-150224710":"Yes, continue","-1422779483":"That payment method cannot be deleted","-1103095341":"If you’re selling, only release funds to the buyer after you’ve received payment.","-1918928746":"We’ll never ask you to release funds on behalf of anyone.","-1641698637":"Read the instructions in the ad carefully before making your order. If there's anything unclear, check with the advertiser first.","-1815993311":"Only discuss your P2P order details within the in-app chatbox, and nowhere else.","-7572501":"All P2P transactions are final and cannot be reversed.","-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).","-75934135":"Matching ads","-1856204727":"Reset","-227512949":"Check your spelling or use a different term.","-1554938377":"Search payment method","-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.","-1907448242":"Available Deriv P2P Balance","-268565332":"What’s your nickname?","-532709160":"Your nickname","-1016461467":"Your nickname cannot be changed later.","-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","-637818525":"Sending forged documents will result in an immediate and permanent ban.","-670364940":"Upload receipt here","-937707753":"Go Back","-1340125291":"Done","-1854199094":"{{type}} {{account_currency}}","-788469106":"ID number","-574559641":"Scan this code to order via Deriv P2P","-1078665050":"Share link","-354026679":"Share via","-229543460":"{{- link}}","-1388977563":"Copied!","-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","-609070622":"Identity verification in progress.","-1269954557":"Identity verification failed. Please try again.","-1507102231":"Identity verification complete.","-670039668":"Address verification in progress.","-23313647":"Address verification complete.","-1483008038":"Verify your P2P account","-792476552":"Verify your identity and address to use Deriv P2P.","-293628675":"1 hour","-1978767852":"30 minutes","-999492762":"15 minutes","-1908692350":"Filter by","-992568889":"No one to show here","-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","-2090878601":"Daily limit","-474123616":"Want to increase your daily limits to <0>{{max_daily_buy}} {{currency}} (buy) and <1>{{max_daily_sell}} {{currency}} (sell)?","-133982971":"{{avg_release_time_in_minutes}} min","-130547447":"Trade volume <0>30d | <1>lifetime","-383030149":"You haven’t added any payment methods yet","-1156559889":"Bank Transfers","-1269362917":"Add new"} \ No newline at end of file diff --git a/packages/p2p/src/translations/ar.json b/packages/p2p/src/translations/ar.json index 1e7ac0a725c7..3f8467cf91e5 100644 --- a/packages/p2p/src/translations/ar.json +++ b/packages/p2p/src/translations/ar.json @@ -193,6 +193,7 @@ "1703154819": "أنت تقوم بتحرير إعلان لبيع <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "أظهر اسمي الحقيقي", "1734661732": "رصيد DP2P الخاص بك هو {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "ارجع", "1752096323": "يجب ألا يكون {{field_name}} أقل من الحد الأدنى", "1767817594": "عند الانتهاء <0>30 يومًا", diff --git a/packages/p2p/src/translations/bn.json b/packages/p2p/src/translations/bn.json index b22392257f91..1d98c863d28c 100644 --- a/packages/p2p/src/translations/bn.json +++ b/packages/p2p/src/translations/bn.json @@ -193,6 +193,7 @@ "1703154819": "আপনি <0>{{ target_amount }} {{ target_currency }} বিক্রি করার জন্য একটি বিজ্ঞাপন সম্পাদনা করছেন...", "1721422292": "আমার আসল নাম দেখাও", "1734661732": "আপনার DP2P ব্যালেন্স {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "ফিরে যাও", "1752096323": "{{field_name}} ন্যূনতম সীমার নীচে না হওয়া উচিত", "1767817594": "সমাপ্তি <0>30d কিনুন", diff --git a/packages/p2p/src/translations/de.json b/packages/p2p/src/translations/de.json index ce43ad190ebe..3e9049ec8b98 100644 --- a/packages/p2p/src/translations/de.json +++ b/packages/p2p/src/translations/de.json @@ -193,6 +193,7 @@ "1703154819": "Sie bearbeiten eine Anzeige, um <0>{{ target_amount }} {{ target_currency }} zu verkaufen...", "1721422292": "Zeige meinen richtigen Namen", "1734661732": "Ihr DP2P-Guthaben beträgt {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Geh zurück", "1752096323": "{{field_name}} sollte nicht unter dem Min-Limit liegen", "1767817594": "Kaufabschluss <0>30d", diff --git a/packages/p2p/src/translations/es.json b/packages/p2p/src/translations/es.json index b74bcae22eb1..92c41d3c7906 100644 --- a/packages/p2p/src/translations/es.json +++ b/packages/p2p/src/translations/es.json @@ -193,6 +193,7 @@ "1703154819": "Está editando un anuncio para vender <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Mostrar mi nombre real", "1734661732": "Su saldo DP2P es {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Volver", "1752096323": "{{field_name}} no debe estar por debajo del límite mín.", "1767817594": "Finalización compra <0>30d", diff --git a/packages/p2p/src/translations/fr.json b/packages/p2p/src/translations/fr.json index 903bb2e4dd3a..bc80a47910c0 100644 --- a/packages/p2p/src/translations/fr.json +++ b/packages/p2p/src/translations/fr.json @@ -193,6 +193,7 @@ "1703154819": "Vous modifiez une annonce pour vendre <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Afficher mon vrai nom", "1734661732": "Votre solde DP2P est de {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Retour", "1752096323": "{{field_name}} ne doit pas être inférieur à la limite minimale", "1767817594": "Achèvement de l'achat <0>30 j", diff --git a/packages/p2p/src/translations/it.json b/packages/p2p/src/translations/it.json index 2a3c3f4b5258..9cc79a968907 100644 --- a/packages/p2p/src/translations/it.json +++ b/packages/p2p/src/translations/it.json @@ -193,6 +193,7 @@ "1703154819": "Stai modificando un annuncio per vendere <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Mostra il mio vero nome", "1734661732": "Il tuo saldo DP2P è {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Torna indietro", "1752096323": "{{field_name}} non può essere inferiore al limite minimo", "1767817594": "Completamento acquisto <0>30gg", diff --git a/packages/p2p/src/translations/ko.json b/packages/p2p/src/translations/ko.json index 71cddb267bf1..4f7bb0bb339f 100644 --- a/packages/p2p/src/translations/ko.json +++ b/packages/p2p/src/translations/ko.json @@ -193,6 +193,7 @@ "1703154819": "<0>{{ target_amount }} {{ target_currency }}를 판매하기 위해 광고를 수정하는 중입니다", "1721422292": "내 실명 표시", "1734661732": "DP2P 잔액은 {{ dp2p_balance }}입니다", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "돌아가기", "1752096323": "{{field_name}}은 최소 한도보다 작을 수 없습니다", "1767817594": "구매 완료 <0>30일", diff --git a/packages/p2p/src/translations/pl.json b/packages/p2p/src/translations/pl.json index a8636dc80857..91e0a419cb4a 100644 --- a/packages/p2p/src/translations/pl.json +++ b/packages/p2p/src/translations/pl.json @@ -193,6 +193,7 @@ "1703154819": "Edytujesz reklamę, aby sprzedać <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Pokaż moje prawdziwe imię", "1734661732": "Twoje saldo DP2P wynosi {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Wróć", "1752096323": "Pole {{field_name}} nie powinno być niższe niż Min. limit", "1767817594": "Zakończenie zakupu: <0>30 dni", diff --git a/packages/p2p/src/translations/pt.json b/packages/p2p/src/translations/pt.json index 0ff85c278b47..9c1863b0f0d4 100644 --- a/packages/p2p/src/translations/pt.json +++ b/packages/p2p/src/translations/pt.json @@ -72,7 +72,7 @@ "655733440": "Outros", "661808069": "Reenviar e-mail {{remaining_time}}", "662578726": "Disponível", - "668309975": "Os outros podem ver isto no seu perfil, anúncios e chats.", + "668309975": "As outras pessoas vão poder ver isto no seu perfil, anúncios e chats.", "683273691": "Taxa (1 {{ account_currency }})", "723172934": "Quer comprar ou vender USD? Você pode publicar o seu próprio anúncio para que outras pessoas respondam.", "728383001": "Eu recebi mais do que o valor combinado.", @@ -193,6 +193,7 @@ "1703154819": "Você está editando um anúncio para vender <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Mostrar meu nome verdadeiro", "1734661732": "Seu saldo DP2P é {{dp2p_balance}}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Voltar", "1752096323": "{{field_name}} não deve estar abaixo do Limite mín", "1767817594": "Compras completadas <0>30d", diff --git a/packages/p2p/src/translations/ru.json b/packages/p2p/src/translations/ru.json index 44d943a5f5ad..8b0a7c43e284 100644 --- a/packages/p2p/src/translations/ru.json +++ b/packages/p2p/src/translations/ru.json @@ -193,6 +193,7 @@ "1703154819": "Вы редактируете объявление о продаже <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Показывать мое настоящее имя", "1734661732": "Ваш баланс DP2P: {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Назад", "1752096323": "Значение {{field_name}} не должно быть ниже мин. лимита", "1767817594": "Завершенные (покупка) <0>30д", diff --git a/packages/p2p/src/translations/si.json b/packages/p2p/src/translations/si.json index ec1eb7abec24..f04223ca9438 100644 --- a/packages/p2p/src/translations/si.json +++ b/packages/p2p/src/translations/si.json @@ -193,6 +193,7 @@ "1703154819": "ඔබ <0>{{ target_amount }} {{ target_currency }} විකිණීමට දැන්වීමක් සංස්කරණය කරනවා...", "1721422292": "මගේ සැබෑ නම පෙන්වන්න", "1734661732": "ඔබේ DP2P ශේෂය {{ dp2p_balance }}වේ", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "ආපසු යන්න", "1752096323": "{{field_name}} අවම සීමාවට වඩා අඩු නොවිය යුතුය", "1767817594": "සම්පූර්ණ <0>30d මිලදී ගන්න", diff --git a/packages/p2p/src/translations/sw.json b/packages/p2p/src/translations/sw.json index ef25b90dfcad..963e327a1574 100644 --- a/packages/p2p/src/translations/sw.json +++ b/packages/p2p/src/translations/sw.json @@ -193,6 +193,7 @@ "1703154819": "Unahariri tangazo la kuuza <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Onyesha jina langu halisi", "1734661732": "Usawa wako wa DP2P ni {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Rudi nyuma", "1752096323": "{{field_name}} haipaswi kuwa chini ya kikomo cha chini ya chini", "1767817594": "Nunua kukamilika <0>30d", diff --git a/packages/p2p/src/translations/th.json b/packages/p2p/src/translations/th.json index c8619887d55c..c162de995f9b 100644 --- a/packages/p2p/src/translations/th.json +++ b/packages/p2p/src/translations/th.json @@ -193,6 +193,7 @@ "1703154819": "คุณกำลังแก้ไขโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "แสดงชื่อจริงของฉัน", "1734661732": "ยอดคงเหลือ DP2P ของคุณคือ {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "ย้อนกลับ", "1752096323": "{{field_name}} ไม่ควรน้อยกว่าจำนวนขั้นต่ำสุด", "1767817594": "การเสร็จสมบูรณ์ของธุรกรรมการซื้อ <0>30d", diff --git a/packages/p2p/src/translations/tr.json b/packages/p2p/src/translations/tr.json index 582278b2bb62..ec1d1970f9d2 100644 --- a/packages/p2p/src/translations/tr.json +++ b/packages/p2p/src/translations/tr.json @@ -193,6 +193,7 @@ "1703154819": "<0>{{ target_amount }} {{ target_currency }} satmak için bir ilan oluşturuyorsunuz...", "1721422292": "Gerçek adımı göster", "1734661732": "DP2P bakiyeniz {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Geri dön", "1752096323": "{{field_name}}, Min. Sınırın altında olmamalıdır", "1767817594": "Satın alma tamamlama <0>30g", diff --git a/packages/p2p/src/translations/vi.json b/packages/p2p/src/translations/vi.json index aa626de77340..c5c24b93e8d6 100644 --- a/packages/p2p/src/translations/vi.json +++ b/packages/p2p/src/translations/vi.json @@ -193,6 +193,7 @@ "1703154819": "Bạn đang chỉnh sửa một quảng cáo để bán <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Hiển thị tên thật của tôi", "1734661732": "Số dư DP2P của bạn là {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "Quay lại", "1752096323": "{{field_name}} không được thấp hơn giới hạn tối thiểu", "1767817594": "Lệnh mua hoàn thành <0>30 ngày", diff --git a/packages/p2p/src/translations/zh_cn.json b/packages/p2p/src/translations/zh_cn.json index ea45068e50cc..1b607a6fad08 100644 --- a/packages/p2p/src/translations/zh_cn.json +++ b/packages/p2p/src/translations/zh_cn.json @@ -193,6 +193,7 @@ "1703154819": "您正在编辑广告以卖出 <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "显示我的真实姓名", "1734661732": "您的 DP2P 余额是 {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "返回", "1752096323": "{{field_name}} 不可小于最小限额", "1767817594": "购入完成 <0>30天", diff --git a/packages/p2p/src/translations/zh_tw.json b/packages/p2p/src/translations/zh_tw.json index 5a9d88a0ceab..2e7f456cd06e 100644 --- a/packages/p2p/src/translations/zh_tw.json +++ b/packages/p2p/src/translations/zh_tw.json @@ -193,6 +193,7 @@ "1703154819": "您正在編輯廣告以賣出<0>{{ target_amount }} {{ target_currency }}...", "1721422292": "顯示我的真實姓名", "1734661732": "您的 DP2P 餘額是 {{ dp2p_balance }}", + "1740434340": "Orders will expire if they aren’t completed within this time.", "1747523625": "返回", "1752096323": "{{field_name}} 不可小於最小限額", "1767817594": "完成購入 <0>30天>", From cde8c24aaad5d985caaa41dd221c75f9ddd98ba6 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Tue, 20 Feb 2024 17:40:43 +0400 Subject: [PATCH 15/20] =?UTF-8?q?translations:=20=F0=9F=93=9A=20sync=20tra?= =?UTF-8?q?nslations=20with=20crowdin=20(#13710)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Co-authored-by: DerivFE --- packages/p2p/src/translations/ar.json | 2 +- packages/p2p/src/translations/bn.json | 2 +- packages/p2p/src/translations/de.json | 2 +- packages/p2p/src/translations/es.json | 2 +- packages/p2p/src/translations/fr.json | 2 +- packages/p2p/src/translations/it.json | 2 +- packages/p2p/src/translations/ko.json | 2 +- packages/p2p/src/translations/pl.json | 2 +- packages/p2p/src/translations/pt.json | 2 +- packages/p2p/src/translations/ru.json | 2 +- packages/p2p/src/translations/si.json | 2 +- packages/p2p/src/translations/sw.json | 2 +- packages/p2p/src/translations/th.json | 2 +- packages/p2p/src/translations/tr.json | 2 +- packages/p2p/src/translations/vi.json | 2 +- packages/p2p/src/translations/zh_cn.json | 2 +- packages/p2p/src/translations/zh_tw.json | 2 +- 17 files changed, 17 insertions(+), 17 deletions(-) diff --git a/packages/p2p/src/translations/ar.json b/packages/p2p/src/translations/ar.json index 3f8467cf91e5..0f3d55f132d6 100644 --- a/packages/p2p/src/translations/ar.json +++ b/packages/p2p/src/translations/ar.json @@ -193,7 +193,7 @@ "1703154819": "أنت تقوم بتحرير إعلان لبيع <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "أظهر اسمي الحقيقي", "1734661732": "رصيد DP2P الخاص بك هو {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "ستنتهي صلاحية الطلبات إذا لم تكتمل خلال هذا الوقت.", "1747523625": "ارجع", "1752096323": "يجب ألا يكون {{field_name}} أقل من الحد الأدنى", "1767817594": "عند الانتهاء <0>30 يومًا", diff --git a/packages/p2p/src/translations/bn.json b/packages/p2p/src/translations/bn.json index 1d98c863d28c..9adfdada3adb 100644 --- a/packages/p2p/src/translations/bn.json +++ b/packages/p2p/src/translations/bn.json @@ -193,7 +193,7 @@ "1703154819": "আপনি <0>{{ target_amount }} {{ target_currency }} বিক্রি করার জন্য একটি বিজ্ঞাপন সম্পাদনা করছেন...", "1721422292": "আমার আসল নাম দেখাও", "1734661732": "আপনার DP2P ব্যালেন্স {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "এই সময়ের মধ্যে সম্পন্ন না হলে অর্ডারগুলির মেয়াদ শেষ হবে।", "1747523625": "ফিরে যাও", "1752096323": "{{field_name}} ন্যূনতম সীমার নীচে না হওয়া উচিত", "1767817594": "সমাপ্তি <0>30d কিনুন", diff --git a/packages/p2p/src/translations/de.json b/packages/p2p/src/translations/de.json index 3e9049ec8b98..e3ec1c1ca889 100644 --- a/packages/p2p/src/translations/de.json +++ b/packages/p2p/src/translations/de.json @@ -193,7 +193,7 @@ "1703154819": "Sie bearbeiten eine Anzeige, um <0>{{ target_amount }} {{ target_currency }} zu verkaufen...", "1721422292": "Zeige meinen richtigen Namen", "1734661732": "Ihr DP2P-Guthaben beträgt {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Bestellungen verfallen, wenn sie nicht innerhalb dieser Zeit abgeschlossen werden.", "1747523625": "Geh zurück", "1752096323": "{{field_name}} sollte nicht unter dem Min-Limit liegen", "1767817594": "Kaufabschluss <0>30d", diff --git a/packages/p2p/src/translations/es.json b/packages/p2p/src/translations/es.json index 92c41d3c7906..426e8d4587d3 100644 --- a/packages/p2p/src/translations/es.json +++ b/packages/p2p/src/translations/es.json @@ -193,7 +193,7 @@ "1703154819": "Está editando un anuncio para vender <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Mostrar mi nombre real", "1734661732": "Su saldo DP2P es {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Los pedidos caducarán si no se completan dentro de este plazo.", "1747523625": "Volver", "1752096323": "{{field_name}} no debe estar por debajo del límite mín.", "1767817594": "Finalización compra <0>30d", diff --git a/packages/p2p/src/translations/fr.json b/packages/p2p/src/translations/fr.json index bc80a47910c0..1904769681ea 100644 --- a/packages/p2p/src/translations/fr.json +++ b/packages/p2p/src/translations/fr.json @@ -193,7 +193,7 @@ "1703154819": "Vous modifiez une annonce pour vendre <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Afficher mon vrai nom", "1734661732": "Votre solde DP2P est de {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Les commandes expireront si elles ne sont pas complétées dans ce délai.", "1747523625": "Retour", "1752096323": "{{field_name}} ne doit pas être inférieur à la limite minimale", "1767817594": "Achèvement de l'achat <0>30 j", diff --git a/packages/p2p/src/translations/it.json b/packages/p2p/src/translations/it.json index 9cc79a968907..0177de3a4716 100644 --- a/packages/p2p/src/translations/it.json +++ b/packages/p2p/src/translations/it.json @@ -193,7 +193,7 @@ "1703154819": "Stai modificando un annuncio per vendere <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Mostra il mio vero nome", "1734661732": "Il tuo saldo DP2P è {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Gli ordini scadranno se non vengono completati entro questo termine.", "1747523625": "Torna indietro", "1752096323": "{{field_name}} non può essere inferiore al limite minimo", "1767817594": "Completamento acquisto <0>30gg", diff --git a/packages/p2p/src/translations/ko.json b/packages/p2p/src/translations/ko.json index 4f7bb0bb339f..8690031383d7 100644 --- a/packages/p2p/src/translations/ko.json +++ b/packages/p2p/src/translations/ko.json @@ -193,7 +193,7 @@ "1703154819": "<0>{{ target_amount }} {{ target_currency }}를 판매하기 위해 광고를 수정하는 중입니다", "1721422292": "내 실명 표시", "1734661732": "DP2P 잔액은 {{ dp2p_balance }}입니다", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "이 시간 내에 주문이 완료되지 않으면 주문이 만료됩니다.", "1747523625": "돌아가기", "1752096323": "{{field_name}}은 최소 한도보다 작을 수 없습니다", "1767817594": "구매 완료 <0>30일", diff --git a/packages/p2p/src/translations/pl.json b/packages/p2p/src/translations/pl.json index 91e0a419cb4a..a1fcb503f35f 100644 --- a/packages/p2p/src/translations/pl.json +++ b/packages/p2p/src/translations/pl.json @@ -193,7 +193,7 @@ "1703154819": "Edytujesz reklamę, aby sprzedać <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Pokaż moje prawdziwe imię", "1734661732": "Twoje saldo DP2P wynosi {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Zamówienia wygasną, jeśli nie zostaną zrealizowane w tym czasie.", "1747523625": "Wróć", "1752096323": "Pole {{field_name}} nie powinno być niższe niż Min. limit", "1767817594": "Zakończenie zakupu: <0>30 dni", diff --git a/packages/p2p/src/translations/pt.json b/packages/p2p/src/translations/pt.json index 9c1863b0f0d4..cb123584cafb 100644 --- a/packages/p2p/src/translations/pt.json +++ b/packages/p2p/src/translations/pt.json @@ -193,7 +193,7 @@ "1703154819": "Você está editando um anúncio para vender <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Mostrar meu nome verdadeiro", "1734661732": "Seu saldo DP2P é {{dp2p_balance}}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "As ordens expiram se não forem concluídas dentro deste prazo.", "1747523625": "Voltar", "1752096323": "{{field_name}} não deve estar abaixo do Limite mín", "1767817594": "Compras completadas <0>30d", diff --git a/packages/p2p/src/translations/ru.json b/packages/p2p/src/translations/ru.json index 8b0a7c43e284..f32dceca54c5 100644 --- a/packages/p2p/src/translations/ru.json +++ b/packages/p2p/src/translations/ru.json @@ -193,7 +193,7 @@ "1703154819": "Вы редактируете объявление о продаже <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Показывать мое настоящее имя", "1734661732": "Ваш баланс DP2P: {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Срок действия заказов истечет, если они не будут выполнены в течение этого времени.", "1747523625": "Назад", "1752096323": "Значение {{field_name}} не должно быть ниже мин. лимита", "1767817594": "Завершенные (покупка) <0>30д", diff --git a/packages/p2p/src/translations/si.json b/packages/p2p/src/translations/si.json index f04223ca9438..9c49447441ad 100644 --- a/packages/p2p/src/translations/si.json +++ b/packages/p2p/src/translations/si.json @@ -193,7 +193,7 @@ "1703154819": "ඔබ <0>{{ target_amount }} {{ target_currency }} විකිණීමට දැන්වීමක් සංස්කරණය කරනවා...", "1721422292": "මගේ සැබෑ නම පෙන්වන්න", "1734661732": "ඔබේ DP2P ශේෂය {{ dp2p_balance }}වේ", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "මෙම කාලය තුළ ඇණවුම් සම්පූර්ණ නොකළහොත් කල් ඉකුත් වේ.", "1747523625": "ආපසු යන්න", "1752096323": "{{field_name}} අවම සීමාවට වඩා අඩු නොවිය යුතුය", "1767817594": "සම්පූර්ණ <0>30d මිලදී ගන්න", diff --git a/packages/p2p/src/translations/sw.json b/packages/p2p/src/translations/sw.json index 963e327a1574..8c8cccf448ca 100644 --- a/packages/p2p/src/translations/sw.json +++ b/packages/p2p/src/translations/sw.json @@ -193,7 +193,7 @@ "1703154819": "Unahariri tangazo la kuuza <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Onyesha jina langu halisi", "1734661732": "Usawa wako wa DP2P ni {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Maagizo zitaisha ikiwa hazikamilika ndani ya muda huu.", "1747523625": "Rudi nyuma", "1752096323": "{{field_name}} haipaswi kuwa chini ya kikomo cha chini ya chini", "1767817594": "Nunua kukamilika <0>30d", diff --git a/packages/p2p/src/translations/th.json b/packages/p2p/src/translations/th.json index c162de995f9b..5029b2ffb9cd 100644 --- a/packages/p2p/src/translations/th.json +++ b/packages/p2p/src/translations/th.json @@ -193,7 +193,7 @@ "1703154819": "คุณกำลังแก้ไขโฆษณาเพื่อขาย <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "แสดงชื่อจริงของฉัน", "1734661732": "ยอดคงเหลือ DP2P ของคุณคือ {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "คำสั่งซื้อจะหมดอายุหากไม่เสร็จสิ้นภายในเวลานี้", "1747523625": "ย้อนกลับ", "1752096323": "{{field_name}} ไม่ควรน้อยกว่าจำนวนขั้นต่ำสุด", "1767817594": "การเสร็จสมบูรณ์ของธุรกรรมการซื้อ <0>30d", diff --git a/packages/p2p/src/translations/tr.json b/packages/p2p/src/translations/tr.json index ec1d1970f9d2..f575070833bb 100644 --- a/packages/p2p/src/translations/tr.json +++ b/packages/p2p/src/translations/tr.json @@ -193,7 +193,7 @@ "1703154819": "<0>{{ target_amount }} {{ target_currency }} satmak için bir ilan oluşturuyorsunuz...", "1721422292": "Gerçek adımı göster", "1734661732": "DP2P bakiyeniz {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Siparişler bu süre içinde tamamlanmazsa geçerliliğini yitirecektir.", "1747523625": "Geri dön", "1752096323": "{{field_name}}, Min. Sınırın altında olmamalıdır", "1767817594": "Satın alma tamamlama <0>30g", diff --git a/packages/p2p/src/translations/vi.json b/packages/p2p/src/translations/vi.json index c5c24b93e8d6..0f91d17fcf50 100644 --- a/packages/p2p/src/translations/vi.json +++ b/packages/p2p/src/translations/vi.json @@ -193,7 +193,7 @@ "1703154819": "Bạn đang chỉnh sửa một quảng cáo để bán <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "Hiển thị tên thật của tôi", "1734661732": "Số dư DP2P của bạn là {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "Đơn hàng sẽ hết hạn nếu chúng không được hoàn thành trong thời gian này.", "1747523625": "Quay lại", "1752096323": "{{field_name}} không được thấp hơn giới hạn tối thiểu", "1767817594": "Lệnh mua hoàn thành <0>30 ngày", diff --git a/packages/p2p/src/translations/zh_cn.json b/packages/p2p/src/translations/zh_cn.json index 1b607a6fad08..ea0a9c6af808 100644 --- a/packages/p2p/src/translations/zh_cn.json +++ b/packages/p2p/src/translations/zh_cn.json @@ -193,7 +193,7 @@ "1703154819": "您正在编辑广告以卖出 <0>{{ target_amount }} {{ target_currency }}...", "1721422292": "显示我的真实姓名", "1734661732": "您的 DP2P 余额是 {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "如果在此时间内未完成订单,订单将失效。", "1747523625": "返回", "1752096323": "{{field_name}} 不可小于最小限额", "1767817594": "购入完成 <0>30天", diff --git a/packages/p2p/src/translations/zh_tw.json b/packages/p2p/src/translations/zh_tw.json index 2e7f456cd06e..42477206ced7 100644 --- a/packages/p2p/src/translations/zh_tw.json +++ b/packages/p2p/src/translations/zh_tw.json @@ -193,7 +193,7 @@ "1703154819": "您正在編輯廣告以賣出<0>{{ target_amount }} {{ target_currency }}...", "1721422292": "顯示我的真實姓名", "1734661732": "您的 DP2P 餘額是 {{ dp2p_balance }}", - "1740434340": "Orders will expire if they aren’t completed within this time.", + "1740434340": "如果訂單未在此時間內完成,則將過期。", "1747523625": "返回", "1752096323": "{{field_name}} 不可小於最小限額", "1767817594": "完成購入 <0>30天>", From a7ef2edaf384847bfc72cd7239b23f1dccd66b9b Mon Sep 17 00:00:00 2001 From: Shahzaib Date: Wed, 21 Feb 2024 10:51:34 +0800 Subject: [PATCH 16/20] [TRAH-2980] Real CR account creation (#13657) * chore: real cr account creation API * chore: confirmation dialog after account creation --- package-lock.json | 14 ++-- packages/account-v2/package.json | 2 +- packages/cashier-v2/package.json | 2 +- packages/p2p-v2/package.json | 2 +- packages/tradershub/package.json | 2 +- .../JurisdictionTncSection.tsx | 1 + .../AccountOpeningSuccessModal.tsx | 27 ++----- .../ExitConfirmationDialog/index.tsx | 8 +- .../SignupWizard/Actions/index.tsx | 14 ++-- packages/tradershub/src/hooks/index.ts | 1 + .../src/hooks/useNewCRRealAccount.ts | 76 +++++++++++++++++++ .../useSyncLocalStorageClientAccounts.ts | 60 +++++++++++++++ .../SignupWizardContext.tsx | 19 ++++- .../providers/SignupWizardProvider/types.ts | 1 + .../src/screens/TermsOfUse/TermsOfUse.tsx | 32 ++++---- .../src/utils/getAccountsFromLocalStorage.ts | 28 +++++++ packages/tradershub/src/utils/index.ts | 1 + 17 files changed, 227 insertions(+), 63 deletions(-) create mode 100644 packages/tradershub/src/hooks/useNewCRRealAccount.ts create mode 100644 packages/tradershub/src/hooks/useSyncLocalStorageClientAccounts.ts create mode 100644 packages/tradershub/src/utils/getAccountsFromLocalStorage.ts diff --git a/package-lock.json b/package-lock.json index 728a67570ab2..f80738b6cb6b 100644 --- a/package-lock.json +++ b/package-lock.json @@ -15,7 +15,7 @@ "@datadog/browser-logs": "^4.36.0", "@datadog/browser-rum": "^4.37.0", "@deriv-com/analytics": "1.4.10", - "@deriv-com/ui": "1.8.1", + "@deriv-com/ui": "1.8.2", "@deriv/api-types": "^1.0.118", "@deriv/deriv-api": "^1.0.15", "@deriv/deriv-charts": "^2.0.5", @@ -2937,9 +2937,9 @@ } }, "node_modules/@deriv-com/ui": { - "version": "1.8.1", - "resolved": "https://registry.npmjs.org/@deriv-com/ui/-/ui-1.8.1.tgz", - "integrity": "sha512-JIkPV42IPItan1MDhQtjgx8AfIgR2bZKc38k8bDQxuEpQATHa9xwfoh6jsh/LArNsJBiXLWKb33AJE/54YOO8Q==", + "version": "1.8.2", + "resolved": "https://registry.npmjs.org/@deriv-com/ui/-/ui-1.8.2.tgz", + "integrity": "sha512-u7GLN2ZD6iR1k5xijv6aWNRoqMcJPWJhzJ8MD+0S8OCAzBY4jMLItHkn9gbnl4yd2gQGk/W3nRPTC/lUHEew4Q==", "optionalDependencies": { "@rollup/rollup-linux-x64-gnu": "^4.9.6" } @@ -52383,9 +52383,9 @@ } }, "@deriv-com/ui": { - "version": "1.8.1", - "resolved": "https://registry.npmjs.org/@deriv-com/ui/-/ui-1.8.1.tgz", - "integrity": "sha512-JIkPV42IPItan1MDhQtjgx8AfIgR2bZKc38k8bDQxuEpQATHa9xwfoh6jsh/LArNsJBiXLWKb33AJE/54YOO8Q==", + "version": "1.8.2", + "resolved": "https://registry.npmjs.org/@deriv-com/ui/-/ui-1.8.2.tgz", + "integrity": "sha512-u7GLN2ZD6iR1k5xijv6aWNRoqMcJPWJhzJ8MD+0S8OCAzBY4jMLItHkn9gbnl4yd2gQGk/W3nRPTC/lUHEew4Q==", "requires": { "@rollup/rollup-linux-x64-gnu": "^4.9.6" } diff --git a/packages/account-v2/package.json b/packages/account-v2/package.json index aec2f5c56755..c449260ba982 100644 --- a/packages/account-v2/package.json +++ b/packages/account-v2/package.json @@ -11,7 +11,7 @@ "start": "rimraf dist && npm run test && npm run serve" }, "dependencies": { - "@deriv-com/ui": "1.8.1", + "@deriv-com/ui": "1.8.2", "@deriv/api": "^1.0.0", "@deriv/library": "^1.0.0", "@deriv/quill-design": "^1.3.2", diff --git a/packages/cashier-v2/package.json b/packages/cashier-v2/package.json index 34f4466042da..a3430dbe8525 100644 --- a/packages/cashier-v2/package.json +++ b/packages/cashier-v2/package.json @@ -12,7 +12,7 @@ "start": "rimraf dist && npm run test && npm run serve" }, "dependencies": { - "@deriv-com/ui": "1.8.1", + "@deriv-com/ui": "1.8.2", "@deriv/api": "^1.0.0", "@deriv/integration": "^1.0.0", "@deriv/library": "^1.0.0", diff --git a/packages/p2p-v2/package.json b/packages/p2p-v2/package.json index b72ef3c3c063..bf758ed4e53b 100644 --- a/packages/p2p-v2/package.json +++ b/packages/p2p-v2/package.json @@ -12,7 +12,7 @@ "start": "rimraf dist && npm run test && npm run serve" }, "dependencies": { - "@deriv-com/ui": "1.8.1", + "@deriv-com/ui": "1.8.2", "@deriv/api": "^1.0.0", "@deriv/integration": "^1.0.0", "@deriv/quill-icons": "^1.18.3", diff --git a/packages/tradershub/package.json b/packages/tradershub/package.json index e603af77a5ed..ea8bed96f50a 100644 --- a/packages/tradershub/package.json +++ b/packages/tradershub/package.json @@ -17,7 +17,7 @@ "@deriv/integration": "^1.0.0", "@deriv/library": "^1.0.0", "@deriv/quill-icons": "^1.18.3", - "@deriv-com/ui": "1.8.1", + "@deriv-com/ui": "1.8.2", "@deriv/react-joyride": "^2.6.2", "@deriv/utils": "^1.0.0", "@tanstack/react-table": "^8.10.3", diff --git a/packages/tradershub/src/features/cfd/screens/Jurisdiction/JurisdictionTncSection/JurisdictionTncSection.tsx b/packages/tradershub/src/features/cfd/screens/Jurisdiction/JurisdictionTncSection/JurisdictionTncSection.tsx index 77e65899492b..be8ff785babb 100644 --- a/packages/tradershub/src/features/cfd/screens/Jurisdiction/JurisdictionTncSection/JurisdictionTncSection.tsx +++ b/packages/tradershub/src/features/cfd/screens/Jurisdiction/JurisdictionTncSection/JurisdictionTncSection.tsx @@ -53,6 +53,7 @@ const JurisdictionTncSection = ({ } + name='tnc' onChange={(event: React.ChangeEvent) => setIsCheckBoxChecked(event.target.checked) } diff --git a/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx b/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx index 952ef26daf33..4e439d43af94 100644 --- a/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx +++ b/packages/tradershub/src/flows/RealAccountSIgnup/AccountOpeningSuccessModal/AccountOpeningSuccessModal.tsx @@ -5,7 +5,7 @@ import Checkmark from '@/assets/svgs/checkmark.svg'; import { ActionScreen, ButtonGroup } from '@/components'; import { IconToCurrencyMapper } from '@/constants'; import { CUSTOM_STYLES } from '@/helpers'; -import { ACTION_TYPES, useSignupWizardContext } from '@/providers/SignupWizardProvider'; +import { useSignupWizardContext } from '@/providers/SignupWizardProvider'; import { Button, Text, useDevice } from '@deriv-com/ui'; const SelectedCurrencyIcon = () => { @@ -22,23 +22,13 @@ const SelectedCurrencyIcon = () => { }; const AccountOpeningSuccessModal = () => { - const { isSuccessModalOpen, setIsSuccessModalOpen, dispatch } = useSignupWizardContext(); + const { isSuccessModalOpen, reset } = useSignupWizardContext(); const { isDesktop } = useDevice(); const { state } = useSignupWizardContext(); const history = useHistory(); - const handleClose = () => { - dispatch({ - type: ACTION_TYPES.RESET, - }); - setIsSuccessModalOpen(false); - }; - const handleNavigateToDeposit = () => { - setIsSuccessModalOpen(false); - dispatch({ - type: ACTION_TYPES.RESET, - }); + reset(); history.push('/cashier/deposit'); }; @@ -66,17 +56,10 @@ const AccountOpeningSuccessModal = () => { icon={} renderButtons={() => ( - - diff --git a/packages/tradershub/src/flows/RealAccountSIgnup/ExitConfirmationDialog/index.tsx b/packages/tradershub/src/flows/RealAccountSIgnup/ExitConfirmationDialog/index.tsx index 65c7bab6bf8c..d356c8129d22 100644 --- a/packages/tradershub/src/flows/RealAccountSIgnup/ExitConfirmationDialog/index.tsx +++ b/packages/tradershub/src/flows/RealAccountSIgnup/ExitConfirmationDialog/index.tsx @@ -2,16 +2,14 @@ import React from 'react'; import ReactModal from 'react-modal'; import { Button, Text } from '@deriv-com/ui'; import { CUSTOM_STYLES } from '../../../helpers/signupModalHelpers'; -import { ACTION_TYPES, useSignupWizardContext } from '../../../providers/SignupWizardProvider'; +import { useSignupWizardContext } from '../../../providers/SignupWizardProvider'; const ExitConfirmationDialog = ({ isOpen, onClose }: { isOpen: boolean; onClose: () => void }) => { - const { dispatch, helpers, setIsWizardOpen } = useSignupWizardContext(); + const { reset } = useSignupWizardContext(); const handleClose = () => { onClose(); - setIsWizardOpen(false); - dispatch({ type: ACTION_TYPES.RESET }); - helpers.setStep(1); + reset(); }; return ( diff --git a/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/Actions/index.tsx b/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/Actions/index.tsx index 26226f2cb4c6..d38ce76daf4e 100644 --- a/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/Actions/index.tsx +++ b/packages/tradershub/src/flows/RealAccountSIgnup/SignupWizard/Actions/index.tsx @@ -5,6 +5,7 @@ import { Button, Divider, useDevice } from '@deriv-com/ui'; import { useSignupWizardContext } from '../../../../providers/SignupWizardProvider'; type TActions = { + isSubmitBtnLoading?: boolean; submitDisabled?: boolean; }; @@ -14,37 +15,40 @@ type TActions = { * Intended to be used as a child component of the Formik component. * @param {Object} props - React props object * @param {boolean} [props.submitDisabled] - A boolean that determines whether the Next button is disabled + * @param {boolean} [props.isSubmitBtnLoading] - A boolean that determines whether the Next button is in a loading state * @example * return ( * * ); */ -const Actions = ({ submitDisabled = false }: TActions) => { +const Actions = ({ submitDisabled = false, isSubmitBtnLoading = false }: TActions) => { const { helpers: { canGoToNextStep, canGoToPrevStep, goToPrevStep }, } = useSignupWizardContext(); - const { handleSubmit } = useFormikContext(); + const { isSubmitting } = useFormikContext(); const { isDesktop } = useDevice(); return (
- + {canGoToPrevStep && ( )}
['account_list']>>[number] & + TLocalStorageAccount; +}; + +/** + * Gets the current user `accounts` list from the `localStorage`. + */ +export const getAccountsFromLocalStorage = () => { + const data = localStorage.getItem('client.accounts'); + + // If there is no accounts list, return undefined. + if (!data) return; + + // Cast parsed JSON data to infer return type + return JSON.parse(data) as TLocalStorageAccountsList; +}; diff --git a/packages/tradershub/src/utils/index.ts b/packages/tradershub/src/utils/index.ts index c6166283c2cf..a2a05cc6e970 100644 --- a/packages/tradershub/src/utils/index.ts +++ b/packages/tradershub/src/utils/index.ts @@ -1,3 +1,4 @@ export * from './cfd'; +export * from './getAccountsFromLocalStorage'; export * from './password'; export * from './validations/validations'; From 4f4fe7583bb4ce64136e72d65634d017968d1d8b Mon Sep 17 00:00:00 2001 From: amir ali <129206554+amir-deriv@users.noreply.github.com> Date: Wed, 21 Feb 2024 10:59:17 +0800 Subject: [PATCH 17/20] [CRO] Amir/cro 333/ab test for onboarding toggle (#13545) * chore: add ab test for skip onboarding flow * chore: add test case for feature flag hook * chore: add mock of analytics package on onboarding * chore: resolve review comments * chore: update package version to 1.4.11 * chore: change var name * fix: show onboarding as normal after login * fix: onboarding ab test flow issue on normal scenario * chore: fix eslint error * chore: downgrade package version to 1.4.10 * chore: update lock --- __mocks__/globals.js | 8 ++ package-lock.json | 108 +++++++++--------- .../src/modules/onboarding/onboarding.tsx | 6 +- .../account-signup-modal.jsx | 14 +++ packages/hooks/package.json | 1 + .../useGrowthbookFeatureFlag.spec.tsx | 31 +++++ packages/hooks/src/index.ts | 1 + .../hooks/src/useGrowthbookFeatureFlag.ts | 27 +++++ 8 files changed, 140 insertions(+), 56 deletions(-) create mode 100644 packages/hooks/src/__tests__/useGrowthbookFeatureFlag.spec.tsx create mode 100644 packages/hooks/src/useGrowthbookFeatureFlag.ts diff --git a/__mocks__/globals.js b/__mocks__/globals.js index 097188c93e5e..8fa59529a33e 100644 --- a/__mocks__/globals.js +++ b/__mocks__/globals.js @@ -9,6 +9,14 @@ jest.mock('@deriv-com/analytics', () => ({ pageView: jest.fn(), reset: jest.fn(), setAttributes: jest.fn(), + getFeatureValue: jest.fn(), + getInstances: jest.fn().mockReturnValue({ + ab: { + GrowthBook: { + setRenderer: jest.fn(), + }, + }, + }), }, })); diff --git a/package-lock.json b/package-lock.json index f80738b6cb6b..d99f2a111074 100644 --- a/package-lock.json +++ b/package-lock.json @@ -9754,9 +9754,9 @@ "integrity": "sha512-h4lTMgMJctJybDp8CQrxTUiiYmedihHWkjnF/8Pxseu2S6Nlfcy8kwboQ8yejh456rP2yWoEVm1sS/FVsfM48w==" }, "node_modules/@storybook/builder-webpack4/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/builder-webpack4/node_modules/@types/webpack": { "version": "4.41.38", @@ -11083,9 +11083,9 @@ } }, "node_modules/@storybook/builder-webpack5/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/builder-webpack5/node_modules/colorette": { "version": "1.4.0", @@ -11510,9 +11510,9 @@ } }, "node_modules/@storybook/core-common/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/core-common/node_modules/@webassemblyjs/ast": { "version": "1.9.0", @@ -12334,9 +12334,9 @@ } }, "node_modules/@storybook/core-server/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/core-server/node_modules/@types/webpack": { "version": "4.41.38", @@ -13270,9 +13270,9 @@ "integrity": "sha512-h4lTMgMJctJybDp8CQrxTUiiYmedihHWkjnF/8Pxseu2S6Nlfcy8kwboQ8yejh456rP2yWoEVm1sS/FVsfM48w==" }, "node_modules/@storybook/manager-webpack4/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/manager-webpack4/node_modules/@types/webpack": { "version": "4.41.38", @@ -14563,9 +14563,9 @@ } }, "node_modules/@storybook/manager-webpack5/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/manager-webpack5/node_modules/ansi-styles": { "version": "4.3.0", @@ -15077,9 +15077,9 @@ "integrity": "sha512-CuPgU6f3eT/XgKKPqKd/gLZV1Xmvf1a2R5POBOGQa6uv82xpls89HU5zKeVoyR8XzHd1RGNOlQlvUe3CFkjWNQ==" }, "node_modules/@storybook/react/node_modules/@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "node_modules/@storybook/react/node_modules/acorn": { "version": "7.4.1", @@ -41086,9 +41086,9 @@ } }, "node_modules/react-focus-lock": { - "version": "2.11.0", - "resolved": "https://registry.npmjs.org/react-focus-lock/-/react-focus-lock-2.11.0.tgz", - "integrity": "sha512-y6Amxjo3T67R/7tYPSS2HMUEjW4IIfDAnpc6sBZ3Nm8gkFhgEGwTP7Zw/vkYOyvOZly0EwT9oc5ZM2XmknTGgw==", + "version": "2.9.7", + "resolved": "https://registry.npmjs.org/react-focus-lock/-/react-focus-lock-2.9.7.tgz", + "integrity": "sha512-EfhX040SELLqnQ9JftqsmQCG49iByg8F5X5m19Er+n371OaETZ35dlNPZrLOOTlnnwD4c2Zv0KDgabDTc7dPHw==", "dependencies": { "@babel/runtime": "^7.0.0", "focus-lock": "^1.2.0", @@ -41108,9 +41108,9 @@ } }, "node_modules/react-focus-lock/node_modules/focus-lock": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/focus-lock/-/focus-lock-1.3.0.tgz", - "integrity": "sha512-J5/QDEBUXkELMuWyRSsXBRG1JZ156tBvTS+sv3Ks5xBNyKCQ6qFZAfT3ZEPL3JfFEOS5SB+bT/0Ha3zS07yfEw==", + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/focus-lock/-/focus-lock-1.3.2.tgz", + "integrity": "sha512-kFI92jZVqa8rP4Yer2sLNlUDcOdEFxYum2tIIr4eCH0XF+pOmlg0xiY4tkbDmHJXt3phtbJoWs1L6PgUVk97rA==", "dependencies": { "tslib": "^2.0.3" }, @@ -57118,9 +57118,9 @@ "integrity": "sha512-h4lTMgMJctJybDp8CQrxTUiiYmedihHWkjnF/8Pxseu2S6Nlfcy8kwboQ8yejh456rP2yWoEVm1sS/FVsfM48w==" }, "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "@types/webpack": { "version": "4.41.38", @@ -58168,9 +58168,9 @@ }, "dependencies": { "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "colorette": { "version": "1.4.0", @@ -58466,9 +58466,9 @@ } }, "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "@webassemblyjs/ast": { "version": "1.9.0", @@ -59141,9 +59141,9 @@ }, "dependencies": { "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "@types/webpack": { "version": "4.41.38", @@ -59911,9 +59911,9 @@ "integrity": "sha512-h4lTMgMJctJybDp8CQrxTUiiYmedihHWkjnF/8Pxseu2S6Nlfcy8kwboQ8yejh456rP2yWoEVm1sS/FVsfM48w==" }, "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "@types/webpack": { "version": "4.41.38", @@ -60936,9 +60936,9 @@ }, "dependencies": { "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "ansi-styles": { "version": "4.3.0", @@ -61269,9 +61269,9 @@ "integrity": "sha512-CuPgU6f3eT/XgKKPqKd/gLZV1Xmvf1a2R5POBOGQa6uv82xpls89HU5zKeVoyR8XzHd1RGNOlQlvUe3CFkjWNQ==" }, "@types/node": { - "version": "16.18.82", - "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.82.tgz", - "integrity": "sha512-pcDZtkx9z8XYV+ius2P3Ot2VVrcYOfXffBQUBuiszrlUzKSmoDYqo+mV+IoL8iIiIjjtOMvNSmH1hwJ+Q+f96Q==" + "version": "16.18.79", + "resolved": "https://registry.npmjs.org/@types/node/-/node-16.18.79.tgz", + "integrity": "sha512-Qd7jdLR5zmnIyMhfDrfPqN5tUCvreVpP3Qrf2oSM+F7SNzlb/MwHISGUkdFHtevfkPJ3iAGyeQI/jsbh9EStgQ==" }, "acorn": { "version": "7.4.1", @@ -79599,9 +79599,9 @@ } }, "react-focus-lock": { - "version": "2.11.0", - "resolved": "https://registry.npmjs.org/react-focus-lock/-/react-focus-lock-2.11.0.tgz", - "integrity": "sha512-y6Amxjo3T67R/7tYPSS2HMUEjW4IIfDAnpc6sBZ3Nm8gkFhgEGwTP7Zw/vkYOyvOZly0EwT9oc5ZM2XmknTGgw==", + "version": "2.9.7", + "resolved": "https://registry.npmjs.org/react-focus-lock/-/react-focus-lock-2.9.7.tgz", + "integrity": "sha512-EfhX040SELLqnQ9JftqsmQCG49iByg8F5X5m19Er+n371OaETZ35dlNPZrLOOTlnnwD4c2Zv0KDgabDTc7dPHw==", "requires": { "@babel/runtime": "^7.0.0", "focus-lock": "^1.2.0", @@ -79612,9 +79612,9 @@ }, "dependencies": { "focus-lock": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/focus-lock/-/focus-lock-1.3.0.tgz", - "integrity": "sha512-J5/QDEBUXkELMuWyRSsXBRG1JZ156tBvTS+sv3Ks5xBNyKCQ6qFZAfT3ZEPL3JfFEOS5SB+bT/0Ha3zS07yfEw==", + "version": "1.3.2", + "resolved": "https://registry.npmjs.org/focus-lock/-/focus-lock-1.3.2.tgz", + "integrity": "sha512-kFI92jZVqa8rP4Yer2sLNlUDcOdEFxYum2tIIr4eCH0XF+pOmlg0xiY4tkbDmHJXt3phtbJoWs1L6PgUVk97rA==", "requires": { "tslib": "^2.0.3" } diff --git a/packages/appstore/src/modules/onboarding/onboarding.tsx b/packages/appstore/src/modules/onboarding/onboarding.tsx index d9eebba857c3..d8e8f71c3428 100644 --- a/packages/appstore/src/modules/onboarding/onboarding.tsx +++ b/packages/appstore/src/modules/onboarding/onboarding.tsx @@ -9,7 +9,6 @@ import { getTradingHubContents } from 'Constants/trading-hub-content'; import EmptyOnboarding from './empty-onboarding'; import { useStore, observer } from '@deriv/stores'; import { useTradersHubTracking } from 'Hooks/index'; -import { Analytics } from '@deriv-com/analytics'; type TOnboardingProps = { contents: Record< @@ -45,6 +44,9 @@ const Onboarding = observer(({ contents = getTradingHubContents() }: TOnboarding const has_active_real_account = useHasActiveRealAccount(); const steps_list = Object.keys(contents).filter(key => is_mt5_allowed || key !== 'step3'); + const url_params = new URLSearchParams(window.location.search); + const skip_onboarding_flow = url_params.get('skip-onboarding-flow') === 'true'; + const { trackOnboardingOpen, trackStepBack, trackStepForward, trackOnboardingClose, trackDotNavigation } = useTradersHubTracking(); @@ -130,7 +132,7 @@ const Onboarding = observer(({ contents = getTradingHubContents() }: TOnboarding return ; } - if (is_logged_in && is_from_signup_account && is_eu_user) { + if ((is_logged_in && is_from_signup_account && is_eu_user) || skip_onboarding_flow) { history.push(routes.traders_hub); } diff --git a/packages/core/src/App/Containers/AccountSignupModal/account-signup-modal.jsx b/packages/core/src/App/Containers/AccountSignupModal/account-signup-modal.jsx index 537aa6dcf4c4..2aba95cbd513 100644 --- a/packages/core/src/App/Containers/AccountSignupModal/account-signup-modal.jsx +++ b/packages/core/src/App/Containers/AccountSignupModal/account-signup-modal.jsx @@ -18,6 +18,7 @@ import ResidenceForm from '../SetResidenceModal/set-residence-form.jsx'; import validateSignupFields from './validate-signup-fields.jsx'; import 'Sass/app/modules/account-signup.scss'; +import { useGrowthbookFeatureFlag } from '@deriv/hooks'; const AccountSignup = ({ enableApp, @@ -41,6 +42,12 @@ const AccountSignup = ({ const [modded_state, setModdedState] = React.useState({}); const language = getLanguage(); + // Growthbook ab/test experiment with onboarding flow + const growthbook_ab_test_skip_onboarding_flow = useGrowthbookFeatureFlag({ + featureFlag: 'skip-onboarding-flow', + defaultValue: false, + }); + const checkResidenceIsBrazil = selected_country => selected_country && residence_list[indexOfSelection(selected_country)]?.value?.toLowerCase() === 'br'; @@ -126,6 +133,13 @@ const AccountSignup = ({ error_message: error, }); } else { + // ======== Growthbook ab/test experiment with onboarding flow ======== + const searchParams = new URLSearchParams(window.location.search); + searchParams.set('skip-onboarding-flow', growthbook_ab_test_skip_onboarding_flow); + + window.history.pushState(null, '', `${window.location.pathname}?${searchParams.toString()}`); + // ==================================================================== + isModalVisible(false); setIsFromSignupAccount(true); SessionStore.remove('signup_query_param'); diff --git a/packages/hooks/package.json b/packages/hooks/package.json index 06f2fdbdb49c..55c906c6b243 100644 --- a/packages/hooks/package.json +++ b/packages/hooks/package.json @@ -5,6 +5,7 @@ "main": "src/index.ts", "dependencies": { "@binary-com/binary-document-uploader": "^2.4.8", + "@deriv-com/analytics": "1.4.10", "@deriv/api": "^1.0.0", "@deriv/stores": "^1.0.0", "@deriv/utils": "^1.0.0", diff --git a/packages/hooks/src/__tests__/useGrowthbookFeatureFlag.spec.tsx b/packages/hooks/src/__tests__/useGrowthbookFeatureFlag.spec.tsx new file mode 100644 index 000000000000..109538c5199b --- /dev/null +++ b/packages/hooks/src/__tests__/useGrowthbookFeatureFlag.spec.tsx @@ -0,0 +1,31 @@ +import { renderHook } from '@testing-library/react-hooks'; +import useGrowthbookFeatureFlag from '../useGrowthbookFeatureFlag'; +import { Analytics } from '@deriv-com/analytics'; + +describe('useGrowthbookFeatureFlag', () => { + test('Should call getFeatureValue from the package', async () => { + const { result } = renderHook(() => + useGrowthbookFeatureFlag({ + defaultValue: false, + featureFlag: 'dummy-feature-flag', + }) + ); + + expect(result.current).toBe(false); + expect(Analytics.getFeatureValue).toHaveBeenCalled(); + expect(Analytics.getFeatureValue).toHaveBeenCalledWith('dummy-feature-flag', false); + }); + + test('The default value for the feature flag must be sent correctly to the package', async () => { + const { result } = renderHook(() => + useGrowthbookFeatureFlag({ + defaultValue: true, + featureFlag: 'dummy-feature-flag-1', + }) + ); + + expect(result.current).toBe(true); + expect(Analytics.getFeatureValue).toHaveBeenCalled(); + expect(Analytics.getFeatureValue).toHaveBeenCalledWith('dummy-feature-flag-1', true); + }); +}); diff --git a/packages/hooks/src/index.ts b/packages/hooks/src/index.ts index 9c869e414d54..8bb02b6544ed 100644 --- a/packages/hooks/src/index.ts +++ b/packages/hooks/src/index.ts @@ -76,3 +76,4 @@ export { default as useWalletMigration } from './useWalletMigration'; export { default as useWalletTransactions } from './useWalletTransactions'; export { default as useWalletTransfer } from './useWalletTransfer'; export { default as useWalletsList } from './useWalletsList'; +export { default as useGrowthbookFeatureFlag } from './useGrowthbookFeatureFlag'; diff --git a/packages/hooks/src/useGrowthbookFeatureFlag.ts b/packages/hooks/src/useGrowthbookFeatureFlag.ts new file mode 100644 index 000000000000..2aee50d87f56 --- /dev/null +++ b/packages/hooks/src/useGrowthbookFeatureFlag.ts @@ -0,0 +1,27 @@ +import { useState, useEffect } from 'react'; +import { Analytics } from '@deriv-com/analytics'; + +interface UseGrowthbookFeatureFlagArgs { + featureFlag: string; + defaultValue: T; +} + +const useGrowthbookFeatureFlag = ({ featureFlag, defaultValue }: UseGrowthbookFeatureFlagArgs) => { + const [featureFlagValue, setFeatureFlagValue] = useState(defaultValue); + + useEffect(() => { + const value = (Analytics?.getFeatureValue(featureFlag, defaultValue) || defaultValue) as T; + setFeatureFlagValue(value); + + // Set the renderer for GrowthBook to update the value when the feature flag changes + Analytics.getInstances()?.ab?.GrowthBook?.setRenderer(() => { + const value = (Analytics?.getFeatureValue(featureFlag, defaultValue) || defaultValue) as T; + + setFeatureFlagValue(value); + }); + }, [featureFlag, defaultValue]); + + return featureFlagValue; +}; + +export default useGrowthbookFeatureFlag; From 6f53181a4fe695beddbec99a9e3e7db8b6d2a893 Mon Sep 17 00:00:00 2001 From: Sergei Baranovski <120570511+sergei-deriv@users.noreply.github.com> Date: Wed, 21 Feb 2024 06:57:21 +0300 Subject: [PATCH 18/20] [TRAH] Sergei / TRAH - 2831 / Citizenship selection modal (#13641) * feat: create useClientCountry hook * feat: intermediate result * feat: done with citizenship modal * feat: move changes back for AppContent * fix: sonarcloud issue * feat: implement review comments * feat: implement review comments #2 --- .../hooks/__tests__/useCountryList.spec.tsx | 56 ++++++++++++ packages/api/src/hooks/index.ts | 1 + packages/api/src/hooks/useClientCountry.ts | 20 +++++ .../CitizenshipModal/CitizenshipModal.tsx | 89 +++++++++++++++++++ .../flows/Signup/CitizenshipModal/index.ts | 1 + .../Signup/SignupScreens/SignupScreens.tsx | 24 +++++ .../src/flows/Signup/SignupScreens/index.ts | 1 + .../Signup/SignupWrapper/SignupWrapper.tsx | 43 +++++++++ .../src/flows/Signup/SignupWrapper/index.ts | 1 + packages/tradershub/src/flows/Signup/index.ts | 3 + .../src/helpers/signupModalHelpers.ts | 2 + 11 files changed, 241 insertions(+) create mode 100644 packages/api/src/hooks/__tests__/useCountryList.spec.tsx create mode 100644 packages/api/src/hooks/useClientCountry.ts create mode 100644 packages/tradershub/src/flows/Signup/CitizenshipModal/CitizenshipModal.tsx create mode 100644 packages/tradershub/src/flows/Signup/CitizenshipModal/index.ts create mode 100644 packages/tradershub/src/flows/Signup/SignupScreens/SignupScreens.tsx create mode 100644 packages/tradershub/src/flows/Signup/SignupScreens/index.ts create mode 100644 packages/tradershub/src/flows/Signup/SignupWrapper/SignupWrapper.tsx create mode 100644 packages/tradershub/src/flows/Signup/SignupWrapper/index.ts create mode 100644 packages/tradershub/src/flows/Signup/index.ts diff --git a/packages/api/src/hooks/__tests__/useCountryList.spec.tsx b/packages/api/src/hooks/__tests__/useCountryList.spec.tsx new file mode 100644 index 000000000000..b3701b45198d --- /dev/null +++ b/packages/api/src/hooks/__tests__/useCountryList.spec.tsx @@ -0,0 +1,56 @@ +import { renderHook } from '@testing-library/react-hooks'; +import useQuery from '../../useQuery'; +import useClientCountry from '../useClientCountry'; + +jest.mock('../../useQuery'); + +const mockUseQuery = useQuery as jest.MockedFunction>; + +describe('useClientCountry', () => { + it('should return an undefined', () => { + // @ts-expect-error need to come up with a way to mock the return type of useFetch + mockUseQuery.mockReturnValue({ + data: { + website_status: undefined, + }, + }); + const { result } = renderHook(() => useClientCountry()); + + expect(result.current.data).toBeUndefined(); + }); + + it('should return Indonesia country code', () => { + // @ts-expect-error need to come up with a way to mock the return type of useFetch + mockUseQuery.mockReturnValue({ + data: { + website_status: { + api_call_limits: { + max_proposal_subscription: { + applies_to: '', + max: 0, + }, + max_requestes_general: { + applies_to: '', + hourly: 0, + minutely: 0, + }, + max_requests_outcome: { + applies_to: '', + hourly: 0, + minutely: 0, + }, + max_requests_pricing: { + applies_to: '', + hourly: 0, + minutely: 0, + }, + }, + currencies_config: {}, + clients_country: 'id', + }, + }, + }); + const { result } = renderHook(() => useClientCountry()); + expect(result.current.data).toBe('id'); + }); +}); diff --git a/packages/api/src/hooks/index.ts b/packages/api/src/hooks/index.ts index 53e6cb2584a1..72fbce58ac7a 100644 --- a/packages/api/src/hooks/index.ts +++ b/packages/api/src/hooks/index.ts @@ -77,3 +77,4 @@ export { default as useResetVirtualBalance } from './useResetVirtualBalance'; export { default as useExchangeRates } from './useExchangeRates'; export { default as useIsDIELEnabled } from './useIsDIELEnabled'; export { default as useKycAuthStatus } from './useKycAuthStatus'; +export { default as useClientCountry } from './useClientCountry'; diff --git a/packages/api/src/hooks/useClientCountry.ts b/packages/api/src/hooks/useClientCountry.ts new file mode 100644 index 000000000000..01d24c28544b --- /dev/null +++ b/packages/api/src/hooks/useClientCountry.ts @@ -0,0 +1,20 @@ +import { useMemo } from 'react'; +import useQuery from '../useQuery'; + +/** A custom hook that gets the client country. */ +const useClientCountry = () => { + const { data, ...website_status_rest } = useQuery('website_status'); + + /** Modify the client country. */ + const modified_client_country = useMemo(() => { + return data?.website_status?.clients_country; + }, [data]); + + return { + /** The client's country */ + data: modified_client_country, + ...website_status_rest, + }; +}; + +export default useClientCountry; diff --git a/packages/tradershub/src/flows/Signup/CitizenshipModal/CitizenshipModal.tsx b/packages/tradershub/src/flows/Signup/CitizenshipModal/CitizenshipModal.tsx new file mode 100644 index 000000000000..d53ce0fed3b3 --- /dev/null +++ b/packages/tradershub/src/flows/Signup/CitizenshipModal/CitizenshipModal.tsx @@ -0,0 +1,89 @@ +import React, { useEffect, useState } from 'react'; +import { useFormikContext } from 'formik'; +import { isCVMEnabled } from '@/helpers'; +import { useClientCountry, useResidenceList } from '@deriv/api'; +import { LabelPairedChevronDownMdRegularIcon } from '@deriv/quill-icons'; +import { Button, Checkbox, Dropdown, Text } from '@deriv-com/ui'; +import { TSignupFormValues } from '../SignupWrapper/SignupWrapper'; + +type TCitizenshipModal = { + onClickNext: VoidFunction; +}; + +const CitizenshipModal = ({ onClickNext }: TCitizenshipModal) => { + const { data: residenceList, isLoading: residenceListLoading } = useResidenceList(); + const { data: clientCountry, isLoading: clientCountryLoading } = useClientCountry(); + const [isCheckBoxChecked, setIsCheckBoxChecked] = useState(false); + const { values, setFieldValue } = useFormikContext(); + const isCheckboxVisible = isCVMEnabled(values.country); + + useEffect(() => { + if (residenceList?.length && clientCountry && values.country === '') { + setFieldValue('country', clientCountry); + } + }, [clientCountry, setFieldValue, residenceList, values.country]); + + // Add here later when it's created + if (clientCountryLoading && residenceListLoading) return null; + + return ( +
+
+ Select your country and citizenship: + } + errorMessage='Country of residence is where you currently live.' + label='Country of residence' + list={residenceList} + name='country' + onSelect={selectedItem => { + setFieldValue('country', selectedItem); + }} + value={values.country} + variant='comboBox' + /> + } + errorMessage='Select your citizenship/nationality as it appears on your passport or other government-issued ID.' + label='Citizenship' + list={residenceList} + name='citizenship' + onSelect={selectedItem => { + setFieldValue('citizenship', selectedItem); + }} + value={values.citizenship} + variant='comboBox' + /> + {isCheckboxVisible && ( + + 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. + + } + labelClassName='flex-1' + onChange={(event: React.ChangeEvent) => + setIsCheckBoxChecked(event.target.checked) + } + wrapperClassName='w-auto' + /> + )} + +
+
+ ); +}; + +export default CitizenshipModal; diff --git a/packages/tradershub/src/flows/Signup/CitizenshipModal/index.ts b/packages/tradershub/src/flows/Signup/CitizenshipModal/index.ts new file mode 100644 index 000000000000..8443a418e8e6 --- /dev/null +++ b/packages/tradershub/src/flows/Signup/CitizenshipModal/index.ts @@ -0,0 +1 @@ +export { default as CitizenshipModal } from './CitizenshipModal'; diff --git a/packages/tradershub/src/flows/Signup/SignupScreens/SignupScreens.tsx b/packages/tradershub/src/flows/Signup/SignupScreens/SignupScreens.tsx new file mode 100644 index 000000000000..7a98044f7d8c --- /dev/null +++ b/packages/tradershub/src/flows/Signup/SignupScreens/SignupScreens.tsx @@ -0,0 +1,24 @@ +import React, { Dispatch } from 'react'; +import { CitizenshipModal } from '../CitizenshipModal'; + +type TSignupScreens = { + setStep: Dispatch>; + step: number; +}; + +const SignupScreens = ({ step, setStep }: TSignupScreens) => { + switch (step) { + case 1: + return setStep(prev => prev + 1)} />; + case 2: + return ( +
+ Screen 2 +
+ ); + default: + return null; + } +}; + +export default SignupScreens; diff --git a/packages/tradershub/src/flows/Signup/SignupScreens/index.ts b/packages/tradershub/src/flows/Signup/SignupScreens/index.ts new file mode 100644 index 000000000000..2d0a6729a045 --- /dev/null +++ b/packages/tradershub/src/flows/Signup/SignupScreens/index.ts @@ -0,0 +1 @@ +export { default as SignupScreens } from './SignupScreens'; diff --git a/packages/tradershub/src/flows/Signup/SignupWrapper/SignupWrapper.tsx b/packages/tradershub/src/flows/Signup/SignupWrapper/SignupWrapper.tsx new file mode 100644 index 000000000000..e1d979d0247a --- /dev/null +++ b/packages/tradershub/src/flows/Signup/SignupWrapper/SignupWrapper.tsx @@ -0,0 +1,43 @@ +import React, { useEffect, useState } from 'react'; +import { Form, Formik } from 'formik'; +import ReactModal from 'react-modal'; +import { CUSTOM_STYLES } from '@/helpers'; +import { SignupScreens } from '../SignupScreens'; + +export type TSignupFormValues = { + citizenship: string; + country: string; + password: string; +}; + +const SignupWrapper = () => { + // setIsOpen will be added later when flow is completed + const [isOpen] = useState(false); + const [step, setStep] = useState(1); + + const initialValues = { + country: '', + citizenship: '', + password: '', + }; + + const handleSubmit = () => { + // will be added later + }; + + useEffect(() => { + ReactModal.setAppElement('#v2_modal_root'); + }, []); + + return ( + + + + + + + + ); +}; + +export default SignupWrapper; diff --git a/packages/tradershub/src/flows/Signup/SignupWrapper/index.ts b/packages/tradershub/src/flows/Signup/SignupWrapper/index.ts new file mode 100644 index 000000000000..42b392f3bbde --- /dev/null +++ b/packages/tradershub/src/flows/Signup/SignupWrapper/index.ts @@ -0,0 +1 @@ +export { default as SignupWrapper } from './SignupWrapper'; diff --git a/packages/tradershub/src/flows/Signup/index.ts b/packages/tradershub/src/flows/Signup/index.ts new file mode 100644 index 000000000000..ac67bda90d2f --- /dev/null +++ b/packages/tradershub/src/flows/Signup/index.ts @@ -0,0 +1,3 @@ +import { SignupWrapper as Signup } from './SignupWrapper'; + +export default Signup; diff --git a/packages/tradershub/src/helpers/signupModalHelpers.ts b/packages/tradershub/src/helpers/signupModalHelpers.ts index 76df7b3b3c10..08e3efff4ce6 100644 --- a/packages/tradershub/src/helpers/signupModalHelpers.ts +++ b/packages/tradershub/src/helpers/signupModalHelpers.ts @@ -27,3 +27,5 @@ export const CUSTOM_STYLES: TCustomStyles = { zIndex: 9999, }, }; + +export const isCVMEnabled = (countryCode: string) => countryCode === 'br'; From f7261b1e74e2a489975be7c0ad45034c38f74916 Mon Sep 17 00:00:00 2001 From: ameerul-deriv <103412909+ameerul-deriv@users.noreply.github.com> Date: Wed, 21 Feb 2024 12:46:27 +0800 Subject: [PATCH 19/20] [P2PS] / Ameerul / P2PS-2375 Remove P2P API from DTrader page (#13488) * fix: removed p2p calls outside of p2p * fix: failing build * build: updated quill-icons to the latest version * fix: failing eslint * fix: failing testcases * fix: POA not showing, user not blocked when going to buy/sell * fix: cashier locked not showing immediately * fix: unsubscribe function console error when logging out * chore: remove unused import * fix: delay in showing blocked for p2p --------- Co-authored-by: Niloofar --- packages/api/src/hooks/useGetAccountStatus.ts | 8 ++- .../core/src/App/Containers/Routes/routes.jsx | 3 - packages/core/src/Stores/client-store.js | 9 --- .../core/src/Stores/notification-store.js | 8 +-- ...useP2PCompletedOrdersNotification.spec.tsx | 12 +++- .../src/useP2PCompletedOrdersNotification.ts | 9 ++- packages/p2p/src/pages/app.jsx | 3 + .../p2p/src/pages/buy-sell/buy-sell-table.jsx | 9 ++- .../my-profile/__tests__/my-profile.spec.tsx | 9 +-- .../p2p/src/pages/my-profile/my-profile.tsx | 10 +-- packages/p2p/src/stores/general-store.js | 72 ++++++------------- packages/p2p/src/utils/websocket.js | 6 +- packages/stores/src/mockStore.ts | 1 + packages/stores/types.ts | 2 + 14 files changed, 75 insertions(+), 86 deletions(-) diff --git a/packages/api/src/hooks/useGetAccountStatus.ts b/packages/api/src/hooks/useGetAccountStatus.ts index af1df9a12557..3028102c9596 100644 --- a/packages/api/src/hooks/useGetAccountStatus.ts +++ b/packages/api/src/hooks/useGetAccountStatus.ts @@ -9,12 +9,14 @@ const useGetAccountStatus = () => { const modified_account_status = useMemo(() => { if (!get_account_status_data?.get_account_status) return; + const { prompt_client_to_authenticate, p2p_status } = get_account_status_data.get_account_status; + return { ...get_account_status_data.get_account_status, /** Indicates whether the client should be prompted to authenticate their account. */ - should_prompt_client_to_authenticate: Boolean( - get_account_status_data.get_account_status.prompt_client_to_authenticate - ), + should_prompt_client_to_authenticate: Boolean(prompt_client_to_authenticate), + /** Indicates whether the client is a P2P user. */ + is_p2p_user: Boolean(p2p_status !== 'none' && p2p_status !== 'perm_ban'), }; }, [get_account_status_data?.get_account_status]); diff --git a/packages/core/src/App/Containers/Routes/routes.jsx b/packages/core/src/App/Containers/Routes/routes.jsx index bc2becd9628e..9ffe910ecf59 100644 --- a/packages/core/src/App/Containers/Routes/routes.jsx +++ b/packages/core/src/App/Containers/Routes/routes.jsx @@ -3,7 +3,6 @@ import React from 'react'; import { withRouter } from 'react-router'; import Loadable from 'react-loadable'; import { UILoader } from '@deriv/components'; -import { useP2PCompletedOrdersNotification } from '@deriv/hooks'; import { urlForLanguage } from '@deriv/shared'; import { getLanguage } from '@deriv/translations'; import BinaryRoutes from 'App/Components/Routes'; @@ -25,8 +24,6 @@ const Routes = observer(({ history, location, passthrough }) => { const initial_route = React.useRef(null); const unlisten_to_change = React.useRef(null); - useP2PCompletedOrdersNotification(); - React.useEffect(() => { if (!unlisten_to_change.current && !initial_route.current) { initial_route.current = location.pathname; diff --git a/packages/core/src/Stores/client-store.js b/packages/core/src/Stores/client-store.js index 4dfda10650a9..a31a6d1cd41a 100644 --- a/packages/core/src/Stores/client-store.js +++ b/packages/core/src/Stores/client-store.js @@ -145,7 +145,6 @@ export default class ClientStore extends BaseStore { is_mt5_account_list_updated = false; prev_real_account_loginid = ''; - p2p_advertiser_info = {}; prev_account_type = 'demo'; external_url_params = {}; is_already_attempted = false; @@ -214,7 +213,6 @@ export default class ClientStore extends BaseStore { dxtrade_trading_servers: observable, is_cfd_poi_completed: observable, prev_real_account_loginid: observable, - p2p_advertiser_info: observable, prev_account_type: observable, is_already_attempted: observable, real_account_signup_form_data: observable, @@ -389,7 +387,6 @@ export default class ClientStore extends BaseStore { updateMT5Status: action.bound, isEuropeCountry: action.bound, setPrevRealAccountLoginid: action.bound, - setP2pAdvertiserInfo: action.bound, setPrevAccountType: action.bound, setIsAlreadyAttempted: action.bound, setRealAccountSignupFormData: action.bound, @@ -1657,8 +1654,6 @@ export default class ClientStore extends BaseStore { await this.fetchStatesList(); } if (!this.is_virtual) await this.getLimits(); - - await WS.p2pAdvertiserInfo().then(this.setP2pAdvertiserInfo); } else { this.resetMt5AccountListPopulation(); } @@ -1701,10 +1696,6 @@ export default class ClientStore extends BaseStore { this.setStandpoint(this.landing_companies); } - setP2pAdvertiserInfo(response) { - this.p2p_advertiser_info = response.p2p_advertiser_info; - } - setStandpoint(landing_companies) { if (!landing_companies) return; const { gaming_company, financial_company } = landing_companies; diff --git a/packages/core/src/Stores/notification-store.js b/packages/core/src/Stores/notification-store.js index 61af03735a1f..e57bb562420f 100644 --- a/packages/core/src/Stores/notification-store.js +++ b/packages/core/src/Stores/notification-store.js @@ -51,6 +51,7 @@ export default class NotificationStore extends BaseStore { client_notifications = {}; should_show_popups = true; trade_notifications = []; + p2p_advertiser_info = {}; p2p_order_props = {}; p2p_redirect_to = {}; p2p_completed_orders = []; @@ -73,6 +74,7 @@ export default class NotificationStore extends BaseStore { markNotificationMessage: action.bound, notification_messages: observable, notifications: observable, + p2p_advertiser_info: observable, p2p_completed_orders: observable, p2p_order_props: observable, p2p_redirect_to: observable, @@ -115,7 +117,6 @@ export default class NotificationStore extends BaseStore { root_store.client.has_enabled_two_fa, root_store.client.has_changed_two_fa, this.p2p_order_props.order_id, - root_store.client.p2p_advertiser_info, ], () => { if ( @@ -133,7 +134,7 @@ export default class NotificationStore extends BaseStore { } ); reaction( - () => this.p2p_completed_orders, + () => [this.p2p_completed_orders, this.p2p_advertiser_info], () => { this.handleClientNotifications(); } @@ -312,11 +313,10 @@ export default class NotificationStore extends BaseStore { has_restricted_mt5_account, has_mt5_account_with_rejected_poa, is_proof_of_ownership_enabled, - p2p_advertiser_info, is_p2p_enabled, is_poa_expired, } = this.root_store.client; - const { upgradable_daily_limits } = p2p_advertiser_info || {}; + const { upgradable_daily_limits } = this.p2p_advertiser_info || {}; const { max_daily_buy, max_daily_sell } = upgradable_daily_limits || {}; const { is_10k_withdrawal_limit_reached } = this.root_store.modules.cashier.withdraw; const { current_language, selected_contract_type } = this.root_store.common; diff --git a/packages/hooks/src/__tests__/useP2PCompletedOrdersNotification.spec.tsx b/packages/hooks/src/__tests__/useP2PCompletedOrdersNotification.spec.tsx index 3f3e0772bf9c..63f707cda219 100644 --- a/packages/hooks/src/__tests__/useP2PCompletedOrdersNotification.spec.tsx +++ b/packages/hooks/src/__tests__/useP2PCompletedOrdersNotification.spec.tsx @@ -1,5 +1,5 @@ import * as React from 'react'; -import { useSubscription } from '@deriv/api'; +import { useGetAccountStatus, useSubscription } from '@deriv/api'; import { mockStore, StoreProvider } from '@deriv/stores'; import { renderHook } from '@testing-library/react-hooks'; import useP2PCompletedOrdersNotification from '../useP2PCompletedOrdersNotification'; @@ -7,10 +7,13 @@ import useP2PCompletedOrdersNotification from '../useP2PCompletedOrdersNotificat jest.mock('@deriv/api', () => ({ ...jest.requireActual('@deriv/api'), useSubscription: jest.fn(), + useGetAccountStatus: jest.fn(), })); const mockUseSubscription = useSubscription as jest.MockedFunction>; +const mockUseGetAccountStatus = useGetAccountStatus as jest.MockedFunction; + describe('useP2PCompletedOrdersNotification', () => { test('should not subscribe to p2p_order_list if user is not logged in', () => { const mock = mockStore({ @@ -88,6 +91,13 @@ describe('useP2PCompletedOrdersNotification', () => { isSubscribed: false, }); + mockUseGetAccountStatus.mockReturnValue({ + // @ts-expect-error need to come up with a way to mock the return type of useGetAccountStatus + data: { + is_p2p_user: true, + }, + }); + const wrapper = ({ children }: { children: JSX.Element }) => ( {children} ); diff --git a/packages/hooks/src/useP2PCompletedOrdersNotification.ts b/packages/hooks/src/useP2PCompletedOrdersNotification.ts index b03fa7ec3a6c..e55f763d8b73 100644 --- a/packages/hooks/src/useP2PCompletedOrdersNotification.ts +++ b/packages/hooks/src/useP2PCompletedOrdersNotification.ts @@ -1,14 +1,17 @@ import React from 'react'; import { useStore } from '@deriv/stores'; +import { useGetAccountStatus } from '@deriv/api'; import useP2POrderList from './useP2POrderList'; const useP2PCompletedOrdersNotification = () => { const { subscribe, data, unsubscribe, isSubscribed } = useP2POrderList(); + const { data: getAccountStatusData } = useGetAccountStatus(); + const { is_p2p_user } = getAccountStatusData || {}; const { client, notifications } = useStore(); - const { is_authorize, is_p2p_enabled } = client; + const { is_authorize } = client; React.useEffect(() => { - if (is_authorize && is_p2p_enabled) { + if (is_authorize && is_p2p_user) { subscribe({ payload: { active: 0, @@ -18,7 +21,7 @@ const useP2PCompletedOrdersNotification = () => { return () => { isSubscribed && unsubscribe(); }; - }, [isSubscribed, is_authorize, is_p2p_enabled, subscribe, unsubscribe]); + }, [isSubscribed, is_authorize, is_p2p_user, subscribe, unsubscribe]); React.useEffect(() => { if (data?.p2p_order_list?.list.length && data?.p2p_order_list?.list !== notifications.p2p_completed_orders) { diff --git a/packages/p2p/src/pages/app.jsx b/packages/p2p/src/pages/app.jsx index c29c3d769941..1b393dee97bf 100644 --- a/packages/p2p/src/pages/app.jsx +++ b/packages/p2p/src/pages/app.jsx @@ -1,6 +1,7 @@ import React from 'react'; import { useHistory, useLocation } from 'react-router-dom'; import { reaction } from 'mobx'; +import { useP2PCompletedOrdersNotification } from '@deriv/hooks'; import { useStore, observer } from '@deriv/stores'; import { getLanguage } from '@deriv/translations'; import { Loading } from '@deriv/components'; @@ -33,6 +34,8 @@ const App = () => { const [action_param, setActionParam] = React.useState(); const [code_param, setCodeParam] = React.useState(); + useP2PCompletedOrdersNotification(); + React.useEffect(() => { init(); diff --git a/packages/p2p/src/pages/buy-sell/buy-sell-table.jsx b/packages/p2p/src/pages/buy-sell/buy-sell-table.jsx index 4359c15cd618..f176689893cc 100644 --- a/packages/p2p/src/pages/buy-sell/buy-sell-table.jsx +++ b/packages/p2p/src/pages/buy-sell/buy-sell-table.jsx @@ -6,6 +6,7 @@ import { reaction } from 'mobx'; import { observer, useStore } from '@deriv/stores'; import { Localize } from 'Components/i18next'; import TableError from 'Components/section-error'; +import { api_error_codes } from 'Constants/api-error-codes'; import { useP2PRenderedAdverts } from 'Hooks'; import { useStores } from 'Stores'; import BuySellRow from './buy-sell-row.jsx'; @@ -28,7 +29,7 @@ const BuySellRowRendererComponent = row_props => { const BuySellRowRenderer = observer(BuySellRowRendererComponent); const BuySellTable = ({ onScroll }) => { - const { buy_sell_store } = useStores(); + const { buy_sell_store, general_store } = useStores(); const { client: { currency }, } = useStore(); @@ -48,6 +49,12 @@ const BuySellTable = ({ onScroll }) => { const { error, has_more_items_to_load, isError, isLoading, loadMoreAdverts, rendered_adverts } = useP2PRenderedAdverts(); + React.useEffect(() => { + if (error?.code === api_error_codes.PERMISSION_DENIED) { + general_store.setIsBlocked(true); + } + }, [error?.code]); + if (isLoading) { return ; } diff --git a/packages/p2p/src/pages/my-profile/__tests__/my-profile.spec.tsx b/packages/p2p/src/pages/my-profile/__tests__/my-profile.spec.tsx index ca3cbfe1f4a2..522ce68b9864 100755 --- a/packages/p2p/src/pages/my-profile/__tests__/my-profile.spec.tsx +++ b/packages/p2p/src/pages/my-profile/__tests__/my-profile.spec.tsx @@ -39,6 +39,7 @@ describe('', () => { partner_count: 1, }, is_advertiser: true, + is_p2p_user: true, should_show_dp2p_blocked: false, setActiveIndex: jest.fn(), }, @@ -67,17 +68,17 @@ describe('', () => { expect(screen.getByText('test error')).toBeInTheDocument(); }); - it('should render loading component if advertiser info is empty and should_show_dp2p_blocked is false', () => { - mock_store.my_profile_store.error_message = ''; - mock_store.general_store.advertiser_info = {}; + it('should render loading component if is_p2p_user is null', () => { + mock_store.general_store.is_p2p_user = null; render(); expect(screen.getByTestId('dt_initial_loader')).toBeInTheDocument(); }); - it('should render Verification component if is_advertiser is false', () => { + it('should render Verification component if is_advertiser is false and is_p2p_user false', () => { mock_store.general_store.is_advertiser = false; + mock_store.general_store.is_p2p_user = false; render(); diff --git a/packages/p2p/src/pages/my-profile/my-profile.tsx b/packages/p2p/src/pages/my-profile/my-profile.tsx index 043ceee2483a..9f6622e09588 100755 --- a/packages/p2p/src/pages/my-profile/my-profile.tsx +++ b/packages/p2p/src/pages/my-profile/my-profile.tsx @@ -1,7 +1,7 @@ import React from 'react'; import { useHistory } from 'react-router-dom'; import { DesktopWrapper, Loading, Text } from '@deriv/components'; -import { isEmptyObject, routes } from '@deriv/shared'; +import { routes } from '@deriv/shared'; import { observer } from '@deriv/stores'; import { useModalManagerContext } from 'Components/modal-manager/modal-manager-context'; import Verification from 'Components/verification'; @@ -45,11 +45,7 @@ const MyProfile = () => { } }, [is_poi_poa_verified]); - if ( - isEmptyObject(general_store.advertiser_info) && - !general_store.poi_status && - !general_store.should_show_dp2p_blocked - ) { + if (general_store.is_p2p_user === null) { return ; } @@ -63,7 +59,7 @@ const MyProfile = () => { ); } - if (general_store.is_advertiser || is_poi_poa_verified) { + if (general_store.is_advertiser || is_poi_poa_verified || general_store.is_p2p_user) { return (
diff --git a/packages/p2p/src/stores/general-store.js b/packages/p2p/src/stores/general-store.js index 7db86dfb914a..336621eafb35 100755 --- a/packages/p2p/src/stores/general-store.js +++ b/packages/p2p/src/stores/general-store.js @@ -44,6 +44,7 @@ export default class GeneralStore extends BaseStore { is_listed = false; is_loading = false; is_p2p_blocked_for_pa = false; + is_p2p_user = null; is_restricted = false; nickname = null; nickname_error = ''; @@ -109,6 +110,7 @@ export default class GeneralStore extends BaseStore { is_high_risk: observable, is_listed: observable, is_loading: observable, + is_p2p_user: observable, is_p2p_blocked_for_pa: observable, is_restricted: observable, nickname: observable, @@ -165,6 +167,7 @@ export default class GeneralStore extends BaseStore { setIsListed: action.bound, setIsLoading: action.bound, setIsP2pBlockedForPa: action.bound, + setIsP2PUser: action.bound, setIsRestricted: action.bound, setNickname: action.bound, setNicknameError: action.bound, @@ -172,7 +175,6 @@ export default class GeneralStore extends BaseStore { setOrderTableType: action.bound, setP2PConfig: action.bound, setP2pPoaRequired: action.bound, - setP2pOrderList: action.bound, setP2PSettings: action.bound, setParameters: action.bound, setPoaStatus: action.bound, @@ -470,6 +472,19 @@ export default class GeneralStore extends BaseStore { ); requestWS({ get_account_status: 1 }).then(({ error, get_account_status }) => { + const { authentication, p2p_poa_required, p2p_status, status } = get_account_status; + const { document, identity } = authentication; + this.setIsP2PUser(p2p_status !== 'none' && p2p_status !== 'perm_ban'); + + if (status.includes('cashier_locked')) { + this.setIsBlocked(true); + this.hideModal(); + } else { + this.setP2pPoaRequired(p2p_poa_required); + this.setPoaStatus(document.status); + this.setPoiStatus(identity.status); + } + const hasStatuses = statuses => statuses?.every(status => get_account_status.status.includes(status)); const is_authenticated = hasStatuses(['authenticated']); @@ -521,15 +536,6 @@ export default class GeneralStore extends BaseStore { }, [this.updateAdvertiserInfo, response => sendbird_store.handleP2pAdvertiserInfo(response)] ), - order_list_subscription: subscribeWS( - { - p2p_order_list: 1, - subscribe: 1, - offset: 0, - limit: this.list_item_limit, - }, - [this.setP2pOrderList] - ), p2p_settings_subscription: subscribeWS({ p2p_settings: 1 }, [this.setP2PSettings]), }; @@ -543,7 +549,7 @@ export default class GeneralStore extends BaseStore { clearTimeout(this.service_token_timeout); clearTimeout(this.user_blocked_timeout); - Object.keys(this.ws_subscriptions).forEach(key => this.ws_subscriptions[key].unsubscribe()); + Object.keys(this.ws_subscriptions).forEach(key => this.ws_subscriptions[key]?.unsubscribe()); if (typeof this.disposeUserBarredReaction === 'function') { this.disposeUserBarredReaction(); @@ -676,6 +682,10 @@ export default class GeneralStore extends BaseStore { this.is_p2p_blocked_for_pa = is_p2p_blocked_for_pa; } + setIsP2PUser(is_p2p_user) { + this.is_p2p_user = is_p2p_user; + } + setIsRestricted(is_restricted) { this.is_restricted = is_restricted; } @@ -715,37 +725,6 @@ export default class GeneralStore extends BaseStore { }); } - setP2pOrderList(order_response) { - if (order_response.error) { - this.ws_subscriptions.order_list_subscription.unsubscribe(); - return; - } - - const { p2p_order_list, p2p_order_info } = order_response ?? {}; - const { order_store } = this.root_store; - - if (p2p_order_list) { - const { list } = p2p_order_list; - // it's an array of orders from p2p_order_list - this.handleNotifications(order_store.orders, list); - list?.forEach(order => order_store.syncOrder(order)); - } else if (p2p_order_info) { - // it's a single order from p2p_order_info - const idx_order_to_update = order_store.orders.findIndex(order => order.id === p2p_order_info.id); - const updated_orders = [...order_store.orders]; - // if it's a new order, add it to the top of the list - if (idx_order_to_update < 0) { - updated_orders.unshift(p2p_order_info); - } else { - // otherwise, update the correct order - updated_orders[idx_order_to_update] = p2p_order_info; - } - - this.handleNotifications(order_store.orders, updated_orders); - order_store.syncOrder(p2p_order_info); - } - } - setOrderPaymentPeriod(order_payment_period) { this.order_payment_period = (order_payment_period * 60).toString(); } @@ -860,20 +839,15 @@ export default class GeneralStore extends BaseStore { } } - if (!this.is_advertiser) { + if (!this.is_p2p_user) { requestWS({ get_account_status: 1 }).then(account_response => { if (!account_response.error) { const { get_account_status } = account_response; - const { authentication, p2p_poa_required, status } = get_account_status; - const { document, identity } = authentication; + const { status } = get_account_status; if (status.includes('cashier_locked')) { this.setIsBlocked(true); this.hideModal(); - } else { - this.setP2pPoaRequired(p2p_poa_required); - this.setPoaStatus(document.status); - this.setPoiStatus(identity.status); } } }); diff --git a/packages/p2p/src/utils/websocket.js b/packages/p2p/src/utils/websocket.js index bbeefe3ae54e..45366635e590 100644 --- a/packages/p2p/src/utils/websocket.js +++ b/packages/p2p/src/utils/websocket.js @@ -30,9 +30,11 @@ export const requestWS = async request => { return null; }; -export const subscribeWS = (request, callbacks) => - ws.p2pSubscribe(request, response => { +export const subscribeWS = (request, callbacks, enabled = true) => { + if (!enabled) return null; + return ws.p2pSubscribe(request, response => { callbacks.map(callback => callback(response)); }); +}; export const waitWS = args => ws.wait(args); diff --git a/packages/stores/src/mockStore.ts b/packages/stores/src/mockStore.ts index bd26f7f005a5..763dcb9160bc 100644 --- a/packages/stores/src/mockStore.ts +++ b/packages/stores/src/mockStore.ts @@ -548,6 +548,7 @@ const mock = (): TStores & { is_mock: boolean } => { is_notifications_visible: false, filterNotificationMessages: jest.fn(), notifications: [], + p2p_advertiser_info: undefined, p2p_completed_orders: [], refreshNotifications: jest.fn(), removeAllNotificationMessages: jest.fn(), diff --git a/packages/stores/types.ts b/packages/stores/types.ts index 7a8bdec77089..a2cfd7f0f48b 100644 --- a/packages/stores/types.ts +++ b/packages/stores/types.ts @@ -20,6 +20,7 @@ import type { SetFinancialAssessmentResponse, StatesList, Transaction, + P2PAdvertiserInformationResponse, P2POrderListResponse, WebsiteStatus, } from '@deriv/api-types'; @@ -947,6 +948,7 @@ type TNotificationStore = { is_notifications_visible: boolean; filterNotificationMessages: () => void; notifications: TNotificationMessage[]; + p2p_advertiser_info: P2PAdvertiserInformationResponse['p2p_advertiser_info']; p2p_completed_orders: NonNullable['list']; refreshNotifications: () => void; removeAllNotificationMessages: (should_close_persistent: boolean) => void; From 396b2e8f8bf49c782997603fe88c0a28cfc4a384 Mon Sep 17 00:00:00 2001 From: thisyahlen <104053934+thisyahlen-deriv@users.noreply.github.com> Date: Wed, 21 Feb 2024 14:36:17 +0800 Subject: [PATCH 20/20] thisyahlen/TRAH-2986/chore: replace clsx with tailwind-merge (#13700) * chore: replace clsx with tailwind-merge * chore: unkomen * chore: untrue --- packages/tradershub/package.json | 1 + .../src/components/ActionScreen/ActionScreen.tsx | 6 ++++-- .../src/components/AppContainer/AppContainer.tsx | 4 ++-- .../src/components/ButtonGroup/ButtonGroup.tsx | 4 ++-- .../components/CFDSection/CFDHeading/CFDHeading.tsx | 4 ++-- .../components/DemoRealSwitcher/DemoRealSwitcher.tsx | 10 +++++----- packages/tradershub/src/components/Dialog/Dialog.tsx | 4 ++-- .../tradershub/src/components/Dialog/DialogAction.tsx | 4 ++-- .../tradershub/src/components/Dialog/DialogHeader.tsx | 4 ++-- packages/tradershub/src/components/Modal/Modal.tsx | 4 ++-- .../tradershub/src/components/Modal/ModalContent.tsx | 4 ++-- .../tradershub/src/components/Modal/ModalFooter.tsx | 4 ++-- .../tradershub/src/components/Modal/ModalHeader.tsx | 6 +++--- .../src/components/ProgressBar/StepConnector.tsx | 4 ++-- .../tradershub/src/components/ProgressBar/Stepper.tsx | 4 ++-- .../src/components/StaticLink/StaticLink.tsx | 4 ++-- packages/tradershub/src/components/Tooltip/Tooltip.tsx | 6 +++--- .../src/components/TotalAssets/TotalAssets.tsx | 4 ++-- .../TradingAccountsList/TradingAccountsList.tsx | 4 ++-- .../CompareAccountsCarouselButton.tsx | 4 ++-- .../CompareAccountsPlatformLabel.tsx | 8 ++++---- .../CFDCompareAccounts/InstrumentsLabelHighlighted.tsx | 4 ++-- .../screens/DynamicLeverage/DynamicLeverageScreen.tsx | 4 ++-- .../Jurisdiction/JurisdictionCard/JurisdictionCard.tsx | 4 ++-- .../cfd/screens/Jurisdiction/JurisdictionScreen.tsx | 6 +++--- .../screens/MT5AccountTypeCard/MT5AccountTypeCard.tsx | 4 ++-- .../TradeScreen/TradeDetailsItem/TradeDetailsItem.tsx | 4 ++-- packages/tradershub/src/modals/RegulationModal/Row.tsx | 4 ++-- .../src/screens/CurrencySelector/Currencies.tsx | 8 ++------ .../src/screens/CurrencySelector/CurrencyCard.tsx | 4 ++-- 30 files changed, 69 insertions(+), 70 deletions(-) diff --git a/packages/tradershub/package.json b/packages/tradershub/package.json index ea8bed96f50a..57d76071f473 100644 --- a/packages/tradershub/package.json +++ b/packages/tradershub/package.json @@ -38,6 +38,7 @@ "react-i18next": "^11.11.0", "react-router-dom": "^5.2.0", "react-transition-group": "4.4.2", + "tailwind-merge": "^1.14.0", "usehooks-ts": "^2.7.0", "yup": "^0.32.11" }, diff --git a/packages/tradershub/src/components/ActionScreen/ActionScreen.tsx b/packages/tradershub/src/components/ActionScreen/ActionScreen.tsx index fae375e7275f..2b063771162f 100644 --- a/packages/tradershub/src/components/ActionScreen/ActionScreen.tsx +++ b/packages/tradershub/src/components/ActionScreen/ActionScreen.tsx @@ -1,5 +1,5 @@ import React, { ComponentProps, isValidElement, ReactNode } from 'react'; -import { clsx } from 'clsx'; +import { twMerge } from 'tailwind-merge'; import { Text } from '@deriv-com/ui'; type TActionScreenProps = { @@ -29,7 +29,9 @@ const ActionScreen = ({ titleSize = 'md', }: TActionScreenProps) => { return ( -
+
{icon}
{title && ( diff --git a/packages/tradershub/src/components/AppContainer/AppContainer.tsx b/packages/tradershub/src/components/AppContainer/AppContainer.tsx index 147bcff25bec..e4c3c5539476 100644 --- a/packages/tradershub/src/components/AppContainer/AppContainer.tsx +++ b/packages/tradershub/src/components/AppContainer/AppContainer.tsx @@ -1,5 +1,5 @@ import React, { ReactNode } from 'react'; -import { clsx } from 'clsx'; +import { twMerge } from 'tailwind-merge'; type TAppContainerProps = { children: ReactNode; @@ -13,7 +13,7 @@ type TAppContainerProps = { */ const AppContainer = ({ children, className }: TAppContainerProps) => ( -
+
{children}
); diff --git a/packages/tradershub/src/components/ButtonGroup/ButtonGroup.tsx b/packages/tradershub/src/components/ButtonGroup/ButtonGroup.tsx index 799b669c3f34..289679ed65c7 100644 --- a/packages/tradershub/src/components/ButtonGroup/ButtonGroup.tsx +++ b/packages/tradershub/src/components/ButtonGroup/ButtonGroup.tsx @@ -1,5 +1,5 @@ import React, { FC, PropsWithChildren } from 'react'; -import { clsx } from 'clsx'; +import { twMerge } from 'tailwind-merge'; type TButtonGroupProps = { className?: string }; @@ -13,7 +13,7 @@ type TButtonGroupProps = { className?: string }; */ const ButtonGroup: FC> = ({ children, className }) => ( -
{children}
+
{children}
); export default ButtonGroup; diff --git a/packages/tradershub/src/components/CFDSection/CFDHeading/CFDHeading.tsx b/packages/tradershub/src/components/CFDSection/CFDHeading/CFDHeading.tsx index 4907175219d5..d2b27bd2b147 100644 --- a/packages/tradershub/src/components/CFDSection/CFDHeading/CFDHeading.tsx +++ b/packages/tradershub/src/components/CFDSection/CFDHeading/CFDHeading.tsx @@ -1,6 +1,6 @@ import React, { Fragment } from 'react'; -import { clsx } from 'clsx'; import { useHistory } from 'react-router-dom'; +import { twMerge } from 'tailwind-merge'; import { StaticLink, TitleDescriptionLoader } from '@/components'; import { useRegulationFlags } from '@/hooks'; import { useIsEuRegion } from '@deriv/api'; @@ -15,7 +15,7 @@ const CompareAccountsButton = ({ className }: { className?: string }) => { return (