diff --git a/.eslintrc.js b/.eslintrc.js
index fd6ed07ec955f..5393a44ce7554 100644
--- a/.eslintrc.js
+++ b/.eslintrc.js
@@ -34,6 +34,7 @@ module.exports = {
'space-in-parens' : ['error', 'never'],
'space-infix-ops' : 'error',
'space-unary-ops' : 'error',
+ 'no-multiple-empty-lines' : ['error', { 'max': 1, 'maxEOF': 1 }],
// import rules
'import/no-extraneous-dependencies' : [0, { extensions: ['.jsx'] }],
diff --git a/404.html b/404.html
index b30bacfad0cb9..baca535ffdce8 100644
--- a/404.html
+++ b/404.html
@@ -13,9 +13,7 @@
'de': 'de|at|li',
'es': 'ar|bo|cl|co|cr|cu|do|ec|sv|gt|hn|mx|ni|pa|py|pr|es|uy|ve',
'fr': 'fr|ad|bj|bf|cf|cg|ga|gn|ml|mc|ne|sn|tg',
- 'id': 'id',
'it': 'it',
- 'ja': 'jp',
'ko': 'kr',
'pl': 'po',
'pt': 'br|mz|ao|pt|gw|pg|cv|st',
@@ -49,29 +47,11 @@
var all_languages = ['en'].concat(Object.keys(langs));
function redirect() {
- var alternative_pages = ['home', 'why-us', 'tour', 'terms-and-conditions', 'signup', 'get-started'];
- var redirect_to;
- var alt_regex = new RegExp('(' + alternative_pages.map(function(page) { return page + '.html|' + page + '-jp.html' }).join('|') + ')', 'i');
- if (alt_regex.test(href)) {
- href = href.replace(alt_regex, function(match) {
- if (/-jp/.test(match) && !/ja/i.test(lang)) {
- redirect_to = match.replace(/-jp/i, '');
- } else if (!/-jp/.test(match) && /ja/i.test(lang)) {
- redirect_to = match.replace(/\.html/i, '-jp.html');
- }
- return redirect_to || match;
- });
- }
-
// if language is wrong, we need to rebuild the url
var lang_regex = new RegExp('/(' + all_languages.join('|') + ')/', 'i');
if (!lang_regex.test(href)) {
- redirect_to = redirect_to || '404';
- href = getRoot() + '/' + lang.toLowerCase() + '/' + redirect_to.replace(/\.html/i, '') + '.html';
- }
-
- // if not alternate page, redirect to 404 page
- if (!redirect_to) {
+ href = getRoot() + '/' + lang.toLowerCase() + '/' + '404.html';
+ } else {
href = href.replace(new RegExp('(/' + lang + '/).*', 'i'), '$1404.html');
}
diff --git a/Gruntfile.js b/Gruntfile.js
index a72988da26c45..cc4d754262a01 100644
--- a/Gruntfile.js
+++ b/Gruntfile.js
@@ -12,5 +12,11 @@ module.exports = function (grunt) {
config : require('./package.json'),
scope : 'devDependencies',
},
+ postProcess: function(config) {
+ // release to translations automatically after releasing to staging, since staging release is always with 'cleanup'
+ if (global.release_target === 'staging') {
+ config.aliases.release.push('shell:release_translations');
+ }
+ },
});
};
diff --git a/build/config/init.js b/build/config/init.js
index 1930cd11e896e..d6d436f357b91 100644
--- a/build/config/init.js
+++ b/build/config/init.js
@@ -18,6 +18,9 @@ const initGlobals = (grunt) => {
global.release_info = global.release_config[global.release_target];
global.branch_prefix = '';
global.branch = global.release_info.target_folder;
+ if (global.release_target === 'staging') {
+ grunt.option('cleanup', true); // always cleanup when releasing to staging
+ }
} else {
global.branch_prefix = Constants.config.branch_prefix;
global.branch = grunt.option('branch');
diff --git a/build/connect.js b/build/connect.js
index 30c193a6a24d0..a7d268d839fc5 100644
--- a/build/connect.js
+++ b/build/connect.js
@@ -9,7 +9,7 @@ module.exports = function (grunt) {
return {
livereload: {
options: {
- hostname : '127.0.0.1',
+ hostname : '0.0.0.0',
port : 443,
protocol : 'https',
base : 'dist',
diff --git a/build/copy.js b/build/copy.js
index 30bc1d5fae2ca..f1d80cbef71f4 100644
--- a/build/copy.js
+++ b/build/copy.js
@@ -6,8 +6,8 @@ module.exports = function (grunt) {
expand: true,
src: [
'404.html',
- 'robots.txt',
- 'sitemap.xml',
+ 'sitemap*.xml',
+ 'robots.txt'
],
dest: 'dist'
},
diff --git a/build/shell.js b/build/shell.js
index 404d8b334e326..d11b59b061425 100644
--- a/build/shell.js
+++ b/build/shell.js
@@ -108,25 +108,40 @@ module.exports = function (grunt) {
stdout: false
}
},
+ release_translations: {
+ command: [
+ prompt('Starting the release to \'translations\'\n'),
+ 'git fetch origin translations:translations',
+ 'git checkout translations',
+ 'grunt release --translations --color',
+ 'git checkout master',
+ ].join(' && '),
+ options: {
+ stdout: true
+ }
+ },
reset_ghpages: {
- command: grunt.option('staging') && grunt.option('reset') ?
- [
- ghpagesCommand(),
- prompt('Resetting to the first commit...'),
- 'git reset $(git rev-list --max-parents=0 --abbrev-commit HEAD) --quiet',
- prompt('Removing .gitignore...'),
- 'rm -f .gitignore',
- 'git add .gitignore',
- prompt('Adding CNAME...'),
- `echo '${global.release_config.staging.CNAME}' > CNAME`,
- 'git add CNAME',
- 'git commit -m "Add CNAME" --quiet',
- prompt('Pushing to origin...'),
- 'git push origin gh-pages -f --quiet',
- prompt('Cleaning up...'),
- 'git reset --hard origin/gh-pages --quiet'
- ].join(' && ') :
- prompt('Reset runs only on staging.', 'warn'),
+ command: grunt.option('reset') ?
+ (grunt.option('staging') ?
+ [
+ ghpagesCommand(),
+ prompt('Resetting to the first commit...'),
+ 'git reset $(git rev-list --max-parents=0 --abbrev-commit HEAD) --quiet',
+ prompt('Removing .gitignore...'),
+ 'rm -f .gitignore',
+ 'git add .gitignore',
+ prompt('Adding CNAME...'),
+ `echo '${global.release_config.staging.CNAME}' > CNAME`,
+ 'git add CNAME',
+ 'git commit -m "Add CNAME" --quiet',
+ prompt('Pushing to origin...'),
+ 'git push origin gh-pages -f --quiet',
+ prompt('Cleaning up...'),
+ 'git reset --hard origin/gh-pages --quiet'
+ ].join(' && ') :
+ prompt('Reset runs only on staging.', 'warn')
+ ) :
+ prompt('Reset did not run.'),
options: {
stdout: true
}
diff --git a/index.html b/index.html
index b1181f5d2ac31..439260014023c 100644
--- a/index.html
+++ b/index.html
@@ -25,9 +25,7 @@
'de': 'de|at|li',
'es': 'ar|bo|cl|co|cr|cu|do|ec|sv|gt|hn|mx|ni|pa|py|pr|es|uy|ve',
'fr': 'fr|ad|bj|bf|cf|cg|ga|gn|ml|mc|ne|sn|tg',
- 'id': 'id',
'it': 'it',
- 'ja': 'jp',
'ko': 'kr',
'pl': 'po',
'pt': 'br|mz|ao|pt|gw|pg|cv|st',
@@ -46,11 +44,14 @@
return conLang;
}
function redirect() {
+ var loginid = localStorage.getItem('active_loginid');
+ var client_info = JSON.parse(localStorage.getItem('client.accounts') || '{}')[loginid];
+ var is_logged_in = client_info && client_info['token'];
window.location.href = (lang || 'en').toLowerCase() + '/' +
(
/\/app\//.test(window.location.pathname)
? ''
- : (getCookieItem('loginid') ? (lang === 'ja' ? 'multi_barriers_trading' : 'trading') : 'home' + (lang === 'ja' ? '-jp' : '')) + '.html'
+ : (is_logged_in ? 'trading' : 'home') + '.html'
)
+ window.location.search;
}
@@ -84,6 +85,9 @@
}
var lang = getCookieItem('language');
if(lang) {
+ if (/^id$/i.test(lang)) {
+ lang = 'en';
+ }
isDelayedRedirect();
} else {
var ws = new WebSocket('wss://ws.binaryws.com/websockets/v3?app_id=1');
diff --git a/package.json b/package.json
index 391576856de61..a0931c1e92fc8 100644
--- a/package.json
+++ b/package.json
@@ -95,17 +95,18 @@
"time-grunt": "1.4.0",
"uglifyjs-webpack-plugin": "1.3.0",
"webpack": "4.17.2",
- "webpack-bundle-analyzer": "2.13.1",
+ "webpack-bundle-analyzer": "3.0.2",
"webpack-dev-server": "3.1.6",
"webpack-merge": "4.1.4",
"ws": "1.1.5"
},
"dependencies": {
- "@binary-com/binary-document-uploader": "2.4.1",
- "@binary-com/binary-style": "0.2.10",
+ "@binary-com/binary-document-uploader": "2.4.2",
+ "@binary-com/binary-style": "0.2.12",
"@binary-com/smartcharts": "0.3.3",
"@binary-com/webtrader-charts": "0.4.2",
"babel-polyfill": "6.26.0",
+ "canvas-toBlob": "1.0.0",
"classnames": "2.2.5",
"custom-event-polyfill": "0.3.0",
"davidshimjs-qrcodejs": "0.0.2",
diff --git a/robots.txt b/robots.txt
index 11617732855f8..7d329b1db3f0b 100644
--- a/robots.txt
+++ b/robots.txt
@@ -1,2 +1 @@
User-agent: *
-Sitemap: https://www.binary.com/sitemap.xml
diff --git a/scripts/README.md b/scripts/README.md
index 31a8e673a1d92..424c366248999 100644
--- a/scripts/README.md
+++ b/scripts/README.md
@@ -1,13 +1,13 @@
-## Update translations
+## Updating the Translations
-#### Setup
+### Initial setup:
* Please make sure you have done `npm install`.
* Install `Homebrew` by `ruby -e "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/master/install)"`
* Install `Crowdin CLI` by `brew install crowdin` or follow the instructions here: [https://support.crowdin.com/cli-tool/#installation](https://support.crowdin.com/cli-tool/#installation)
* Get [Crowdin API Key](https://crowdin.com/project/binary-static/settings#api) and add this line to your _.bash_profile_: `export CROWDIN_API_KEY='put API Key here'`
**IMPORTANT!** This key gives full access to all your Crowdin project data. Treat this just like a password and never push it to any public repo.
-#### Update translations
+### To update the translations:
* Simply run `./scripts/update_translations.sh` in root folder of project to do these tasks:
(It is possible to confirm/skip each task by answering y/n to questions, only first one is mandatory):
* Check out and update the translations branch
@@ -17,7 +17,37 @@
* Commit changes and push to origin
* Open github to submit the PR
-## Update sitemap
+### Extracting texts from js code:
+Texts that are used in js code will automatically be extracted during the translation update process (3rd step above: Updating the source file).
-* List of paths to include in `sitemap.xml` is here: [sitemap.js](sitemap.js)
+In order to make sure that no strings are missed by the extractor code while pushing to translations, please:
+
+1. Refactor the code so that the first argument passed to the `localize()` method is a string literal.
+ i.e.
+ ```js
+ const text = localize(is_started ? 'Sell at market' : 'Sell');
+ ```
+ would change to:
+ ```js
+ const text = is_started ? localize('Sell at market') : localize('Sell');
+ ```
+2. If there is no way to have the string literal in js code (i.e. API texts which are not translated), add them to `scripts/js_texts/static_strings_app.js`.
+
+ Note: Regarding API texts, even if the string is translated automatically somewhere else we should still include it here to avoid missing it if that other string gets removed.
+
+3. At the end, when you're sure that a string has already been taken care of, just put this comment `/* localize-ignore */` right after the first argument of `localize()` call to ignore it from tests.
+
+### `js_texts` folder contents:
+```
+js_texts:
+ ├── extracted_strings_app.js
+ └── static_strings_app.js
+```
+- `extracted_strings_app.js`: Contains extracted strings. It's for debugging purpose only and shouldn't be changed manually.
+- `static_strings_app.js` to handle those strings that don't exist in js code. e.g. API texts that are not localised, etc.
+
+During the translation update process, the source file `messages.pot` will be updated with all texts from both the above files.
+
+## Updating the Sitemap
+* List of paths to include in `sitemap.xml` is here: [config/sitemap_urls.js](config/sitemap_urls.js)
* Once the paths are updated in the above file, run `./scripts/sitemap.js` or `grunt shell:sitemap` to generate new `sitemap.xml`
diff --git a/scripts/__tests__/extract_js_texts.js b/scripts/__tests__/extract_js_texts.js
index dd03cd6260a97..2340df2e95355 100644
--- a/scripts/__tests__/extract_js_texts.js
+++ b/scripts/__tests__/extract_js_texts.js
@@ -7,8 +7,10 @@ describe('extract_js_texts.js', () => {
before(function (done) {
this.timeout(60000);
- extract.parse('app_2', true);
- errors_count = extract.getErrorsCount();
+ errors_count = ['app', 'app_2'].reduce((acc, app) => {
+ extract.parse(app, true);
+ return acc + extract.getErrorsCount();
+ }, 0);
done();
});
@@ -25,6 +27,7 @@ describe('extract_js_texts.js', () => {
\t1. Please check the errors and refactor the code accordingly.
\t2. If there is no way to have the string literal in js code (i.e. API texts),
\t add them to 'scripts/js_texts/static_strings_[app/app_2].js'.
+\t add them to 'scripts/js_texts/static_strings_app.js'.
\t3. At the end, when you're sure that a strings already been taken care of somewhere else,
\t just put this comment /* localize-ignore */ right after the first argument of localize() call to ignore it.`
)
diff --git a/scripts/__tests__/generate_static_data.js b/scripts/__tests__/static_strings.js
similarity index 74%
rename from scripts/__tests__/generate_static_data.js
rename to scripts/__tests__/static_strings.js
index 093717e902b25..62ebb91327fc7 100644
--- a/scripts/__tests__/generate_static_data.js
+++ b/scripts/__tests__/static_strings.js
@@ -1,13 +1,13 @@
-const color = require('cli-color');
-const expect = require('chai').expect;
-const texts = require('../generate-static-data').texts;
+const color = require('cli-color');
+const expect = require('chai').expect;
+const texts_app = require('../js_texts/static_strings_app');
-describe('generate-static-data.js', () => {
+describe('scripts/js_texts/static_strings_app.js', () => {
const all = {};
const duplicates = {};
before(() => {
- texts.forEach((str) => {
+ texts_app.forEach((str) => {
if (all[str]) {
duplicates[str] = (duplicates[str] || 1) + 1;
} else {
diff --git a/scripts/common.js b/scripts/common.js
index 650fcd86fd711..aafddbbef86ac 100644
--- a/scripts/common.js
+++ b/scripts/common.js
@@ -6,13 +6,12 @@ const util = require('util');
exports.root_path = require('app-root-path').path;
// ---------- Pages config ----------
-exports.pages = require('./pages.js').map(p => ({
+exports.pages = require('./config/pages.js').map(p => ({
save_as : p[0],
tpl_path : p[1],
layout : p[2],
title : p[3],
excludes : p[4],
- only_ja : p[4] && /^NOT-ja,en$/.test(p[4]),
current_route: p[0].replace(/^(.+)\//, ''),
section : p[5] || '',
}));
@@ -34,7 +33,7 @@ exports.sections_config = {
};
// ---------- Languages ----------
-exports.languages = ['EN', 'DE', 'ES', 'FR', 'ID', 'IT', 'JA', 'KO', 'PL', 'PT', 'RU', 'TH', 'VI', 'ZH_CN', 'ZH_TW'];
+exports.languages = ['EN', 'DE', 'ES', 'FR', 'ID', 'IT', 'KO', 'PL', 'PT', 'RU', 'TH', 'VI', 'ZH_CN', 'ZH_TW'];
const affiliates_signup_language_map = { // object used instead of array to prevent accidental index changes
EN : 0,
@@ -50,7 +49,6 @@ const affiliates_signup_language_map = { // object used instead of array to prev
ZH_CN: 10,
ZH_TW: 11,
TH : 12,
- JA : 13,
};
exports.getAffiliateSignupLanguage = (lang = '') => (affiliates_signup_language_map[lang.toUpperCase()] || 0);
@@ -61,7 +59,7 @@ exports.print = (text) => {
process.stdout.write(text);
};
-exports.messageStart = (msg, no_pad) => `${color.cyan('>')} ${msg} ${no_pad ? '' : '.'.repeat(33 - msg.length)}`;
+exports.messageStart = (msg, no_pad) => `${color.cyan('>')} ${msg} ${no_pad ? '' : '.'.repeat((this.languages.length + 18) - msg.length)}`;
exports.messageEnd = (duration, no_new_line) => (
`${color.green(' ✓ Done')}${duration ? color.blackBright(` (${duration.toLocaleString().padStart(6)} ms)`) : ''}${no_new_line ? '' : '\n'}`
);
diff --git a/scripts/pages.js b/scripts/config/pages.js
similarity index 70%
rename from scripts/pages.js
rename to scripts/config/pages.js
index 34064750853cf..2f6ff23ad9cad 100644
--- a/scripts/pages.js
+++ b/scripts/config/pages.js
@@ -5,9 +5,9 @@ module.exports = [
['cashier/account_transfer', 'app/cashier/account_transfer', 'default', 'Transfer Between Accounts'],
['cashier/confirmation', 'app/cashier/confirmation', 'default', 'Confirm'],
['cashier/epg_forwardws', 'app/cashier/deposit_withdraw', 'default', 'Cashier'],
- ['cashier/forwardws', 'app/cashier/deposit_withdraw', 'default', 'Cashier', 'ja'],
+ ['cashier/forwardws', 'app/cashier/deposit_withdraw', 'default', 'Cashier'],
['cashier/payment_agent_listws', 'app/cashier/payment_agent_list', 'default', 'Payment Agent Deposit'],
- ['cashier/payment_methods', 'app/cashier/payment_methods', 'default', 'Payment Methods', 'ja'],
+ ['cashier/payment_methods', 'app/cashier/payment_methods', 'default', 'Payment Methods'],
['cashier/top_up_virtualws', 'app/user/top_up_virtual', 'default', 'Top Up Virtual Account'],
['paymentagent/transferws', 'app/cashier/paymentagent_transfer', 'default', 'Payment Agent Transfer'],
@@ -16,41 +16,39 @@ module.exports = [
['multi_barriers_trading', 'app/trade/mb_trading', 'full_width', 'Ladders'],
['trading', 'app/trade/trading', 'default', 'SmartTrader'],
- ['new_account/japanws', 'app/new_account/japan', 'default', 'Real Money Account Opening', 'NOT-ja,en'],
- ['new_account/knowledge_testws', 'app/japan/knowledge_test', 'default', 'Real Money Account Opening', 'NOT-ja,en'],
- ['new_account/landing_page', 'app/new_account/landing_page', 'default', 'Welcome to Binary.com', 'NOT-ja,en'],
['new_account/maltainvestws', 'app/new_account/financial', 'default', 'Financial Account Opening'],
['new_account/realws', 'app/new_account/real', 'default', 'Real Money Account Opening'],
['new_account/virtualws', 'app/new_account/virtual', 'default', 'Create New Virtual-money Account'],
['new_account/welcome', 'app/new_account/welcome_page', 'default', 'Welcome to Binary.com'],
['resources', 'app/resources/index', 'default', 'Resources'],
- ['resources/asset_indexws', 'app/resources/asset_index', 'full_width', 'Asset Index', 'ja'],
+ ['resources/asset_indexws', 'app/resources/asset_index', 'full_width', 'Asset Index'],
['resources/market_timesws', 'app/resources/trading_times', 'default', 'Trading Times'],
- ['resources/economic_calendar', 'app/resources/economic_calendar', 'default', 'Economic Calendar', 'ja'],
+ ['resources/economic_calendar', 'app/resources/economic_calendar', 'default', 'Economic Calendar'],
-
- ['user/accounts', 'app/user/accounts', 'default', 'Accounts', 'ja'],
- ['user/authenticate', 'app/user/authenticate', 'default', 'Authenticate', 'ja'],
+ ['user/accounts', 'app/user/accounts', 'default', 'Accounts'],
+ ['user/authenticate', 'app/user/authenticate', 'default', 'Authenticate'],
['user/lost_passwordws', 'app/user/lost_password', 'default', 'Password Reset'],
- ['user/metatrader', 'app/user/metatrader', 'default', 'MetaTrader account management', 'ja'],
+ ['user/metatrader', 'app/user/metatrader', 'default', 'MetaTrader account management'],
['user/portfoliows', 'app/user/portfolio', 'default', 'Portfolio'],
['user/profit_tablews', 'app/user/profit_table', 'default', 'Profit Table'],
['user/reality_check_frequency', 'app/user/reality_check/frequency', 'default', 'Reality Check'],
['user/reality_check_summary', 'app/user/reality_check/summary', 'default', 'Reality Check'],
['user/reset_passwordws', 'app/user/reset_password', 'default', 'Password Reset'],
['user/securityws', 'app/user/security', 'default', 'Security'],
- ['user/security/api_tokenws', 'app/user/security/api_token', 'default', 'API Token', 'ja'],
- ['user/security/authorised_appsws', 'app/user/security/authorised_apps', 'default', 'Authorised Applications', 'ja'],
+ ['user/security/api_tokenws', 'app/user/security/api_token', 'default', 'API Token'],
+ ['user/security/authorised_appsws', 'app/user/security/authorised_apps', 'default', 'Authorised Applications'],
['user/security/cashier_passwordws', 'app/user/security/cashier_password', 'default', 'Cashier Password'],
['user/security/change_passwordws', 'app/user/security/change_password', 'default', 'Change Password'],
- ['user/security/iphistoryws', 'app/user/security/iphistory', 'default', 'Login History', 'ja'],
+ ['user/security/iphistoryws', 'app/user/security/iphistory', 'default', 'Login History'],
['user/security/limitsws', 'app/user/security/limits', 'default', 'Account Limits'],
['user/security/self_exclusionws', 'app/user/security/self_exclusion', 'default', 'Self Exclusion'],
['user/security/two_factor_authentication', 'app/user/security/two_factor_authentication', 'default', 'Two-Factor Authentication'],
- ['user/set-currency', 'app/user/set_currency', 'default', 'Set Currency', 'ja'],
+ ['user/security/cloudflare_dns', 'app/user/security/cloudflare_dns', 'default', 'Binary.com recommends 1.1.1.1'],
+ ['user/security/vpn_app', 'app/user/security/vpn_app', 'default', 'VPN app'],
+ ['user/set-currency', 'app/user/set_currency', 'default', 'Set Currency'],
['user/settingsws', 'app/user/settings', 'default', 'Settings'],
- ['user/settings/assessmentws', 'app/user/settings/financial_assessment', 'default', 'Financial Assessment', 'ja'],
+ ['user/settings/assessmentws', 'app/user/settings/financial_assessment', 'default', 'Financial Assessment'],
['user/settings/detailsws', 'app/user/settings/personal_details', 'default', 'Personal Details'],
['user/settings/professional', 'app/user/settings/professional', 'default', 'Professional Client'],
['user/statementws', 'app/user/statement', 'default', 'Statement'],
@@ -67,27 +65,24 @@ module.exports = [
['logged_inws', 'app/logged_in', null],
['redirect', 'app/logged_in', null, 'Redirecting...'],
-
// ==================== Section: "app_2" ====================
// According to its section path ('app') would be saved to: /app/{lang}/index.html
['index', 'app_2/app', null, 'Trusted by traders since 2000', null, 'app_2'],
-
// ==================== Section: "static" ====================
['404', 'static/404', 'full_width', '404'],
- ['home', 'static/home', 'full_width', 'Online Trading platform for binary options on Forex, Indices, Commodities and Smart Indices', 'ja'],
- ['home-jp', 'static/japan/home', 'full_width', 'Online Trading platform for binary options on Forex, Indices, Commodities and Smart Indices', 'NOT-ja,en'],
- ['tour', 'static/tour', 'full_width', 'Tour', 'ja'],
- ['tour-jp', 'static/japan/tour', 'full_width', 'Tour', 'NOT-ja,en'],
- ['why-us', 'static/why_us', 'full_width', 'Why Us', 'ja'],
- ['why-us-jp', 'static/japan/why_us', 'full_width', 'Why Us', 'NOT-ja,en'],
- ['platforms', 'static/platforms', 'full_width', 'Trading Platforms', 'ja'],
+ ['home', 'static/home', 'full_width', 'Online Trading platform for binary options on Forex, Indices, Commodities and Smart Indices'],
+ ['keep-safe', 'static/keep_safe', 'full_width', 'Keep Safe'],
+ ['tour', 'static/tour', 'full_width', 'Tour'],
+ ['why-us', 'static/why_us', 'full_width', 'Why Us'],
+ ['platforms', 'static/platforms', 'full_width', 'Trading Platforms'],
['about-us', 'static/about/index', 'full_width', 'About Us'],
['binary-in-numbers', 'static/about/binary_in_numbers', 'default', 'Binary in Numbers'],
- ['careers', 'static/about/careers', 'full_width', 'Careers', 'ja'],
- ['careers-for-americans', 'static/about/careers_for_americans', 'full_width', 'Careers For Americans', 'ja'],
+ ['careers', 'static/about/careers', 'full_width', 'Careers'],
+ ['careers/privacy-policy', 'static/about/job_applicant_policy', 'full_width', 'Job Applicant Privacy Policy'],
['contact', 'static/about/contact', 'full_width', 'Contact Us'],
+ ['contact-2', 'static/about/contact_2', 'full_width', 'Contact Us'],
['cyberjaya', 'static/about/cyberjaya', 'full_width', 'Careers - Cyberjaya', 'ja'],
['labuan', 'static/about/labuan', 'full_width', 'Careers - Labuan', 'ja'],
['malta', 'static/about/malta', 'full_width', 'Careers - Malta', 'ja'],
@@ -95,43 +90,35 @@ module.exports = [
['open-positions', 'static/about/job_descriptions', 'full_width', 'Open Positions'],
['open-positions/job-details', 'static/about/job_details', 'full_width', 'Job Details'],
- ['affiliate/signup', 'static/affiliates/signup', 'full_width', 'Affiliate', 'ja'],
- ['affiliate/signup-jp', 'static/japan/affiliates/signup', 'default', 'Affiliate', 'NOT-ja,en'],
- ['affiliate/faq', 'static/affiliates/faq', 'default', 'Affiliate FAQ', 'ja'],
+ ['affiliate/signup', 'static/affiliates/signup', 'full_width', 'Affiliate'],
+ ['affiliate/faq', 'static/affiliates/faq', 'default', 'Affiliate FAQ'],
['charity', 'static/charity', 'default', 'Charity'],
- ['company-profile', 'static/japan/company_profile', 'default', 'Company Profile', 'NOT-ja,en'],
- ['ib-programme/ib-signup', 'static/ib_programme/ib_signup', 'full_width', 'IB programme', 'ja'],
- ['ib-programme/ib-faq', 'static/ib_programme/ib_faq', 'default', 'IB programme FAQ', 'ja'],
- ['legal/us_patents', 'static/legal/us_patents', 'default', 'US Patents', 'ja'],
- ['regulation', 'static/legal/regulation', 'default', 'Regulation', 'id'],
- ['responsible-trading', 'static/responsible_trading', 'full_width', 'Responsible Trading', 'ja'],
- ['service-announcements', 'static/japan/service-announcements', 'default', 'Service Announcements', 'NOT-ja,en'],
- ['terms-and-conditions', 'static/legal/tac', 'default', 'Terms and Conditions', 'ja'],
- ['terms-and-conditions-jp', 'static/japan/legal/tac', 'default', 'Terms and Conditions', 'NOT-ja,en'],
- ['user/browser-support', 'static/browser_support', 'default', 'Login trouble'],
-
- ['liquidity-solutions', 'static/partners/liquidity_solutions', 'full_width', 'Multi-asset Liquidity Solutions', 'ja'],
- ['multiple-accounts-manager', 'static/partners/multiple_accounts_manager', 'full_width', 'Multiple Accounts Manager', 'ja'],
- ['open-source-projects', 'static/partners/open_source_projects', 'full_width', 'Open-Source Projects', 'ja'],
- ['partners', 'static/partners/partners', 'full_width', 'Partners', 'ja'],
- ['payment-agent', 'static/partners/payment_agent', 'full_width', 'Payment Agents', 'ja'],
- ['security-testing', 'static/partners/security_testing', 'full_width', 'Security Testing', 'ja'],
-
- ['get-started', 'static/get_started/index', 'default', 'Get Started', 'ja'],
- ['get-started/binary-options', 'static/get_started/binary_options', 'default', 'Binary Options', 'ja'],
- ['get-started/cfds', 'static/get_started/cfds', 'default', 'CFDs', 'ja'],
- ['get-started/cryptocurrencies', 'static/get_started/cryptocurrencies', 'default', 'Cryptocurrencies', 'ja'],
- ['get-started/forex', 'static/get_started/forex', 'default', 'Forex', 'ja'],
- ['get-started/metals', 'static/get_started/metals', 'default', 'Metals', 'ja'],
-
- ['get-started-jp', 'static/japan/get_started', 'default', 'Get Started', 'NOT-ja,en'],
-
- ['metatrader/download', 'static/metatrader/download', 'default', 'Start Trading with MetaTrader 5', 'ja'],
- ['metatrader/how-to-trade-mt5', 'static/metatrader/how_to_trade_mt5', 'default', 'How to Trade in MetaTrader 5', 'ja'],
+ ['ib-programme/ib-signup', 'static/ib_programme/ib_signup', 'full_width', 'IB programme'],
+ ['ib-programme/ib-faq', 'static/ib_programme/ib_faq', 'default', 'IB programme FAQ'],
+ ['legal/us_patents', 'static/legal/us_patents', 'default', 'US Patents'],
+ ['regulation', 'static/legal/regulation', 'default', 'Regulation'],
+ ['responsible-trading', 'static/responsible_trading', 'full_width', 'Responsible Trading'],
+ ['terms-and-conditions', 'static/legal/tac', 'default', 'Terms and Conditions'],
+
+ ['liquidity-solutions', 'static/partners/liquidity_solutions', 'full_width', 'Multi-asset Liquidity Solutions'],
+ ['multiple-accounts-manager', 'static/partners/multiple_accounts_manager', 'full_width', 'Multiple Accounts Manager'],
+ ['open-source-projects', 'static/partners/open_source_projects', 'full_width', 'Open-Source Projects'],
+ ['partners', 'static/partners/partners', 'full_width', 'Partners'],
+ ['payment-agent', 'static/partners/payment_agent', 'full_width', 'Payment Agents'],
+ ['security-testing', 'static/partners/security_testing', 'full_width', 'Security Testing'],
+
+ ['get-started', 'static/get_started/index', 'default', 'Get Started'],
+ ['get-started/binary-options', 'static/get_started/binary_options', 'default', 'Binary Options'],
+ ['get-started/binary-options-mt5', 'static/get_started/binary_options_mt5', 'default', 'Binary Options on MT5'],
+ ['get-started/cfds', 'static/get_started/cfds', 'default', 'CFDs'],
+ ['get-started/cryptocurrencies', 'static/get_started/cryptocurrencies', 'default', 'Cryptocurrencies'],
+ ['get-started/forex', 'static/get_started/forex', 'default', 'Forex'],
+ ['get-started/metals', 'static/get_started/metals', 'default', 'Metals'],
+
+ ['metatrader/download', 'static/metatrader/download', 'default', 'Start Trading with MetaTrader 5'],
+ ['metatrader/how-to-trade-mt5', 'static/metatrader/how_to_trade_mt5', 'default', 'How to Trade in MetaTrader 5'],
['metatrader/types-of-accounts', 'static/metatrader/types_of_accounts', 'default', 'Types of MetaTrader 5 accounts'],
- ['affiliate_disclaimer', 'static/japan/affiliates/popup', null, '', 'NOT-ja,en'],
-
['style-guide', 'static/new_layout/style_guide', 'full_width', 'Style guide'],
// ==================== Section: "landing_pages" ====================
diff --git a/scripts/config/sitemap_urls.js b/scripts/config/sitemap_urls.js
new file mode 100644
index 0000000000000..d806bd46229f2
--- /dev/null
+++ b/scripts/config/sitemap_urls.js
@@ -0,0 +1,56 @@
+module.exports = [
+ // path (without .html), changefreq, priority, exclude languages
+ // ==================== Section: "static" ====================
+ ['home', 'monthly', 1.00],
+ ['tour', 'monthly', 0.80],
+ ['why-us', 'monthly', 0.80],
+ ['platforms', 'monthly', 0.80],
+
+ ['about-us', 'monthly', 0.80],
+ ['binary-in-numbers', 'monthly', 0.80],
+ ['careers', 'monthly', 0.80],
+ ['contact', 'monthly', 0.80],
+ ['group-history', 'monthly', 0.80],
+ ['open-positions', 'monthly', 0.80],
+ ['open-positions/job-details', 'monthly', 0.80],
+
+ ['affiliate/signup', 'monthly', 0.80],
+ ['charity', 'monthly', 0.80],
+ ['legal/us_patents', 'monthly', 0.80],
+ ['regulation', 'monthly', 0.80, 'id'],
+ ['responsible-trading', 'monthly', 0.80],
+ ['terms-and-conditions', 'monthly', 0.80],
+
+ ['liquidity-solutions', 'monthly', 0.80],
+ ['multiple-accounts-manager', 'monthly', 0.80],
+ ['open-source-projects', 'monthly', 0.80],
+ ['partners', 'monthly', 0.80],
+ ['payment-agent', 'monthly', 0.80],
+ ['security-testing', 'monthly', 0.80],
+
+ ['get-started', 'monthly', 0.80],
+ ['get-started/binary-options', 'monthly', 0.80],
+ ['get-started/cfds', 'monthly', 0.80],
+ ['get-started/cryptocurrencies', 'monthly', 0.80],
+ ['get-started/forex', 'monthly', 0.80],
+ ['get-started/metals', 'monthly', 0.80],
+
+ ['metatrader/download', 'monthly', 0.80],
+ ['metatrader/how-to-trade-mt5', 'monthly', 0.80],
+ ['metatrader/types-of-accounts', 'monthly', 0.80],
+
+ // ==================== Section: "app" ====================
+ ['cashier', 'monthly', 0.80],
+ ['cashier/payment_agent_listws', 'monthly', 0.80],
+ ['cashier/payment_methods', 'monthly', 0.80],
+
+ ['trading', 'monthly', 0.80],
+ ['multi_barriers_trading', 'monthly', 0.80],
+
+ ['resources/asset_indexws', 'monthly', 0.80],
+ ['resources/market_timesws', 'monthly', 0.80],
+
+ // ==================== Section: "landing_pages" ====================
+ // ['graduates', 'monthly', 0.80, 'NOT-en'],
+ // ['hackathon', 'monthly', 0.80, 'NOT-en'],
+];
diff --git a/scripts/extract_js_texts.js b/scripts/extract_js_texts.js
index f0acdc0c27ede..7ff3210743b08 100755
--- a/scripts/extract_js_texts.js
+++ b/scripts/extract_js_texts.js
@@ -10,12 +10,12 @@ const Path = require('path');
const common = require('./common');
const config = {
- base_folder : './src/javascript/',
- excluded_folders : ['__tests__', '_common/lib'],
- supported_apps : ['app', 'app_2'],
- localize_method_name: 'localize',
- ignore_comment : 'localize-ignore', // put /* localize-ignore */ right after the first argument to ignore
- parser_options : {
+ base_folder : './src/javascript/',
+ excluded_folders : ['__tests__', '_common/lib'],
+ supported_apps : ['app', 'app_2'],
+ localize_method_names: ['localize', 'localizeKeepPlaceholders'],
+ ignore_comment : 'localize-ignore', // put /* localize-ignore */ right after the first argument to ignore
+ parser_options : {
sourceType: 'module',
plugins : [
'classProperties',
@@ -27,6 +27,7 @@ const config = {
],
},
};
+const methods_regex = new RegExp(`^(${config.localize_method_names.join('|')})$`);
const source_strings = {};
const ignored_list = {};
@@ -52,6 +53,9 @@ const parse = (app_name, is_silent) => {
walker(Path.resolve(config.base_folder, '_common')); // common for all 'supported_apps'
walker(Path.resolve(config.base_folder, app_name));
+ if (app_name === 'app') {
+ walker(Path.resolve(config.base_folder, 'static'));
+ }
if (!is_silent) {
process.stdout.write(common.messageEnd(Date.now() - start_time));
@@ -90,20 +94,30 @@ const parseFile = (path_to_js_file) => {
};
const extractor = (node, js_source) => {
- const is_function = (node.callee || {}).name === config.localize_method_name;
+ const callee = node.callee || {};
+ const is_function = node.type === 'CallExpression' && methods_regex.test(callee.name); // localize('...')
+ const is_expression = callee.type === 'MemberExpression' && methods_regex.test((callee.property || {}).name); // Localize.localize('...')
- if (node.type === 'CallExpression' && is_function) {
+ if (is_function || is_expression) {
const first_arg = node.arguments[0];
- if (first_arg.value) {
- source_strings[this_app_name].add(first_arg.value);
+ if (first_arg.type === 'ArrayExpression') { // support for array of strings
+ first_arg.elements.forEach(item => { processNode(item, js_source); });
} else {
- const should_ignore = shouldIgnore(first_arg);
- (should_ignore ? ignored_list : invalid_list)[this_app_name].push(first_arg.loc);
+ processNode(first_arg, js_source);
+ }
+ }
+};
- if (!should_ignore) {
- report(first_arg, js_source);
- }
+const processNode = (node, js_source) => {
+ if (node.type === 'StringLiteral') {
+ source_strings[this_app_name].add(node.value);
+ } else {
+ const should_ignore = shouldIgnore(node);
+ (should_ignore ? ignored_list : invalid_list)[this_app_name].push(node.loc);
+
+ if (!should_ignore) {
+ report(node, js_source);
}
}
};
@@ -113,7 +127,6 @@ const shouldIgnore = (arg) => {
return new RegExp(`\\b${config.ignore_comment}\\b`).test(comments);
};
-
// --------------------------
// ----- Error Reporter -----
// --------------------------
diff --git a/scripts/gettext.js b/scripts/gettext.js
index 6a1b119717a51..961edf25aa43f 100644
--- a/scripts/gettext.js
+++ b/scripts/gettext.js
@@ -37,7 +37,7 @@ Gettext.prototype.dnpgettext = function (domain, msg_txt, msg_id, msg_id_plural,
const createGettextInstance = () => {
const translations_dir = 'src/translations/';
const locales = [
- 'en', 'ach_UG', 'de_DE', 'es_ES', 'fr_FR', 'id_ID', 'it_IT', 'ja_JP',
+ 'en', 'ach_UG', 'de_DE', 'es_ES', 'fr_FR', 'id_ID', 'it_IT',
'ko_KR', 'pl_PL', 'pt_PT', 'ru_RU', 'th_TH', 'vi_VN', 'zh_CN', 'zh_TW',
];
@@ -145,7 +145,6 @@ const formatValue = (value, comment, sign) => (
`${sign ? color.cyan(` ${sign} `) : ''}${color.whiteBright(value.toLocaleString().padStart(sign ? 5 : 8))} ${` (${comment})\n`}`
);
-
let gt_instance = null;
exports.getInstance = () => {
if (!gt_instance) {
diff --git a/scripts/generate-static-data.js b/scripts/js_texts/extracted_strings_app.js
similarity index 67%
rename from scripts/generate-static-data.js
rename to scripts/js_texts/extracted_strings_app.js
index 96314871d40d6..47d9f57bf381f 100644
--- a/scripts/generate-static-data.js
+++ b/scripts/js_texts/extracted_strings_app.js
@@ -1,779 +1,522 @@
-const color = require('cli-color');
-const fs = require('fs');
-const path = require('path');
-const common = require('./common');
-const GetText = require('./gettext');
-const extract = require('./extract_js_texts');
-
-const static_app_2 = require('./js_texts/static_strings_app_2');
-
-const texts = [
- 'Day',
- 'Month',
- 'Year',
- 'Sorry, an error occurred while processing your request.',
- 'Please [_1]log in[_2] or [_3]sign up[_4] to view this page.',
-
- // top bar
- 'Click here to open a Real Account',
- 'Open a Real Account',
- 'Click here to open a Financial Account',
- 'Open a Financial Account',
- 'Network status',
- 'Online',
- 'Offline',
- 'Connecting to server',
-
- // account drop down
- 'Virtual Account',
- 'Real Account',
- 'Investment Account',
- 'Gaming Account',
-
- // datepicker texts
- 'Sunday',
- 'Monday',
- 'Tuesday',
- 'Wednesday',
- 'Thursday',
- 'Friday',
- 'Saturday',
- 'Su',
- 'Mo',
- 'Tu',
- 'We',
- 'Th',
- 'Fr',
- 'Sa',
- 'January',
- 'February',
- 'March',
- 'April',
- 'May',
- 'June',
- 'July',
- 'August',
- 'September',
- 'October',
- 'November',
- 'December',
- 'Jan',
- 'Feb',
- 'Mar',
+// This is an auto-generated list of strings used in js code for debugging purpose only
+module.exports = [
+ 'AM',
+ 'Account Authenticated',
+ 'Account balance:',
+ 'Accounts List',
+ 'Acknowledge',
+ 'Action',
+ 'Add +/– to define a barrier offset. For example, +0.005 means a barrier that\'s 0.005 higher than the entry spot.',
+ 'Adjust trade parameters',
+ 'Admin',
+ 'Advanced',
+ 'All barriers in this trading window are expired',
+ 'Amount',
+ 'An additional password can be used to restrict access to the cashier.',
'Apr',
- 'Jun',
- 'Jul',
+ 'April',
+ 'Are you sure that you want to permanently delete the token',
+ 'Are you sure that you want to permanently revoke access to the application',
+ 'Asian Down',
+ 'Asian Up',
+ 'Asset',
+ 'Audit',
+ 'Audit Page',
'Aug',
- 'Sep',
- 'Oct',
- 'Nov',
- 'Dec',
- 'Next',
- 'Previous',
-
- // timepicker texts
- 'Hour',
- 'Minute',
- 'AM',
- 'PM',
- 'Time is in the wrong format.',
-
- // highchart localization text
- 'Purchase Time',
- 'Charting for this underlying is delayed',
- 'Reset Time',
- 'Payout Range',
- 'Tick [_1]',
- 'Ticks history returned an empty array.',
+ 'August',
+ 'Average',
+ 'Balance',
+ 'Barrier',
+ 'Barrier Change',
+ 'Bid',
+ 'Binary Options Trading has been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.',
+ 'Bitcoin',
+ 'Bitcoin Cash',
+ 'Browser',
+ 'Buy',
+ 'Buy price',
+ 'Call Spread',
+ 'Change Password',
'Chart is not available for this underlying.',
-
- // trading page
- 'year',
- 'month',
- 'week',
- 'day',
- 'days',
- 'h',
- 'hour',
- 'hours',
- 'min',
- 'minute',
- 'minutes',
- 'second',
- 'seconds',
- 'tick',
- 'ticks',
- 'Loss',
- 'Profit',
- 'Payout',
- 'Units',
- 'Stake',
+ 'Charting for this underlying is delayed',
+ 'Checked',
+ 'Checking',
+ 'Click OK to proceed.',
+ 'Click here to open a Financial Account',
+ 'Click here to open a Real Account',
+ 'Close',
+ 'Close Time',
+ 'Close-Low',
+ 'Closed Bid',
+ 'Closes',
+ 'Commodities',
+ 'Compressing Image',
+ 'Connecting to server',
+ 'Connection error: Please check your internet connection.',
+ 'Contract',
+ 'Contract Confirmation',
+ 'Contract Ends',
+ 'Contract Information',
+ 'Contract Result',
+ 'Contract Starts',
+ 'Contract Type',
+ 'Contract has not started yet',
+ 'Contract will be sold at the prevailing market price when the request is received by our servers. This price may differ from the indicated price.',
+ 'Counterparty',
+ 'Country',
+ 'Create',
+ 'Create Account',
+ 'Credit/Debit',
+ 'Crypto',
+ 'Current',
+ 'Current Time',
+ 'Current balance',
+ 'Current password',
+ 'Dai',
+ 'Date',
+ 'Date and Time',
+ 'Day',
+ 'Days',
+ 'Dec',
+ 'December',
+ 'Delete',
+ 'Demo Account',
+ 'Demo Accounts',
+ 'Demo Advanced',
+ 'Demo Standard',
+ 'Demo Volatility Indices',
+ 'Deposit',
+ 'Deposits and withdrawals have been disabled on your account. Please check your email for more details.',
+ 'Description',
+ 'Details',
+ 'Digit',
+ 'Digit Differs',
+ 'Digit Even',
+ 'Digit Matches',
+ 'Digit Odd',
+ 'Digit Over',
+ 'Digit Under',
+ 'Disable',
+ 'Do you wish to continue?',
+ 'Does Not Touch',
+ 'Driving licence',
'Duration',
+ 'Email address',
+ 'Enable',
'End Time',
- 'Net profit',
- 'Return',
- 'Now',
- 'Contract Confirmation',
- 'Your transaction reference is',
- 'Rise/Fall',
- 'Higher/Lower',
- 'In/Out',
- 'Matches/Differs',
+ 'Ends Between',
+ 'Ends Outside',
+ 'Entry Spot',
+ 'Equals',
+ 'Ether',
+ 'Ether Classic',
'Even/Odd',
- 'Over/Under',
- 'Up/Down',
- 'Ends Between/Ends Outside',
- 'Touch/No Touch',
- 'Stays Between/Goes Outside',
- 'Asians',
- 'Reset Call/Reset Put',
- 'High/Low Ticks',
- 'Call Spread/Put Spread',
- 'Potential Payout',
- 'Maximum Payout',
- 'Total Cost',
- 'Potential Profit',
- 'Maximum Profit',
- 'View',
- 'Tick',
- 'Buy price',
- 'Final price',
- 'Long',
- 'Short',
- 'Chart',
- 'Portfolio',
- 'Explanation',
- 'Last Digit Stats',
- 'Waiting for entry tick.',
- 'Waiting for exit tick.',
- 'Please log in.',
- 'All markets are closed now. Please try again later.',
- 'Account balance:',
- 'Try our [_1]Volatility Indices[_2].',
- 'Try our other markets.',
- 'Session',
- 'Crypto',
+ 'Exclude time cannot be for more than 5 years.',
+ 'Exclude time cannot be less than 6 months.',
+ 'Excluded from the website until',
+ 'Exit Spot',
+ 'Exit Spot Time',
+ 'Expiry date is required for [_1].',
+ 'Failed',
+ 'Feb',
+ 'February',
'Fiat',
+ 'File ([_1]) size exceeds the permitted limit. Maximum allowed file size: [_2]',
+ 'Final price',
+ 'Financial Account',
+ 'Finish',
+ 'First line of home address',
+ 'Forex',
+ 'Fr',
+ 'Friday',
+ 'Front Side',
+ 'Front and reverse side photos of [_1] are required.',
+ 'Gaming',
+ 'Goes Outside',
+ 'Guide',
'High',
- 'Low',
- 'Close',
- 'Payoff',
+ 'High Barrier',
+ 'High Tick',
'High-Close',
- 'Close-Low',
'High-Low',
- 'Reset Call',
- 'Reset Put',
- 'Search...',
- 'Select Asset',
- 'The reset time is [_1]',
- 'Purchase',
- 'Purchase request sent',
- 'Add +/– to define a barrier offset. For example, +0.005 means a barrier that\'s 0.005 higher than the entry spot.',
- 'Please reload the page',
- 'Trading is unavailable at this time.',
+ 'Higher',
+ 'Higher or equal',
+ 'Higher/Lower',
+ 'Highest Tick',
+ 'Highest Tick Time',
+ 'Hint: it would take approximately [_1][_2] to crack this password.',
+ 'Hour',
+ 'Hours',
+ 'ID number is required for [_1].',
+ 'IP Address',
+ 'Identity card',
+ 'In/Out',
+ 'Indicates required field',
+ 'Indicative',
+ 'Indices',
+ 'Insufficient balance.',
+ 'Invalid document format.',
+ 'Invalid email address.',
+ 'Invalid verification code.',
+ 'Investment',
+ 'Investor password',
+ 'Jan',
+ 'January',
+ 'Jul',
+ 'July',
+ 'Jun',
+ 'June',
+ 'Jurisdiction',
+ 'Last Login',
+ 'Last Used',
+ 'Litecoin',
+ 'Lock Cashier',
+ 'Loss',
+ 'Low',
+ 'Low Barrier',
+ 'Low Tick',
+ 'Lower',
+ 'Lower or equal',
+ 'Lowest Tick',
+ 'Lowest Tick Time',
+ 'MAM Accounts',
+ 'MAM Advanced',
+ 'MAM Volatility Indices',
+ 'MT5 withdrawals have been disabled on your account. Please check your email for more details.',
+ 'Main password',
+ 'Manager successfully revoked',
+ 'Mar',
+ 'March',
+ 'Market is closed. Please try again later.',
+ 'Matches/Differs',
+ 'Max',
+ 'Maximum Payout',
+ 'Maximum Profit',
'Maximum multiplier of 1000.',
-
- // limits
- 'Your account is fully authenticated and your withdrawal limits have been lifted.',
- 'Your withdrawal limit is [_1] [_2].',
- 'Your withdrawal limit is [_1] [_2] (or equivalent in other currency).',
- 'You have already withdrawn [_1] [_2].',
- 'You have already withdrawn the equivalent of [_1] [_2].',
- 'Therefore your current immediate maximum withdrawal (subject to your account having sufficient funds) is [_1] [_2].',
- 'Therefore your current immediate maximum withdrawal (subject to your account having sufficient funds) is [_1] [_2] (or equivalent in other currency).',
- 'Your [_1] day withdrawal limit is currently [_2] [_3] (or equivalent in other currency).',
- 'You have already withdrawn the equivalent of [_1] [_2] in aggregate over the last [_3] days.',
- 'Contracts where the barrier is the same as entry spot.',
- 'Contracts where the barrier is different from the entry spot.',
- 'ATM',
- 'Non-ATM',
- 'Duration up to 7 days',
- 'Duration above 7 days',
-
- // back-end strings for limits page
- 'Major Pairs',
- 'Forex',
-
- // personal details
- 'This field is required.',
- 'Please select the checkbox.',
- 'Please accept the terms and conditions.',
+ 'Maximum payout',
+ 'May',
+ 'Min',
+ 'Minimum of [_1] characters required.',
+ 'Minute',
+ 'Minutes',
+ 'Mo',
+ 'Monday',
+ 'Month',
+ 'Months',
+ 'Multiplier',
+ 'Name',
+ 'Net profit',
+ 'Network status',
+ 'Never',
+ 'Never Used',
+ 'New password',
+ 'New token created.',
+ 'Next',
+ 'Not',
+ 'Note',
+ 'Nov',
+ 'November',
+ 'Now',
+ 'Oct',
+ 'October',
+ 'Offline',
+ 'Online',
'Only [_1] are allowed.',
- 'letters',
- 'numbers',
- 'space',
- 'Sorry, an error occurred while processing your account.',
- 'Your changes have been updated successfully.',
- 'Your settings have been updated successfully.',
- 'Female',
- 'Male',
- 'Please select a country',
- 'Please confirm that all the information above is true and complete.',
- 'Your application to be treated as a professional client is being processed.',
- 'You are categorised as a retail client. Apply to be treated as a professional trader.',
- 'You are categorised as a professional client.',
-
- // home and virtual account opening page
- 'Your token has expired or is invalid. Please click here to restart the verification process.',
- 'The email address provided is already in use. If you forgot your password, please try our password recovery tool or contact our customer service.',
- 'Password should have lower and uppercase letters with numbers.',
+ 'Only letters, numbers, space, and hyphen are allowed.',
+ 'Only letters, numbers, space, and these special characters are allowed: [_1]',
+ 'Only letters, numbers, space, hyphen, period, and apostrophe are allowed.',
+ 'Only letters, numbers, space, underscore, and hyphen are allowed for ID number ([_1]).',
+ 'Only letters, space, hyphen, period, and apostrophe are allowed.',
+ 'Only numbers, hyphens, and spaces are allowed.',
+ 'Open a Financial Account',
+ 'Open a Real Account',
+ 'Opens',
+ 'Our MT5 service is currently unavailable to EU residents due to pending regulatory approval.',
+ 'Over/Under',
+ 'PM',
+ 'Passport',
'Password is not strong enough.',
- 'Your session duration limit will end in [_1] seconds.',
- 'Invalid email address.',
- 'Thank you for signing up! Please check your email to complete the registration process.',
-
- // welcome page after account opening
- 'Financial Account',
- 'Upgrade now',
-
- // real account opening
- 'Please select',
- 'Minimum of [_1] characters required.',
+ 'Password should have lower and uppercase letters with numbers.',
+ 'Payment Agent services are not available in your country or in your preferred currency.',
+ 'Payments',
+ 'Payout',
+ 'Payout Range',
+ 'Pending',
+ 'Percentage',
+ 'Permissions',
+ 'Please [_1]accept the updated Terms and Conditions[_2] to lift your deposit and trading limits.',
+ 'Please [_1]accept the updated Terms and Conditions[_2].',
+ 'Please [_1]complete your account profile[_2] to lift your withdrawal and trading limits.',
+ 'Please [_1]deposit[_2] to your account.',
+ 'Please [_1]log in[_2] or [_3]sign up[_4] to view this page.',
+ 'Please accept the terms and conditions.',
+ 'Please check your email for further instructions.',
+ 'Please check your email for the password reset link.',
+ 'Please choose a currency',
+ 'Please complete the [_1]financial assessment form[_2] to lift your withdrawal and trading limits.',
+ 'Please complete your [_1]personal details[_2] before you proceed.',
+ 'Please confirm that all the information above is true and complete.',
'Please confirm that you are not a politically exposed person.',
-
- // trading times
- 'Asset',
- 'Opens',
- 'Closes',
- 'Settles',
- 'Upcoming Events',
-
- // back-end strings for trading times page
- 'Closes early (at 21:00)',
- 'Closes early (at 18:00)',
- 'New Year\'s Day',
- 'Christmas Day',
- 'Fridays',
- 'today',
- 'today, Fridays',
-
- // paymentagent_withdraw
+ 'Please ensure that you have the Telegram app installed on your device.',
+ 'Please enter a valid Login ID.',
+ 'Please log in.',
+ 'Please reload the page',
+ 'Please select',
+ 'Please select a country',
'Please select a payment agent',
- 'Payment Agent services are not available in your country or in your preferred currency.',
- 'Invalid amount, minimum is',
- 'Invalid amount, maximum is',
- 'Your request to withdraw [_1] [_2] from your account [_3] to Payment Agent [_4] account has been successfully processed.',
- 'Up to [_1] decimal places are allowed.',
- 'Your token has expired or is invalid. Please click [_1]here[_2] to restart the verification process.',
-
- // api_token
- 'New token created.',
- 'The maximum number of tokens ([_1]) has been reached.',
- 'Name',
- 'Token',
- 'Last Used',
- 'Scopes',
- 'Never Used',
- 'Delete',
- 'Are you sure that you want to permanently delete the token',
+ 'Please select a valid time.',
'Please select at least one scope',
-
- // Guide
- 'Guide',
- 'Finish',
- 'Step',
-
- // Guide -> trading page
- 'Select your market and underlying asset',
- 'Select your trade type',
- 'Adjust trade parameters',
+ 'Please select the checkbox.',
+ 'Please set [_1]country of residence[_2] before upgrading to a real-money account.',
+ 'Please set the [_1]currency[_2] of your account.',
+ 'Please set your [_1]30-day turnover limit[_2] to remove deposit limits.',
+ 'Postal Code / ZIP',
+ 'Potential Payout',
+ 'Potential Profit',
'Predict the direction and purchase',
-
- // top_up_virtual
- 'Sorry, this feature is available to virtual accounts only.',
- '[_1] [_2] has been credited into your virtual account: [_3].',
-
- // self_exclusion
- 'years',
- 'months',
- 'weeks',
- 'Your changes have been updated.',
- 'Please enter an integer value',
- 'Session duration limit cannot be more than 6 weeks.',
- 'You did not change anything.',
- 'Please select a valid date.',
- 'Please select a valid time.',
- 'Time out cannot be in the past.',
- 'Time out must be after today.',
- 'Time out cannot be more than 6 weeks.',
- 'Exclude time cannot be less than 6 months.',
- 'Exclude time cannot be for more than 5 years.',
- 'When you click "OK" you will be excluded from trading on the site until the selected date.',
- 'Timed out until',
- 'Excluded from the website until',
-
- // portfolio
+ 'Previous',
+ 'Profit',
+ 'Profit/Loss',
+ 'Purchase',
+ 'Purchase Price',
+ 'Purchase Time',
+ 'Purchase request sent',
+ 'Put Spread',
+ 'Read',
+ 'Real',
+ 'Real Account',
+ 'Real Advanced',
+ 'Real Standard',
+ 'Real Volatility Indices',
+ 'Real-Money Account',
+ 'Real-Money Accounts',
'Ref.',
+ 'Reference ID',
+ 'Remaining Time',
'Resale not offered',
-
- // profit table and statement
- 'Date',
- 'Action',
- 'Contract',
+ 'Reset Barrier',
+ 'Reset Call',
+ 'Reset Password',
+ 'Reset Put',
+ 'Reset Time',
+ 'Return',
+ 'Reverse Side',
+ 'Revoke MAM',
+ 'Revoke access',
+ 'Rise/Fall',
+ 'Sa',
'Sale Date',
'Sale Price',
- 'Total Profit/Loss',
- 'Your account has no trading activity.',
- 'Today',
- 'Details',
-
- // back-end string for statement page
+ 'Saturday',
+ 'Scopes',
+ 'Search...',
+ 'Second',
+ 'Seconds',
+ 'Select Asset',
+ 'Select Trade Type',
+ 'Select your market and underlying asset',
+ 'Select your trade type',
+ 'Selected Tick',
'Sell',
- 'Buy',
- 'Virtual money credit to account',
-
- // authenticate
- 'This feature is not relevant to virtual-money accounts.',
-
- // japan account opening
- 'Japan',
- 'Questions',
- 'True',
- 'False',
- 'There was some invalid character in an input field.',
- 'Please follow the pattern 3 numbers, a dash, followed by 4 numbers.',
- 'Score',
- '{JAPAN ONLY}Take knowledge test',
- '{JAPAN ONLY}Knowledge Test Result',
- '{JAPAN ONLY}Knowledge Test',
- '{JAPAN ONLY}Congratulations, you have pass the test, our Customer Support will contact you shortly.',
- '{JAPAN ONLY}Sorry, you have failed the test, please try again after 24 hours.',
- '{JAPAN ONLY}Dear customer, you are not allowed to take knowledge test until [_1]. Last test taken at [_2].',
- '{JAPAN ONLY}Dear customer, you\'ve already completed the knowledge test, please proceed to next step.',
- '{JAPAN ONLY}Please complete the following questions.',
- '{JAPAN ONLY}The test is unavailable now, test can only be taken again on next business day with respect of most recent test.',
- '{JAPAN ONLY}You need to finish all 20 questions.',
- 'Weekday',
- '{JAPAN ONLY}Your Application is Being Processed.',
- '{JAPAN ONLY}Your Application has Been Processed. Please Re-Login to Access Your Real-Money Account.',
- 'Processing your request...',
- 'Please check the above form for pending errors.',
-
- // contract types display names
- 'Asian Up',
- 'Asian Down',
- 'Digit Matches',
- 'Digit Differs',
- 'Digit Odd',
- 'Digit Even',
- 'Digit Over',
- 'Digit Under',
- 'Call Spread',
- 'Put Spread',
- 'High Tick',
- 'Low Tick',
-
- // multi_barriers_trading
- '[_1] [_2] payout if [_3] is strictly higher than or equal to Barrier at close on [_4].',
- '[_1] [_2] payout if [_3] is strictly lower than Barrier at close on [_4].',
- '[_1] [_2] payout if [_3] does not touch Barrier through close on [_4].',
- '[_1] [_2] payout if [_3] touches Barrier through close on [_4].',
- '[_1] [_2] payout if [_3] ends on or between low and high values of Barrier at close on [_4].',
- '[_1] [_2] payout if [_3] ends outside low and high values of Barrier at close on [_4].',
- '[_1] [_2] payout if [_3] stays between low and high values of Barrier through close on [_4].',
- '[_1] [_2] payout if [_3] goes outside of low and high values of Barrier through close on [_4].',
- 'M',
- 'D',
- 'Higher',
- 'Higher or equal',
- 'Lower',
- 'Lower or equal',
- 'Touches',
- 'Does Not Touch',
- 'Ends Between',
- 'Ends Outside',
- 'Stays Between',
- 'Goes Outside',
- 'All barriers in this trading window are expired',
- 'Remaining time',
- 'Market is closed. Please try again later.',
- 'This symbol is not active. Please try another symbol.',
- 'Sorry, your account is not authorised for any further contract purchases.',
- 'Lots',
- 'Payout per lot = 1,000',
- 'This page is not available in the selected language.',
- 'Trading Window',
-
- // digit_info
- 'Percentage',
- 'Digit',
-
- // paymentagent
- 'Amount',
- 'Deposit',
- 'Withdrawal',
- 'Your request to transfer [_1] [_2] from [_3] to [_4] has been successfully processed.',
-
- // iphistory
- 'Date and Time',
- 'Browser',
- 'IP Address',
- 'Status',
- 'Successful',
- 'Failed',
- 'Your account has no Login/Logout activity.',
- 'logout',
-
- // reality_check
- 'Please enter a number between [_1].',
- '[_1] days [_2] hours [_3] minutes',
- 'Your trading statistics since [_1].',
-
- // security
- 'Unlock Cashier',
- 'Your cashier is locked as per your request - to unlock it, please enter the password.',
- 'Lock Cashier',
- 'An additional password can be used to restrict access to the cashier.',
- 'Update',
+ 'Sell at market',
+ 'Sep',
+ 'September',
+ 'Session duration limit cannot be more than 6 weeks.',
+ 'Set Currency',
+ 'Settles',
+ 'Should be [_1]',
+ 'Should be a valid number.',
+ 'Should be between [_1] and [_2]',
+ 'Should be less than [_1]',
+ 'Should be more than [_1]',
+ 'Should start with letter or number, and may contain hyphen and underscore.',
+ 'Sign up',
+ 'Sorry, account signup is not available in your country.',
+ 'Sorry, an error occurred while processing your account.',
+ 'Sorry, an error occurred while processing your request.',
+ 'Sorry, this feature is available to virtual accounts only.',
+ 'Sorry, this feature is not available in your jurisdiction.',
'Sorry, you have entered an incorrect cashier password',
- 'You have reached the withdrawal limit.',
-
- // view popup
- 'Start Time',
- 'Entry Spot',
- 'Low Barrier',
- 'High Barrier',
- 'Reset Barrier',
- 'Average',
- 'This contract won',
- 'This contract lost',
+ 'Sorry, your account is not authorised for any further contract purchases.',
'Spot',
- 'Barrier',
- 'Target',
- 'Equals',
- 'Not',
- 'Description',
- 'Credit/Debit',
- 'Balance',
- 'Purchase Price',
- 'Profit/Loss',
- 'Contract Information',
- 'Contract Result',
- 'Current',
- 'Open',
- 'Closed',
- 'Contract has not started yet',
'Spot Time',
'Spot Time (GMT)',
- 'Current Time',
- 'Exit Spot Time',
- 'Exit Spot',
- 'Indicative',
+ 'Stake',
+ 'Standard',
+ 'Start Time',
+ 'Start/End Time',
+ 'State/Province',
+ 'Status',
+ 'Stays Between',
+ 'Step',
+ 'Stocks',
+ 'Su',
+ 'Submitted',
+ 'Submitting',
+ 'Successful',
+ 'Sunday',
+ 'Target',
+ 'Telephone',
+ 'Tether',
+ 'Th',
+ 'Thank you for signing up! Please check your email to complete the registration process.',
+ 'The [_1] password of account number [_2] has been changed.',
+ 'The email address provided is already in use. If you forgot your password, please try our password recovery tool or contact our customer service.',
+ 'The maximum number of tokens ([_1]) has been reached.',
+ 'The password you entered is one of the world\'s most commonly used passwords. You should not be using this password.',
+ 'The reset time is [_1]',
+ 'The server endpoint is: [_2]',
+ 'The two passwords that you entered do not match.',
'There was an error',
- 'Sell at market',
- 'You have sold this contract at [_1] [_2]',
- 'Your transaction reference number is [_1]',
- 'Tick [_1] is the highest tick',
+ 'There was some invalid character in an input field.',
+ 'Therefore your current immediate maximum withdrawal (subject to your account having sufficient funds) is [_1] [_2] (or equivalent in other currency).',
+ 'Therefore your current immediate maximum withdrawal (subject to your account having sufficient funds) is [_1] [_2].',
+ 'This account is disabled',
+ 'This account is excluded until [_1]',
+ 'This contract lost',
+ 'This contract won',
+ 'This feature is not relevant to virtual-money accounts.',
+ 'This field is required.',
+ 'This is a staging server - For testing purposes only',
+ 'This symbol is not active. Please try another symbol.',
+ 'Thursday',
+ 'Tick',
+ 'Tick [_1]',
'Tick [_1] is not the highest tick',
- 'Tick [_1] is the lowest tick',
'Tick [_1] is not the lowest tick',
- 'Note',
- 'Contract will be sold at the prevailing market price when the request is received by our servers. This price may differ from the indicated price.',
- 'Contract Type',
+ 'Tick [_1] is the highest tick',
+ 'Tick [_1] is the lowest tick',
+ 'Ticks history returned an empty array.',
+ 'Time is in the wrong format.',
+ 'Time out cannot be in the past.',
+ 'Time out cannot be more than 6 weeks.',
+ 'Time out must be after today.',
+ 'Timed out until',
+ 'Today',
+ 'Token',
+ 'Total Cost',
+ 'Total Profit/Loss',
+ 'Touches',
+ 'Town/City',
+ 'Trade',
+ 'Trading Contracts for Difference (CFDs) on Volatility Indices may not be suitable for everyone. Please ensure that you fully understand the risks involved, including the possibility of losing all the funds in your MT5 account. Gambling can be addictive – please play responsibly.',
+ 'Trading and deposits have been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.',
+ 'Trading is unavailable at this time.',
'Transaction ID',
- 'Remaining Time',
- 'Barrier Change',
- 'Audit',
- 'Audit Page',
+ 'Transaction performed by [_1] (App ID: [_2])',
+ 'Try our [_1]Volatility Indices[_2].',
+ 'Try our other markets.',
+ 'Tu',
+ 'Tuesday',
+ 'Unable to read file [_1]',
+ 'Unknown OS',
+ 'Unlock Cashier',
+ 'Up to [_1] decimal places are allowed.',
+ 'Up/Down',
+ 'Upcoming Events',
+ 'Update',
+ 'Upgrade now',
+ 'Validate address',
+ 'Verification code is wrong. Please use the link sent to your email.',
+ 'Verify Reset Password',
+ 'View',
'View Chart',
- 'Contract Starts',
- 'Contract Ends',
- 'Start Time and Entry Spot',
- 'Exit Time and Exit Spot',
+ 'Virtual',
+ 'Volatility Indices',
+ 'Waiting for entry tick.',
+ 'Waiting for exit tick.',
+ 'We',
+ 'We are reviewing your documents. For more details [_1]contact us[_2].',
+ 'Wednesday',
+ 'When you click "OK" you will be excluded from trading on the site until the selected date.',
+ 'Withdraw',
+ 'Withdrawal limit',
+ 'Withdrawals have been disabled on your account. Please check your email for more details.',
+ 'You are categorised as a professional client.',
+ 'You are categorised as a retail client. Apply to be treated as a professional trader.',
'You can close this window without interrupting your trade.',
- 'Selected Tick',
- 'Highest Tick',
- 'Highest Tick Time',
- 'Lowest Tick',
- 'Lowest Tick Time',
- 'Close Time',
-
- // financial assessment
- 'Please select a value',
-
- // authorised_apps
+ 'You did not change anything.',
+ 'You have already withdrawn [_1] [_2].',
+ 'You have already withdrawn the equivalent of [_1] [_2] in aggregate over the last [_3] days.',
+ 'You have already withdrawn the equivalent of [_1] [_2].',
+ 'You have insufficient funds in your Binary account, please add funds.',
'You have not granted access to any applications.',
- 'Permissions',
- 'Never',
- 'Revoke access',
- 'Are you sure that you want to permanently revoke access to the application',
- 'Transaction performed by [_1] (App ID: [_2])',
- 'Admin',
- 'Read',
- 'Payments',
-
- // lost_password
- '[_1] Please click the link below to restart the password recovery process.',
- 'Your password has been successfully reset. Please log into your account using your new password.',
- 'Please check your email for the password reset link.',
-
- // cashier page
- 'details',
- 'Withdraw',
- 'Insufficient balance.',
-
- // endpoint notification
- 'This is a staging server - For testing purposes only',
- 'The server endpoint is: [_2]',
-
- // account signup error
- 'Sorry, account signup is not available in your country.',
-
- // strings from back-end
- 'There was a problem accessing the server.',
- 'There was a problem accessing the server during purchase.',
-
- // form_validation
- 'Should be a valid number.',
- 'Should be more than [_1]',
- 'Should be less than [_1]',
- 'Should be [_1]',
- 'Should be between [_1] and [_2]',
- 'Only letters, numbers, space, hyphen, period, and apostrophe are allowed.',
- 'Only letters, space, hyphen, period, and apostrophe are allowed.',
- 'Only letters, numbers, and hyphen are allowed.',
- 'Only numbers, space, and hyphen are allowed.',
- 'Only numbers and spaces are allowed.',
- 'Only letters, numbers, space, and these special characters are allowed: - . \' # ; : ( ) , @ /',
- 'The two passwords that you entered do not match.',
- '[_1] and [_2] cannot be the same.',
+ 'You have reached the limit.',
+ 'You have reached the rate limit of requests per second. Please try later.',
+ 'You have reached the withdrawal limit.',
+ 'You have sold this contract at [_1] [_2]',
+ 'You have successfully disabled two-factor authentication for your account.',
+ 'You have successfully enabled two-factor authentication for your account.',
'You should enter [_1] characters.',
- 'Indicates required field',
- 'Verification code is wrong. Please use the link sent to your email.',
- 'The password you entered is one of the world\'s most commonly used passwords. You should not be using this password.',
- 'Hint: it would take approximately [_1][_2] to crack this password.',
- 'thousand',
- 'million',
- 'Should start with letter or number, and may contain hyphen and underscore.',
- 'Your address could not be verified by our automated system. You may proceed but please ensure that your address is complete.',
- 'Validate address',
-
- // metatrader
- 'Congratulations! Your [_1] Account has been created.',
- 'The [_1] password of account number [_2] has been changed.',
- '[_1] deposit from [_2] to account number [_3] is done. Transaction ID: [_4]',
- '[_1] withdrawal from account number [_2] to [_3] is done. Transaction ID: [_4]',
+ 'You will be redirected to a third-party website which is not owned by Binary.com.',
+ 'Your [_1] day withdrawal limit is currently [_2] [_3] (or equivalent in other currency).',
+ 'Your account has no Login/Logout activity.',
+ 'Your account has no trading activity.',
+ 'Your account is fully authenticated and your withdrawal limits have been lifted.',
+ 'Your account is restricted. Kindly [_1]contact customer support[_2] for assistance.',
+ 'Your application to be treated as a professional client is being processed.',
'Your cashier is locked as per your request - to unlock it, please click here.',
+ 'Your cashier is locked as per your request - to unlock it, please enter the password.',
'Your cashier is locked.',
- 'You have insufficient funds in your Binary account, please add funds.',
- 'Sorry, this feature is not available in your jurisdiction.',
- 'You have reached the limit.',
- 'Main password',
- 'Investor password',
- 'Current password',
- 'New password',
- 'Demo Standard',
- 'Standard',
- 'Demo Advanced',
- 'Advanced',
- 'Demo Volatility Indices',
- 'Real Standard',
- 'Real Advanced',
- 'Real Volatility Indices',
- 'MAM Advanced',
- 'MAM Volatility Indices',
- 'Change Password',
- 'Demo Accounts',
- 'Demo Account',
- 'Real-Money Accounts',
- 'Real-Money Account',
- 'MAM Accounts',
- 'Our MT5 service is currently unavailable to EU residents due to pending regulatory approval.',
+ 'Your changes have been updated successfully.',
+ 'Your changes have been updated.',
+ 'Your password has been successfully reset. Please log into your account using your new password.',
+ 'Your request to transfer [_1] [_2] from [_3] to [_4] has been successfully processed.',
+ 'Your request to withdraw [_1] [_2] from your account [_3] to Payment Agent [_4] account has been successfully processed.',
+ 'Your session duration limit will end in [_1] seconds.',
+ 'Your settings have been updated successfully.',
+ 'Your token has expired or is invalid. Please click here to restart the verification process.',
+ 'Your token has expired or is invalid. Please click [_1]here[_2] to restart the verification process.',
+ 'Your trading statistics since [_1].',
+ 'Your transaction reference is',
+ 'Your transaction reference number is [_1]',
+ 'Your web browser ([_1]) is out of date and may affect your trading experience. Proceed at your own risk. [_2]Update browser[_3]',
+ 'Your withdrawal limit is [_1] [_2] (or equivalent in other currency).',
+ 'Your withdrawal limit is [_1] [_2].',
+ '[_1] Account',
'[_1] Account [_2]',
- 'Trading Contracts for Difference (CFDs) on Volatility Indices may not be suitable for everyone. Please ensure that you fully understand the risks involved, including the possibility of losing all the funds in your MT5 account. Gambling can be addictive – please play responsibly.',
- 'Do you wish to continue?',
+ '[_1] Please click the link below to restart the password recovery process.',
+ '[_1] [_2] payout if [_3] does not touch Barrier through close on [_4].',
+ '[_1] [_2] payout if [_3] ends on or between low and high values of Barrier at close on [_4].',
+ '[_1] [_2] payout if [_3] ends outside low and high values of Barrier at close on [_4].',
+ '[_1] [_2] payout if [_3] goes outside of low and high values of Barrier through close on [_4].',
+ '[_1] [_2] payout if [_3] is strictly higher than or equal to Barrier at close on [_4].',
+ '[_1] [_2] payout if [_3] is strictly lower than Barrier at close on [_4].',
+ '[_1] [_2] payout if [_3] stays between low and high values of Barrier through close on [_4].',
+ '[_1] [_2] payout if [_3] touches Barrier through close on [_4].',
+ '[_1] and [_2] cannot be the same.',
+ '[_1] days [_2] hours [_3] minutes',
+ '[_1] deposit from [_2] to account number [_3] is done. Transaction ID: [_4]',
+ '[_1] has been credited into your virtual account: [_2].',
+ '[_1] requires your browser\'s web storage to be enabled in order to function properly. Please enable it or exit private browsing mode.',
+ '[_1] withdrawal from account number [_2] to [_3] is done. Transaction ID: [_4]',
+ '[_1]Authenticate your account[_2] now to take full advantage of all payment methods available.',
+ '[_1]Your Proof of Identity or Proof of Address[_2] did not meet our requirements. Please check your email for further instructions.',
+ 'day',
+ 'days',
+ 'details',
'for account [_1]',
- 'Verify Reset Password',
- 'Reset Password',
- 'Please check your email for further instructions.',
- 'Revoke MAM',
- 'Manager successfully revoked',
- '{SPAIN ONLY}You are about to purchase a product that is not simple and may be difficult to understand: Contracts for Difference and Forex. As a general rule, the CNMV considers that such products are not appropriate for retail clients, due to their complexity.',
+ 'h',
+ 'hour',
+ 'hours',
+ 'letters',
+ 'million',
+ 'minute',
+ 'minutes',
+ 'month',
+ 'months',
+ 'numbers',
+ 'second',
+ 'seconds',
+ 'space',
+ 'thousand',
+ 'tick',
+ 'ticks',
+ 'week',
+ 'weeks',
+ 'year',
+ 'years',
'{SPAIN ONLY}However, Binary Investments (Europe) Ltd has assessed your knowledge and experience and deems the product appropriate for you.',
'{SPAIN ONLY}This is a product with leverage. You should be aware that losses may be higher than the amount initially paid to purchase the product.',
-
- // account_transfer
- 'Min',
- 'Max',
- 'Current balance',
- 'Withdrawal limit',
-
- // header notification
- '[_1]Authenticate your account[_2] now to take full advantage of all payment methods available.',
- 'Please set the [_1]currency[_2] of your account.',
- 'Please set your 30-day turnover limit in our [_1]self-exclusion facilities[_2] to remove deposit limits.',
- 'Please set [_1]country of residence[_2] before upgrading to a real-money account.',
- 'Please complete the [_1]financial assessment form[_2] to lift your withdrawal and trading limits.',
- 'Please [_1]complete your account profile[_2] to lift your withdrawal and trading limits.',
- 'Please [_1]accept the updated Terms and Conditions[_2] to lift your withdrawal and trading limits.',
- 'Your account is restricted. Kindly [_1]contact customer support[_2] for assistance.',
- 'Connection error: Please check your internet connection.',
- 'You have reached the rate limit of requests per second. Please try later.',
- '[_1] requires your browser\'s web storage to be enabled in order to function properly. Please enable it or exit private browsing mode.',
- 'We are reviewing your documents. For more details [_1]contact us[_2].',
- 'Deposits and withdrawals have been disabled on your account. Please check your email for more details.',
- 'Trading and deposits have been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.',
- 'Binary Options Trading has been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.',
- 'Withdrawals have been disabled on your account. Please check your email for more details.',
- 'MT5 withdrawals have been disabled on your account. Please check your email for more details.',
- 'Please complete your [_1]personal details[_2] before you proceed.',
- 'Account Authenticated',
- 'In the EU, financial binary options are only available to professional investors.',
-
- // browser-update message
- 'Your web browser ([_1]) is out of date and may affect your trading experience. Proceed at your own risk. [_2]Update browser[_3]',
-
- // TODO: remove ico messages when all ico contracts are removed
- // binaryico message
- 'Bid',
- 'Closed Bid',
-
- // accounts
- 'Create',
- 'Commodities',
- 'Indices',
- 'Stocks',
- 'Volatility Indices',
- 'Set Currency',
- 'Please choose a currency',
- 'Create Account',
- 'Accounts List',
- '[_1] Account',
- 'Investment',
- 'Gaming',
- 'Virtual',
- 'Real',
- 'Counterparty',
- 'This account is disabled',
- 'This account is excluded until [_1]',
-
- // currency names
- 'Bitcoin',
- 'Bitcoin Cash',
- 'Ether',
- 'Ether Classic',
- 'Litecoin',
- 'Dai',
-
- // Authentication errors
- 'Invalid document format.',
- 'File ([_1]) size exceeds the permitted limit. Maximum allowed file size: [_2]',
- 'ID number is required for [_1].',
- 'Only letters, numbers, space, underscore, and hyphen are allowed for ID number ([_1]).',
- 'Expiry date is required for [_1].',
- 'Passport',
- 'ID card',
- 'Driving licence',
- 'Front Side',
- 'Reverse Side',
- 'Front and reverse side photos of [_1] are required.',
- '[_1]Your Proof of Identity or Proof of Address[_2] did not meet our requirements. Please check your email for further instructions.',
- 'Following file(s) were already uploaded: [_1]',
- 'Checking',
- 'Checked',
- 'Pending',
- 'Submitting',
- 'Submitted',
-
- // third party link confirmation dialog/popup
- 'You will be redirected to a third-party website which is not owned by Binary.com.',
- 'Click OK to proceed.',
-
- // two factor authentication
- 'You have successfully enabled two-factor authentication for your account.',
- 'You have successfully disabled two-factor authentication for your account.',
- 'Enable',
- 'Disable',
+ '{SPAIN ONLY}You are about to purchase a product that is not simple and may be difficult to understand: Contracts for Difference and Forex. As a general rule, the CNMV considers that such products are not appropriate for retail clients, due to their complexity.',
];
-
-/* eslint-disable no-console */
-const all_languages = [...common.languages, 'ach'].map(l => l.toLowerCase());
-const map = {
- app : {},
- app_2: {},
-};
-
-const build = () => {
- generateSources();
- const all_texts = getAllTexts();
- const gettext = GetText.getInstance();
-
- all_languages.forEach(lang => {
- gettext.setLang(lang);
- Object.keys(map).forEach(app => { map[app][lang] = {}; });
-
- all_texts.forEach(text => {
- const key = text.replace(/[\s.]/g, '_');
- const translation = gettext.gettext(text, '[_1]', '[_2]', '[_3]', '[_4]');
-
- if (translation !== text) {
- Object.keys(map).forEach(app => {
- if (map[app].source.has(text)) {
- map[app][lang][key] = translation;
- }
- });
- }
- });
- });
-};
-
-const generate = () => {
- const target_path = 'src/javascript/_autogenerated/';
-
- console.log(color.cyan('\nGenerating files:'));
- console.log(color.cyan(' Target: '), color.yellow(target_path));
-
- all_languages.forEach(lang => {
- process.stdout.write(color.cyan(' -'));
- process.stdout.write(` ${lang}.js ${'.'.repeat(15 - lang.length)}`);
-
- Object.keys(map).forEach(app => {
- const js_path = path.join(common.root_path, `${target_path}${app !== 'app' ? `${app}/` : ''}${lang}.js`);
- const content = `const texts_json = {};\ntexts_json['${lang.toUpperCase()}'] = ${JSON.stringify(map[app][lang])};`;
- fs.writeFileSync(js_path, content, 'utf8');
- });
-
- process.stdout.write(common.messageEnd());
- });
-};
-
-// ---------- Helpers ----------
-const generateSources = () => {
- // app
- map.app.source = new Set(texts);
-
- // app_2
- const app_name = 'app_2';
- extract.parse(app_name);
- const extracted_strings_app_2 = [...extract.getTexts(app_name)];
- map.app_2.source = new Set([
- ...extracted_strings_app_2,
- ...static_app_2,
- ]);
- writeExtractedStrings(app_name, extracted_strings_app_2);
-};
-
-const getAllTexts = () => {
- const unique_texts = new Set([
- ...map.app.source,
- ...map.app_2.source,
- ]);
- return [...unique_texts];
-};
-
-const writeExtractedStrings = (app_name, extracted_strings) => {
- const file_path = path.resolve(common.root_path, `scripts/js_texts/extracted_strings_${app_name}.js`);
- const comments = '// This is an auto-generated list of strings used in js code for debugging purpose only\n';
- const contents = `${comments}module.exports = ${singleQuoteArray(extracted_strings)}`;
- fs.writeFileSync(file_path, contents, 'utf8');
-};
-
-// JSON.stringify uses double quotes, so in order to have the same style used in the code we wrap array items in single quote
-const singleQuoteArray = (texts_array) => {
- const spaces = ' '.repeat(4);
- return `[\n${spaces}'${texts_array.sort().map(str => str.replace(/'/g, '\\\'')).join(`',\n${spaces}'`)}',\n];\n`;
-};
-
-exports.build = build;
-exports.generate = generate;
-exports.texts = texts;
diff --git a/scripts/js_texts/static_strings_app.js b/scripts/js_texts/static_strings_app.js
new file mode 100644
index 0000000000000..122b75b0686cc
--- /dev/null
+++ b/scripts/js_texts/static_strings_app.js
@@ -0,0 +1,62 @@
+/**
+ * The purpose of this file is to store static strings of 'app', 'static' sections which are not passed in any localize() call
+ * i.e. those API strings that are not translated, so we handle their translation process here
+ *
+ * NOTE: Doesn't need to put a string here if it is the first argument in a localize() call
+ */
+module.exports = [
+ // -----------------------------
+ // Commented translation strings
+ // -----------------------------
+ 'All markets are closed now. Please try again later.',
+
+ // ---------------------------------------------
+ // API strings ignored by autogenerated localize
+ // ---------------------------------------------
+ // NOTE: although some of these strings already exist in extracted_strings_app.js,
+ // we keep all the API strings that need translation here, to make sure that we won't miss them in case they are removed from js code
+
+ // action_type from statement
+ 'Buy',
+ 'Deposit',
+ 'Sell',
+ 'Withdrawal',
+
+ // longcode from statement
+ 'virtual money credit to account',
+
+ // action from login_history
+ 'login',
+ 'logout',
+
+ // contract_category from contracts_for
+ 'Asians',
+ 'Call Spread/Put Spread',
+ 'Digits',
+ 'Ends Between/Ends Outside',
+ 'Even/Odd',
+ 'High/Low Ticks',
+ 'Higher/Lower',
+ 'In/Out',
+ 'Lookbacks',
+ 'Matches/Differs',
+ 'Over/Under',
+ 'Reset Call/Reset Put',
+ 'Rise/Fall',
+ 'Stays Between/Goes Outside',
+ 'Touch/No Touch',
+ 'Up/Down',
+
+ // events[descrip] and events[dates] from trading_times
+ 'Christmas Day',
+ 'Closes early (at 18:00)',
+ 'Closes early (at 21:00)',
+ 'Fridays',
+ 'New Year\'s Day',
+ 'today',
+ 'today, Fridays',
+
+ // error messages
+ 'There was a problem accessing the server.',
+ 'There was a problem accessing the server during purchase.',
+];
diff --git a/scripts/js_translation.js b/scripts/js_translation.js
new file mode 100644
index 0000000000000..167619c67e0bb
--- /dev/null
+++ b/scripts/js_translation.js
@@ -0,0 +1,99 @@
+const color = require('cli-color');
+const fs = require('fs');
+const path = require('path');
+const common = require('./common');
+const GetText = require('./gettext');
+const extract = require('./extract_js_texts');
+
+const static_app = require('./js_texts/static_strings_app');
+
+const all_languages = [...common.languages, 'ach'].map(l => l.toLowerCase());
+const map = {
+ app: {
+ static: static_app,
+ },
+};
+
+const build = () => {
+ generateSources();
+ const all_texts = getAllTexts();
+ const gettext = GetText.getInstance();
+
+ all_languages.forEach(lang => {
+ gettext.setLang(lang);
+ Object.keys(map).forEach(app => { map[app][lang] = {}; });
+
+ all_texts.forEach(text => {
+ const key = text.replace(/[\s.]/g, '_');
+ const translation = gettext.gettext(text, '[_1]', '[_2]', '[_3]', '[_4]');
+
+ if (translation !== text) {
+ Object.keys(map).forEach(app => {
+ if (map[app].source.has(text)) {
+ map[app][lang][key] = translation;
+ }
+ });
+ }
+ });
+ });
+};
+
+const generate = () => {
+ const target_path = 'src/javascript/_autogenerated/';
+
+ console.log(color.cyan('\nGenerating files:')); // eslint-disable-line no-console
+ console.log(color.cyan(' Target: '), color.yellow(target_path)); // eslint-disable-line no-console
+
+ all_languages.forEach(lang => {
+ process.stdout.write(color.cyan(' -'));
+ process.stdout.write(` ${lang}.js ${'.'.repeat(15 - lang.length)}`);
+
+ Object.keys(map).forEach(app => {
+ const js_path = path.join(common.root_path, `${target_path}${app !== 'app' ? `${app}/` : ''}${lang}.js`);
+ const content = `const texts_json = {};\ntexts_json['${lang.toUpperCase()}'] = ${JSON.stringify(map[app][lang])};`;
+ fs.writeFileSync(js_path, content, 'utf8');
+ });
+
+ process.stdout.write(common.messageEnd());
+ });
+};
+
+// ---------- Helpers ----------
+const generateSources = () => {
+ Object.keys(map).forEach(app => {
+ extract.parse(app);
+ const extracted_strings = [...extract.getTexts(app)];
+
+ map[app].source = new Set([
+ ...extracted_strings,
+ ...map[app].static,
+ ]);
+
+ writeExtractedStrings(app, extracted_strings);
+ });
+};
+
+const getAllTexts = () => [ // returns unique texts of all apps in an array
+ ...new Set(
+ Object.keys(map).reduce(
+ (acc, app) => [...acc, ...map[app].source],
+ [],
+ )
+ ),
+];
+
+const writeExtractedStrings = (app_name, extracted_strings) => {
+ const file_path = path.resolve(common.root_path, `scripts/js_texts/extracted_strings_${app_name}.js`);
+ const comments = '// This is an auto-generated list of strings used in js code for debugging purpose only\n';
+ const contents = `${comments}module.exports = ${singleQuoteArray(extracted_strings)}`;
+ fs.writeFileSync(file_path, contents, 'utf8');
+};
+
+// JSON.stringify uses double quotes, so in order to have the same style used in the code we wrap array items in single quote
+const singleQuoteArray = (texts_array) => {
+ const spaces = ' '.repeat(4);
+ return `[\n${spaces}'${texts_array.sort().map(str => str.replace(/'/g, '\\\'')).join(`',\n${spaces}'`)}',\n];\n`;
+};
+
+exports.build = build;
+exports.generate = generate;
diff --git a/scripts/render.js b/scripts/render.js
index c91b0ec569a66..3badf457a2b0a 100755
--- a/scripts/render.js
+++ b/scripts/render.js
@@ -26,17 +26,17 @@ const renderComponent = (context, path) => {
);
};
-const color = require('cli-color');
-const Spinner = require('cli-spinner').Spinner;
-const program = require('commander');
-const Crypto = require('crypto');
-const fs = require('fs');
-const Path = require('path');
-const Url = require('url');
-const common = require('./common');
-const generate_static_data = require('./generate-static-data');
-const Gettext = require('./gettext');
-const build_config = require('../build/config/constants').config;
+const color = require('cli-color');
+const Spinner = require('cli-spinner').Spinner;
+const program = require('commander');
+const Crypto = require('crypto');
+const fs = require('fs');
+const Path = require('path');
+const Url = require('url');
+const common = require('./common');
+const js_translation = require('./js_translation');
+const Gettext = require('./gettext');
+const build_config = require('../build/config/constants').config;
program
.version('0.2.2')
@@ -124,7 +124,6 @@ const fileHash = (path) => (
})
);
-
/** **************************************
* Factory functions
*/
@@ -253,12 +252,10 @@ async function compile(page) {
language : lang.toUpperCase(),
root_url : config.root_url,
section : page.section,
- only_ja : page.only_ja,
current_path : page.save_as,
current_route : page.current_route,
is_pjax_request: false,
- japan_docs_url : 'https://japan-docs.binary.com',
affiliate_signup_url : `https://login.binary.com/signup.php?lang=${affiliate_language_code}`,
affiliate_password_url: `https://login.binary.com/password-reset.php?lang=${affiliate_language_code}`,
affiliate_email : 'affiliates@binary.com',
@@ -317,8 +314,8 @@ const getFilteredPages = () => {
try {
if (program.jsTranslations) {
Gettext.getInstance();
- generate_static_data.build();
- generate_static_data.generate();
+ js_translation.build();
+ js_translation.generate();
return;
}
@@ -360,7 +357,7 @@ const getFilteredPages = () => {
if (program.translations) {
const gettext = Gettext.getInstance();
- generate_static_data.build();
+ js_translation.build();
gettext.update_translations();
}
} catch (e) {
diff --git a/scripts/sitemap.js b/scripts/sitemap.js
index 1ad06e9e9801a..7ba92eee98fb9 100755
--- a/scripts/sitemap.js
+++ b/scripts/sitemap.js
@@ -6,98 +6,44 @@ const program = require('commander');
const fs = require('fs');
const Path = require('path');
const common = require('./common');
+const urls = require('./config/sitemap_urls');
program
.version('0.2.0')
.description('Generate sitemap.xml')
.parse(process.argv);
-
-const urls = [
- // path (without .html), changefreq, priority, exclude languages
- // ==================== Section: "static" ====================
- ['home', 'monthly', 1.00, 'ja'],
- ['home-jp', 'monthly', 1.00, 'NOT-ja'],
- ['tour', 'monthly', 0.80, 'ja'],
- ['tour-jp', 'monthly', 0.80, 'NOT-ja'],
- ['why-us', 'monthly', 0.80, 'ja'],
- ['why-us-jp', 'monthly', 0.80, 'NOT-ja'],
- ['platforms', 'monthly', 0.80, 'ja'],
-
- ['about-us', 'monthly', 0.80],
- ['binary-in-numbers', 'monthly', 0.80],
- ['careers', 'monthly', 0.80, 'ja'],
- ['careers-for-americans', 'monthly', 0.80, 'ja'],
- ['contact', 'monthly', 0.80],
- ['group-history', 'monthly', 0.80],
- ['open-positions', 'monthly', 0.80],
- ['open-positions/job-details', 'monthly', 0.80],
-
- ['affiliate/signup', 'monthly', 0.80, 'ja'],
- ['affiliate/signup-jp', 'monthly', 0.80, 'NOT-ja'],
- ['charity', 'monthly', 0.8],
- ['company-profile', 'monthly', 0.80, 'NOT-ja'],
- ['legal/us_patents', 'monthly', 0.80, 'ja'],
- ['regulation', 'monthly', 0.80, 'id'],
- ['responsible-trading', 'monthly', 0.80, 'ja'],
- ['service-announcements', 'monthly', 0.80, 'NOT-ja'],
- ['terms-and-conditions', 'monthly', 0.80, 'ja'],
- ['terms-and-conditions-jp', 'monthly', 0.80, 'NOT-ja'],
- // ['user/browser-support', 'monthly', 0.80],
-
- ['liquidity-solutions', 'monthly', 0.80, 'ja'],
- ['multiple-accounts-manager', 'monthly', 0.80, 'ja'],
- ['open-source-projects', 'monthly', 0.80, 'ja'],
- ['partners', 'monthly', 0.80, 'ja'],
- ['payment-agent', 'monthly', 0.80, 'ja'],
- ['security-testing', 'monthly', 0.80, 'ja'],
-
- ['get-started', 'monthly', 0.80, 'ja'],
- ['get-started/binary-options', 'monthly', 0.80, 'ja'],
- ['get-started/cfds', 'monthly', 0.80, 'ja'],
- ['get-started/cryptocurrencies', 'monthly', 0.80, 'ja'],
- ['get-started/forex', 'monthly', 0.80, 'ja'],
- ['get-started/metals', 'monthly', 0.80, 'ja'],
-
- ['get-started-jp', 'monthly', 0.80, 'NOT-ja'],
-
- ['metatrader/download', 'monthly', 0.80],
- ['metatrader/how-to-trade-mt5', 'monthly', 0.80],
- ['metatrader/types-of-accounts', 'monthly', 0.80],
-
- // ==================== Section: "app" ====================
- ['cashier', 'monthly', 0.80],
- ['cashier/payment_agent_listws', 'monthly', 0.80],
- ['cashier/payment_methods', 'monthly', 0.80, 'ja'],
-
- ['trading', 'monthly', 0.80, 'ja'],
- ['multi_barriers_trading', 'monthly', 0.80],
-
- ['resources/asset_indexws', 'monthly', 0.80, 'ja'],
- ['resources/market_timesws', 'monthly', 0.80],
-
- // ==================== Section: "landing_pages" ====================
- // ['graduates', 'monthly', 0.80, 'NOT-en'],
- // ['hackathon', 'monthly', 0.80, 'NOT-en'],
+const config = [
+ {
+ url_prefix : 'https://www.binary.com/',
+ filename : 'sitemap.xml',
+ lang_filter: '^(?!id$)',
+ },
+ {
+ url_prefix : 'https://www.binary.me/',
+ filename : 'sitemap.id.xml',
+ lang_filter: '^id$',
+ },
];
+let excluded;
-const url_prefix = 'https://www.binary.com/';
-const filename = 'sitemap.xml';
-let excluded = 0;
+const getApplicableLanguages = (lang_filter) => common.languages.filter(lang => new RegExp(lang_filter, 'i').test(lang));
+
+const createSitemap = (conf) => {
+ excluded = 0;
-const createSitemap = () => {
const sitemap = Sitemap.createSitemap({
- hostname : url_prefix,
+ hostname : conf.url_prefix,
cacheTime: 600000,
});
- common.languages
+ getApplicableLanguages(conf.lang_filter)
.map(lang => lang.toLowerCase())
.forEach((lang) => {
urls.forEach((entry) => {
if (!common.isExcluded(entry[3], lang)) {
sitemap.add({
- url : `${url_prefix}${lang}/${entry[0]}.html`,
+ url : `${conf.url_prefix}${lang}/${entry[0]}.html`,
changefreq: entry[1],
priority : entry[2],
});
@@ -107,15 +53,19 @@ const createSitemap = () => {
});
});
- fs.writeFileSync(Path.join(common.root_path, filename), sitemap.toString());
+ fs.writeFileSync(Path.join(common.root_path, conf.filename), sitemap.toString());
};
-const start = Date.now();
-process.stdout.write(common.messageStart(`Generating ${filename}`));
-createSitemap();
-process.stdout.write(common.messageEnd(Date.now() - start));
+config.forEach((conf) => {
+ const start = Date.now();
+ process.stdout.write(common.messageStart(`Generating ${conf.filename}`));
+
+ createSitemap(conf);
+
+ process.stdout.write(common.messageEnd(Date.now() - start));
-// Report details
-const langs_count = common.languages.length;
-const total_count = langs_count * urls.length - excluded;
-console.log(` ${color.green(total_count)} URL nodes total (${color.cyan(langs_count)} Languages ${color.yellowBright('*')} ${color.cyan(urls.length)} URLs ${color.yellowBright('-')} ${color.cyan(excluded)} Excluded)`); // eslint-disable-line no-console
+ // Report details
+ const langs_count = getApplicableLanguages(conf.lang_filter).length;
+ const total_count = langs_count * urls.length - excluded;
+ console.log(` ${color.green(total_count)} URL nodes total (${color.cyan(langs_count)} Languages ${color.yellowBright('*')} ${color.cyan(urls.length)} URLs ${color.yellowBright('-')} ${color.cyan(excluded)} Excluded)\n`); // eslint-disable-line no-console
+});
diff --git a/sitemap.id.xml b/sitemap.id.xml
new file mode 100644
index 0000000000000..38036c032cf2b
--- /dev/null
+++ b/sitemap.id.xml
@@ -0,0 +1,41 @@
+
+
+https://www.binary.me/id/home.htmlmonthly1.0
+https://www.binary.me/id/tour.htmlmonthly0.8
+https://www.binary.me/id/why-us.htmlmonthly0.8
+https://www.binary.me/id/platforms.htmlmonthly0.8
+https://www.binary.me/id/about-us.htmlmonthly0.8
+https://www.binary.me/id/binary-in-numbers.htmlmonthly0.8
+https://www.binary.me/id/careers.htmlmonthly0.8
+https://www.binary.me/id/contact.htmlmonthly0.8
+https://www.binary.me/id/group-history.htmlmonthly0.8
+https://www.binary.me/id/open-positions.htmlmonthly0.8
+https://www.binary.me/id/open-positions/job-details.htmlmonthly0.8
+https://www.binary.me/id/affiliate/signup.htmlmonthly0.8
+https://www.binary.me/id/charity.htmlmonthly0.8
+https://www.binary.me/id/legal/us_patents.htmlmonthly0.8
+https://www.binary.me/id/responsible-trading.htmlmonthly0.8
+https://www.binary.me/id/terms-and-conditions.htmlmonthly0.8
+https://www.binary.me/id/liquidity-solutions.htmlmonthly0.8
+https://www.binary.me/id/multiple-accounts-manager.htmlmonthly0.8
+https://www.binary.me/id/open-source-projects.htmlmonthly0.8
+https://www.binary.me/id/partners.htmlmonthly0.8
+https://www.binary.me/id/payment-agent.htmlmonthly0.8
+https://www.binary.me/id/security-testing.htmlmonthly0.8
+https://www.binary.me/id/get-started.htmlmonthly0.8
+https://www.binary.me/id/get-started/binary-options.htmlmonthly0.8
+https://www.binary.me/id/get-started/cfds.htmlmonthly0.8
+https://www.binary.me/id/get-started/cryptocurrencies.htmlmonthly0.8
+https://www.binary.me/id/get-started/forex.htmlmonthly0.8
+https://www.binary.me/id/get-started/metals.htmlmonthly0.8
+https://www.binary.me/id/metatrader/download.htmlmonthly0.8
+https://www.binary.me/id/metatrader/how-to-trade-mt5.htmlmonthly0.8
+https://www.binary.me/id/metatrader/types-of-accounts.htmlmonthly0.8
+https://www.binary.me/id/cashier.htmlmonthly0.8
+https://www.binary.me/id/cashier/payment_agent_listws.htmlmonthly0.8
+https://www.binary.me/id/cashier/payment_methods.htmlmonthly0.8
+https://www.binary.me/id/trading.htmlmonthly0.8
+https://www.binary.me/id/multi_barriers_trading.htmlmonthly0.8
+https://www.binary.me/id/resources/asset_indexws.htmlmonthly0.8
+https://www.binary.me/id/resources/market_timesws.htmlmonthly0.8
+
\ No newline at end of file
diff --git a/sitemap.xml b/sitemap.xml
index 091124aeae3e9..a4aba3230381b 100644
--- a/sitemap.xml
+++ b/sitemap.xml
@@ -7,7 +7,6 @@
https://www.binary.com/en/about-us.htmlmonthly0.8https://www.binary.com/en/binary-in-numbers.htmlmonthly0.8https://www.binary.com/en/careers.htmlmonthly0.8
-https://www.binary.com/en/careers-for-americans.htmlmonthly0.8https://www.binary.com/en/contact.htmlmonthly0.8https://www.binary.com/en/group-history.htmlmonthly0.8https://www.binary.com/en/open-positions.htmlmonthly0.8
@@ -47,7 +46,6 @@
https://www.binary.com/de/about-us.htmlmonthly0.8https://www.binary.com/de/binary-in-numbers.htmlmonthly0.8https://www.binary.com/de/careers.htmlmonthly0.8
-https://www.binary.com/de/careers-for-americans.htmlmonthly0.8https://www.binary.com/de/contact.htmlmonthly0.8https://www.binary.com/de/group-history.htmlmonthly0.8https://www.binary.com/de/open-positions.htmlmonthly0.8
@@ -87,7 +85,6 @@
https://www.binary.com/es/about-us.htmlmonthly0.8https://www.binary.com/es/binary-in-numbers.htmlmonthly0.8https://www.binary.com/es/careers.htmlmonthly0.8
-https://www.binary.com/es/careers-for-americans.htmlmonthly0.8https://www.binary.com/es/contact.htmlmonthly0.8https://www.binary.com/es/group-history.htmlmonthly0.8https://www.binary.com/es/open-positions.htmlmonthly0.8
@@ -127,7 +124,6 @@
https://www.binary.com/fr/about-us.htmlmonthly0.8https://www.binary.com/fr/binary-in-numbers.htmlmonthly0.8https://www.binary.com/fr/careers.htmlmonthly0.8
-https://www.binary.com/fr/careers-for-americans.htmlmonthly0.8https://www.binary.com/fr/contact.htmlmonthly0.8https://www.binary.com/fr/group-history.htmlmonthly0.8https://www.binary.com/fr/open-positions.htmlmonthly0.8
@@ -160,45 +156,6 @@
https://www.binary.com/fr/multi_barriers_trading.htmlmonthly0.8https://www.binary.com/fr/resources/asset_indexws.htmlmonthly0.8https://www.binary.com/fr/resources/market_timesws.htmlmonthly0.8
-https://www.binary.com/id/home.htmlmonthly1.0
-https://www.binary.com/id/tour.htmlmonthly0.8
-https://www.binary.com/id/why-us.htmlmonthly0.8
-https://www.binary.com/id/platforms.htmlmonthly0.8
-https://www.binary.com/id/about-us.htmlmonthly0.8
-https://www.binary.com/id/binary-in-numbers.htmlmonthly0.8
-https://www.binary.com/id/careers.htmlmonthly0.8
-https://www.binary.com/id/careers-for-americans.htmlmonthly0.8
-https://www.binary.com/id/contact.htmlmonthly0.8
-https://www.binary.com/id/group-history.htmlmonthly0.8
-https://www.binary.com/id/open-positions.htmlmonthly0.8
-https://www.binary.com/id/open-positions/job-details.htmlmonthly0.8
-https://www.binary.com/id/affiliate/signup.htmlmonthly0.8
-https://www.binary.com/id/charity.htmlmonthly0.8
-https://www.binary.com/id/legal/us_patents.htmlmonthly0.8
-https://www.binary.com/id/responsible-trading.htmlmonthly0.8
-https://www.binary.com/id/terms-and-conditions.htmlmonthly0.8
-https://www.binary.com/id/liquidity-solutions.htmlmonthly0.8
-https://www.binary.com/id/multiple-accounts-manager.htmlmonthly0.8
-https://www.binary.com/id/open-source-projects.htmlmonthly0.8
-https://www.binary.com/id/partners.htmlmonthly0.8
-https://www.binary.com/id/payment-agent.htmlmonthly0.8
-https://www.binary.com/id/security-testing.htmlmonthly0.8
-https://www.binary.com/id/get-started.htmlmonthly0.8
-https://www.binary.com/id/get-started/binary-options.htmlmonthly0.8
-https://www.binary.com/id/get-started/cfds.htmlmonthly0.8
-https://www.binary.com/id/get-started/cryptocurrencies.htmlmonthly0.8
-https://www.binary.com/id/get-started/forex.htmlmonthly0.8
-https://www.binary.com/id/get-started/metals.htmlmonthly0.8
-https://www.binary.com/id/metatrader/download.htmlmonthly0.8
-https://www.binary.com/id/metatrader/how-to-trade-mt5.htmlmonthly0.8
-https://www.binary.com/id/metatrader/types-of-accounts.htmlmonthly0.8
-https://www.binary.com/id/cashier.htmlmonthly0.8
-https://www.binary.com/id/cashier/payment_agent_listws.htmlmonthly0.8
-https://www.binary.com/id/cashier/payment_methods.htmlmonthly0.8
-https://www.binary.com/id/trading.htmlmonthly0.8
-https://www.binary.com/id/multi_barriers_trading.htmlmonthly0.8
-https://www.binary.com/id/resources/asset_indexws.htmlmonthly0.8
-https://www.binary.com/id/resources/market_timesws.htmlmonthly0.8https://www.binary.com/it/home.htmlmonthly1.0https://www.binary.com/it/tour.htmlmonthly0.8https://www.binary.com/it/why-us.htmlmonthly0.8
@@ -206,7 +163,6 @@
https://www.binary.com/it/about-us.htmlmonthly0.8https://www.binary.com/it/binary-in-numbers.htmlmonthly0.8https://www.binary.com/it/careers.htmlmonthly0.8
-https://www.binary.com/it/careers-for-americans.htmlmonthly0.8https://www.binary.com/it/contact.htmlmonthly0.8https://www.binary.com/it/group-history.htmlmonthly0.8https://www.binary.com/it/open-positions.htmlmonthly0.8
@@ -239,29 +195,6 @@
https://www.binary.com/it/multi_barriers_trading.htmlmonthly0.8https://www.binary.com/it/resources/asset_indexws.htmlmonthly0.8https://www.binary.com/it/resources/market_timesws.htmlmonthly0.8
-https://www.binary.com/ja/home-jp.htmlmonthly1.0
-https://www.binary.com/ja/tour-jp.htmlmonthly0.8
-https://www.binary.com/ja/why-us-jp.htmlmonthly0.8
-https://www.binary.com/ja/about-us.htmlmonthly0.8
-https://www.binary.com/ja/binary-in-numbers.htmlmonthly0.8
-https://www.binary.com/ja/contact.htmlmonthly0.8
-https://www.binary.com/ja/group-history.htmlmonthly0.8
-https://www.binary.com/ja/open-positions.htmlmonthly0.8
-https://www.binary.com/ja/open-positions/job-details.htmlmonthly0.8
-https://www.binary.com/ja/affiliate/signup-jp.htmlmonthly0.8
-https://www.binary.com/ja/charity.htmlmonthly0.8
-https://www.binary.com/ja/company-profile.htmlmonthly0.8
-https://www.binary.com/ja/regulation.htmlmonthly0.8
-https://www.binary.com/ja/service-announcements.htmlmonthly0.8
-https://www.binary.com/ja/terms-and-conditions-jp.htmlmonthly0.8
-https://www.binary.com/ja/get-started-jp.htmlmonthly0.8
-https://www.binary.com/ja/metatrader/download.htmlmonthly0.8
-https://www.binary.com/ja/metatrader/how-to-trade-mt5.htmlmonthly0.8
-https://www.binary.com/ja/metatrader/types-of-accounts.htmlmonthly0.8
-https://www.binary.com/ja/cashier.htmlmonthly0.8
-https://www.binary.com/ja/cashier/payment_agent_listws.htmlmonthly0.8
-https://www.binary.com/ja/multi_barriers_trading.htmlmonthly0.8
-https://www.binary.com/ja/resources/market_timesws.htmlmonthly0.8https://www.binary.com/ko/home.htmlmonthly1.0https://www.binary.com/ko/tour.htmlmonthly0.8https://www.binary.com/ko/why-us.htmlmonthly0.8
@@ -269,7 +202,6 @@
https://www.binary.com/ko/about-us.htmlmonthly0.8https://www.binary.com/ko/binary-in-numbers.htmlmonthly0.8https://www.binary.com/ko/careers.htmlmonthly0.8
-https://www.binary.com/ko/careers-for-americans.htmlmonthly0.8https://www.binary.com/ko/contact.htmlmonthly0.8https://www.binary.com/ko/group-history.htmlmonthly0.8https://www.binary.com/ko/open-positions.htmlmonthly0.8
@@ -309,7 +241,6 @@
https://www.binary.com/pl/about-us.htmlmonthly0.8https://www.binary.com/pl/binary-in-numbers.htmlmonthly0.8https://www.binary.com/pl/careers.htmlmonthly0.8
-https://www.binary.com/pl/careers-for-americans.htmlmonthly0.8https://www.binary.com/pl/contact.htmlmonthly0.8https://www.binary.com/pl/group-history.htmlmonthly0.8https://www.binary.com/pl/open-positions.htmlmonthly0.8
@@ -349,7 +280,6 @@
https://www.binary.com/pt/about-us.htmlmonthly0.8https://www.binary.com/pt/binary-in-numbers.htmlmonthly0.8https://www.binary.com/pt/careers.htmlmonthly0.8
-https://www.binary.com/pt/careers-for-americans.htmlmonthly0.8https://www.binary.com/pt/contact.htmlmonthly0.8https://www.binary.com/pt/group-history.htmlmonthly0.8https://www.binary.com/pt/open-positions.htmlmonthly0.8
@@ -389,7 +319,6 @@
https://www.binary.com/ru/about-us.htmlmonthly0.8https://www.binary.com/ru/binary-in-numbers.htmlmonthly0.8https://www.binary.com/ru/careers.htmlmonthly0.8
-https://www.binary.com/ru/careers-for-americans.htmlmonthly0.8https://www.binary.com/ru/contact.htmlmonthly0.8https://www.binary.com/ru/group-history.htmlmonthly0.8https://www.binary.com/ru/open-positions.htmlmonthly0.8
@@ -429,7 +358,6 @@
https://www.binary.com/th/about-us.htmlmonthly0.8https://www.binary.com/th/binary-in-numbers.htmlmonthly0.8https://www.binary.com/th/careers.htmlmonthly0.8
-https://www.binary.com/th/careers-for-americans.htmlmonthly0.8https://www.binary.com/th/contact.htmlmonthly0.8https://www.binary.com/th/group-history.htmlmonthly0.8https://www.binary.com/th/open-positions.htmlmonthly0.8
@@ -469,7 +397,6 @@
https://www.binary.com/vi/about-us.htmlmonthly0.8https://www.binary.com/vi/binary-in-numbers.htmlmonthly0.8https://www.binary.com/vi/careers.htmlmonthly0.8
-https://www.binary.com/vi/careers-for-americans.htmlmonthly0.8https://www.binary.com/vi/contact.htmlmonthly0.8https://www.binary.com/vi/group-history.htmlmonthly0.8https://www.binary.com/vi/open-positions.htmlmonthly0.8
@@ -509,7 +436,6 @@
https://www.binary.com/zh_cn/about-us.htmlmonthly0.8https://www.binary.com/zh_cn/binary-in-numbers.htmlmonthly0.8https://www.binary.com/zh_cn/careers.htmlmonthly0.8
-https://www.binary.com/zh_cn/careers-for-americans.htmlmonthly0.8https://www.binary.com/zh_cn/contact.htmlmonthly0.8https://www.binary.com/zh_cn/group-history.htmlmonthly0.8https://www.binary.com/zh_cn/open-positions.htmlmonthly0.8
@@ -549,7 +475,6 @@
https://www.binary.com/zh_tw/about-us.htmlmonthly0.8https://www.binary.com/zh_tw/binary-in-numbers.htmlmonthly0.8https://www.binary.com/zh_tw/careers.htmlmonthly0.8
-https://www.binary.com/zh_tw/careers-for-americans.htmlmonthly0.8https://www.binary.com/zh_tw/contact.htmlmonthly0.8https://www.binary.com/zh_tw/group-history.htmlmonthly0.8https://www.binary.com/zh_tw/open-positions.htmlmonthly0.8
diff --git a/src/download/binary-expat-handbook.pdf b/src/download/binary-expat-handbook.pdf
new file mode 100644
index 0000000000000..be886cfc8eb84
Binary files /dev/null and b/src/download/binary-expat-handbook.pdf differ
diff --git a/src/download/key_information_document/en/CFD.pdf b/src/download/key_information_document/en/CFD.pdf
index b4e00d13a1cc0..98427c30d4cec 100644
Binary files a/src/download/key_information_document/en/CFD.pdf and b/src/download/key_information_document/en/CFD.pdf differ
diff --git a/src/download/key_information_document/en/FX.pdf b/src/download/key_information_document/en/FX.pdf
index 1b684b7c9402e..3e8e1dca0ee3c 100644
Binary files a/src/download/key_information_document/en/FX.pdf and b/src/download/key_information_document/en/FX.pdf differ
diff --git a/src/download/payment/Binary.com_Credit&Debit.pdf b/src/download/payment/Binary.com_Credit_Debit.pdf
similarity index 100%
rename from src/download/payment/Binary.com_Credit&Debit.pdf
rename to src/download/payment/Binary.com_Credit_Debit.pdf
diff --git a/src/images/interview_popup/bg-shape.svg b/src/images/interview_popup/bg-shape.svg
new file mode 100644
index 0000000000000..94037ad9d9318
--- /dev/null
+++ b/src/images/interview_popup/bg-shape.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/interview_popup/present.svg b/src/images/interview_popup/present.svg
new file mode 100644
index 0000000000000..60e696ed6fb96
--- /dev/null
+++ b/src/images/interview_popup/present.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/about/mac-ja.png b/src/images/pages/about/mac-ja.png
deleted file mode 100644
index 0bb0e4bfebad0..0000000000000
Binary files a/src/images/pages/about/mac-ja.png and /dev/null differ
diff --git a/src/images/pages/binary_in_numbers/charts/chart-num-employees.svg b/src/images/pages/binary_in_numbers/charts/chart-num-employees.svg
index 42fcfbb89fc8e..13016caeb7415 100644
--- a/src/images/pages/binary_in_numbers/charts/chart-num-employees.svg
+++ b/src/images/pages/binary_in_numbers/charts/chart-num-employees.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/browser_support/chromelogo.png b/src/images/pages/browser_support/chromelogo.png
deleted file mode 100644
index 0ef59069eef2e..0000000000000
Binary files a/src/images/pages/browser_support/chromelogo.png and /dev/null differ
diff --git a/src/images/pages/browser_support/edgelogo.png b/src/images/pages/browser_support/edgelogo.png
deleted file mode 100644
index 9f870c82cc6db..0000000000000
Binary files a/src/images/pages/browser_support/edgelogo.png and /dev/null differ
diff --git a/src/images/pages/browser_support/firefoxlogo.png b/src/images/pages/browser_support/firefoxlogo.png
deleted file mode 100644
index 306be986350fa..0000000000000
Binary files a/src/images/pages/browser_support/firefoxlogo.png and /dev/null differ
diff --git a/src/images/pages/browser_support/ielogo.png b/src/images/pages/browser_support/ielogo.png
deleted file mode 100644
index ba01407d3fdda..0000000000000
Binary files a/src/images/pages/browser_support/ielogo.png and /dev/null differ
diff --git a/src/images/pages/browser_support/operalogo.png b/src/images/pages/browser_support/operalogo.png
deleted file mode 100644
index a2854ff8d4324..0000000000000
Binary files a/src/images/pages/browser_support/operalogo.png and /dev/null differ
diff --git a/src/images/pages/browser_support/safarilogo.png b/src/images/pages/browser_support/safarilogo.png
deleted file mode 100644
index 391d6a04effda..0000000000000
Binary files a/src/images/pages/browser_support/safarilogo.png and /dev/null differ
diff --git a/src/images/pages/careers/ex-icon.svg b/src/images/pages/careers/ex-icon.svg
new file mode 100644
index 0000000000000..aa97bd7ea718d
--- /dev/null
+++ b/src/images/pages/careers/ex-icon.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/careers_for_americans/data_scientist.svg b/src/images/pages/careers_for_americans/data_scientist.svg
deleted file mode 100644
index 9a97efe302a81..0000000000000
--- a/src/images/pages/careers_for_americans/data_scientist.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/careers_for_americans/quants_analysis.svg b/src/images/pages/careers_for_americans/quants_analysis.svg
deleted file mode 100644
index e12423c750040..0000000000000
--- a/src/images/pages/careers_for_americans/quants_analysis.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/careers_for_americans/usa.jpg b/src/images/pages/careers_for_americans/usa.jpg
deleted file mode 100644
index e6561d5c2a661..0000000000000
Binary files a/src/images/pages/careers_for_americans/usa.jpg and /dev/null differ
diff --git a/src/images/pages/charity/charity_run.jpg b/src/images/pages/charity/charity_run.jpg
new file mode 100644
index 0000000000000..42f4c7d24c83a
Binary files /dev/null and b/src/images/pages/charity/charity_run.jpg differ
diff --git a/src/images/pages/contact/banner-bg.svg b/src/images/pages/contact/banner-bg.svg
new file mode 100644
index 0000000000000..5c9e2fa1bf5ef
--- /dev/null
+++ b/src/images/pages/contact/banner-bg.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/contact/contact-icon.svg b/src/images/pages/contact/contact-icon.svg
index 07676edb4060e..61f0971436aea 100644
--- a/src/images/pages/contact/contact-icon.svg
+++ b/src/images/pages/contact/contact-icon.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/contact/content-icon.svg b/src/images/pages/contact/content-icon.svg
new file mode 100644
index 0000000000000..e10647990ac08
--- /dev/null
+++ b/src/images/pages/contact/content-icon.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/contact/search-icon.svg b/src/images/pages/contact/search-icon.svg
new file mode 100644
index 0000000000000..7a1c6f04d0b0b
--- /dev/null
+++ b/src/images/pages/contact/search-icon.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/contact/ticket-icon.svg b/src/images/pages/contact/ticket-icon.svg
new file mode 100644
index 0000000000000..ecacbf7500b83
--- /dev/null
+++ b/src/images/pages/contact/ticket-icon.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/contact/chat-icon.svg b/src/images/pages/contact_2/chat-icon.svg
similarity index 100%
rename from src/images/pages/contact/chat-icon.svg
rename to src/images/pages/contact_2/chat-icon.svg
diff --git a/src/images/pages/contact_2/contact-icon.svg b/src/images/pages/contact_2/contact-icon.svg
new file mode 100644
index 0000000000000..07676edb4060e
--- /dev/null
+++ b/src/images/pages/contact_2/contact-icon.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/footer/labuan_FSA.svg b/src/images/pages/footer/labuan_FSA.svg
new file mode 100644
index 0000000000000..919f81ce2d481
--- /dev/null
+++ b/src/images/pages/footer/labuan_FSA.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/get-started-jp/contract.svg b/src/images/pages/get-started-jp/contract.svg
deleted file mode 100644
index 90c42708fe166..0000000000000
--- a/src/images/pages/get-started-jp/contract.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/get-started-jp/guide.svg b/src/images/pages/get-started-jp/guide.svg
deleted file mode 100644
index 24148f9b33edd..0000000000000
--- a/src/images/pages/get-started-jp/guide.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/get-started-jp/id.svg b/src/images/pages/get-started-jp/id.svg
deleted file mode 100644
index c8485f0dfcdda..0000000000000
--- a/src/images/pages/get-started-jp/id.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/get-started-jp/knowledge.svg b/src/images/pages/get-started-jp/knowledge.svg
deleted file mode 100644
index adc459f39b011..0000000000000
--- a/src/images/pages/get-started-jp/knowledge.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/get-started-jp/open_acc.svg b/src/images/pages/get-started-jp/open_acc.svg
deleted file mode 100644
index 2c9f8d9ba4f97..0000000000000
--- a/src/images/pages/get-started-jp/open_acc.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/get-started-jp/summary.svg b/src/images/pages/get-started-jp/summary.svg
deleted file mode 100644
index 21a7523ecf3a8..0000000000000
--- a/src/images/pages/get-started-jp/summary.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/get-started/binary-options/range-of-markets/indices.svg b/src/images/pages/get-started/binary-options/range-of-markets/indices.svg
index 0b057d905cc21..d44f8d1e39697 100644
--- a/src/images/pages/get-started/binary-options/range-of-markets/indices.svg
+++ b/src/images/pages/get-started/binary-options/range-of-markets/indices.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/get-started/mt5/how-to-trade-binary/step-1.png b/src/images/pages/get-started/mt5/how-to-trade-binary/step-1.png
new file mode 100644
index 0000000000000..cbd7d487e0b28
Binary files /dev/null and b/src/images/pages/get-started/mt5/how-to-trade-binary/step-1.png differ
diff --git a/src/images/pages/get-started/mt5/how-to-trade-binary/step-2-bg.png b/src/images/pages/get-started/mt5/how-to-trade-binary/step-2-bg.png
new file mode 100644
index 0000000000000..20a788d37d498
Binary files /dev/null and b/src/images/pages/get-started/mt5/how-to-trade-binary/step-2-bg.png differ
diff --git a/src/images/pages/get-started/mt5/how-to-trade-binary/step-3.png b/src/images/pages/get-started/mt5/how-to-trade-binary/step-3.png
new file mode 100644
index 0000000000000..fe0871ec2bd62
Binary files /dev/null and b/src/images/pages/get-started/mt5/how-to-trade-binary/step-3.png differ
diff --git a/src/images/pages/get-started/mt5/how-to-trade-binary/step-4.png b/src/images/pages/get-started/mt5/how-to-trade-binary/step-4.png
new file mode 100644
index 0000000000000..882f28754e1d2
Binary files /dev/null and b/src/images/pages/get-started/mt5/how-to-trade-binary/step-4.png differ
diff --git a/src/images/pages/get-started/mt5/how-to-trade-binary/step-5.png b/src/images/pages/get-started/mt5/how-to-trade-binary/step-5.png
new file mode 100644
index 0000000000000..a50d688af443f
Binary files /dev/null and b/src/images/pages/get-started/mt5/how-to-trade-binary/step-5.png differ
diff --git a/src/images/pages/get-started/mt5/how-to-trade-binary/step-6.png b/src/images/pages/get-started/mt5/how-to-trade-binary/step-6.png
new file mode 100644
index 0000000000000..3970960984546
Binary files /dev/null and b/src/images/pages/get-started/mt5/how-to-trade-binary/step-6.png differ
diff --git a/src/images/pages/get-started/mt5/how-trade-binary.svg b/src/images/pages/get-started/mt5/how-trade-binary.svg
new file mode 100644
index 0000000000000..6dfb9c0488e3f
--- /dev/null
+++ b/src/images/pages/get-started/mt5/how-trade-binary.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/get-started/mt5/what-binary-trading.svg b/src/images/pages/get-started/mt5/what-binary-trading.svg
new file mode 100644
index 0000000000000..d131e7e026a9c
--- /dev/null
+++ b/src/images/pages/get-started/mt5/what-binary-trading.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/home-jp/1.svg b/src/images/pages/home-jp/1.svg
deleted file mode 100644
index 93886c5119a6a..0000000000000
--- a/src/images/pages/home-jp/1.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/2.svg b/src/images/pages/home-jp/2.svg
deleted file mode 100644
index e4d7f495b5739..0000000000000
--- a/src/images/pages/home-jp/2.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/3.svg b/src/images/pages/home-jp/3.svg
deleted file mode 100644
index 48430f295e683..0000000000000
--- a/src/images/pages/home-jp/3.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/4.svg b/src/images/pages/home-jp/4.svg
deleted file mode 100644
index 506a7fa229708..0000000000000
--- a/src/images/pages/home-jp/4.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/5.svg b/src/images/pages/home-jp/5.svg
deleted file mode 100644
index 951c6be843d39..0000000000000
--- a/src/images/pages/home-jp/5.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/6.svg b/src/images/pages/home-jp/6.svg
deleted file mode 100644
index 0a4321c26f9fb..0000000000000
--- a/src/images/pages/home-jp/6.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/JSF.png b/src/images/pages/home-jp/JSF.png
deleted file mode 100644
index 835cbb3ee69ea..0000000000000
Binary files a/src/images/pages/home-jp/JSF.png and /dev/null differ
diff --git a/src/images/pages/home-jp/currencies.svg b/src/images/pages/home-jp/currencies.svg
deleted file mode 100644
index 8e033df9373de..0000000000000
--- a/src/images/pages/home-jp/currencies.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/demo.svg b/src/images/pages/home-jp/demo.svg
deleted file mode 100644
index ef672c980911c..0000000000000
--- a/src/images/pages/home-jp/demo.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/email.svg b/src/images/pages/home-jp/email.svg
deleted file mode 100644
index 41bfc7b11628a..0000000000000
--- a/src/images/pages/home-jp/email.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/fund.svg b/src/images/pages/home-jp/fund.svg
deleted file mode 100644
index a70e3924ff2a4..0000000000000
--- a/src/images/pages/home-jp/fund.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/home-jp-banner.png b/src/images/pages/home-jp/home-jp-banner.png
deleted file mode 100644
index fe5ad7a7ee250..0000000000000
Binary files a/src/images/pages/home-jp/home-jp-banner.png and /dev/null differ
diff --git a/src/images/pages/home-jp/icons/left_disabled.svg b/src/images/pages/home-jp/icons/left_disabled.svg
deleted file mode 100644
index cb0d26242f08f..0000000000000
--- a/src/images/pages/home-jp/icons/left_disabled.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/icons/left_enabled.svg b/src/images/pages/home-jp/icons/left_enabled.svg
deleted file mode 100644
index 5efc4c474a517..0000000000000
--- a/src/images/pages/home-jp/icons/left_enabled.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/icons/right_disabled.svg b/src/images/pages/home-jp/icons/right_disabled.svg
deleted file mode 100644
index eb6abf8038af4..0000000000000
--- a/src/images/pages/home-jp/icons/right_disabled.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/icons/right_enabled.svg b/src/images/pages/home-jp/icons/right_enabled.svg
deleted file mode 100644
index 5ead783aed55a..0000000000000
--- a/src/images/pages/home-jp/icons/right_enabled.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/personal_info.svg b/src/images/pages/home-jp/personal_info.svg
deleted file mode 100644
index 5df92c5aaaa2b..0000000000000
--- a/src/images/pages/home-jp/personal_info.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/secure.svg b/src/images/pages/home-jp/secure.svg
deleted file mode 100644
index 32c1b4fabec97..0000000000000
--- a/src/images/pages/home-jp/secure.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/home-jp/test.svg b/src/images/pages/home-jp/test.svg
deleted file mode 100644
index 712c591c147c4..0000000000000
--- a/src/images/pages/home-jp/test.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/account_password.svg b/src/images/pages/keep_safe/account_password.svg
new file mode 100644
index 0000000000000..9bfa3540d24b7
--- /dev/null
+++ b/src/images/pages/keep_safe/account_password.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/antivirus.svg b/src/images/pages/keep_safe/antivirus.svg
new file mode 100644
index 0000000000000..e663ecc39920f
--- /dev/null
+++ b/src/images/pages/keep_safe/antivirus.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/browser.svg b/src/images/pages/keep_safe/browser.svg
new file mode 100644
index 0000000000000..a55a500dfa4bc
--- /dev/null
+++ b/src/images/pages/keep_safe/browser.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/cashier_lock.svg b/src/images/pages/keep_safe/cashier_lock.svg
new file mode 100644
index 0000000000000..d53f3dc9ca4dc
--- /dev/null
+++ b/src/images/pages/keep_safe/cashier_lock.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/cloudfare.svg b/src/images/pages/keep_safe/cloudfare.svg
new file mode 100644
index 0000000000000..55c4a31faed90
--- /dev/null
+++ b/src/images/pages/keep_safe/cloudfare.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/desktop_app.svg b/src/images/pages/keep_safe/desktop_app.svg
new file mode 100644
index 0000000000000..4ad1d70a085d3
--- /dev/null
+++ b/src/images/pages/keep_safe/desktop_app.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/login_history.svg b/src/images/pages/keep_safe/login_history.svg
new file mode 100644
index 0000000000000..f2e15d7ab0054
--- /dev/null
+++ b/src/images/pages/keep_safe/login_history.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/no_share.svg b/src/images/pages/keep_safe/no_share.svg
new file mode 100644
index 0000000000000..11541d97b7f1f
--- /dev/null
+++ b/src/images/pages/keep_safe/no_share.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/risk.svg b/src/images/pages/keep_safe/risk.svg
new file mode 100644
index 0000000000000..98482992e8a1f
--- /dev/null
+++ b/src/images/pages/keep_safe/risk.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/two_factor.svg b/src/images/pages/keep_safe/two_factor.svg
new file mode 100644
index 0000000000000..bfe1ebb773358
--- /dev/null
+++ b/src/images/pages/keep_safe/two_factor.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/keep_safe/virtual_funds.png b/src/images/pages/keep_safe/virtual_funds.png
new file mode 100644
index 0000000000000..2fe1cb9fe1769
Binary files /dev/null and b/src/images/pages/keep_safe/virtual_funds.png differ
diff --git a/src/images/pages/metatrader/dashboard/binary-options.svg b/src/images/pages/metatrader/dashboard/binary-options.svg
new file mode 100644
index 0000000000000..0f984db2e041f
--- /dev/null
+++ b/src/images/pages/metatrader/dashboard/binary-options.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/dashboard/ea.svg b/src/images/pages/metatrader/dashboard/ea.svg
new file mode 100644
index 0000000000000..9d2e52b580f20
--- /dev/null
+++ b/src/images/pages/metatrader/dashboard/ea.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/dashboard/linux.svg b/src/images/pages/metatrader/dashboard/linux.svg
deleted file mode 100644
index ae0d6052b89a3..0000000000000
--- a/src/images/pages/metatrader/dashboard/linux.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/dashboard/mac.svg b/src/images/pages/metatrader/dashboard/mac.svg
deleted file mode 100644
index 7f6142f732061..0000000000000
--- a/src/images/pages/metatrader/dashboard/mac.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/dashboard/mt5.png b/src/images/pages/metatrader/dashboard/mt5.png
new file mode 100755
index 0000000000000..524d22d5211f2
Binary files /dev/null and b/src/images/pages/metatrader/dashboard/mt5.png differ
diff --git a/src/images/pages/metatrader/dashboard/web.svg b/src/images/pages/metatrader/dashboard/web.svg
deleted file mode 100644
index 3934a04738800..0000000000000
--- a/src/images/pages/metatrader/dashboard/web.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/dashboard/windows.svg b/src/images/pages/metatrader/dashboard/windows.svg
deleted file mode 100644
index 02051fd4f5cdc..0000000000000
--- a/src/images/pages/metatrader/dashboard/windows.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/acc_advanced.svg b/src/images/pages/metatrader/icons/acc_advanced.svg
index c0bbe30d2e908..cfd1530336eb8 100644
--- a/src/images/pages/metatrader/icons/acc_advanced.svg
+++ b/src/images/pages/metatrader/icons/acc_advanced.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/acc_standard.svg b/src/images/pages/metatrader/icons/acc_standard.svg
index 0e222782c3d8f..8d89ae89e5933 100644
--- a/src/images/pages/metatrader/icons/acc_standard.svg
+++ b/src/images/pages/metatrader/icons/acc_standard.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/acc_volatility_indices.svg b/src/images/pages/metatrader/icons/acc_volatility_indices.svg
index 7b4253f42c59e..202e8a741e9c8 100644
--- a/src/images/pages/metatrader/icons/acc_volatility_indices.svg
+++ b/src/images/pages/metatrader/icons/acc_volatility_indices.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/android-device.png b/src/images/pages/metatrader/icons/android-device.png
new file mode 100755
index 0000000000000..72f6a3dcfccfb
Binary files /dev/null and b/src/images/pages/metatrader/icons/android-device.png differ
diff --git a/src/images/pages/metatrader/icons/android.svg b/src/images/pages/metatrader/icons/android.svg
deleted file mode 100755
index a977710eb6691..0000000000000
--- a/src/images/pages/metatrader/icons/android.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/apple.svg b/src/images/pages/metatrader/icons/apple.svg
deleted file mode 100755
index 9e2e91d64d0fa..0000000000000
--- a/src/images/pages/metatrader/icons/apple.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/chrome.svg b/src/images/pages/metatrader/icons/chrome.svg
old mode 100755
new mode 100644
index 07e0be52e63fb..bca23eca0ccc7
--- a/src/images/pages/metatrader/icons/chrome.svg
+++ b/src/images/pages/metatrader/icons/chrome.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/edge.svg b/src/images/pages/metatrader/icons/edge.svg
index 4df205376ecc8..15f677116a901 100644
--- a/src/images/pages/metatrader/icons/edge.svg
+++ b/src/images/pages/metatrader/icons/edge.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/firefox.svg b/src/images/pages/metatrader/icons/firefox.svg
index 2de4287c307b5..86bc263eeb81e 100644
--- a/src/images/pages/metatrader/icons/firefox.svg
+++ b/src/images/pages/metatrader/icons/firefox.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/ios-device.png b/src/images/pages/metatrader/icons/ios-device.png
new file mode 100755
index 0000000000000..f4ad5eca4f424
Binary files /dev/null and b/src/images/pages/metatrader/icons/ios-device.png differ
diff --git a/src/images/pages/metatrader/icons/linux.png b/src/images/pages/metatrader/icons/linux.png
new file mode 100755
index 0000000000000..3287295fa2c78
Binary files /dev/null and b/src/images/pages/metatrader/icons/linux.png differ
diff --git a/src/images/pages/metatrader/icons/linux.svg b/src/images/pages/metatrader/icons/linux.svg
deleted file mode 100644
index 93b37b09866b1..0000000000000
--- a/src/images/pages/metatrader/icons/linux.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/mac.png b/src/images/pages/metatrader/icons/mac.png
new file mode 100755
index 0000000000000..adc37e8e13a53
Binary files /dev/null and b/src/images/pages/metatrader/icons/mac.png differ
diff --git a/src/images/pages/metatrader/icons/new_account.svg b/src/images/pages/metatrader/icons/new_account.svg
index 03f4fbab6565d..ab91719941152 100644
--- a/src/images/pages/metatrader/icons/new_account.svg
+++ b/src/images/pages/metatrader/icons/new_account.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/opera.svg b/src/images/pages/metatrader/icons/opera.svg
index fc5b0f1b452a3..c1c463d72fb14 100644
--- a/src/images/pages/metatrader/icons/opera.svg
+++ b/src/images/pages/metatrader/icons/opera.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/safari.svg b/src/images/pages/metatrader/icons/safari.svg
index 7177524c5ac3a..91dc55b0b5a6f 100644
--- a/src/images/pages/metatrader/icons/safari.svg
+++ b/src/images/pages/metatrader/icons/safari.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/metatrader/icons/windows.png b/src/images/pages/metatrader/icons/windows.png
new file mode 100755
index 0000000000000..289130f9c1149
Binary files /dev/null and b/src/images/pages/metatrader/icons/windows.png differ
diff --git a/src/images/pages/metatrader/icons/windows.svg b/src/images/pages/metatrader/icons/windows.svg
deleted file mode 100755
index 72cdf204b4f33..0000000000000
--- a/src/images/pages/metatrader/icons/windows.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/payment_agent/banks/bch.png b/src/images/pages/payment_agent/banks/bch.png
new file mode 100644
index 0000000000000..050d146904c55
Binary files /dev/null and b/src/images/pages/payment_agent/banks/bch.png differ
diff --git a/src/images/pages/payment_agent/banks/btc.png b/src/images/pages/payment_agent/banks/btc.png
new file mode 100644
index 0000000000000..d6bb8c90af4e0
Binary files /dev/null and b/src/images/pages/payment_agent/banks/btc.png differ
diff --git a/src/images/pages/payment_agent/banks/dai.png b/src/images/pages/payment_agent/banks/dai.png
new file mode 100644
index 0000000000000..50af224063cab
Binary files /dev/null and b/src/images/pages/payment_agent/banks/dai.png differ
diff --git a/src/images/pages/payment_agent/banks/eth.png b/src/images/pages/payment_agent/banks/eth.png
new file mode 100644
index 0000000000000..6c6f0a32179c3
Binary files /dev/null and b/src/images/pages/payment_agent/banks/eth.png differ
diff --git a/src/images/pages/payment_agent/banks/ethd.png b/src/images/pages/payment_agent/banks/ethd.png
new file mode 100644
index 0000000000000..b09f814832787
Binary files /dev/null and b/src/images/pages/payment_agent/banks/ethd.png differ
diff --git a/src/images/pages/payment_agent/banks/ltc.png b/src/images/pages/payment_agent/banks/ltc.png
new file mode 100644
index 0000000000000..4a5d258a1b868
Binary files /dev/null and b/src/images/pages/payment_agent/banks/ltc.png differ
diff --git a/src/images/pages/payment_agent/banks/tether.png b/src/images/pages/payment_agent/banks/tether.png
new file mode 100644
index 0000000000000..9c6d198bc3600
Binary files /dev/null and b/src/images/pages/payment_agent/banks/tether.png differ
diff --git a/src/images/pages/platforms/devices.svg b/src/images/pages/platforms/devices.svg
new file mode 100644
index 0000000000000..7cd4433512987
--- /dev/null
+++ b/src/images/pages/platforms/devices.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/platforms/linux.svg b/src/images/pages/platforms/linux.svg
new file mode 100644
index 0000000000000..1775e4d99ac1e
--- /dev/null
+++ b/src/images/pages/platforms/linux.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/platforms/mac.svg b/src/images/pages/platforms/mac.svg
new file mode 100644
index 0000000000000..3b130db255b53
--- /dev/null
+++ b/src/images/pages/platforms/mac.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/platforms/new_badge.svg b/src/images/pages/platforms/new_badge.svg
new file mode 100644
index 0000000000000..42b753d38c436
--- /dev/null
+++ b/src/images/pages/platforms/new_badge.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/platforms/windows.svg b/src/images/pages/platforms/windows.svg
new file mode 100644
index 0000000000000..922ccdedfd114
--- /dev/null
+++ b/src/images/pages/platforms/windows.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/regulation/binarykk-logo.gif b/src/images/pages/regulation/binarykk-logo.gif
deleted file mode 100644
index a84b5101e060c..0000000000000
Binary files a/src/images/pages/regulation/binarykk-logo.gif and /dev/null differ
diff --git a/src/images/pages/set_currency/ust.svg b/src/images/pages/set_currency/ust.svg
new file mode 100644
index 0000000000000..8997e45719502
--- /dev/null
+++ b/src/images/pages/set_currency/ust.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/settings/connect-1111.svg b/src/images/pages/settings/connect-1111.svg
new file mode 100644
index 0000000000000..a4a429d75cdef
--- /dev/null
+++ b/src/images/pages/settings/connect-1111.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/settings/vpn.svg b/src/images/pages/settings/vpn.svg
new file mode 100644
index 0000000000000..2d4fddd4036d7
--- /dev/null
+++ b/src/images/pages/settings/vpn.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/tour-jp/analysis.png b/src/images/pages/tour-jp/analysis.png
deleted file mode 100644
index bc918328dd1bb..0000000000000
Binary files a/src/images/pages/tour-jp/analysis.png and /dev/null differ
diff --git a/src/images/pages/tour-jp/buy_buttons.png b/src/images/pages/tour-jp/buy_buttons.png
deleted file mode 100644
index 51d6c515407a9..0000000000000
Binary files a/src/images/pages/tour-jp/buy_buttons.png and /dev/null differ
diff --git a/src/images/pages/tour-jp/sell_confirm.png b/src/images/pages/tour-jp/sell_confirm.png
deleted file mode 100644
index a576c5c40915c..0000000000000
Binary files a/src/images/pages/tour-jp/sell_confirm.png and /dev/null differ
diff --git a/src/images/pages/tour-jp/sell_tradeview.png b/src/images/pages/tour-jp/sell_tradeview.png
deleted file mode 100644
index e38fc4b636e11..0000000000000
Binary files a/src/images/pages/tour-jp/sell_tradeview.png and /dev/null differ
diff --git a/src/images/pages/tour-jp/trade.png b/src/images/pages/tour-jp/trade.png
deleted file mode 100644
index 58e0df1120f02..0000000000000
Binary files a/src/images/pages/tour-jp/trade.png and /dev/null differ
diff --git a/src/images/pages/tour-jp/trade_in_portfolio.png b/src/images/pages/tour-jp/trade_in_portfolio.png
deleted file mode 100644
index 67eab98adecdd..0000000000000
Binary files a/src/images/pages/tour-jp/trade_in_portfolio.png and /dev/null differ
diff --git a/src/images/pages/tour-jp/tradeview.png b/src/images/pages/tour-jp/tradeview.png
deleted file mode 100644
index 654a3412128af..0000000000000
Binary files a/src/images/pages/tour-jp/tradeview.png and /dev/null differ
diff --git a/src/images/pages/tour/tour-flexible-banking.svg b/src/images/pages/tour/tour-flexible-banking.svg
deleted file mode 100644
index bc05b56b8beb8..0000000000000
--- a/src/images/pages/tour/tour-flexible-banking.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/tour/tour-jp.svg b/src/images/pages/tour/tour-jp.svg
deleted file mode 100644
index cbf9cf5bec0a6..0000000000000
--- a/src/images/pages/tour/tour-jp.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/ends-between.svg b/src/images/pages/trade-explanation/ja/ends-between.svg
deleted file mode 100644
index 67d910941bc80..0000000000000
--- a/src/images/pages/trade-explanation/ja/ends-between.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/ends-outside.svg b/src/images/pages/trade-explanation/ja/ends-outside.svg
deleted file mode 100644
index f6bf5382dcd68..0000000000000
--- a/src/images/pages/trade-explanation/ja/ends-outside.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/goes-outside.svg b/src/images/pages/trade-explanation/ja/goes-outside.svg
deleted file mode 100644
index e133d91accea0..0000000000000
--- a/src/images/pages/trade-explanation/ja/goes-outside.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/higher.svg b/src/images/pages/trade-explanation/ja/higher.svg
deleted file mode 100644
index 46604ed1b52df..0000000000000
--- a/src/images/pages/trade-explanation/ja/higher.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/lower.svg b/src/images/pages/trade-explanation/ja/lower.svg
deleted file mode 100644
index 8d212f5ab44d5..0000000000000
--- a/src/images/pages/trade-explanation/ja/lower.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/no-touch.svg b/src/images/pages/trade-explanation/ja/no-touch.svg
deleted file mode 100644
index bbcdf4a0215c7..0000000000000
--- a/src/images/pages/trade-explanation/ja/no-touch.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/stays-between.svg b/src/images/pages/trade-explanation/ja/stays-between.svg
deleted file mode 100644
index 6e7eb0eae371e..0000000000000
--- a/src/images/pages/trade-explanation/ja/stays-between.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade-explanation/ja/touch.svg b/src/images/pages/trade-explanation/ja/touch.svg
deleted file mode 100644
index 8ccee75f62189..0000000000000
--- a/src/images/pages/trade-explanation/ja/touch.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/trade/chart_payout_range.svg b/src/images/pages/trade/chart_payout_range.svg
index 301500504f9c8..a504739583a14 100644
--- a/src/images/pages/trade/chart_payout_range.svg
+++ b/src/images/pages/trade/chart_payout_range.svg
@@ -1 +1 @@
-
\ No newline at end of file
+
\ No newline at end of file
diff --git a/src/images/pages/vpn/btn-android.svg b/src/images/pages/vpn/btn-android.svg
new file mode 100644
index 0000000000000..b1ac8e08ea7c0
--- /dev/null
+++ b/src/images/pages/vpn/btn-android.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/vpn/btn-windows.svg b/src/images/pages/vpn/btn-windows.svg
new file mode 100644
index 0000000000000..b56df8170d9cc
--- /dev/null
+++ b/src/images/pages/vpn/btn-windows.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/vpn/ic-activate.svg b/src/images/pages/vpn/ic-activate.svg
new file mode 100644
index 0000000000000..02c64e7fa82a5
--- /dev/null
+++ b/src/images/pages/vpn/ic-activate.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/vpn/ic-browse.svg b/src/images/pages/vpn/ic-browse.svg
new file mode 100644
index 0000000000000..90172c9c6051f
--- /dev/null
+++ b/src/images/pages/vpn/ic-browse.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/vpn/ic-devices.svg b/src/images/pages/vpn/ic-devices.svg
new file mode 100644
index 0000000000000..1f584530a0bca
--- /dev/null
+++ b/src/images/pages/vpn/ic-devices.svg
@@ -0,0 +1 @@
+
\ No newline at end of file
diff --git a/src/images/pages/why-us-jp/fund_safe.svg b/src/images/pages/why-us-jp/fund_safe.svg
deleted file mode 100644
index 4d069c99b2ec5..0000000000000
--- a/src/images/pages/why-us-jp/fund_safe.svg
+++ /dev/null
@@ -1 +0,0 @@
-
\ No newline at end of file
diff --git a/src/images/pages/why-us-jp/portfolio.png b/src/images/pages/why-us-jp/portfolio.png
deleted file mode 100644
index 79bf914de547b..0000000000000
Binary files a/src/images/pages/why-us-jp/portfolio.png and /dev/null differ
diff --git a/src/images/pages/why-us-jp/track_trade.png b/src/images/pages/why-us-jp/track_trade.png
deleted file mode 100644
index e77668ab1077c..0000000000000
Binary files a/src/images/pages/why-us-jp/track_trade.png and /dev/null differ
diff --git a/src/images/pages/why-us-jp/trade_form.png b/src/images/pages/why-us-jp/trade_form.png
deleted file mode 100644
index e315fce1e0073..0000000000000
Binary files a/src/images/pages/why-us-jp/trade_form.png and /dev/null differ
diff --git a/src/javascript/_autogenerated/ach.js b/src/javascript/_autogenerated/ach.js
index 43f4cb2aa9d64..54bd1c3ef30c9 100644
--- a/src/javascript/_autogenerated/ach.js
+++ b/src/javascript/_autogenerated/ach.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['ACH'] = {"Day":"crwdns38205:0crwdne38205:0","Month":"crwdns39214:0crwdne39214:0","Year":"crwdns40588:0crwdne40588:0","Sorry,_an_error_occurred_while_processing_your_request_":"crwdns39807:0crwdne39807:0","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"crwdns46272:0[_1]locrwdnd46272:0[_2]crwdnd46272:0[_3]scrwdnd46272:0[_4]crwdne46272:0","Click_here_to_open_a_Real_Account":"crwdns44566:0crwdne44566:0","Open_a_Real_Account":"crwdns44591:0crwdne44591:0","Click_here_to_open_a_Financial_Account":"crwdns44565:0crwdne44565:0","Open_a_Financial_Account":"crwdns44590:0crwdne44590:0","Network_status":"crwdns43606:0crwdne43606:0","Online":"crwdns43608:0crwdne43608:0","Offline":"crwdns43607:0crwdne43607:0","Connecting_to_server":"crwdns43605:0crwdne43605:0","Virtual_Account":"crwdns40384:0crwdne40384:0","Real_Account":"crwdns39613:0crwdne39613:0","Investment_Account":"crwdns38820:0crwdne38820:0","Gaming_Account":"crwdns38530:0crwdne38530:0","Sunday":"crwdns39882:0crwdne39882:0","Monday":"crwdns39203:0crwdne39203:0","Tuesday":"crwdns40298:0crwdne40298:0","Wednesday":"crwdns40476:0crwdne40476:0","Thursday":"crwdns40179:0crwdne40179:0","Friday":"crwdns38511:0crwdne38511:0","Saturday":"crwdns39707:0crwdne39707:0","Su":"crwdns39869:0crwdne39869:0","Mo":"crwdns39202:0crwdne39202:0","Tu":"crwdns40297:0crwdne40297:0","We":"crwdns40403:0crwdne40403:0","Th":"crwdns39916:0crwdne39916:0","Fr":"crwdns38500:0crwdne38500:0","Sa":"crwdns39702:0crwdne39702:0","January":"crwdns38851:0crwdne38851:0","February":"crwdns38445:0crwdne38445:0","March":"crwdns39133:0crwdne39133:0","April":"crwdns37789:0crwdne37789:0","May":"crwdns39178:0crwdne39178:0","June":"crwdns39013:0crwdne39013:0","July":"crwdns39011:0crwdne39011:0","August":"crwdns37831:0crwdne37831:0","September":"crwdns39754:0crwdne39754:0","October":"crwdns39305:0crwdne39305:0","November":"crwdns39289:0crwdne39289:0","December":"crwdns38208:0crwdne38208:0","Jan":"crwdns38850:0crwdne38850:0","Feb":"crwdns38444:0crwdne38444:0","Mar":"crwdns39132:0crwdne39132:0","Apr":"crwdns37788:0crwdne37788:0","Jun":"crwdns39012:0crwdne39012:0","Jul":"crwdns39010:0crwdne39010:0","Aug":"crwdns37830:0crwdne37830:0","Sep":"crwdns39753:0crwdne39753:0","Oct":"crwdns39304:0crwdne39304:0","Nov":"crwdns39288:0crwdne39288:0","Dec":"crwdns38207:0crwdne38207:0","Next":"crwdns39254:0crwdne39254:0","Previous":"crwdns39538:0crwdne39538:0","Hour":"crwdns38594:0crwdne38594:0","Minute":"crwdns39200:0crwdne39200:0","AM":"crwdns37635:0crwdne37635:0","PM":"crwdns39413:0crwdne39413:0","Time_is_in_the_wrong_format_":"crwdns40184:0crwdne40184:0","Purchase_Time":"crwdns39586:0crwdne39586:0","Charting_for_this_underlying_is_delayed":"crwdns38001:0crwdne38001:0","Reset_Time":"crwdns45910:0crwdne45910:0","Payout_Range":"crwdns45997:0crwdne45997:0","Tick_[_1]":"crwdns45998:0[_1]crwdne45998:0","Ticks_history_returned_an_empty_array_":"crwdns46278:0crwdne46278:0","Chart_is_not_available_for_this_underlying_":"crwdns46267:0crwdne46267:0","year":"crwdns40843:0crwdne40843:0","month":"crwdns40809:0crwdne40809:0","week":"crwdns40840:0crwdne40840:0","day":"crwdns40789:0crwdne40789:0","days":"crwdns40790:0crwdne40790:0","h":"crwdns40796:0crwdne40796:0","hour":"crwdns40797:0crwdne40797:0","hours":"crwdns40798:0crwdne40798:0","min":"crwdns40805:0crwdne40805:0","minute":"crwdns40807:0crwdne40807:0","minutes":"crwdns40808:0crwdne40808:0","second":"crwdns40816:0crwdne40816:0","seconds":"crwdns40817:0crwdne40817:0","tick":"crwdns40830:0crwdne40830:0","ticks":"crwdns40831:0crwdne40831:0","Loss":"crwdns39101:0crwdne39101:0","Profit":"crwdns39567:0crwdne39567:0","Payout":"crwdns39434:0crwdne39434:0","Units":"crwdns43524:0crwdne43524:0","Stake":"crwdns39825:0crwdne39825:0","Duration":"crwdns38285:0crwdne38285:0","End_Time":"crwdns38340:0crwdne38340:0","Net_profit":"crwdns39243:0crwdne39243:0","Return":"crwdns39675:0crwdne39675:0","Now":"crwdns39291:0crwdne39291:0","Contract_Confirmation":"crwdns38121:0crwdne38121:0","Your_transaction_reference_is":"crwdns40760:0crwdne40760:0","Rise/Fall":"crwdns39685:0crwdne39685:0","Higher/Lower":"crwdns38587:0crwdne38587:0","In/Out":"crwdns38770:0crwdne38770:0","Matches/Differs":"crwdns39158:0crwdne39158:0","Even/Odd":"crwdns38375:0crwdne38375:0","Over/Under":"crwdns39404:0crwdne39404:0","Up/Down":"crwdns40335:0crwdne40335:0","Ends_Between/Ends_Outside":"crwdns43094:0crwdne43094:0","Touch/No_Touch":"crwdns40226:0crwdne40226:0","Stays_Between/Goes_Outside":"crwdns43059:0crwdne43059:0","Asians":"crwdns37815:0crwdne37815:0","Reset_Call/Reset_Put":"crwdns45984:0crwdne45984:0","High/Low_Ticks":"crwdns45964:0crwdne45964:0","Call_Spread/Put_Spread":"crwdns45983:0crwdne45983:0","Potential_Payout":"crwdns39521:0crwdne39521:0","Maximum_Payout":"crwdns45860:0crwdne45860:0","Total_Cost":"crwdns40220:0crwdne40220:0","Potential_Profit":"crwdns39522:0crwdne39522:0","Maximum_Profit":"crwdns45861:0crwdne45861:0","View":"crwdns40363:0crwdne40363:0","Tick":"crwdns40180:0crwdne40180:0","Buy_price":"crwdns37957:0crwdne37957:0","Final_price":"crwdns38453:0crwdne38453:0","Long":"crwdns39096:0crwdne39096:0","Short":"crwdns39774:0crwdne39774:0","Chart":"crwdns37998:0crwdne37998:0","Portfolio":"crwdns39515:0crwdne39515:0","Explanation":"crwdns38421:0crwdne38421:0","Last_Digit_Stats":"crwdns39034:0crwdne39034:0","Waiting_for_entry_tick_":"crwdns40393:0crwdne40393:0","Waiting_for_exit_tick_":"crwdns40394:0crwdne40394:0","Please_log_in_":"crwdns39484:0crwdne39484:0","All_markets_are_closed_now__Please_try_again_later_":"crwdns37731:0crwdne37731:0","Account_balance:":"crwdns37675:0crwdne37675:0","Try_our_[_1]Volatility_Indices[_2]_":"crwdns40294:0[_1]crwdnd40294:0[_2]crwdne40294:0","Try_our_other_markets_":"crwdns40295:0crwdne40295:0","Session":"crwdns39757:0crwdne39757:0","Crypto":"crwdns42089:0crwdne42089:0","Fiat":"crwdns44589:0crwdne44589:0","High":"crwdns43508:0crwdne43508:0","Low":"crwdns43513:0crwdne43513:0","Close":"crwdns43505:0crwdne43505:0","Payoff":"crwdns43516:0crwdne43516:0","High-Close":"crwdns43510:0crwdne43510:0","Close-Low":"crwdns43506:0crwdne43506:0","High-Low":"crwdns43511:0crwdne43511:0","Reset_Call":"crwdns45908:0crwdne45908:0","Reset_Put":"crwdns45909:0crwdne45909:0","Search___":"crwdns44646:0crwdne44646:0","Select_Asset":"crwdns44592:0crwdne44592:0","The_reset_time_is_[_1]":"crwdns45916:0[_1]crwdne45916:0","Purchase":"crwdns39584:0crwdne39584:0","Purchase_request_sent":"crwdns44917:0crwdne44917:0","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"crwdns45174:0crwdne45174:0","Please_reload_the_page":"crwdns46273:0crwdne46273:0","Trading_is_unavailable_at_this_time_":"crwdns46326:0crwdne46326:0","Maximum_multiplier_of_1000_":"crwdns46431:0crwdne46431:0","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"crwdns40731:0crwdne40731:0","Your_withdrawal_limit_is_[_1]_[_2]_":"crwdns40770:0[_1]crwdnd40770:0[_2]crwdne40770:0","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"crwdns40769:0[_1]crwdnd40769:0[_2]crwdne40769:0","You_have_already_withdrawn_[_1]_[_2]_":"crwdns40635:0[_1]crwdnd40635:0[_2]crwdne40635:0","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"crwdns40637:0[_1]crwdnd40637:0[_2]crwdne40637:0","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"crwdns40126:0[_1]crwdnd40126:0[_2]crwdne40126:0","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"crwdns40125:0[_1]crwdnd40125:0[_2]crwdne40125:0","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"crwdns40720:0[_1]crwdnd40720:0[_2]crwdnd40720:0[_3]crwdne40720:0","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"crwdns40636:0[_1]crwdnd40636:0[_2]crwdnd40636:0[_3]crwdne40636:0","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"crwdns41499:0crwdne41499:0","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"crwdns41498:0crwdne41498:0","ATM":"crwdns41497:0crwdne41497:0","Non-ATM":"crwdns41503:0crwdne41503:0","Duration_up_to_7_days":"crwdns41501:0crwdne41501:0","Duration_above_7_days":"crwdns41500:0crwdne41500:0","Major_Pairs":"crwdns39119:0crwdne39119:0","Forex":"crwdns38491:0crwdne38491:0","This_field_is_required_":"crwdns40161:0crwdne40161:0","Please_select_the_checkbox_":"crwdns39501:0crwdne39501:0","Please_accept_the_terms_and_conditions_":"crwdns39467:0crwdne39467:0","Only_[_1]_are_allowed_":"crwdns39323:0[_1]crwdne39323:0","letters":"crwdns40803:0crwdne40803:0","numbers":"crwdns40814:0crwdne40814:0","space":"crwdns40818:0crwdne40818:0","Sorry,_an_error_occurred_while_processing_your_account_":"crwdns39806:0crwdne39806:0","Your_changes_have_been_updated_successfully_":"crwdns40740:0crwdne40740:0","Your_settings_have_been_updated_successfully_":"crwdns40756:0crwdne40756:0","Female":"crwdns38447:0crwdne38447:0","Male":"crwdns39124:0crwdne39124:0","Please_select_a_country":"crwdns41906:0crwdne41906:0","Please_confirm_that_all_the_information_above_is_true_and_complete_":"crwdns43562:0crwdne43562:0","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"crwdns45898:0crwdne45898:0","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"crwdns45897:0crwdne45897:0","You_are_categorised_as_a_professional_client_":"crwdns45896:0crwdne45896:0","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"crwdns40758:0[_1]crwdne40758:0","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"crwdns40043:0[_1]crwdne40043:0","Password_should_have_lower_and_uppercase_letters_with_numbers_":"crwdns39422:0crwdne39422:0","Password_is_not_strong_enough_":"crwdns39420:0crwdne39420:0","Your_session_duration_limit_will_end_in_[_1]_seconds_":"crwdns40755:0[_1]crwdne40755:0","Invalid_email_address_":"crwdns43135:0crwdne43135:0","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"crwdns39918:0crwdne39918:0","Financial_Account":"crwdns44595:0crwdne44595:0","Upgrade_now":"crwdns44598:0crwdne44598:0","Please_select":"crwdns39495:0crwdne39495:0","Minimum_of_[_1]_characters_required_":"crwdns39197:0[_1]crwdne39197:0","Please_confirm_that_you_are_not_a_politically_exposed_person_":"crwdns39474:0crwdne39474:0","Asset":"crwdns37818:0crwdne37818:0","Opens":"crwdns39349:0crwdne39349:0","Closes":"crwdns38070:0crwdne38070:0","Settles":"crwdns39768:0crwdne39768:0","Upcoming_Events":"crwdns40336:0crwdne40336:0","Closes_early_(at_21:00)":"crwdns38072:0crwdne38072:0","Closes_early_(at_18:00)":"crwdns38071:0crwdne38071:0","New_Year's_Day":"crwdns39250:0crwdne39250:0","Christmas_Day":"crwdns38024:0crwdne38024:0","Fridays":"crwdns38512:0crwdne38512:0","today":"crwdns40832:0crwdne40832:0","today,_Fridays":"crwdns40833:0crwdne40833:0","Please_select_a_payment_agent":"crwdns39496:0crwdne39496:0","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"crwdns44645:0crwdne44645:0","Invalid_amount,_minimum_is":"crwdns38814:0crwdne38814:0","Invalid_amount,_maximum_is":"crwdns38813:0crwdne38813:0","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"crwdns40754:0[_1]crwdnd40754:0[_2]crwdnd40754:0[_3]crwdnd40754:0[_4]crwdne40754:0","Up_to_[_1]_decimal_places_are_allowed_":"crwdns42480:0[_1]crwdne42480:0","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"crwdns40757:0[_1]hecrwdnd40757:0[_2]crwdne40757:0","New_token_created_":"crwdns39253:0crwdne39253:0","The_maximum_number_of_tokens_([_1])_has_been_reached_":"crwdns40074:0[_1]crwdne40074:0","Name":"crwdns39232:0crwdne39232:0","Token":"crwdns40212:0crwdne40212:0","Last_Used":"crwdns39035:0crwdne39035:0","Scopes":"crwdns39711:0crwdne39711:0","Never_Used":"crwdns39247:0crwdne39247:0","Delete":"crwdns38214:0crwdne38214:0","Are_you_sure_that_you_want_to_permanently_delete_the_token":"crwdns43581:0crwdne43581:0","Please_select_at_least_one_scope":"crwdns39500:0crwdne39500:0","Guide":"crwdns41543:0crwdne41543:0","Finish":"crwdns38462:0crwdne38462:0","Step":"crwdns39843:0crwdne39843:0","Select_your_market_and_underlying_asset":"crwdns44918:0crwdne44918:0","Select_your_trade_type":"crwdns39736:0crwdne39736:0","Adjust_trade_parameters":"crwdns37697:0crwdne37697:0","Predict_the_directionand_purchase":"crwdns39527:0crwdne39527:0","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"crwdns39808:0crwdne39808:0","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"crwdns43631:0[_1]crwdnd43631:0[_2]crwdnd43631:0[_3]crwdne43631:0","years":"crwdns40844:0crwdne40844:0","months":"crwdns40810:0crwdne40810:0","weeks":"crwdns40841:0crwdne40841:0","Your_changes_have_been_updated_":"crwdns40741:0crwdne40741:0","Please_enter_an_integer_value":"crwdns39478:0crwdne39478:0","Session_duration_limit_cannot_be_more_than_6_weeks_":"crwdns39758:0crwdne39758:0","You_did_not_change_anything_":"crwdns40631:0crwdne40631:0","Please_select_a_valid_date_":"crwdns39497:0crwdne39497:0","Please_select_a_valid_time_":"crwdns39498:0crwdne39498:0","Time_out_cannot_be_in_the_past_":"crwdns40185:0crwdne40185:0","Time_out_must_be_after_today_":"crwdns40187:0crwdne40187:0","Time_out_cannot_be_more_than_6_weeks_":"crwdns40186:0crwdne40186:0","Exclude_time_cannot_be_less_than_6_months_":"crwdns38394:0crwdne38394:0","Exclude_time_cannot_be_for_more_than_5_years_":"crwdns38393:0crwdne38393:0","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"crwdns40505:0crwdne40505:0","Timed_out_until":"crwdns44621:0crwdne44621:0","Excluded_from_the_website_until":"crwdns44618:0crwdne44618:0","Ref_":"crwdns39627:0crwdne39627:0","Resale_not_offered":"crwdns39659:0crwdne39659:0","Date":"crwdns38201:0crwdne38201:0","Action":"crwdns37689:0crwdne37689:0","Contract":"crwdns38119:0crwdne38119:0","Sale_Date":"crwdns39704:0crwdne39704:0","Sale_Price":"crwdns39705:0crwdne39705:0","Total_Profit/Loss":"crwdns40223:0crwdne40223:0","Your_account_has_no_trading_activity_":"crwdns40730:0crwdne40730:0","Today":"crwdns40210:0crwdne40210:0","Details":"crwdns38237:0crwdne38237:0","Sell":"crwdns39742:0crwdne39742:0","Buy":"crwdns37954:0crwdne37954:0","Virtual_money_credit_to_account":"crwdns40385:0crwdne40385:0","This_feature_is_not_relevant_to_virtual-money_accounts_":"crwdns40159:0crwdne40159:0","Japan":"crwdns38852:0crwdne38852:0","Questions":"crwdns39598:0crwdne39598:0","True":"crwdns40286:0crwdne40286:0","False":"crwdns38438:0crwdne38438:0","There_was_some_invalid_character_in_an_input_field_":"crwdns40121:0crwdne40121:0","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"crwdns39482:0crwdne39482:0","Score":"crwdns39712:0crwdne39712:0","{JAPAN_ONLY}Take_knowledge_test":"crwdns41315:0{JAPAN ONLY}crwdne41315:0","{JAPAN_ONLY}Knowledge_Test_Result":"crwdns41137:0{JAPAN ONLY}crwdne41137:0","{JAPAN_ONLY}Knowledge_Test":"crwdns41136:0{JAPAN ONLY}crwdne41136:0","{JAPAN_ONLY}Congratulations,_you_have_pass_the_test,_our_Customer_Support_will_contact_you_shortly_":"crwdns41028:0{JAPAN ONLY}crwdne41028:0","{JAPAN_ONLY}Sorry,_you_have_failed_the_test,_please_try_again_after_24_hours_":"crwdns41213:0{JAPAN ONLY}crwdne41213:0","{JAPAN_ONLY}Dear_customer,_you_are_not_allowed_to_take_knowledge_test_until_[_1]__Last_test_taken_at_[_2]_":"crwdns41031:0{JAPAN ONLY}crwdnd41031:0[_1]crwdnd41031:0[_2]crwdne41031:0","{JAPAN_ONLY}Dear_customer,_you've_already_completed_the_knowledge_test,_please_proceed_to_next_step_":"crwdns41032:0{JAPAN ONLY}crwdne41032:0","{JAPAN_ONLY}Please_complete_the_following_questions_":"crwdns41171:0{JAPAN ONLY}crwdne41171:0","{JAPAN_ONLY}The_test_is_unavailable_now,_test_can_only_be_taken_again_on_next_business_day_with_respect_of_most_recent_test_":"crwdns41334:0{JAPAN ONLY}crwdne41334:0","{JAPAN_ONLY}You_need_to_finish_all_20_questions_":"crwdns44471:0{JAPAN ONLY}crwdne44471:0","Weekday":"crwdns40477:0crwdne40477:0","{JAPAN_ONLY}Your_Application_is_Being_Processed_":"crwdns44472:0{JAPAN ONLY}crwdne44472:0","{JAPAN_ONLY}Your_Application_has_Been_Processed__Please_Re-Login_to_Access_Your_Real-Money_Account_":"crwdns41383:0{JAPAN ONLY}crwdne41383:0","Processing_your_request___":"crwdns39559:0crwdne39559:0","Please_check_the_above_form_for_pending_errors_":"crwdns39468:0crwdne39468:0","Asian_Up":"crwdns43531:0crwdne43531:0","Asian_Down":"crwdns43530:0crwdne43530:0","Digit_Matches":"crwdns43544:0crwdne43544:0","Digit_Differs":"crwdns43542:0crwdne43542:0","Digit_Odd":"crwdns43545:0crwdne43545:0","Digit_Even":"crwdns43543:0crwdne43543:0","Digit_Over":"crwdns43546:0crwdne43546:0","Digit_Under":"crwdns43547:0crwdne43547:0","Call_Spread":"crwdns45846:0crwdne45846:0","Put_Spread":"crwdns45866:0crwdne45866:0","High_Tick":"crwdns46210:0crwdne46210:0","Low_Tick":"crwdns46211:0crwdne46211:0","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"crwdns37430:0[_1]crwdnd37430:0[_2]crwdnd37430:0[_3]crwdnd37430:0[_4]crwdne37430:0","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"crwdns37431:0[_1]crwdnd37431:0[_2]crwdnd37431:0[_3]crwdnd37431:0[_4]crwdne37431:0","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"crwdns37426:0[_1]crwdnd37426:0[_2]crwdnd37426:0[_3]crwdnd37426:0[_4]crwdne37426:0","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"crwdns37433:0[_1]crwdnd37433:0[_2]crwdnd37433:0[_3]crwdnd37433:0[_4]crwdne37433:0","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"crwdns37427:0[_1]crwdnd37427:0[_2]crwdnd37427:0[_3]crwdnd37427:0[_4]crwdne37427:0","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"crwdns37428:0[_1]crwdnd37428:0[_2]crwdnd37428:0[_3]crwdnd37428:0[_4]crwdne37428:0","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"crwdns37432:0[_1]crwdnd37432:0[_2]crwdnd37432:0[_3]crwdnd37432:0[_4]crwdne37432:0","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"crwdns37429:0[_1]crwdnd37429:0[_2]crwdnd37429:0[_3]crwdnd37429:0[_4]crwdne37429:0","M":"crwdns39111:0crwdne39111:0","D":"crwdns38192:0crwdne38192:0","Higher":"crwdns38586:0crwdne38586:0","Higher_or_equal":"crwdns43554:0crwdne43554:0","Lower":"crwdns39110:0crwdne39110:0","Lower_or_equal":"crwdns45168:0crwdne45168:0","Touches":"crwdns40229:0crwdne40229:0","Does_Not_Touch":"crwdns38273:0crwdne38273:0","Ends_Between":"crwdns38344:0crwdne38344:0","Ends_Outside":"crwdns38349:0crwdne38349:0","Stays_Between":"crwdns39838:0crwdne39838:0","Goes_Outside":"crwdns38563:0crwdne38563:0","All_barriers_in_this_trading_window_are_expired":"crwdns37719:0crwdne37719:0","Remaining_time":"crwdns39654:0crwdne39654:0","Market_is_closed__Please_try_again_later_":"crwdns39150:0crwdne39150:0","This_symbol_is_not_active__Please_try_another_symbol_":"crwdns40172:0crwdne40172:0","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"crwdns39811:0crwdne39811:0","Lots":"crwdns39103:0crwdne39103:0","Payout_per_lot_=_1,000":"crwdns39435:0crwdne39435:0","This_page_is_not_available_in_the_selected_language_":"crwdns43473:0crwdne43473:0","Trading_Window":"crwdns44617:0crwdne44617:0","Percentage":"crwdns39438:0crwdne39438:0","Digit":"crwdns38247:0crwdne38247:0","Amount":"crwdns37744:0crwdne37744:0","Deposit":"crwdns38220:0crwdne38220:0","Withdrawal":"crwdns41824:0crwdne41824:0","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"crwdns40753:0[_1]crwdnd40753:0[_2]crwdnd40753:0[_3]crwdnd40753:0[_4]crwdne40753:0","Date_and_Time":"crwdns38202:0crwdne38202:0","Browser":"crwdns37950:0crwdne37950:0","IP_Address":"crwdns38645:0crwdne38645:0","Status":"crwdns39836:0crwdne39836:0","Successful":"crwdns39877:0crwdne39877:0","Failed":"crwdns38437:0crwdne38437:0","Your_account_has_no_Login/Logout_activity_":"crwdns40729:0crwdne40729:0","logout":"crwdns40804:0crwdne40804:0","Please_enter_a_number_between_[_1]_":"crwdns39477:0[_1]crwdne39477:0","[_1]_days_[_2]_hours_[_3]_minutes":"crwdns37455:0[_1]crwdnd37455:0[_2]crwdnd37455:0[_3]crwdne37455:0","Your_trading_statistics_since_[_1]_":"crwdns40759:0[_1]crwdne40759:0","Unlock_Cashier":"crwdns40332:0crwdne40332:0","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"crwdns40739:0crwdne40739:0","Lock_Cashier":"crwdns39085:0crwdne39085:0","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"crwdns37751:0crwdne37751:0","Update":"crwdns40337:0crwdne40337:0","Sorry,_you_have_entered_an_incorrect_cashier_password":"crwdns39810:0crwdne39810:0","You_have_reached_the_withdrawal_limit_":"crwdns43272:0crwdne43272:0","Start_Time":"crwdns39826:0crwdne39826:0","Entry_Spot":"crwdns38362:0crwdne38362:0","Low_Barrier":"crwdns39104:0crwdne39104:0","High_Barrier":"crwdns38580:0crwdne38580:0","Reset_Barrier":"crwdns45907:0crwdne45907:0","Average":"crwdns45845:0crwdne45845:0","This_contract_won":"crwdns40156:0crwdne40156:0","This_contract_lost":"crwdns40155:0crwdne40155:0","Spot":"crwdns39822:0crwdne39822:0","Barrier":"crwdns37865:0crwdne37865:0","Target":"crwdns39890:0crwdne39890:0","Equals":"crwdns38366:0crwdne38366:0","Not":"crwdns39273:0crwdne39273:0","Description":"crwdns38233:0crwdne38233:0","Credit/Debit":"crwdns38175:0crwdne38175:0","Balance":"crwdns37857:0crwdne37857:0","Purchase_Price":"crwdns39585:0crwdne39585:0","Profit/Loss":"crwdns39570:0crwdne39570:0","Contract_Information":"crwdns38125:0crwdne38125:0","Contract_Result":"crwdns45952:0crwdne45952:0","Current":"crwdns38183:0crwdne38183:0","Open":"crwdns39333:0crwdne39333:0","Closed":"crwdns38068:0crwdne38068:0","Contract_has_not_started_yet":"crwdns38132:0crwdne38132:0","Spot_Time":"crwdns43621:0crwdne43621:0","Spot_Time_(GMT)":"crwdns43551:0crwdne43551:0","Current_Time":"crwdns38184:0crwdne38184:0","Exit_Spot_Time":"crwdns38403:0crwdne38403:0","Exit_Spot":"crwdns38402:0crwdne38402:0","Indicative":"crwdns38782:0crwdne38782:0","There_was_an_error":"crwdns40120:0crwdne40120:0","Sell_at_market":"crwdns39744:0crwdne39744:0","You_have_sold_this_contract_at_[_1]_[_2]":"crwdns40648:0[_1]crwdnd40648:0[_2]crwdne40648:0","Your_transaction_reference_number_is_[_1]":"crwdns40761:0[_1]crwdne40761:0","Tick_[_1]_is_the_highest_tick":"crwdns45871:0[_1]crwdne45871:0","Tick_[_1]_is_not_the_highest_tick":"crwdns45925:0[_1]crwdne45925:0","Tick_[_1]_is_the_lowest_tick":"crwdns45872:0[_1]crwdne45872:0","Tick_[_1]_is_not_the_lowest_tick":"crwdns45926:0[_1]crwdne45926:0","Note":"crwdns39275:0crwdne39275:0","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"crwdns38135:0crwdne38135:0","Contract_Type":"crwdns43541:0crwdne43541:0","Transaction_ID":"crwdns43552:0crwdne43552:0","Remaining_Time":"crwdns39653:0crwdne39653:0","Barrier_Change":"crwdns37867:0crwdne37867:0","Audit":"crwdns41436:0crwdne41436:0","Audit_Page":"crwdns41437:0crwdne41437:0","View_Chart":"crwdns41484:0crwdne41484:0","Contract_Starts":"crwdns41448:0crwdne41448:0","Contract_Ends":"crwdns41447:0crwdne41447:0","Start_Time_and_Entry_Spot":"crwdns41476:0crwdne41476:0","Exit_Time_and_Exit_Spot":"crwdns41450:0crwdne41450:0","You_can_close_this_window_without_interrupting_your_trade_":"crwdns44763:0crwdne44763:0","Selected_Tick":"crwdns45868:0crwdne45868:0","Highest_Tick":"crwdns45852:0crwdne45852:0","Highest_Tick_Time":"crwdns45853:0crwdne45853:0","Lowest_Tick":"crwdns45858:0crwdne45858:0","Lowest_Tick_Time":"crwdns45859:0crwdne45859:0","Close_Time":"crwdns46268:0crwdne46268:0","Please_select_a_value":"crwdns39499:0crwdne39499:0","You_have_not_granted_access_to_any_applications_":"crwdns40642:0crwdne40642:0","Permissions":"crwdns39441:0crwdne39441:0","Never":"crwdns39246:0crwdne39246:0","Revoke_access":"crwdns39682:0crwdne39682:0","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"crwdns43582:0crwdne43582:0","Transaction_performed_by_[_1]_(App_ID:_[_2])":"crwdns40270:0[_1]crwdnd40270:0[_2]crwdne40270:0","Admin":"crwdns37698:0crwdne37698:0","Read":"crwdns39603:0crwdne39603:0","Payments":"crwdns39433:0crwdne39433:0","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"crwdns37443:0[_1]crwdne37443:0","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"crwdns40751:0crwdne40751:0","Please_check_your_email_for_the_password_reset_link_":"crwdns39469:0crwdne39469:0","details":"crwdns40791:0crwdne40791:0","Withdraw":"crwdns40561:0crwdne40561:0","Insufficient_balance_":"crwdns38801:0crwdne38801:0","This_is_a_staging_server_-_For_testing_purposes_only":"crwdns40162:0crwdne40162:0","The_server_endpoint_is:_[_2]":"crwdns40095:0[_1]crwdnd40095:0[_2]crwdne40095:0","Sorry,_account_signup_is_not_available_in_your_country_":"crwdns39805:0crwdne39805:0","There_was_a_problem_accessing_the_server_":"crwdns40118:0crwdne40118:0","There_was_a_problem_accessing_the_server_during_purchase_":"crwdns40117:0crwdne40117:0","Should_be_a_valid_number_":"crwdns43143:0crwdne43143:0","Should_be_more_than_[_1]":"crwdns39783:0[_1]crwdne39783:0","Should_be_less_than_[_1]":"crwdns39782:0[_1]crwdne39782:0","Should_be_[_1]":"crwdns46276:0[_1]crwdne46276:0","Should_be_between_[_1]_and_[_2]":"crwdns39781:0[_1]crwdnd39781:0[_2]crwdne39781:0","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"crwdns39327:0crwdne39327:0","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"crwdns39328:0crwdne39328:0","Only_letters,_numbers,_and_hyphen_are_allowed_":"crwdns39326:0crwdne39326:0","Only_numbers,_space,_and_hyphen_are_allowed_":"crwdns39330:0crwdne39330:0","Only_numbers_and_spaces_are_allowed_":"crwdns39329:0crwdne39329:0","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"crwdns41504:0crwdne41504:0","The_two_passwords_that_you_entered_do_not_match_":"crwdns40106:0crwdne40106:0","[_1]_and_[_2]_cannot_be_the_same_":"crwdns37449:0[_1]crwdnd37449:0[_2]crwdne37449:0","You_should_enter_[_1]_characters_":"crwdns40697:0[_1]crwdne40697:0","Indicates_required_field":"crwdns38781:0crwdne38781:0","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"crwdns40357:0crwdne40357:0","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"crwdns41480:0crwdne41480:0","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"crwdns41455:0[_1]crwdnd41455:0[_2]crwdne41455:0","thousand":"crwdns41494:0crwdne41494:0","million":"crwdns41493:0crwdne41493:0","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"crwdns41545:0crwdne41545:0","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"crwdns43498:0crwdne43498:0","Validate_address":"crwdns43496:0crwdne43496:0","Congratulations!_Your_[_1]_Account_has_been_created_":"crwdns38110:0[_1]crwdne38110:0","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"crwdns44584:0[_1]crwdnd44584:0[_2]crwdne44584:0","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"crwdns37456:0[_1]crwdnd37456:0[_2]crwdnd37456:0[_3]crwdnd37456:0[_4]crwdne37456:0","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"crwdns37529:0[_1]crwdnd37529:0[_2]crwdnd37529:0[_3]crwdnd37529:0[_4]crwdne37529:0","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"crwdns40738:0[_1]crwdne40738:0","Your_cashier_is_locked_":"crwdns43161:0crwdne43161:0","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"crwdns42960:0[_1]crwdne42960:0","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"crwdns39809:0crwdne39809:0","You_have_reached_the_limit_":"crwdns43160:0crwdne43160:0","Main_password":"crwdns39115:0crwdne39115:0","Investor_password":"crwdns38828:0crwdne38828:0","Current_password":"crwdns38186:0crwdne38186:0","New_password":"crwdns39251:0crwdne39251:0","Demo_Standard":"crwdns42103:0crwdne42103:0","Standard":"crwdns42377:0crwdne42377:0","Demo_Advanced":"crwdns43430:0crwdne43430:0","Advanced":"crwdns43424:0crwdne43424:0","Demo_Volatility_Indices":"crwdns43193:0crwdne43193:0","Real_Standard":"crwdns39618:0crwdne39618:0","Real_Advanced":"crwdns43437:0crwdne43437:0","Real_Volatility_Indices":"crwdns43238:0crwdne43238:0","MAM_Advanced":"crwdns44675:0crwdne44675:0","MAM_Volatility_Indices":"crwdns44678:0crwdne44678:0","Change_Password":"crwdns37992:0crwdne37992:0","Demo_Accounts":"crwdns43429:0crwdne43429:0","Demo_Account":"crwdns45919:0crwdne45919:0","Real-Money_Accounts":"crwdns43438:0crwdne43438:0","Real-Money_Account":"crwdns45921:0crwdne45921:0","MAM_Accounts":"crwdns44674:0crwdne44674:0","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"crwdns43472:0crwdne43472:0","[_1]_Account_[_2]":"crwdns43489:0[_1]crwdnd43489:0[_2]crwdne43489:0","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"crwdns44475:0crwdne44475:0","Do_you_wish_to_continue?":"crwdns44474:0crwdne44474:0","for_account_[_1]":"crwdns44587:0[_1]crwdne44587:0","Verify_Reset_Password":"crwdns44586:0crwdne44586:0","Reset_Password":"crwdns39661:0crwdne39661:0","Please_check_your_email_for_further_instructions_":"crwdns44581:0crwdne44581:0","Revoke_MAM":"crwdns44691:0crwdne44691:0","Manager_successfully_revoked":"crwdns44683:0crwdne44683:0","{SPAIN_ONLY}You_are_about_to_purchase_a_product_that_is_not_simple_and_may_be_difficult_to_understand:_Contracts_for_Difference_and_Forex__As_a_general_rule,_the_CNMV_considers_that_such_products_are_not_appropriate_for_retail_clients,_due_to_their_complexity_":"crwdns46312:0{SPAIN ONLY}crwdne46312:0","{SPAIN_ONLY}However,_Binary_Investments_(Europe)_Ltd_has_assessed_your_knowledge_and_experience_and_deems_the_product_appropriate_for_you_":"crwdns46310:0{SPAIN ONLY}crwdne46310:0","{SPAIN_ONLY}This_is_a_product_with_leverage__You_should_be_aware_that_losses_may_be_higher_than_the_amount_initially_paid_to_purchase_the_product_":"crwdns46311:0{SPAIN ONLY}crwdne46311:0","Min":"crwdns39186:0crwdne39186:0","Max":"crwdns39160:0crwdne39160:0","Current_balance":"crwdns38185:0crwdne38185:0","Withdrawal_limit":"crwdns40567:0crwdne40567:0","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"crwdns37543:0[_1]crwdnd37543:0[_2]crwdne37543:0","Please_set_the_[_1]currency[_2]_of_your_account_":"crwdns39504:0[_1]ccrwdnd39504:0[_2]crwdne39504:0","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"crwdns39505:0[_1]scrwdnd39505:0[_2]crwdne39505:0","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"crwdns39503:0[_1]ccrwdnd39503:0[_2]crwdne39503:0","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"crwdns39472:0[_1]fcrwdnd39472:0[_2]crwdne39472:0","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"crwdns39461:0[_1]ccrwdnd39461:0[_2]crwdne39461:0","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"crwdns39460:0[_1]acrwdnd39460:0[_2]crwdne39460:0","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"crwdns40733:0[_1]ccrwdnd40733:0[_2]crwdne40733:0","Connection_error:_Please_check_your_internet_connection_":"crwdns38111:0crwdne38111:0","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"crwdns40644:0crwdne40644:0","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"crwdns37518:0[_1]crwdne37518:0","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"crwdns41777:0[_1]ccrwdnd41777:0[_2]crwdne41777:0","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"crwdns44634:0crwdne44634:0","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"crwdns44637:0[_1]ccrwdnd44637:0[_2]crwdne44637:0","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"crwdns46397:0[_1]ccrwdnd46397:0[_2]crwdne46397:0","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"crwdns44640:0crwdne44640:0","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"crwdns46376:0crwdne46376:0","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"crwdns45899:0[_1]pcrwdnd45899:0[_2]crwdne45899:0","Account_Authenticated":"crwdns45996:0crwdne45996:0","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"crwdns46388:0crwdne46388:0","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"crwdns40766:0[_1]crwdnd40766:0[_2]crwdnd40766:0[_3]crwdne40766:0","Bid":"crwdns37887:0crwdne37887:0","Closed_Bid":"crwdns38069:0crwdne38069:0","Create":"crwdns38165:0crwdne38165:0","Commodities":"crwdns38083:0crwdne38083:0","Indices":"crwdns38783:0crwdne38783:0","Stocks":"crwdns39848:0crwdne39848:0","Volatility_Indices":"crwdns40387:0crwdne40387:0","Set_Currency":"crwdns39763:0crwdne39763:0","Please_choose_a_currency":"crwdns39471:0crwdne39471:0","Create_Account":"crwdns38166:0crwdne38166:0","Accounts_List":"crwdns37683:0crwdne37683:0","[_1]_Account":"crwdns37435:0[_1]crwdne37435:0","Investment":"crwdns38819:0crwdne38819:0","Gaming":"crwdns38529:0crwdne38529:0","Virtual":"crwdns40383:0crwdne40383:0","Real":"crwdns39612:0crwdne39612:0","Counterparty":"crwdns38160:0crwdne38160:0","This_account_is_disabled":"crwdns41965:0crwdne41965:0","This_account_is_excluded_until_[_1]":"crwdns41966:0[_1]crwdne41966:0","Bitcoin":"crwdns37943:0crwdne37943:0","Bitcoin_Cash":"crwdns37944:0crwdne37944:0","Ether":"crwdns38369:0crwdne38369:0","Ether_Classic":"crwdns38370:0crwdne38370:0","Litecoin":"crwdns39084:0crwdne39084:0","Dai":"crwdns44728:0crwdne44728:0","Invalid_document_format_":"crwdns46331:0crwdne46331:0","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"crwdns45969:0[_1]crwdnd45969:0[_2]crwdne45969:0","ID_number_is_required_for_[_1]_":"crwdns41751:0[_1]crwdne41751:0","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"crwdns46271:0[_1]crwdne46271:0","Expiry_date_is_required_for_[_1]_":"crwdns41745:0[_1]crwdne41745:0","Passport":"crwdns41761:0crwdne41761:0","ID_card":"crwdns41749:0crwdne41749:0","Driving_licence":"crwdns41743:0crwdne41743:0","Front_Side":"crwdns41748:0crwdne41748:0","Reverse_Side":"crwdns41764:0crwdne41764:0","Front_and_reverse_side_photos_of_[_1]_are_required_":"crwdns41782:0[_1]crwdne41782:0","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"crwdns41779:0[_1]crwdnd41779:0[_2]crwdne41779:0","Following_file(s)_were_already_uploaded:_[_1]":"crwdns43627:0[_1]crwdne43627:0","Checking":"crwdns45986:0crwdne45986:0","Checked":"crwdns45985:0crwdne45985:0","Pending":"crwdns45992:0crwdne45992:0","Submitting":"crwdns45995:0crwdne45995:0","Submitted":"crwdns45994:0crwdne45994:0","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"crwdns44476:0crwdne44476:0","Click_OK_to_proceed_":"crwdns44473:0crwdne44473:0","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"crwdns45884:0crwdne45884:0","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"crwdns45883:0crwdne45883:0","Enable":"crwdns45848:0crwdne45848:0","Disable":"crwdns45847:0crwdne45847:0"};
\ No newline at end of file
+texts_json['ACH'] = {"Real":"crwdns39612:0crwdne39612:0","Investment":"crwdns38819:0crwdne38819:0","Gaming":"crwdns38529:0crwdne38529:0","Virtual":"crwdns40383:0crwdne40383:0","Bitcoin":"crwdns37943:0crwdne37943:0","Bitcoin_Cash":"crwdns37944:0crwdne37944:0","Ether":"crwdns38369:0crwdne38369:0","Ether_Classic":"crwdns38370:0crwdne38370:0","Litecoin":"crwdns39084:0crwdne39084:0","Dai":"crwdns44728:0crwdne44728:0","Tether":"crwdns46516:0crwdne46516:0","Online":"crwdns43608:0crwdne43608:0","Offline":"crwdns43607:0crwdne43607:0","Connecting_to_server":"crwdns43605:0crwdne43605:0","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"crwdns41480:0crwdne41480:0","million":"crwdns41493:0crwdne41493:0","thousand":"crwdns41494:0crwdne41494:0","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"crwdns41455:0[_1]crwdnd41455:0[_2]crwdne41455:0","years":"crwdns40844:0crwdne40844:0","days":"crwdns40790:0crwdne40790:0","Validate_address":"crwdns43496:0crwdne43496:0","Unknown_OS":"crwdns50522:0crwdne50522:0","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"crwdns44476:0crwdne44476:0","Click_OK_to_proceed_":"crwdns44473:0crwdne44473:0","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"crwdns51280:0crwdne51280:0","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"crwdns37518:0[_1]crwdne37518:0","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"crwdns46272:0[_1]locrwdnd46272:0[_2]crwdnd46272:0[_3]scrwdnd46272:0[_4]crwdne46272:0","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"crwdns39808:0crwdne39808:0","This_feature_is_not_relevant_to_virtual-money_accounts_":"crwdns40159:0crwdne40159:0","[_1]_Account":"crwdns37435:0[_1]crwdne37435:0","Click_here_to_open_a_Financial_Account":"crwdns44565:0crwdne44565:0","Click_here_to_open_a_Real_Account":"crwdns44566:0crwdne44566:0","Open_a_Financial_Account":"crwdns44590:0crwdne44590:0","Open_a_Real_Account":"crwdns44591:0crwdne44591:0","Create_Account":"crwdns38166:0crwdne38166:0","Accounts_List":"crwdns37683:0crwdne37683:0","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"crwdns37543:0[_1]crwdnd37543:0[_2]crwdne37543:0","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"crwdns44634:0crwdne44634:0","Please_set_the_[_1]currency[_2]_of_your_account_":"crwdns39504:0[_1]ccrwdnd39504:0[_2]crwdne39504:0","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"crwdns41779:0[_1]crwdnd41779:0[_2]crwdne41779:0","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"crwdns41777:0[_1]ccrwdnd41777:0[_2]crwdne41777:0","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"crwdns40733:0[_1]ccrwdnd40733:0[_2]crwdne40733:0","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"crwdns50920:0[_1]3crwdnd50920:0[_2]crwdne50920:0","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"crwdns46397:0[_1]ccrwdnd46397:0[_2]crwdne46397:0","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"crwdns46376:0crwdne46376:0","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"crwdns45899:0[_1]pcrwdnd45899:0[_2]crwdne45899:0","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"crwdns39503:0[_1]ccrwdnd39503:0[_2]crwdne39503:0","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"crwdns39472:0[_1]fcrwdnd39472:0[_2]crwdne39472:0","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"crwdns39461:0[_1]ccrwdnd39461:0[_2]crwdne39461:0","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"crwdns44637:0[_1]ccrwdnd44637:0[_2]crwdne44637:0","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"crwdns44640:0crwdne44640:0","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"crwdns50423:0[_1]acrwdnd50423:0[_2]crwdne50423:0","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"crwdns50421:0[_1]acrwdnd50421:0[_2]crwdne50421:0","Account_Authenticated":"crwdns45996:0crwdne45996:0","Connection_error:_Please_check_your_internet_connection_":"crwdns38111:0crwdne38111:0","Network_status":"crwdns43606:0crwdne43606:0","This_is_a_staging_server_-_For_testing_purposes_only":"crwdns40162:0crwdne40162:0","The_server_endpoint_is:_[_2]":"crwdns40095:0[_1]crwdnd40095:0[_2]crwdne40095:0","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"crwdns40766:0[_1]crwdnd40766:0[_2]crwdnd40766:0[_3]crwdne40766:0","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"crwdns40644:0crwdne40644:0","Please_select":"crwdns39495:0crwdne39495:0","There_was_some_invalid_character_in_an_input_field_":"crwdns40121:0crwdne40121:0","Please_accept_the_terms_and_conditions_":"crwdns39467:0crwdne39467:0","Please_confirm_that_you_are_not_a_politically_exposed_person_":"crwdns39474:0crwdne39474:0","Today":"crwdns40210:0crwdne40210:0","Barrier":"crwdns37865:0crwdne37865:0","End_Time":"crwdns38340:0crwdne38340:0","Entry_Spot":"crwdns38362:0crwdne38362:0","Exit_Spot":"crwdns38402:0crwdne38402:0","Charting_for_this_underlying_is_delayed":"crwdns38001:0crwdne38001:0","Highest_Tick":"crwdns45852:0crwdne45852:0","Lowest_Tick":"crwdns45858:0crwdne45858:0","Payout_Range":"crwdns45997:0crwdne45997:0","Purchase_Time":"crwdns39586:0crwdne39586:0","Reset_Barrier":"crwdns45907:0crwdne45907:0","Reset_Time":"crwdns45910:0crwdne45910:0","Start/End_Time":"crwdns50474:0crwdne50474:0","Selected_Tick":"crwdns45868:0crwdne45868:0","Start_Time":"crwdns39826:0crwdne39826:0","Fiat":"crwdns44589:0crwdne44589:0","Crypto":"crwdns42089:0crwdne42089:0","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"crwdns40357:0crwdne40357:0","Indicates_required_field":"crwdns38781:0crwdne38781:0","Please_select_the_checkbox_":"crwdns39501:0crwdne39501:0","This_field_is_required_":"crwdns40161:0crwdne40161:0","Should_be_a_valid_number_":"crwdns43143:0crwdne43143:0","Up_to_[_1]_decimal_places_are_allowed_":"crwdns42480:0[_1]crwdne42480:0","Should_be_[_1]":"crwdns46276:0[_1]crwdne46276:0","Should_be_between_[_1]_and_[_2]":"crwdns39781:0[_1]crwdnd39781:0[_2]crwdne39781:0","Should_be_more_than_[_1]":"crwdns39783:0[_1]crwdne39783:0","Should_be_less_than_[_1]":"crwdns39782:0[_1]crwdne39782:0","Invalid_email_address_":"crwdns43135:0crwdne43135:0","Password_should_have_lower_and_uppercase_letters_with_numbers_":"crwdns39422:0crwdne39422:0","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"crwdns39327:0crwdne39327:0","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"crwdns50916:0[_1]crwdne50916:0","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"crwdns39328:0crwdne39328:0","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"crwdns50914:0crwdne50914:0","Only_numbers,_hyphens,_and_spaces_are_allowed_":"crwdns51322:0crwdne51322:0","The_two_passwords_that_you_entered_do_not_match_":"crwdns40106:0crwdne40106:0","[_1]_and_[_2]_cannot_be_the_same_":"crwdns37449:0[_1]crwdnd37449:0[_2]crwdne37449:0","Minimum_of_[_1]_characters_required_":"crwdns39197:0[_1]crwdne39197:0","You_should_enter_[_1]_characters_":"crwdns40697:0[_1]crwdne40697:0","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"crwdns41545:0crwdne41545:0","Invalid_verification_code_":"crwdns46460:0crwdne46460:0","Transaction_performed_by_[_1]_(App_ID:_[_2])":"crwdns40270:0[_1]crwdnd40270:0[_2]crwdne40270:0","Guide":"crwdns41543:0crwdne41543:0","Next":"crwdns39254:0crwdne39254:0","Finish":"crwdns38462:0crwdne38462:0","Step":"crwdns39843:0crwdne39843:0","Select_your_market_and_underlying_asset":"crwdns44918:0crwdne44918:0","Select_your_trade_type":"crwdns39736:0crwdne39736:0","Adjust_trade_parameters":"crwdns37697:0crwdne37697:0","Predict_the_directionand_purchase":"crwdns39527:0crwdne39527:0","Your_session_duration_limit_will_end_in_[_1]_seconds_":"crwdns40755:0[_1]crwdne40755:0","January":"crwdns38851:0crwdne38851:0","February":"crwdns38445:0crwdne38445:0","March":"crwdns39133:0crwdne39133:0","April":"crwdns37789:0crwdne37789:0","May":"crwdns39178:0crwdne39178:0","June":"crwdns39013:0crwdne39013:0","July":"crwdns39011:0crwdne39011:0","August":"crwdns37831:0crwdne37831:0","September":"crwdns39754:0crwdne39754:0","October":"crwdns39305:0crwdne39305:0","November":"crwdns39289:0crwdne39289:0","December":"crwdns38208:0crwdne38208:0","Jan":"crwdns38850:0crwdne38850:0","Feb":"crwdns38444:0crwdne38444:0","Mar":"crwdns39132:0crwdne39132:0","Apr":"crwdns37788:0crwdne37788:0","Jun":"crwdns39012:0crwdne39012:0","Jul":"crwdns39010:0crwdne39010:0","Aug":"crwdns37830:0crwdne37830:0","Sep":"crwdns39753:0crwdne39753:0","Oct":"crwdns39304:0crwdne39304:0","Nov":"crwdns39288:0crwdne39288:0","Dec":"crwdns38207:0crwdne38207:0","Sunday":"crwdns39882:0crwdne39882:0","Monday":"crwdns39203:0crwdne39203:0","Tuesday":"crwdns40298:0crwdne40298:0","Wednesday":"crwdns40476:0crwdne40476:0","Thursday":"crwdns40179:0crwdne40179:0","Friday":"crwdns38511:0crwdne38511:0","Saturday":"crwdns39707:0crwdne39707:0","Su":"crwdns39869:0crwdne39869:0","Mo":"crwdns39202:0crwdne39202:0","Tu":"crwdns40297:0crwdne40297:0","We":"crwdns40403:0crwdne40403:0","Th":"crwdns39916:0crwdne39916:0","Fr":"crwdns38500:0crwdne38500:0","Sa":"crwdns39702:0crwdne39702:0","Previous":"crwdns39538:0crwdne39538:0","Hour":"crwdns38594:0crwdne38594:0","Minute":"crwdns39200:0crwdne39200:0","AM":"crwdns37635:0crwdne37635:0","PM":"crwdns39413:0crwdne39413:0","Min":"crwdns39186:0crwdne39186:0","Max":"crwdns39160:0crwdne39160:0","Current_balance":"crwdns38185:0crwdne38185:0","Withdrawal_limit":"crwdns40567:0crwdne40567:0","Withdraw":"crwdns40561:0crwdne40561:0","Deposit":"crwdns38220:0crwdne38220:0","State/Province":"crwdns39832:0crwdne39832:0","Country":"crwdns50900:0crwdne50900:0","Town/City":"crwdns40232:0crwdne40232:0","First_line_of_home_address":"crwdns38463:0crwdne38463:0","Postal_Code_/_ZIP":"crwdns50922:0crwdne50922:0","Telephone":"crwdns39901:0crwdne39901:0","Email_address":"crwdns38333:0crwdne38333:0","details":"crwdns40791:0crwdne40791:0","Your_cashier_is_locked_":"crwdns43161:0crwdne43161:0","You_have_reached_the_withdrawal_limit_":"crwdns43272:0crwdne43272:0","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"crwdns44645:0crwdne44645:0","Please_select_a_payment_agent":"crwdns39496:0crwdne39496:0","Amount":"crwdns37744:0crwdne37744:0","Insufficient_balance_":"crwdns38801:0crwdne38801:0","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"crwdns40754:0[_1]crwdnd40754:0[_2]crwdnd40754:0[_3]crwdnd40754:0[_4]crwdne40754:0","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"crwdns40757:0[_1]hecrwdnd40757:0[_2]crwdne40757:0","Please_[_1]deposit[_2]_to_your_account_":"crwdns39462:0[_1]dcrwdnd39462:0[_2]crwdne39462:0","minute":"crwdns40807:0crwdne40807:0","minutes":"crwdns40808:0crwdne40808:0","h":"crwdns40796:0crwdne40796:0","day":"crwdns40789:0crwdne40789:0","week":"crwdns40840:0crwdne40840:0","weeks":"crwdns40841:0crwdne40841:0","month":"crwdns40809:0crwdne40809:0","months":"crwdns40810:0crwdne40810:0","year":"crwdns40843:0crwdne40843:0","Month":"crwdns39214:0crwdne39214:0","Months":"crwdns50912:0crwdne50912:0","Day":"crwdns38205:0crwdne38205:0","Days":"crwdns50902:0crwdne50902:0","Hours":"crwdns50904:0crwdne50904:0","Minutes":"crwdns50910:0crwdne50910:0","Second":"crwdns50930:0crwdne50930:0","Seconds":"crwdns50932:0crwdne50932:0","Higher":"crwdns38586:0crwdne38586:0","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"crwdns37430:0[_1]crwdnd37430:0[_2]crwdnd37430:0[_3]crwdnd37430:0[_4]crwdne37430:0","Lower":"crwdns39110:0crwdne39110:0","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"crwdns37431:0[_1]crwdnd37431:0[_2]crwdnd37431:0[_3]crwdnd37431:0[_4]crwdne37431:0","Touches":"crwdns40229:0crwdne40229:0","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"crwdns37433:0[_1]crwdnd37433:0[_2]crwdnd37433:0[_3]crwdnd37433:0[_4]crwdne37433:0","Does_Not_Touch":"crwdns38273:0crwdne38273:0","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"crwdns37426:0[_1]crwdnd37426:0[_2]crwdnd37426:0[_3]crwdnd37426:0[_4]crwdne37426:0","Ends_Between":"crwdns38344:0crwdne38344:0","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"crwdns37427:0[_1]crwdnd37427:0[_2]crwdnd37427:0[_3]crwdnd37427:0[_4]crwdne37427:0","Ends_Outside":"crwdns38349:0crwdne38349:0","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"crwdns37428:0[_1]crwdnd37428:0[_2]crwdnd37428:0[_3]crwdnd37428:0[_4]crwdne37428:0","Stays_Between":"crwdns39838:0crwdne39838:0","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"crwdns37432:0[_1]crwdnd37432:0[_2]crwdnd37432:0[_3]crwdnd37432:0[_4]crwdne37432:0","Goes_Outside":"crwdns38563:0crwdne38563:0","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"crwdns37429:0[_1]crwdnd37429:0[_2]crwdnd37429:0[_3]crwdnd37429:0[_4]crwdne37429:0","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"crwdns39811:0crwdne39811:0","Please_log_in_":"crwdns39484:0crwdne39484:0","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"crwdns39809:0crwdne39809:0","This_symbol_is_not_active__Please_try_another_symbol_":"crwdns40172:0crwdne40172:0","Market_is_closed__Please_try_again_later_":"crwdns39150:0crwdne39150:0","All_barriers_in_this_trading_window_are_expired":"crwdns37719:0crwdne37719:0","Sorry,_account_signup_is_not_available_in_your_country_":"crwdns39805:0crwdne39805:0","Asset":"crwdns37818:0crwdne37818:0","Opens":"crwdns39349:0crwdne39349:0","Closes":"crwdns38070:0crwdne38070:0","Settles":"crwdns39768:0crwdne39768:0","Upcoming_Events":"crwdns40336:0crwdne40336:0","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"crwdns45174:0crwdne45174:0","Digit":"crwdns38247:0crwdne38247:0","Percentage":"crwdns39438:0crwdne39438:0","Waiting_for_entry_tick_":"crwdns40393:0crwdne40393:0","High_Barrier":"crwdns38580:0crwdne38580:0","Low_Barrier":"crwdns39104:0crwdne39104:0","Waiting_for_exit_tick_":"crwdns40394:0crwdne40394:0","Ticks_history_returned_an_empty_array_":"crwdns46278:0crwdne46278:0","Chart_is_not_available_for_this_underlying_":"crwdns46267:0crwdne46267:0","Purchase":"crwdns39584:0crwdne39584:0","Net_profit":"crwdns39243:0crwdne39243:0","Return":"crwdns39675:0crwdne39675:0","Time_is_in_the_wrong_format_":"crwdns40184:0crwdne40184:0","Rise/Fall":"crwdns39685:0crwdne39685:0","Higher/Lower":"crwdns38587:0crwdne38587:0","Matches/Differs":"crwdns39158:0crwdne39158:0","Even/Odd":"crwdns38375:0crwdne38375:0","Over/Under":"crwdns39404:0crwdne39404:0","High-Close":"crwdns43510:0crwdne43510:0","Close-Low":"crwdns43506:0crwdne43506:0","High-Low":"crwdns43511:0crwdne43511:0","Reset_Call":"crwdns45908:0crwdne45908:0","Reset_Put":"crwdns45909:0crwdne45909:0","Up/Down":"crwdns40335:0crwdne40335:0","In/Out":"crwdns38770:0crwdne38770:0","Select_Trade_Type":"crwdns50934:0crwdne50934:0","seconds":"crwdns40817:0crwdne40817:0","hours":"crwdns40798:0crwdne40798:0","ticks":"crwdns40831:0crwdne40831:0","tick":"crwdns40830:0crwdne40830:0","second":"crwdns40816:0crwdne40816:0","hour":"crwdns40797:0crwdne40797:0","Duration":"crwdns38285:0crwdne38285:0","Purchase_request_sent":"crwdns44917:0crwdne44917:0","High":"crwdns43508:0crwdne43508:0","Close":"crwdns43505:0crwdne43505:0","Low":"crwdns43513:0crwdne43513:0","Select_Asset":"crwdns44592:0crwdne44592:0","Search___":"crwdns44646:0crwdne44646:0","Maximum_multiplier_of_1000_":"crwdns46431:0crwdne46431:0","Stake":"crwdns39825:0crwdne39825:0","Payout":"crwdns39434:0crwdne39434:0","Multiplier":"crwdns43514:0crwdne43514:0","Trading_is_unavailable_at_this_time_":"crwdns46326:0crwdne46326:0","Please_reload_the_page":"crwdns46273:0crwdne46273:0","Try_our_[_1]Volatility_Indices[_2]_":"crwdns40294:0[_1]crwdnd40294:0[_2]crwdne40294:0","Try_our_other_markets_":"crwdns40295:0crwdne40295:0","Contract_Confirmation":"crwdns38121:0crwdne38121:0","Your_transaction_reference_is":"crwdns40760:0crwdne40760:0","Total_Cost":"crwdns40220:0crwdne40220:0","Potential_Payout":"crwdns39521:0crwdne39521:0","Maximum_Payout":"crwdns45860:0crwdne45860:0","Maximum_Profit":"crwdns45861:0crwdne45861:0","Potential_Profit":"crwdns39522:0crwdne39522:0","View":"crwdns40363:0crwdne40363:0","This_contract_won":"crwdns40156:0crwdne40156:0","This_contract_lost":"crwdns40155:0crwdne40155:0","Tick_[_1]_is_the_highest_tick":"crwdns45871:0[_1]crwdne45871:0","Tick_[_1]_is_not_the_highest_tick":"crwdns45925:0[_1]crwdne45925:0","Tick_[_1]_is_the_lowest_tick":"crwdns45872:0[_1]crwdne45872:0","Tick_[_1]_is_not_the_lowest_tick":"crwdns45926:0[_1]crwdne45926:0","Tick":"crwdns40180:0crwdne40180:0","The_reset_time_is_[_1]":"crwdns45916:0[_1]crwdne45916:0","Now":"crwdns39291:0crwdne39291:0","Tick_[_1]":"crwdns45998:0[_1]crwdne45998:0","Average":"crwdns45845:0crwdne45845:0","Buy_price":"crwdns37957:0crwdne37957:0","Final_price":"crwdns38453:0crwdne38453:0","Loss":"crwdns39101:0crwdne39101:0","Profit":"crwdns39567:0crwdne39567:0","Account_balance:":"crwdns37675:0crwdne37675:0","Reverse_Side":"crwdns41764:0crwdne41764:0","Front_Side":"crwdns41748:0crwdne41748:0","Pending":"crwdns45992:0crwdne45992:0","Submitting":"crwdns45995:0crwdne45995:0","Submitted":"crwdns45994:0crwdne45994:0","Failed":"crwdns38437:0crwdne38437:0","Compressing_Image":"crwdns51278:0crwdne51278:0","Checking":"crwdns45986:0crwdne45986:0","Checked":"crwdns45985:0crwdne45985:0","Unable_to_read_file_[_1]":"crwdns50938:0[_1]crwdne50938:0","Passport":"crwdns41761:0crwdne41761:0","Identity_card":"crwdns41752:0crwdne41752:0","Driving_licence":"crwdns41743:0crwdne41743:0","Invalid_document_format_":"crwdns46331:0crwdne46331:0","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"crwdns45969:0[_1]crwdnd45969:0[_2]crwdne45969:0","ID_number_is_required_for_[_1]_":"crwdns41751:0[_1]crwdne41751:0","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"crwdns46271:0[_1]crwdne46271:0","Expiry_date_is_required_for_[_1]_":"crwdns41745:0[_1]crwdne41745:0","Front_and_reverse_side_photos_of_[_1]_are_required_":"crwdns41782:0[_1]crwdne41782:0","Current_password":"crwdns38186:0crwdne38186:0","New_password":"crwdns39251:0crwdne39251:0","Please_enter_a_valid_Login_ID_":"crwdns50918:0crwdne50918:0","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"crwdns40753:0[_1]crwdnd40753:0[_2]crwdnd40753:0[_3]crwdnd40753:0[_4]crwdne40753:0","Resale_not_offered":"crwdns39659:0crwdne39659:0","Your_account_has_no_trading_activity_":"crwdns40730:0crwdne40730:0","Date":"crwdns38201:0crwdne38201:0","Ref_":"crwdns39627:0crwdne39627:0","Contract":"crwdns38119:0crwdne38119:0","Purchase_Price":"crwdns39585:0crwdne39585:0","Sale_Date":"crwdns39704:0crwdne39704:0","Sale_Price":"crwdns39705:0crwdne39705:0","Profit/Loss":"crwdns39570:0crwdne39570:0","Details":"crwdns38237:0crwdne38237:0","Total_Profit/Loss":"crwdns40223:0crwdne40223:0","Only_[_1]_are_allowed_":"crwdns39323:0[_1]crwdne39323:0","letters":"crwdns40803:0crwdne40803:0","numbers":"crwdns40814:0crwdne40814:0","space":"crwdns40818:0crwdne40818:0","Please_select_at_least_one_scope":"crwdns39500:0crwdne39500:0","New_token_created_":"crwdns39253:0crwdne39253:0","The_maximum_number_of_tokens_([_1])_has_been_reached_":"crwdns40074:0[_1]crwdne40074:0","Name":"crwdns39232:0crwdne39232:0","Token":"crwdns40212:0crwdne40212:0","Scopes":"crwdns39711:0crwdne39711:0","Last_Used":"crwdns39035:0crwdne39035:0","Action":"crwdns37689:0crwdne37689:0","Are_you_sure_that_you_want_to_permanently_delete_the_token":"crwdns43581:0crwdne43581:0","Delete":"crwdns38214:0crwdne38214:0","Never_Used":"crwdns39247:0crwdne39247:0","You_have_not_granted_access_to_any_applications_":"crwdns40642:0crwdne40642:0","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"crwdns43582:0crwdne43582:0","Revoke_access":"crwdns39682:0crwdne39682:0","Admin":"crwdns37698:0crwdne37698:0","Payments":"crwdns39433:0crwdne39433:0","Read":"crwdns39603:0crwdne39603:0","Trade":"crwdns40233:0crwdne40233:0","Never":"crwdns39246:0crwdne39246:0","Permissions":"crwdns39441:0crwdne39441:0","Last_Login":"crwdns50576:0crwdne50576:0","Unlock_Cashier":"crwdns40332:0crwdne40332:0","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"crwdns40739:0crwdne40739:0","Lock_Cashier":"crwdns39085:0crwdne39085:0","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"crwdns37751:0crwdne37751:0","Update":"crwdns40337:0crwdne40337:0","Sorry,_you_have_entered_an_incorrect_cashier_password":"crwdns39810:0crwdne39810:0","Your_settings_have_been_updated_successfully_":"crwdns40756:0crwdne40756:0","You_did_not_change_anything_":"crwdns40631:0crwdne40631:0","Sorry,_an_error_occurred_while_processing_your_request_":"crwdns39807:0crwdne39807:0","Your_changes_have_been_updated_successfully_":"crwdns40740:0crwdne40740:0","Successful":"crwdns39877:0crwdne39877:0","Date_and_Time":"crwdns38202:0crwdne38202:0","Browser":"crwdns37950:0crwdne37950:0","IP_Address":"crwdns38645:0crwdne38645:0","Status":"crwdns39836:0crwdne39836:0","Your_account_has_no_Login/Logout_activity_":"crwdns40729:0crwdne40729:0","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"crwdns40731:0crwdne40731:0","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"crwdns40720:0[_1]crwdnd40720:0[_2]crwdnd40720:0[_3]crwdne40720:0","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"crwdns40636:0[_1]crwdnd40636:0[_2]crwdnd40636:0[_3]crwdne40636:0","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"crwdns40125:0[_1]crwdnd40125:0[_2]crwdne40125:0","Your_withdrawal_limit_is_[_1]_[_2]_":"crwdns40770:0[_1]crwdnd40770:0[_2]crwdne40770:0","You_have_already_withdrawn_[_1]_[_2]_":"crwdns40635:0[_1]crwdnd40635:0[_2]crwdne40635:0","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"crwdns40126:0[_1]crwdnd40126:0[_2]crwdne40126:0","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"crwdns40769:0[_1]crwdnd40769:0[_2]crwdne40769:0","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"crwdns40637:0[_1]crwdnd40637:0[_2]crwdne40637:0","Please_confirm_that_all_the_information_above_is_true_and_complete_":"crwdns43562:0crwdne43562:0","Sorry,_an_error_occurred_while_processing_your_account_":"crwdns39806:0crwdne39806:0","Please_select_a_country":"crwdns41906:0crwdne41906:0","Timed_out_until":"crwdns44621:0crwdne44621:0","Excluded_from_the_website_until":"crwdns44618:0crwdne44618:0","Session_duration_limit_cannot_be_more_than_6_weeks_":"crwdns39758:0crwdne39758:0","Time_out_must_be_after_today_":"crwdns40187:0crwdne40187:0","Time_out_cannot_be_more_than_6_weeks_":"crwdns40186:0crwdne40186:0","Time_out_cannot_be_in_the_past_":"crwdns40185:0crwdne40185:0","Please_select_a_valid_time_":"crwdns39498:0crwdne39498:0","Exclude_time_cannot_be_less_than_6_months_":"crwdns38394:0crwdne38394:0","Exclude_time_cannot_be_for_more_than_5_years_":"crwdns38393:0crwdne38393:0","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"crwdns40505:0crwdne40505:0","Your_changes_have_been_updated_":"crwdns40741:0crwdne40741:0","Disable":"crwdns45847:0crwdne45847:0","Enable":"crwdns45848:0crwdne45848:0","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"crwdns45884:0crwdne45884:0","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"crwdns45883:0crwdne45883:0","You_are_categorised_as_a_professional_client_":"crwdns45896:0crwdne45896:0","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"crwdns45898:0crwdne45898:0","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"crwdns45897:0crwdne45897:0","Bid":"crwdns37887:0crwdne37887:0","Closed_Bid":"crwdns38069:0crwdne38069:0","Reference_ID":"crwdns50928:0crwdne50928:0","Description":"crwdns38233:0crwdne38233:0","Credit/Debit":"crwdns38175:0crwdne38175:0","Balance":"crwdns37857:0crwdne37857:0","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"crwdns51298:0[_1]crwdnd51298:0[_2]crwdne51298:0","Financial_Account":"crwdns44595:0crwdne44595:0","Real_Account":"crwdns39613:0crwdne39613:0","Counterparty":"crwdns38160:0crwdne38160:0","Jurisdiction":"crwdns50536:0crwdne50536:0","Create":"crwdns38165:0crwdne38165:0","This_account_is_disabled":"crwdns41965:0crwdne41965:0","This_account_is_excluded_until_[_1]":"crwdns41966:0[_1]crwdne41966:0","Set_Currency":"crwdns39763:0crwdne39763:0","Commodities":"crwdns38083:0crwdne38083:0","Forex":"crwdns38491:0crwdne38491:0","Indices":"crwdns38783:0crwdne38783:0","Stocks":"crwdns39848:0crwdne39848:0","Volatility_Indices":"crwdns40387:0crwdne40387:0","Please_check_your_email_for_the_password_reset_link_":"crwdns39469:0crwdne39469:0","Standard":"crwdns42377:0crwdne42377:0","Advanced":"crwdns43424:0crwdne43424:0","Demo_Standard":"crwdns42103:0crwdne42103:0","Real_Standard":"crwdns39618:0crwdne39618:0","Demo_Advanced":"crwdns43430:0crwdne43430:0","Real_Advanced":"crwdns43437:0crwdne43437:0","MAM_Advanced":"crwdns44675:0crwdne44675:0","Demo_Volatility_Indices":"crwdns43193:0crwdne43193:0","Real_Volatility_Indices":"crwdns43238:0crwdne43238:0","MAM_Volatility_Indices":"crwdns44678:0crwdne44678:0","Sign_up":"crwdns43900:0crwdne43900:0","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"crwdns44475:0crwdne44475:0","Do_you_wish_to_continue?":"crwdns44474:0crwdne44474:0","{SPAIN_ONLY}You_are_about_to_purchase_a_product_that_is_not_simple_and_may_be_difficult_to_understand:_Contracts_for_Difference_and_Forex__As_a_general_rule,_the_CNMV_considers_that_such_products_are_not_appropriate_for_retail_clients,_due_to_their_complexity_":"crwdns46312:0{SPAIN ONLY}crwdne46312:0","{SPAIN_ONLY}This_is_a_product_with_leverage__You_should_be_aware_that_losses_may_be_higher_than_the_amount_initially_paid_to_purchase_the_product_":"crwdns46311:0{SPAIN ONLY}crwdne46311:0","{SPAIN_ONLY}However,_Binary_Investments_(Europe)_Ltd_has_assessed_your_knowledge_and_experience_and_deems_the_product_appropriate_for_you_":"crwdns46310:0{SPAIN ONLY}crwdne46310:0","Acknowledge":"crwdns50898:0crwdne50898:0","Change_Password":"crwdns37992:0crwdne37992:0","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"crwdns44584:0[_1]crwdnd44584:0[_2]crwdne44584:0","Reset_Password":"crwdns39661:0crwdne39661:0","Verify_Reset_Password":"crwdns44586:0crwdne44586:0","Please_check_your_email_for_further_instructions_":"crwdns44581:0crwdne44581:0","Revoke_MAM":"crwdns44691:0crwdne44691:0","Manager_successfully_revoked":"crwdns44683:0crwdne44683:0","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"crwdns37456:0[_1]crwdnd37456:0[_2]crwdnd37456:0[_3]crwdnd37456:0[_4]crwdne37456:0","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"crwdns40738:0[_1]crwdne40738:0","You_have_reached_the_limit_":"crwdns43160:0crwdne43160:0","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"crwdns37529:0[_1]crwdnd37529:0[_2]crwdnd37529:0[_3]crwdnd37529:0[_4]crwdne37529:0","Main_password":"crwdns39115:0crwdne39115:0","Investor_password":"crwdns38828:0crwdne38828:0","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"crwdns42960:0[_1]crwdne42960:0","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"crwdns43472:0crwdne43472:0","Demo_Accounts":"crwdns43429:0crwdne43429:0","MAM_Accounts":"crwdns44674:0crwdne44674:0","Real-Money_Accounts":"crwdns43438:0crwdne43438:0","Demo_Account":"crwdns45919:0crwdne45919:0","Real-Money_Account":"crwdns45921:0crwdne45921:0","for_account_[_1]":"crwdns44587:0[_1]crwdne44587:0","[_1]_Account_[_2]":"crwdns43489:0[_1]crwdnd43489:0[_2]crwdne43489:0","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"crwdns40758:0[_1]crwdne40758:0","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"crwdns40043:0[_1]crwdne40043:0","Password_is_not_strong_enough_":"crwdns39420:0crwdne39420:0","Upgrade_now":"crwdns44598:0crwdne44598:0","[_1]_days_[_2]_hours_[_3]_minutes":"crwdns37455:0[_1]crwdnd37455:0[_2]crwdnd37455:0[_3]crwdne37455:0","Your_trading_statistics_since_[_1]_":"crwdns40759:0[_1]crwdne40759:0","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"crwdns37443:0[_1]crwdne37443:0","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"crwdns40751:0crwdne40751:0","Please_choose_a_currency":"crwdns39471:0crwdne39471:0","Asian_Up":"crwdns43531:0crwdne43531:0","Asian_Down":"crwdns43530:0crwdne43530:0","Higher_or_equal":"crwdns43554:0crwdne43554:0","Lower_or_equal":"crwdns45168:0crwdne45168:0","Digit_Matches":"crwdns43544:0crwdne43544:0","Digit_Differs":"crwdns43542:0crwdne43542:0","Digit_Odd":"crwdns43545:0crwdne43545:0","Digit_Even":"crwdns43543:0crwdne43543:0","Digit_Over":"crwdns43546:0crwdne43546:0","Digit_Under":"crwdns43547:0crwdne43547:0","Call_Spread":"crwdns45846:0crwdne45846:0","Put_Spread":"crwdns45866:0crwdne45866:0","High_Tick":"crwdns46210:0crwdne46210:0","Low_Tick":"crwdns46211:0crwdne46211:0","Equals":"crwdns38366:0crwdne38366:0","Not":"crwdns39273:0crwdne39273:0","Buy":"crwdns37954:0crwdne37954:0","Sell":"crwdns39742:0crwdne39742:0","Contract_has_not_started_yet":"crwdns38132:0crwdne38132:0","Contract_Result":"crwdns45952:0crwdne45952:0","Close_Time":"crwdns46268:0crwdne46268:0","Highest_Tick_Time":"crwdns45853:0crwdne45853:0","Lowest_Tick_Time":"crwdns45859:0crwdne45859:0","Exit_Spot_Time":"crwdns38403:0crwdne38403:0","Audit":"crwdns41436:0crwdne41436:0","View_Chart":"crwdns41484:0crwdne41484:0","Audit_Page":"crwdns41437:0crwdne41437:0","Spot":"crwdns39822:0crwdne39822:0","Spot_Time_(GMT)":"crwdns43551:0crwdne43551:0","Contract_Starts":"crwdns41448:0crwdne41448:0","Contract_Ends":"crwdns41447:0crwdne41447:0","Target":"crwdns39890:0crwdne39890:0","Contract_Information":"crwdns38125:0crwdne38125:0","Contract_Type":"crwdns43541:0crwdne43541:0","Transaction_ID":"crwdns43552:0crwdne43552:0","Remaining_Time":"crwdns39653:0crwdne39653:0","Maximum_payout":"crwdns50906:0crwdne50906:0","Barrier_Change":"crwdns37867:0crwdne37867:0","Current":"crwdns38183:0crwdne38183:0","Spot_Time":"crwdns43621:0crwdne43621:0","Current_Time":"crwdns38184:0crwdne38184:0","Indicative":"crwdns38782:0crwdne38782:0","You_can_close_this_window_without_interrupting_your_trade_":"crwdns44763:0crwdne44763:0","There_was_an_error":"crwdns40120:0crwdne40120:0","Sell_at_market":"crwdns39744:0crwdne39744:0","Note":"crwdns39275:0crwdne39275:0","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"crwdns38135:0crwdne38135:0","You_have_sold_this_contract_at_[_1]_[_2]":"crwdns40648:0[_1]crwdnd40648:0[_2]crwdne40648:0","Your_transaction_reference_number_is_[_1]":"crwdns40761:0[_1]crwdne40761:0","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"crwdns39918:0crwdne39918:0","All_markets_are_closed_now__Please_try_again_later_":"crwdns37731:0crwdne37731:0","Withdrawal":"crwdns41824:0crwdne41824:0","virtual_money_credit_to_account":"crwdns51118:0crwdne51118:0","login":"crwdns50940:0crwdne50940:0","logout":"crwdns40804:0crwdne40804:0","Asians":"crwdns37815:0crwdne37815:0","Call_Spread/Put_Spread":"crwdns45983:0crwdne45983:0","Digits":"crwdns38249:0crwdne38249:0","Ends_Between/Ends_Outside":"crwdns43094:0crwdne43094:0","High/Low_Ticks":"crwdns45964:0crwdne45964:0","Lookbacks":"crwdns43512:0crwdne43512:0","Reset_Call/Reset_Put":"crwdns45984:0crwdne45984:0","Stays_Between/Goes_Outside":"crwdns43059:0crwdne43059:0","Touch/No_Touch":"crwdns40226:0crwdne40226:0","Christmas_Day":"crwdns38024:0crwdne38024:0","Closes_early_(at_18:00)":"crwdns38071:0crwdne38071:0","Closes_early_(at_21:00)":"crwdns38072:0crwdne38072:0","Fridays":"crwdns38512:0crwdne38512:0","New_Year's_Day":"crwdns39250:0crwdne39250:0","today":"crwdns40832:0crwdne40832:0","today,_Fridays":"crwdns40833:0crwdne40833:0","There_was_a_problem_accessing_the_server_":"crwdns40118:0crwdne40118:0","There_was_a_problem_accessing_the_server_during_purchase_":"crwdns40117:0crwdne40117:0"};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/de.js b/src/javascript/_autogenerated/de.js
index 221cebb7148f6..236b0c39c21db 100644
--- a/src/javascript/_autogenerated/de.js
+++ b/src/javascript/_autogenerated/de.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['DE'] = {"Day":"Tag","Month":"Monat","Year":"Jahr","Sorry,_an_error_occurred_while_processing_your_request_":"Es tut uns leid, bei der Bearbeitung Ihrer Anfrage ist ein Fehler aufgetreten.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Bitte [_1]melden[_2] Sie sich an, oder [_3]registrieren[_4] Sie sich, um diese Seite einzusehen.","Click_here_to_open_a_Real_Account":"Klicken Sie hier, um ein Echtgeldkonto zu eröffnen","Open_a_Real_Account":"Eröffnen Sie ein Echtgeldkonto","Click_here_to_open_a_Financial_Account":"Klicken Sie hier, um ein Finanzkonto zu eröffnen","Open_a_Financial_Account":"Eröffnen Sie ein Finanzkonto","Network_status":"Netzwerkstatus","Connecting_to_server":"Verbindung zum Server","Virtual_Account":"Virtuelles Konto","Real_Account":"Echtes Konto","Investment_Account":"Investmentkonto","Gaming_Account":"Spielkonto","Sunday":"Sonntag","Monday":"Montag","Tuesday":"Dienstag","Wednesday":"Mittwoch","Thursday":"Donnerstag","Friday":"Freitag","Saturday":"Samstag","Su":"So","Tu":"Di","We":"Mi","Th":"Do","January":"Januar","February":"Februar","March":"März","May":"Mai","June":"Juni","July":"Juli","October":"Oktober","December":"Dezember","Mar":"Mär","Oct":"Okt","Dec":"Dez","Next":"Weiter","Previous":"Vorige","Hour":"Stunde","AM":"morgens","PM":"nachmittags","Time_is_in_the_wrong_format_":"Die Zeit ist im falschen Format.","Purchase_Time":"Kaufuhrzeit","Charting_for_this_underlying_is_delayed":"Die grafische Darstellung für diesen Basiswert ist verzögert","Reset_Time":"Zeit zurückstellen","Payout_Range":"Auszahlungsbereich","Ticks_history_returned_an_empty_array_":"Die Tick Verlaufsgeschichte hat ein leeres Array gebracht.","Chart_is_not_available_for_this_underlying_":"Für diesen Basiswert gibt es kein Diagramm.","year":"Jahr","month":"Monat","week":"Woche","day":"Tag","days":"Tage","hour":"Stunde","hours":"Stunden","min":"Min.","minute":"Minute","minutes":"Minuten","second":"Sekunde","seconds":"Sekunden","tick":"Tick","ticks":"Ticks","Loss":"Verlust","Profit":"Rendite","Payout":"Ausz","Units":"Einheiten","Stake":"Einsatz","Duration":"Laufzeit","End_Time":"Endzeit","Net_profit":"Nettogewinn","Return":"Rendite","Now":"Jetzt","Contract_Confirmation":"Vertragsbestätigung","Your_transaction_reference_is":"Ihre Überweisungsreferenz lautet","Rise/Fall":"Steigen/Fallen","Higher/Lower":"Höher/Tiefer","In/Out":"Innerhalb/Außerhalb","Matches/Differs":"Gleich/Verschieden","Even/Odd":"Gerade/Ungerade","Over/Under":"Über/Unter","Up/Down":"Auf/Ab","Ends_Between/Ends_Outside":"Schließt Innerhalb/Schließt Außerhalb","Touch/No_Touch":"Ziel/Kein Ziel","Stays_Between/Goes_Outside":"Bleibt Innerhalb/Geht Außerhalb","Asians":"Asiaten","Reset_Call/Reset_Put":"Call/Put zurücksetzen","High/Low_Ticks":"Hohe/Niedrige Ticks","Potential_Payout":"Mögliche Auszahlung","Maximum_Payout":"Maximale Auszahlung","Total_Cost":"Gesamtkosten","Potential_Profit":"Möglicher Gewinn","Maximum_Profit":"Maximaler Gewinn","View":"Ansehen","Buy_price":"Kaufpreis","Final_price":"Schlusskurs","Long":"Lang","Short":"Kurz","Chart":"Diagramm","Explanation":"Erläuterung","Last_Digit_Stats":"Statistiken der Letzten Stelle","Waiting_for_entry_tick_":"Warten auf den Eingangstick.","Waiting_for_exit_tick_":"Warten auf den Endtick.","Please_log_in_":"Melden Sie sich bitte an.","All_markets_are_closed_now__Please_try_again_later_":"Alle Börsen sind derzeit geschlossen. Bitte versuchen Sie es später erneut.","Account_balance:":"Kontostand:","Try_our_[_1]Volatility_Indices[_2]_":"Probieren Sie unsere [_1]Volatilität Indizes[_2].","Try_our_other_markets_":"Versuchen Sie unsere anderen Märkten.","Session":"Sitzung","Crypto":"Krypto","High":"Hoch","Low":"Tief","Close":"Schluss","Payoff":"Auszahlung","High-Close":"Hoch-Schluss","Close-Low":"Schluss-Tief","High-Low":"Hoch-Tief","Reset_Call":"Call zurücksetzen","Reset_Put":"Put zurücksetzen","Search___":"Suche...","Select_Asset":"Anlage auswählen","The_reset_time_is_[_1]":"Die Nachstellzeit ist [_1]","Purchase":"Kauf","Purchase_request_sent":"Kaufanfrage wurde gesendet","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Fügen Sie + / – hinzu, um eine Schwellenverschiebung zu definieren. +0.005 bedeutet beispielsweise eine Schwelle, die 0.005 höher als der Einstiegskurs ist.","Please_reload_the_page":"Bitte laden Sie die Seite erneut","Trading_is_unavailable_at_this_time_":"Der Handel ist zu diesem Zeitpunkt nicht verfügbar.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Ihr Konto ist vollständig authentifiziert und Ihr Abhebelimit wurde angehoben.","Your_withdrawal_limit_is_[_1]_[_2]_":"Ihr Abhebelimit beträgt [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Ihr Auszahlungslimit beträgt [_1] [_2] (oder Gegenwert in anderer Währung).","You_have_already_withdrawn_[_1]_[_2]_":"Sie haben bereits [_1] [_2] abgehoben.","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Sie haben bereits den Gegenwert von [_1] [_2] abgehoben.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Daher beträgt Ihre derzeitige maximale Sofortabhebung (vorausgesetzt Ihr Konto hat ein ausreichendes Guthaben) [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Daher ist Ihr aktuelles sofortiges Maximum für eine Abhebung (sofern Ihr Konto über ausreichend Guthaben verfügt) EUR [_1] [_2] (oder Gegenwert in einer anderen Währung).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Ihr [_1] Tage Abhebelimit beträgt derzeit [_2] [_3] (oder Gegenwert in einer anderen Währung).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Sie haben bereits den Gegenwert von [_1] [_2] abgehoben, der sich in den letzten [_3] Tagen angesammelt hat.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Kontrakte, bei denen die Barriere dem Einstiegskurs gleich ist.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Kontrakte, bei denen sich die Barriere vom Einstiegskurs unterscheidet.","ATM":"Bankomat","Non-ATM":"Kein Bankomat","Duration_up_to_7_days":"Dauer bis zu 7 Tage","Duration_above_7_days":"Dauer über 7 Tage","Major_Pairs":"Wichtigste Paare","Forex":"Devisenhandel","This_field_is_required_":"Dieses Feld ist erforderlich.","Please_select_the_checkbox_":"Bitte wählen Sie das Kontrollkästchen.","Please_accept_the_terms_and_conditions_":"Bitte akzeptieren Sie die Geschäftsbedingungen.","Only_[_1]_are_allowed_":"Es sind nur [_1] erlaubt.","letters":"Buchstaben","numbers":"Zahlen","space":"Bereich","Sorry,_an_error_occurred_while_processing_your_account_":"Es tut uns leid, bei der Bearbeitung Ihres Kontos ist ein Fehler aufgetreten.","Your_changes_have_been_updated_successfully_":"Ihre Änderungen wurden erfolgreich aktualisiert.","Your_settings_have_been_updated_successfully_":"Ihre Einstellungen wurden erfolgreich aktualisiert.","Please_select_a_country":"Bitte wählen Sie ein Land","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Bitte bestätigen Sie, dass die oben genannten Informationen wahr und vollständig sind.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Ihre Anfrage auf Behandlung als professioneller Kunde, wird bearbeitet.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Sie sind als Einzelhandelskunde eingestuft. Bewerben Sie sich, um als professioneller Trader behandelt zu werden.","You_are_categorised_as_a_professional_client_":"Sie sind als professioneller Kunde eingestuft.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Ihr Token ist abgelaufen oder ungültig. Bitte klicken Sie hier, um den Verfikationsprozess zu wiederholen.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Die angegebene E-Mail Adresse, ist bereits in Verwendung. Wenn Sie Ihr Passwort vergessen haben, versuchen Sie bitte unser Passwort-Wiederfindung Tool, oder kontaktieren Sie die Kundenbetreuung.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Das Passwort muss Klein- und Großbuchstaben sowie Zahlen enthalten.","Password_is_not_strong_enough_":"Passwort ist nicht stark genug.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Das Limit Ihrer Sitzungsdauer endet in [_1] Sekunden.","Invalid_email_address_":"Ungültige E-Mail Adresse.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Vielen Dank, dass Sie sich angemeldet haben! Bitte überprüfen Sie Ihre E-Mail, um den Anmeldeprozess abzuschließen.","Financial_Account":"Finanzkonto","Upgrade_now":"Jetzt upgraden","Please_select":"Bitte wählen Sie","Minimum_of_[_1]_characters_required_":"Mindestens [_1] Zeichen sind erforderlich.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Bitte bestätigen Sie, dass Sie keine politisch exponierte Person sind.","Asset":"Kapital","Opens":"Öffnet","Closes":"Schließt","Settles":"Begleicht","Upcoming_Events":"Bevorstehende Events","Closes_early_(at_21:00)":"Schließt früh (um 21:00)","Closes_early_(at_18:00)":"Schließt früh (um 18:00)","New_Year's_Day":"Neujahrstag","Christmas_Day":"Weihnachtstag","Fridays":"Freitag","today":"heute","today,_Fridays":"heute, Freitage","Please_select_a_payment_agent":"Bitte wählen Sie einen Zahlungsagent aus","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Zahlungsagenten-Dienste sind in Ihrem Land oder in Ihrer bevorzugten Währung nicht verfügbar.","Invalid_amount,_minimum_is":"Ungültiger Betrag, das Minimum ist","Invalid_amount,_maximum_is":"Ungültiger Betrag, das Maximum ist","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Ihr Auftrag, [_1] [_2] von Ihrem Konto [_3] auf das Konto des Zahlungsagent [_4] zu überweisen, wurde erfolgreich bearbeitet.","Up_to_[_1]_decimal_places_are_allowed_":"Bis zu [_1] Dezimalstellen sind erlaubt.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Ihr Token ist abgelaufen oder ungültig. Bitte klicken Sie [_1]hier[_2], um den Verfikationsprozess zu wiederholen.","New_token_created_":"Neuer Token generiert.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Die Höchstzahl an Token ([_1]) wurde erreicht.","Last_Used":"Zuletzt verwendet","Scopes":"Geltungsbereiche","Never_Used":"Nie verwendet","Delete":"Löschen","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Sind Sie sicher, dass Sie den Token endgültig löschen möchten","Please_select_at_least_one_scope":"Bitte wählen Sie zumindest einen Bereich aus","Guide":"Leitfaden","Finish":"Beenden","Step":"Schritt","Select_your_market_and_underlying_asset":"Wählen Sie Ihren Markt und Basiswert aus","Select_your_trade_type":"Wählen Sie Ihren Trade-Typ aus","Adjust_trade_parameters":"Anpassen von Handelsparametern","Predict_the_directionand_purchase":"Sagen Sie die Richtung voraus und kaufen Sie","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Leider steht diese Funktion nur für virtuelle Konten zur Verfügung.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] wurden Ihrem virtuellen Konto: [_3] gutgeschrieben.","years":"Jahre","months":"Monate","weeks":"Wochen","Your_changes_have_been_updated_":"Ihre Änderungen wurden aktualisiert.","Please_enter_an_integer_value":"Bitte geben Sie einen ganzzahligen Wert ein","Session_duration_limit_cannot_be_more_than_6_weeks_":"Die Sitzungsdauer kann nicht mehr als 6 Wochen betragen.","You_did_not_change_anything_":"Sie haben nichts geändert.","Please_select_a_valid_date_":"Bitte wählen Sie ein gültiges Datum aus.","Please_select_a_valid_time_":"Bitte wählen Sie eine gültige Uhrzeit aus.","Time_out_cannot_be_in_the_past_":"Die Auszeit darf nicht in der Vergangenheit sein.","Time_out_must_be_after_today_":"Die Auszeit muss nach dem heutigen Tag beginnen.","Time_out_cannot_be_more_than_6_weeks_":"Die Auszeit kann nicht mehr als 6 Wochen betragen.","Exclude_time_cannot_be_less_than_6_months_":"Die Ausschlusszeit darf nicht kürzer als 6 Monate sein.","Exclude_time_cannot_be_for_more_than_5_years_":"Die Ausschlusszeit darf nicht länger als 5 Jahre sein.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Wenn Sie auf 'OK' klicken, werden Sie bis zum ausgewählten Datum vom Handel auf dieser Site ausgeschlossen.","Timed_out_until":"Auszeit bis","Excluded_from_the_website_until":"Von der Website ausgeschlossen bis","Resale_not_offered":"Wiederverkauf wird nicht angeboten","Date":"Datum","Action":"Handlung","Contract":"Kontrakt","Sale_Date":"Verkaufsdatum","Sale_Price":"Verkaufskurs","Total_Profit/Loss":"Gesamter Gewinn/Verlust","Your_account_has_no_trading_activity_":"Ihr Konto hat keine Handelsaktivität.","Today":"Heute","Details":"Angaben","Sell":"Verkaufen","Buy":"Kaufen","Virtual_money_credit_to_account":"Virtuelles Geldguthaben zum Konto","This_feature_is_not_relevant_to_virtual-money_accounts_":"Diese Funktion ist für virtuelle Geldkonten nicht relevant","Questions":"Fragen","True":"Wahr","False":"Falsch","There_was_some_invalid_character_in_an_input_field_":"Es ist ein ungültiges Zeichen in einem Eingabefeld vorhanden.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Bitte befolgen Sie dieses Muster: 3 Zahlen, ein Bindestrich, gefolgt von 4 Zahlen.","Weekday":"Wochentag","Processing_your_request___":"Ihre Anfrage wird bearbeitet...","Please_check_the_above_form_for_pending_errors_":"Bitte überprüfen Sie das oben stehende Formular nach ausstehenden Fehlern.","Asian_Up":"Asiatisches Hoch","Asian_Down":"Asiatisches Tief","Digit_Matches":"Kommast. gleich","Digit_Differs":"Kommast. vd.","Digit_Odd":"Kommast. ungerade","Digit_Even":"Kommast. gleich","Digit_Over":"Kommast. über","Digit_Under":"Kommast. unter","High_Tick":"Höchster Tick","Low_Tick":"Niedriger Tick","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] ausdrücklich höher als oder gleich mit (der), die Schwelle zum Schluss auf [_4] ist.","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] ausdrücklich niedriger als die Schwelle zum Schluss auf [_4] ist.","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] die Schwelle nicht durch das Schließen auf [_4] erreicht.","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] die Schwelle durch den Schluss auf [_4] berührt.","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] auf, oder zwischen niedrigen und hohen Werten der Schwelle, zum Schluss auf [_4] endet.","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] außerhalb der niedrigen und hohen Werte der Schwelle zum Schluss auf [_4] endet.","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] zwischen den niedrigen und hohen Werten der Schwelle durch den Schluss auf [_4] bleibt.","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] außerhalb der niedrigen und hohen Werte der Schwelle zum Schluss auf [_4] geht.","Higher":"Höher","Higher_or_equal":"Höher oder gleich","Lower":"Niedriger","Lower_or_equal":"Niedriger oder gleich","Touches":"Berührt","Does_Not_Touch":"Erreicht Nicht","Ends_Between":"Schließt Zwischen","Ends_Outside":"Endet Außerhalb","Stays_Between":"Bleibt Zwischen","Goes_Outside":"Geht Außerhalb","All_barriers_in_this_trading_window_are_expired":"Alle Schwellen in diesem Handelsfenster sind abgelaufen","Remaining_time":"Verbleibende Zeit","Market_is_closed__Please_try_again_later_":"Börse ist derzeit geschlossen. Bitte versuchen Sie es später erneut.","This_symbol_is_not_active__Please_try_another_symbol_":"Dieses Zeichen ist nicht aktiv. Bitte versuchen Sie ein anderes Zeichen.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Es tut uns leid, aber Ihr Konto ist für den Erwerb weiterer Kontrakte nicht berechtigt.","Lots":"Viele","Payout_per_lot_=_1,000":"Auszahlung pro Lot = 1.000","This_page_is_not_available_in_the_selected_language_":"Diese Seite ist in der ausgewählten Sprache nicht verfügbar.","Trading_Window":"Handelsfenster","Percentage":"Prozentsatz","Digit":"Ziffer","Amount":"Betrag","Deposit":"Einzahlung","Withdrawal":"Abhebung","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Ihr Auftrag [_1] [_2] von [_3] an [_4] zu überweisen, wurde erfolgreich bearbeitet.","Date_and_Time":"Datum und Zeit","IP_Address":"IP-Adresse","Successful":"Erfolgreich","Failed":"Fehlgeschlagen","Your_account_has_no_Login/Logout_activity_":"Ihr Konto hat keine Anmelde- und/oder Abmeldeaktivität.","logout":"abmelden","Please_enter_a_number_between_[_1]_":"Bitte geben Sie eine Zahl zwischen [_1] ein.","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] Tage [_2] Stunden [_3] Minuten","Your_trading_statistics_since_[_1]_":"Ihre Trading-Statistiken seit [_1].","Unlock_Cashier":"Kasse entsperren","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Ihre Kasse ist auf Ihren Antrag hin gesperrt - um Sie zu entsperren, geben Sie bitte das Passwort ein.","Lock_Cashier":"Kasse blockieren","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Es darf ein zusätzliches Passwort verwendet werden, um den Zugang zum Kassensabschnitt zu beschränken.","Update":"Aktualisieren","Sorry,_you_have_entered_an_incorrect_cashier_password":"Es tut uns leid, aber Sie haben ein ungültiges Kassen-Passwort eingegeben","You_have_reached_the_withdrawal_limit_":"Sie haben das Auszahlungslimit erreicht.","Start_Time":"Startzeit","Entry_Spot":"Startkurs","Low_Barrier":"Untere Schwelle","High_Barrier":"Hohe Schwelle","Reset_Barrier":"Schwelle zurücksetzen","Average":"Durchschnitt","This_contract_won":"Dieser Vertrag gewann","This_contract_lost":"Dieser Kontrakt verlor","Spot":"Kassakurs","Barrier":"Schwelle","Target":"Ziel","Equals":"Gleicht","Not":"Nicht","Description":"Beschreibung","Credit/Debit":"Gutschrift/Lastschrift","Balance":"Guthaben","Purchase_Price":"Kaufpreis","Profit/Loss":"Gewinn/Verlust","Contract_Information":"Kontraktinformation","Contract_Result":"Kontraktergebnis","Current":"Derzeit","Open":"Offen","Closed":"Geschlossen","Contract_has_not_started_yet":"Kontrakt ist noch nicht gestartet","Spot_Time":"Kassa-Zeit","Spot_Time_(GMT)":"Spot Zeit (GMT)","Current_Time":"Aktuelle Zeit","Exit_Spot_Time":"Schlusskurszeit","Exit_Spot":"Schlusskurs","Indicative":"Indikativ","There_was_an_error":"Es ist ein Fehler aufgetreten","Sell_at_market":"Zum Börsenkurs verkaufen","You_have_sold_this_contract_at_[_1]_[_2]":"Sie haben diesen Kontrakt für [_1] [_2] verkauft","Your_transaction_reference_number_is_[_1]":"Ihre Überweisungsnummer ist [_1]","Tick_[_1]_is_the_highest_tick":"Tick [_1] ist der höchste Tick","Tick_[_1]_is_not_the_highest_tick":"Tick [_1] ist nicht der höchste Tick","Tick_[_1]_is_the_lowest_tick":"Tick [_1] ist der niedrigste Tick","Tick_[_1]_is_not_the_lowest_tick":"Tick [_1] ist nicht der niedrigste Tick","Note":"Anmerkung","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Der Kontrakt wird, sobald der Auftrag von unseren Servern empfangen wurde, zum dann geltenden Marktkurs verkauft. Dieser Kurs kann von den angegebenen Kursen abweichen.","Contract_Type":"Kontrakttyp","Transaction_ID":"Transaktions-ID","Remaining_Time":"Verbleibende Zeit","Barrier_Change":"Grenzänderung","Audit_Page":"Audit-Seite","View_Chart":"Diagramm anzeigen","Contract_Starts":"Kontrakt beginnt","Contract_Ends":"Kontrakt endet","Start_Time_and_Entry_Spot":"Startzeit und Einstiegskurs","Exit_Time_and_Exit_Spot":"Schlusszeit und Schlusskurs","You_can_close_this_window_without_interrupting_your_trade_":"Sie können dieses Fenster schließen, ohne Ihren Handel zu unterbrechen.","Selected_Tick":"Ausgewählter Tick","Highest_Tick":"Höchster Tick","Highest_Tick_Time":"Höchste Tick Zeit","Lowest_Tick":"Niedrigster Tick","Lowest_Tick_Time":"Niedrigste Tick Zeit","Close_Time":"Schlusszeit","Please_select_a_value":"Bitte wählen Sie einen Wert aus","You_have_not_granted_access_to_any_applications_":"Sie haben keinen Zugriff auf Anwendungen gewährt.","Permissions":"Berechtigungen","Never":"Nie","Revoke_access":"Zugang widerrufen","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Sind Sie sicher, dass Sie den Zugang zur Anwendung endgültig widerrufen möchten","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Überweisung durchgeführt von [_1] (App ID: [_2])","Read":"Lesen","Payments":"Zahlungen","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] klicken Sie bitte auf den unterstehenden Link, um den Passwort-Wiederherstellungsprozess neu zu starten.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Ihr Passwort wurde erfolgreich zurückgesetzt. Bitte loggen Sie mit Ihrem neuen Passwort in Ihr Konto ein.","Please_check_your_email_for_the_password_reset_link_":"Für den Passwortrücksetzungs-Link, überprüfen Sie bitte Ihre E-Mail.","details":"Angaben","Withdraw":"Abheben","Insufficient_balance_":"Unzureichendes Guthaben.","This_is_a_staging_server_-_For_testing_purposes_only":"Dies ist ein Staging-Server - Nur zu Testzwecken","The_server_endpoint_is:_[_2]":"Der Server Endpunkt ist: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Leider ist die Kontoregistrierung in Ihrem Land nicht verfügbar.","There_was_a_problem_accessing_the_server_":"Es gab ein Problem beim Zugriff auf den Server.","There_was_a_problem_accessing_the_server_during_purchase_":"Während des Kaufs ist ein Problem beim Zugriff auf den Server aufgetreten.","Should_be_a_valid_number_":"Sollte eine gültige Zahl sein.","Should_be_more_than_[_1]":"Sollte mehr als [_1] sein","Should_be_less_than_[_1]":"Sollte kleiner als [_1] sein","Should_be_[_1]":"Sollte [_1] sein","Should_be_between_[_1]_and_[_2]":"Sollte zwischen [_1] und [_2] betragen","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Nur Buchstaben, Zahlen, Abstände, Bindestriche, Punkte, und Apostrophe sind erlaubt.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Es sind nur Buchstaben, Leerzeichen, Bindestriche, Punkte und Apostrophe erlaubt.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Es sind nur Buchstaben, Zahlen, und Bindestriche erlaubt.","Only_numbers,_space,_and_hyphen_are_allowed_":"Es sind nur Zahlen, Abstände und Bindestriche erlaubt.","Only_numbers_and_spaces_are_allowed_":"Es sind nur Zahlen und Abstände erlaubt.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Nur Buchstaben, Zahlen, Leerzeichen und diese Sonderzeichen sind erlaubt: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Die beiden Passwörter, die Sie eingegeben haben, stimmen nicht überein.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] und [_2] können nicht gleich sein.","You_should_enter_[_1]_characters_":"Sie müssen [_1] Zeichen eingeben.","Indicates_required_field":"Zeigt Pflichtfeld an","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Bestätigungs-Code ist falsch. Benutzen Sie bitte den Link, der an Ihre E-Mail Adresse gesendet wurde.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Das eingegebene Passwort ist eines der weltweit am häufigsten verwendeten Passwörter. Sie sollten dieses Passwort nicht verwenden.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Tipp: Es würde ungefähr [_1][_2] dauern, um dieses Passwort zu knacken.","thousand":"tausend","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Sollte mit Buchstaben oder Zahlen beginnen, und kann einen Bindestrich und Unterstrich enthalten.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Ihre Adresse konnte durch unser automatisiertes System nicht überprüft werden. Sie können fortfahren, aber bitte stellen Sie sicher, dass Ihre Adresse vollständig ist.","Validate_address":"Adresse bestätigen","Congratulations!_Your_[_1]_Account_has_been_created_":"Herzlichen Glückwunsch! Ihr [_1] Konto wurde erstellt.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Das [_1] Passwort der Kontonummer [_2] wurde geändert.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] Einzahlung von [_2] zu Kontonummer [_3] ist erledigt. Überweisungs-ID: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"[_1] Auszahlung von Kontonummer [_2] bis [_3] ist erledigt. Überweisungs-ID: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Ihre Kasse wurde auf Ihren Antrag hin gesperrt - um Sie wieder zu entsperren, bitte hieranklicken.","Your_cashier_is_locked_":"Ihre Kasse ist gesperrt.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Sie haben kein ausreichendes Guthaben auf Ihrem Binary Konto, bitte fügen Sie Gelder hinzu.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Leider ist dieses Feature in Ihrer Gerichtsbarkeit nicht verfügbar.","You_have_reached_the_limit_":"Sie haben das Limit erreicht.","Main_password":"Hauptpasswort","Investor_password":"Investoren Passwort","Current_password":"Aktuelles Passwort","New_password":"Neues Passwort","Demo_Standard":"Demo-Standard","Demo_Advanced":"Fortgeschrittenes Demo","Advanced":"Fortgeschritten","Demo_Volatility_Indices":"Demo Volatilität Ind.","Real_Standard":"Echter Standard","Real_Advanced":"Echt fortgeschritten","Real_Volatility_Indices":"Echte Volatilität Ind.","MAM_Advanced":"MAM Fortgeschritten","MAM_Volatility_Indices":"MAM Volatilität Indizes","Change_Password":"Passwort ändern","Demo_Accounts":"Demo-Konten","Demo_Account":"Demo-Konto","Real-Money_Accounts":"Echtgeldkonten","Real-Money_Account":"Echtgeldkonto","MAM_Accounts":"MAM Konten","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Unser MT5-Service ist für EU-Bürger aufgrund ausstehender regulatorischer Genehmigung derzeit nicht verfügbar.","[_1]_Account_[_2]":"[_1] Konto [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Der Handel von Differenzkontrakten (CFDs) auf Volatilität Indizes ist nicht für jeden geeignet. Bitte versichern Sie, dass Sie die involvierten Risiken, einschließlich der Möglichkeit alle Gelder in Ihrem MT5 Konto zu verlieren, verstehen. Glücksspiel kann süchtig machen - bitte spielen Sie verantwortungsbewusst.","Do_you_wish_to_continue?":"Möchten Sie fortfahren?","for_account_[_1]":"für Konto [_1]","Verify_Reset_Password":"Zurückgesetztes Passwort bestätigen","Reset_Password":"Passwort zurücksetzen","Please_check_your_email_for_further_instructions_":"Bitte überprüfen Sie Ihre E-Mail für weitere Anweisungen.","Revoke_MAM":"MAM widerrufen","Manager_successfully_revoked":"Manager erfolgreich widerrufen","Current_balance":"Aktueller Kontostand","Withdrawal_limit":"Auszahlungslimit","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"Bitte [_1]Authentifizieren Sie Ihr Konto[_2] jetzt, um von allen Zahlungsmethoden Gebrauch zu machen.","Please_set_the_[_1]currency[_2]_of_your_account_":"Bitte legen Sie die [_1]Währung[_2] für Ihr Konto fest.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Bitte legen Sie Ihre 30-Tage Umsatzgrenze in unseren [_1]Selbstausschluss Einrichtungen[_2] fest, um Einzahlungslimits zu entfernen.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Bitte legen Sie ein [_1]Wohnsitzland[_2] fest, bevor Sie auf ein Echtgeldkonto aufrüsten.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Füllen Sie bitte das [_1]finanzielle Beurteilungsformular[_2] aus, um Ihre Abhebe- und Handelslimits aufzuheben.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Bitte [_1]vervollständigen Sie Ihr Kontoprofil[_2], um Ihre Abhebe- und Handelslimits aufzuheben.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Bitte [_1]akzeptieren Sie die aktualisierten allgemeinen Geschäftsbedingungen[_2], um Ihre Abhebe- und Handelslimits aufzuheben.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Ihr Konto ist eingeschränkt. Bitte [_1]kontaktieren Sie die Kundenbetreuung[_2] für Hilfe.","Connection_error:_Please_check_your_internet_connection_":"Verbindungsfehler: Bitte überprüfen Sie Ihre Internetverbindung.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Sie haben das Kurslimit für Anfragen pro Sekunde erreicht. Bitte versuchen Sie es später.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] erfordert, dass der Webspeicher Ihres Browsers aktiviert ist, um richtig zu funktionieren. Bitte aktivieren Sie ihn, oder verlassen Sie den Private-Browsing-Modus.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Wir prüfen Ihre Dokumente. Für weitere Informationen [_1]kontaktieren Sie uns[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Ein- und Auszahlungen wurden auf Ihrem Konto deaktiviert. Bitte überprüfen Sie Ihre E-Mail für weitere Details.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Handel und Einlagen wurden auf Ihrem Konto deaktiviert. Bitte [_1]kontaktieren Sie den Kundensupport[_2], um Unterstützung zu erhalten.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Der Handel mit binären Optionen wurde auf Ihrem Konto deaktiviert. Bitte [_1]kontaktieren Sie den Kundensupport[_2], um Unterstützung zu erhalten.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Auszahlungen wurden auf Ihrem Konto deaktiviert. Bitte überprüfen Sie Ihre E-Mail für weitere Details.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"MT5 Auszahlungen wurden auf Ihrem Konto deaktiviert. Bitte überprüfen Sie Ihre E-Mail für weitere Details.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Bitte geben Sie Ihre [_1]persönlichen Daten[_2] an, bevor Sie fortfahren.","Account_Authenticated":"Konto authentifiziert","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"In der EU gibt es finanzielle binäre Optionen nur für professionelle Anleger.","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Ihr Web-Browser ([_1]) ist veraltet und kann Ihre Handelserfahrung beeinflussen. Fahren Sie auf Ihr eigenes Risiko fort. [_2]Browser aktualisieren[_3]","Bid":"Gebot","Closed_Bid":"Geschlossenes Angebot","Create":"Erstellen","Commodities":"Rohstoffe","Indices":"Indizes","Stocks":"Aktien","Volatility_Indices":"Volatilität Indizes","Set_Currency":"Währung einstellen","Please_choose_a_currency":"Bitte wählen Sie eine Währung","Create_Account":"Konto einrichten","Accounts_List":"Kontenliste","[_1]_Account":"[_1] Konto","Investment":"Investition","Gaming":"Spiele","Virtual":"Virtuell","Real":"Echt","Counterparty":"Gegenpartei","This_account_is_disabled":"Dieses Konto ist deaktiviert","This_account_is_excluded_until_[_1]":"Dieses Konto ist bis [_1] ausgeschlossen","Bitcoin_Cash":"Bitcoin-Cash","Ether_Classic":"Ether-Classic","Invalid_document_format_":"Ungültiges Dokumentformat.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Dateigröße ([_1]) überschreitet den zulässigen Grenzwert. Maximal zulässige Dateigröße: [_2]","ID_number_is_required_for_[_1]_":"ID-Nummer ist für [_1] erforderlich.","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Für ID-Nummer dürfen nur Buchstaben, Zahlen, Leerzeichen, Unterstrich und Bindestrich verwendet werden ([_1]).","Expiry_date_is_required_for_[_1]_":"Ablaufdatum wird für [_1] benötigt.","Passport":"Pass","ID_card":"ID-Karte","Driving_licence":"Führerschein","Front_Side":"Vorderseite","Reverse_Side":"Auf der Rückseite","Front_and_reverse_side_photos_of_[_1]_are_required_":"Fotos der Vorder-und Rückseite des [_1] sind erforderlich.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Ihr Identitäts- oder Adressnachweis[_2] hat unseren Anforderungen nicht entsprochen. Bitte überprüfen Sie Ihre E-Mail-Adresse für weitere Anweisungen.","Following_file(s)_were_already_uploaded:_[_1]":"Die folgende(n) Datei(en) wurde(n) bereits hochgeladen: [_1]","Checking":"Überprüfung","Checked":"Überprüft","Pending":"Ausstehend","Submitting":"Einreichend","Submitted":"Eingereicht","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Sie werden zu einer Website eines Drittanbieters weitergeleitet, die sich nicht im Besitz von Binary.com befindet.","Click_OK_to_proceed_":"Klicken Sie OK, um fortzufahren.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Sie haben die Zwei-Faktor-Authentifizierung für Ihr Konto erfolgreich aktiviert.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Sie haben die Zwei-Faktor-Authentifizierung für Ihr Konto erfolgreich deaktiviert.","Enable":"Aktivieren","Disable":"Deaktivieren"};
\ No newline at end of file
+texts_json['DE'] = {"Real":"Echt","Investment":"Investition","Gaming":"Spiele","Virtual":"Virtuell","Bitcoin_Cash":"Bitcoin-Cash","Ether_Classic":"Ether-Classic","Connecting_to_server":"Verbindung zum Server","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Das eingegebene Passwort ist eines der weltweit am häufigsten verwendeten Passwörter. Sie sollten dieses Passwort nicht verwenden.","thousand":"tausend","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Tipp: Es würde ungefähr [_1][_2] dauern, um dieses Passwort zu knacken.","years":"Jahre","days":"Tage","Validate_address":"Adresse bestätigen","Unknown_OS":"Unbekanntes OS","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Sie werden zu einer Website eines Drittanbieters weitergeleitet, die sich nicht im Besitz von Binary.com befindet.","Click_OK_to_proceed_":"Klicken Sie OK, um fortzufahren.","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"Bitte stellen Sie sicher, dass Sie die Telegramm-App auf Ihrem Gerät installiert haben.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] erfordert, dass der Webspeicher Ihres Browsers aktiviert ist, um richtig zu funktionieren. Bitte aktivieren Sie ihn, oder verlassen Sie den Private-Browsing-Modus.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Bitte [_1]melden[_2] Sie sich an, oder [_3]registrieren[_4] Sie sich, um diese Seite einzusehen.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Leider steht diese Funktion nur für virtuelle Konten zur Verfügung.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Diese Funktion ist für virtuelle Geldkonten nicht relevant","[_1]_Account":"[_1] Konto","Click_here_to_open_a_Financial_Account":"Klicken Sie hier, um ein Finanzkonto zu eröffnen","Click_here_to_open_a_Real_Account":"Klicken Sie hier, um ein Echtgeldkonto zu eröffnen","Open_a_Financial_Account":"Eröffnen Sie ein Finanzkonto","Open_a_Real_Account":"Eröffnen Sie ein Echtgeldkonto","Create_Account":"Konto einrichten","Accounts_List":"Kontenliste","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"Bitte [_1]Authentifizieren Sie Ihr Konto[_2] jetzt, um von allen Zahlungsmethoden Gebrauch zu machen.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Ein- und Auszahlungen wurden auf Ihrem Konto deaktiviert. Bitte überprüfen Sie Ihre E-Mail für weitere Details.","Please_set_the_[_1]currency[_2]_of_your_account_":"Bitte legen Sie die [_1]Währung[_2] für Ihr Konto fest.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Ihr Identitäts- oder Adressnachweis[_2] hat unseren Anforderungen nicht entsprochen. Bitte überprüfen Sie Ihre E-Mail-Adresse für weitere Anweisungen.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Wir prüfen Ihre Dokumente. Für weitere Informationen [_1]kontaktieren Sie uns[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Ihr Konto ist eingeschränkt. Bitte [_1]kontaktieren Sie die Kundenbetreuung[_2] für Hilfe.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Bitte legen Sie Ihren [_1]30-Tage-Umsatz Grenzwert[_2] fest, um Einzahlungslimits zu entfernen.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Der Handel mit binären Optionen wurde auf Ihrem Konto deaktiviert. Bitte [_1]kontaktieren Sie den Kundensupport[_2], um Unterstützung zu erhalten.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"MT5 Auszahlungen wurden auf Ihrem Konto deaktiviert. Bitte überprüfen Sie Ihre E-Mail für weitere Details.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Bitte geben Sie Ihre [_1]persönlichen Daten[_2] an, bevor Sie fortfahren.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Bitte legen Sie ein [_1]Wohnsitzland[_2] fest, bevor Sie auf ein Echtgeldkonto aufrüsten.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Füllen Sie bitte das [_1]finanzielle Beurteilungsformular[_2] aus, um Ihre Abhebe- und Handelslimits aufzuheben.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Bitte [_1]vervollständigen Sie Ihr Kontoprofil[_2], um Ihre Abhebe- und Handelslimits aufzuheben.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Handel und Einlagen wurden auf Ihrem Konto deaktiviert. Bitte [_1]kontaktieren Sie den Kundensupport[_2], um Unterstützung zu erhalten.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Auszahlungen wurden auf Ihrem Konto deaktiviert. Bitte überprüfen Sie Ihre E-Mail für weitere Details.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Bitte [_1]akzeptieren Sie die aktualisierten Geschäftsbedingungen[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Bitte [_1]akzeptieren Sie die aktualisierten allgemeinen Geschäftsbedingungen[_2], um Ihre Einzahlungs- und Handelslimits aufzuheben.","Account_Authenticated":"Konto authentifiziert","Connection_error:_Please_check_your_internet_connection_":"Verbindungsfehler: Bitte überprüfen Sie Ihre Internetverbindung.","Network_status":"Netzwerkstatus","This_is_a_staging_server_-_For_testing_purposes_only":"Dies ist ein Staging-Server - Nur zu Testzwecken","The_server_endpoint_is:_[_2]":"Der Server Endpunkt ist: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Ihr Web-Browser ([_1]) ist veraltet und kann Ihre Handelserfahrung beeinflussen. Fahren Sie auf Ihr eigenes Risiko fort. [_2]Browser aktualisieren[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Sie haben das Kurslimit für Anfragen pro Sekunde erreicht. Bitte versuchen Sie es später.","Please_select":"Bitte wählen Sie","There_was_some_invalid_character_in_an_input_field_":"Es ist ein ungültiges Zeichen in einem Eingabefeld vorhanden.","Please_accept_the_terms_and_conditions_":"Bitte akzeptieren Sie die Geschäftsbedingungen.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Bitte bestätigen Sie, dass Sie keine politisch exponierte Person sind.","Today":"Heute","Barrier":"Schwelle","End_Time":"Endzeit","Entry_Spot":"Startkurs","Exit_Spot":"Schlusskurs","Charting_for_this_underlying_is_delayed":"Die grafische Darstellung für diesen Basiswert ist verzögert","Highest_Tick":"Höchster Tick","Lowest_Tick":"Niedrigster Tick","Payout_Range":"Auszahlungsbereich","Purchase_Time":"Kaufuhrzeit","Reset_Barrier":"Schwelle zurücksetzen","Reset_Time":"Zeit zurückstellen","Start/End_Time":"Start/Endzeit","Selected_Tick":"Ausgewählter Tick","Start_Time":"Startzeit","Crypto":"Krypto","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Bestätigungs-Code ist falsch. Benutzen Sie bitte den Link, der an Ihre E-Mail Adresse gesendet wurde.","Indicates_required_field":"Zeigt Pflichtfeld an","Please_select_the_checkbox_":"Bitte wählen Sie das Kontrollkästchen.","This_field_is_required_":"Dieses Feld ist erforderlich.","Should_be_a_valid_number_":"Sollte eine gültige Zahl sein.","Up_to_[_1]_decimal_places_are_allowed_":"Bis zu [_1] Dezimalstellen sind erlaubt.","Should_be_[_1]":"Sollte [_1] sein","Should_be_between_[_1]_and_[_2]":"Sollte zwischen [_1] und [_2] betragen","Should_be_more_than_[_1]":"Sollte mehr als [_1] sein","Should_be_less_than_[_1]":"Sollte kleiner als [_1] sein","Invalid_email_address_":"Ungültige E-Mail Adresse.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Das Passwort muss Klein- und Großbuchstaben sowie Zahlen enthalten.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Nur Buchstaben, Zahlen, Abstände, Bindestriche, Punkte, und Apostrophe sind erlaubt.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Nur Buchstaben, Zahlen, Leerzeichen und diese Sonderzeichen sind erlaubt: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Es sind nur Buchstaben, Leerzeichen, Bindestriche, Punkte und Apostrophe erlaubt.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Es sind nur Buchstaben, Zahlen, Abstände und Bindestriche erlaubt.","The_two_passwords_that_you_entered_do_not_match_":"Die beiden Passwörter, die Sie eingegeben haben, stimmen nicht überein.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] und [_2] können nicht gleich sein.","Minimum_of_[_1]_characters_required_":"Mindestens [_1] Zeichen sind erforderlich.","You_should_enter_[_1]_characters_":"Sie müssen [_1] Zeichen eingeben.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Sollte mit Buchstaben oder Zahlen beginnen, und kann einen Bindestrich und Unterstrich enthalten.","Invalid_verification_code_":"Ungültiger Verifikationscode.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Überweisung durchgeführt von [_1] (App ID: [_2])","Guide":"Leitfaden","Next":"Weiter","Finish":"Beenden","Step":"Schritt","Select_your_market_and_underlying_asset":"Wählen Sie Ihren Markt und Basiswert aus","Select_your_trade_type":"Wählen Sie Ihren Trade-Typ aus","Adjust_trade_parameters":"Anpassen von Handelsparametern","Predict_the_directionand_purchase":"Sagen Sie die Richtung voraus und kaufen Sie","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Das Limit Ihrer Sitzungsdauer endet in [_1] Sekunden.","January":"Januar","February":"Februar","March":"März","May":"Mai","June":"Juni","July":"Juli","October":"Oktober","December":"Dezember","Mar":"Mär","Oct":"Okt","Dec":"Dez","Sunday":"Sonntag","Monday":"Montag","Tuesday":"Dienstag","Wednesday":"Mittwoch","Thursday":"Donnerstag","Friday":"Freitag","Saturday":"Samstag","Su":"So","Tu":"Di","We":"Mi","Th":"Do","Previous":"Vorige","Hour":"Stunde","AM":"morgens","PM":"nachmittags","Current_balance":"Aktueller Kontostand","Withdrawal_limit":"Auszahlungslimit","Withdraw":"Abheben","Deposit":"Einzahlung","State/Province":"Staat/Provinz","Country":"Land","Town/City":"Ort/Stadt","First_line_of_home_address":"1. Zeile der Privatanschrift","Postal_Code_/_ZIP":"Postleitzahl / PLZ","Telephone":"Telefon","Email_address":"E-Mail Adresse","details":"Angaben","Your_cashier_is_locked_":"Ihre Kasse ist gesperrt.","You_have_reached_the_withdrawal_limit_":"Sie haben das Auszahlungslimit erreicht.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Zahlungsagenten-Dienste sind in Ihrem Land oder in Ihrer bevorzugten Währung nicht verfügbar.","Please_select_a_payment_agent":"Bitte wählen Sie einen Zahlungsagent aus","Amount":"Betrag","Insufficient_balance_":"Unzureichendes Guthaben.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Ihr Auftrag, [_1] [_2] von Ihrem Konto [_3] auf das Konto des Zahlungsagent [_4] zu überweisen, wurde erfolgreich bearbeitet.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Ihr Token ist abgelaufen oder ungültig. Bitte klicken Sie [_1]hier[_2], um den Verfikationsprozess zu wiederholen.","Please_[_1]deposit[_2]_to_your_account_":"Bitte auf Ihr Konto [_1]einzahlen[_2].","minute":"Minute","minutes":"Minuten","day":"Tag","week":"Woche","weeks":"Wochen","month":"Monat","months":"Monate","year":"Jahr","Month":"Monat","Months":"Monate","Day":"Tag","Days":"Tage","Hours":"Stunden","Minutes":"Minuten","Second":"Sekunde","Seconds":"Sekunden","Higher":"Höher","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] ausdrücklich höher als oder gleich mit (der), die Schwelle zum Schluss auf [_4] ist.","Lower":"Niedriger","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] ausdrücklich niedriger als die Schwelle zum Schluss auf [_4] ist.","Touches":"Berührt","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] die Schwelle durch den Schluss auf [_4] berührt.","Does_Not_Touch":"Erreicht Nicht","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] die Schwelle nicht durch das Schließen auf [_4] erreicht.","Ends_Between":"Schließt Zwischen","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] auf, oder zwischen niedrigen und hohen Werten der Schwelle, zum Schluss auf [_4] endet.","Ends_Outside":"Endet Außerhalb","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] außerhalb der niedrigen und hohen Werte der Schwelle zum Schluss auf [_4] endet.","Stays_Between":"Bleibt Zwischen","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] zwischen den niedrigen und hohen Werten der Schwelle durch den Schluss auf [_4] bleibt.","Goes_Outside":"Geht Außerhalb","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] Auszahlung, wenn [_3] außerhalb der niedrigen und hohen Werte der Schwelle zum Schluss auf [_4] geht.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Es tut uns leid, aber Ihr Konto ist für den Erwerb weiterer Kontrakte nicht berechtigt.","Please_log_in_":"Melden Sie sich bitte an.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Leider ist dieses Feature in Ihrer Gerichtsbarkeit nicht verfügbar.","This_symbol_is_not_active__Please_try_another_symbol_":"Dieses Zeichen ist nicht aktiv. Bitte versuchen Sie ein anderes Zeichen.","Market_is_closed__Please_try_again_later_":"Börse ist derzeit geschlossen. Bitte versuchen Sie es später erneut.","All_barriers_in_this_trading_window_are_expired":"Alle Schwellen in diesem Handelsfenster sind abgelaufen","Sorry,_account_signup_is_not_available_in_your_country_":"Leider ist die Kontoregistrierung in Ihrem Land nicht verfügbar.","Asset":"Kapital","Opens":"Öffnet","Closes":"Schließt","Settles":"Begleicht","Upcoming_Events":"Bevorstehende Events","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Fügen Sie + / – hinzu, um eine Schwellenverschiebung zu definieren. +0.005 bedeutet beispielsweise eine Schwelle, die 0.005 höher als der Einstiegskurs ist.","Digit":"Ziffer","Percentage":"Prozentsatz","Waiting_for_entry_tick_":"Warten auf den Eingangstick.","High_Barrier":"Hohe Schwelle","Low_Barrier":"Untere Schwelle","Waiting_for_exit_tick_":"Warten auf den Endtick.","Ticks_history_returned_an_empty_array_":"Die Tick Verlaufsgeschichte hat ein leeres Array gebracht.","Chart_is_not_available_for_this_underlying_":"Für diesen Basiswert gibt es kein Diagramm.","Purchase":"Kauf","Net_profit":"Nettogewinn","Return":"Rendite","Time_is_in_the_wrong_format_":"Die Zeit ist im falschen Format.","Rise/Fall":"Steigen/Fallen","Higher/Lower":"Höher/Tiefer","Matches/Differs":"Gleich/Verschieden","Even/Odd":"Gerade/Ungerade","Over/Under":"Über/Unter","High-Close":"Hoch-Schluss","Close-Low":"Schluss-Tief","High-Low":"Hoch-Tief","Reset_Call":"Call zurücksetzen","Reset_Put":"Put zurücksetzen","Up/Down":"Auf/Ab","In/Out":"Innerhalb/Außerhalb","Select_Trade_Type":"Handelsart auswählen","seconds":"Sekunden","hours":"Stunden","ticks":"Ticks","tick":"Tick","second":"Sekunde","hour":"Stunde","Duration":"Laufzeit","Purchase_request_sent":"Kaufanfrage wurde gesendet","High":"Hoch","Close":"Schluss","Low":"Tief","Select_Asset":"Anlage auswählen","Search___":"Suche...","Maximum_multiplier_of_1000_":"Maximaler Multiplikator von 1000.","Stake":"Einsatz","Payout":"Ausz","Multiplier":"Multiplikator","Trading_is_unavailable_at_this_time_":"Der Handel ist zu diesem Zeitpunkt nicht verfügbar.","Please_reload_the_page":"Bitte laden Sie die Seite erneut","Try_our_[_1]Volatility_Indices[_2]_":"Probieren Sie unsere [_1]Volatilität Indizes[_2].","Try_our_other_markets_":"Versuchen Sie unsere anderen Märkten.","Contract_Confirmation":"Vertragsbestätigung","Your_transaction_reference_is":"Ihre Überweisungsreferenz lautet","Total_Cost":"Gesamtkosten","Potential_Payout":"Mögliche Auszahlung","Maximum_Payout":"Maximale Auszahlung","Maximum_Profit":"Maximaler Gewinn","Potential_Profit":"Möglicher Gewinn","View":"Ansehen","This_contract_won":"Dieser Vertrag gewann","This_contract_lost":"Dieser Kontrakt verlor","Tick_[_1]_is_the_highest_tick":"Tick [_1] ist der höchste Tick","Tick_[_1]_is_not_the_highest_tick":"Tick [_1] ist nicht der höchste Tick","Tick_[_1]_is_the_lowest_tick":"Tick [_1] ist der niedrigste Tick","Tick_[_1]_is_not_the_lowest_tick":"Tick [_1] ist nicht der niedrigste Tick","The_reset_time_is_[_1]":"Die Nachstellzeit ist [_1]","Now":"Jetzt","Average":"Durchschnitt","Buy_price":"Kaufpreis","Final_price":"Schlusskurs","Loss":"Verlust","Profit":"Rendite","Account_balance:":"Kontostand:","Reverse_Side":"Auf der Rückseite","Front_Side":"Vorderseite","Pending":"Ausstehend","Submitting":"Einreichend","Submitted":"Eingereicht","Failed":"Fehlgeschlagen","Compressing_Image":"Bild wird komprimiert","Checking":"Überprüfung","Checked":"Überprüft","Unable_to_read_file_[_1]":"Nicht möglich Datei [_1] zu lesen","Passport":"Pass","Identity_card":"Identitätskarte","Driving_licence":"Führerschein","Invalid_document_format_":"Ungültiges Dokumentformat.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Dateigröße ([_1]) überschreitet den zulässigen Grenzwert. Maximal zulässige Dateigröße: [_2]","ID_number_is_required_for_[_1]_":"ID-Nummer ist für [_1] erforderlich.","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Für ID-Nummer dürfen nur Buchstaben, Zahlen, Leerzeichen, Unterstrich und Bindestrich verwendet werden ([_1]).","Expiry_date_is_required_for_[_1]_":"Ablaufdatum wird für [_1] benötigt.","Front_and_reverse_side_photos_of_[_1]_are_required_":"Fotos der Vorder-und Rückseite des [_1] sind erforderlich.","Current_password":"Aktuelles Passwort","New_password":"Neues Passwort","Please_enter_a_valid_Login_ID_":"Bitte geben Sie eine gültige Login-ID ein.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Ihr Auftrag [_1] [_2] von [_3] an [_4] zu überweisen, wurde erfolgreich bearbeitet.","Resale_not_offered":"Wiederverkauf wird nicht angeboten","Your_account_has_no_trading_activity_":"Ihr Konto hat keine Handelsaktivität.","Date":"Datum","Contract":"Kontrakt","Purchase_Price":"Kaufpreis","Sale_Date":"Verkaufsdatum","Sale_Price":"Verkaufskurs","Profit/Loss":"Gewinn/Verlust","Details":"Angaben","Total_Profit/Loss":"Gesamter Gewinn/Verlust","Only_[_1]_are_allowed_":"Es sind nur [_1] erlaubt.","letters":"Buchstaben","numbers":"Zahlen","space":"Bereich","Please_select_at_least_one_scope":"Bitte wählen Sie zumindest einen Bereich aus","New_token_created_":"Neuer Token generiert.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Die Höchstzahl an Token ([_1]) wurde erreicht.","Scopes":"Geltungsbereiche","Last_Used":"Zuletzt verwendet","Action":"Handlung","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Sind Sie sicher, dass Sie den Token endgültig löschen möchten","Delete":"Löschen","Never_Used":"Nie verwendet","You_have_not_granted_access_to_any_applications_":"Sie haben keinen Zugriff auf Anwendungen gewährt.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Sind Sie sicher, dass Sie den Zugang zur Anwendung endgültig widerrufen möchten","Revoke_access":"Zugang widerrufen","Payments":"Zahlungen","Read":"Lesen","Trade":"Handel","Never":"Nie","Permissions":"Berechtigungen","Last_Login":"Letztes Log-In","Unlock_Cashier":"Kasse entsperren","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Ihre Kasse ist auf Ihren Antrag hin gesperrt - um Sie zu entsperren, geben Sie bitte das Passwort ein.","Lock_Cashier":"Kasse blockieren","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Es darf ein zusätzliches Passwort verwendet werden, um den Zugang zum Kassensabschnitt zu beschränken.","Update":"Aktualisieren","Sorry,_you_have_entered_an_incorrect_cashier_password":"Es tut uns leid, aber Sie haben ein ungültiges Kassen-Passwort eingegeben","Your_settings_have_been_updated_successfully_":"Ihre Einstellungen wurden erfolgreich aktualisiert.","You_did_not_change_anything_":"Sie haben nichts geändert.","Sorry,_an_error_occurred_while_processing_your_request_":"Es tut uns leid, bei der Bearbeitung Ihrer Anfrage ist ein Fehler aufgetreten.","Your_changes_have_been_updated_successfully_":"Ihre Änderungen wurden erfolgreich aktualisiert.","Successful":"Erfolgreich","Date_and_Time":"Datum und Zeit","IP_Address":"IP-Adresse","Your_account_has_no_Login/Logout_activity_":"Ihr Konto hat keine Anmelde- und/oder Abmeldeaktivität.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Ihr Konto ist vollständig authentifiziert und Ihr Abhebelimit wurde angehoben.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Ihr [_1] Tage Abhebelimit beträgt derzeit [_2] [_3] (oder Gegenwert in einer anderen Währung).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Sie haben bereits den Gegenwert von [_1] [_2] abgehoben, der sich in den letzten [_3] Tagen angesammelt hat.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Daher ist Ihr aktuelles sofortiges Maximum für eine Abhebung (sofern Ihr Konto über ausreichend Guthaben verfügt) EUR [_1] [_2] (oder Gegenwert in einer anderen Währung).","Your_withdrawal_limit_is_[_1]_[_2]_":"Ihr Abhebelimit beträgt [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Sie haben bereits [_1] [_2] abgehoben.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Daher beträgt Ihre derzeitige maximale Sofortabhebung (vorausgesetzt Ihr Konto hat ein ausreichendes Guthaben) [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Ihr Auszahlungslimit beträgt [_1] [_2] (oder Gegenwert in anderer Währung).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Sie haben bereits den Gegenwert von [_1] [_2] abgehoben.","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Bitte bestätigen Sie, dass die oben genannten Informationen wahr und vollständig sind.","Sorry,_an_error_occurred_while_processing_your_account_":"Es tut uns leid, bei der Bearbeitung Ihres Kontos ist ein Fehler aufgetreten.","Please_select_a_country":"Bitte wählen Sie ein Land","Timed_out_until":"Auszeit bis","Excluded_from_the_website_until":"Von der Website ausgeschlossen bis","Session_duration_limit_cannot_be_more_than_6_weeks_":"Die Sitzungsdauer kann nicht mehr als 6 Wochen betragen.","Time_out_must_be_after_today_":"Die Auszeit muss nach dem heutigen Tag beginnen.","Time_out_cannot_be_more_than_6_weeks_":"Die Auszeit kann nicht mehr als 6 Wochen betragen.","Time_out_cannot_be_in_the_past_":"Die Auszeit darf nicht in der Vergangenheit sein.","Please_select_a_valid_time_":"Bitte wählen Sie eine gültige Uhrzeit aus.","Exclude_time_cannot_be_less_than_6_months_":"Die Ausschlusszeit darf nicht kürzer als 6 Monate sein.","Exclude_time_cannot_be_for_more_than_5_years_":"Die Ausschlusszeit darf nicht länger als 5 Jahre sein.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Wenn Sie auf 'OK' klicken, werden Sie bis zum ausgewählten Datum vom Handel auf dieser Site ausgeschlossen.","Your_changes_have_been_updated_":"Ihre Änderungen wurden aktualisiert.","Disable":"Deaktivieren","Enable":"Aktivieren","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Sie haben die Zwei-Faktor-Authentifizierung für Ihr Konto erfolgreich aktiviert.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Sie haben die Zwei-Faktor-Authentifizierung für Ihr Konto erfolgreich deaktiviert.","You_are_categorised_as_a_professional_client_":"Sie sind als professioneller Kunde eingestuft.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Ihre Anfrage auf Behandlung als professioneller Kunde, wird bearbeitet.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Sie sind als Einzelhandelskunde eingestuft. Bewerben Sie sich, um als professioneller Trader behandelt zu werden.","Bid":"Gebot","Closed_Bid":"Geschlossenes Angebot","Reference_ID":"Referenz ID","Description":"Beschreibung","Credit/Debit":"Gutschrift/Lastschrift","Balance":"Guthaben","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] wurden Ihrem virtuellen Konto: [_2] gutgeschrieben.","Financial_Account":"Finanzkonto","Real_Account":"Echtes Konto","Counterparty":"Gegenpartei","Jurisdiction":"Zuständigkeit","Create":"Erstellen","This_account_is_disabled":"Dieses Konto ist deaktiviert","This_account_is_excluded_until_[_1]":"Dieses Konto ist bis [_1] ausgeschlossen","Set_Currency":"Währung einstellen","Commodities":"Rohstoffe","Forex":"Devisenhandel","Indices":"Indizes","Stocks":"Aktien","Volatility_Indices":"Volatilität Indizes","Please_check_your_email_for_the_password_reset_link_":"Für den Passwortrücksetzungs-Link, überprüfen Sie bitte Ihre E-Mail.","Advanced":"Fortgeschritten","Demo_Standard":"Demo-Standard","Real_Standard":"Echter Standard","Demo_Advanced":"Fortgeschrittenes Demo","Real_Advanced":"Echt fortgeschritten","MAM_Advanced":"MAM Fortgeschritten","Demo_Volatility_Indices":"Demo Volatilität Ind.","Real_Volatility_Indices":"Echte Volatilität Ind.","MAM_Volatility_Indices":"MAM Volatilität Indizes","Sign_up":"Melden Sie sich an","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Der Handel von Differenzkontrakten (CFDs) auf Volatilität Indizes ist nicht für jeden geeignet. Bitte versichern Sie, dass Sie die involvierten Risiken, einschließlich der Möglichkeit alle Gelder in Ihrem MT5 Konto zu verlieren, verstehen. Glücksspiel kann süchtig machen - bitte spielen Sie verantwortungsbewusst.","Do_you_wish_to_continue?":"Möchten Sie fortfahren?","Acknowledge":"Anerkennen","Change_Password":"Passwort ändern","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Das [_1] Passwort der Kontonummer [_2] wurde geändert.","Reset_Password":"Passwort zurücksetzen","Verify_Reset_Password":"Zurückgesetztes Passwort bestätigen","Please_check_your_email_for_further_instructions_":"Bitte überprüfen Sie Ihre E-Mail für weitere Anweisungen.","Revoke_MAM":"MAM widerrufen","Manager_successfully_revoked":"Manager erfolgreich widerrufen","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] Einzahlung von [_2] zu Kontonummer [_3] ist erledigt. Überweisungs-ID: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Ihre Kasse wurde auf Ihren Antrag hin gesperrt - um Sie wieder zu entsperren, bitte hieranklicken.","You_have_reached_the_limit_":"Sie haben das Limit erreicht.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"[_1] Auszahlung von Kontonummer [_2] bis [_3] ist erledigt. Überweisungs-ID: [_4]","Main_password":"Hauptpasswort","Investor_password":"Investoren Passwort","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Sie haben kein ausreichendes Guthaben auf Ihrem Binary Konto, bitte fügen Sie Gelder hinzu.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Unser MT5-Service ist für EU-Bürger aufgrund ausstehender regulatorischer Genehmigung derzeit nicht verfügbar.","Demo_Accounts":"Demo-Konten","MAM_Accounts":"MAM Konten","Real-Money_Accounts":"Echtgeldkonten","Demo_Account":"Demo-Konto","Real-Money_Account":"Echtgeldkonto","for_account_[_1]":"für Konto [_1]","[_1]_Account_[_2]":"[_1] Konto [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Ihr Token ist abgelaufen oder ungültig. Bitte klicken Sie hier, um den Verfikationsprozess zu wiederholen.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Die angegebene E-Mail Adresse, ist bereits in Verwendung. Wenn Sie Ihr Passwort vergessen haben, versuchen Sie bitte unser Passwort-Wiederfindung Tool, oder kontaktieren Sie die Kundenbetreuung.","Password_is_not_strong_enough_":"Passwort ist nicht stark genug.","Upgrade_now":"Jetzt upgraden","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] Tage [_2] Stunden [_3] Minuten","Your_trading_statistics_since_[_1]_":"Ihre Trading-Statistiken seit [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] klicken Sie bitte auf den unterstehenden Link, um den Passwort-Wiederherstellungsprozess neu zu starten.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Ihr Passwort wurde erfolgreich zurückgesetzt. Bitte loggen Sie mit Ihrem neuen Passwort in Ihr Konto ein.","Please_choose_a_currency":"Bitte wählen Sie eine Währung","Asian_Up":"Asiatisches Hoch","Asian_Down":"Asiatisches Tief","Higher_or_equal":"Höher oder gleich","Lower_or_equal":"Niedriger oder gleich","Digit_Matches":"Kommast. gleich","Digit_Differs":"Kommast. vd.","Digit_Odd":"Kommast. ungerade","Digit_Even":"Kommast. gleich","Digit_Over":"Kommast. über","Digit_Under":"Kommast. unter","High_Tick":"Höchster Tick","Low_Tick":"Niedriger Tick","Equals":"Gleicht","Not":"Nicht","Buy":"Kaufen","Sell":"Verkaufen","Contract_has_not_started_yet":"Kontrakt ist noch nicht gestartet","Contract_Result":"Kontraktergebnis","Close_Time":"Schlusszeit","Highest_Tick_Time":"Höchste Tick Zeit","Lowest_Tick_Time":"Niedrigste Tick Zeit","Exit_Spot_Time":"Schlusskurszeit","View_Chart":"Diagramm anzeigen","Audit_Page":"Audit-Seite","Spot":"Kassakurs","Spot_Time_(GMT)":"Spot Zeit (GMT)","Contract_Starts":"Kontrakt beginnt","Contract_Ends":"Kontrakt endet","Target":"Ziel","Contract_Information":"Kontraktinformation","Contract_Type":"Kontrakttyp","Transaction_ID":"Transaktions-ID","Remaining_Time":"Verbleibende Zeit","Maximum_payout":"Maximale Auszahlung","Barrier_Change":"Grenzänderung","Current":"Derzeit","Spot_Time":"Kassa-Zeit","Current_Time":"Aktuelle Zeit","Indicative":"Indikativ","You_can_close_this_window_without_interrupting_your_trade_":"Sie können dieses Fenster schließen, ohne Ihren Handel zu unterbrechen.","There_was_an_error":"Es ist ein Fehler aufgetreten","Sell_at_market":"Zum Börsenkurs verkaufen","Note":"Anmerkung","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Der Kontrakt wird, sobald der Auftrag von unseren Servern empfangen wurde, zum dann geltenden Marktkurs verkauft. Dieser Kurs kann von den angegebenen Kursen abweichen.","You_have_sold_this_contract_at_[_1]_[_2]":"Sie haben diesen Kontrakt für [_1] [_2] verkauft","Your_transaction_reference_number_is_[_1]":"Ihre Überweisungsnummer ist [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Vielen Dank, dass Sie sich angemeldet haben! Bitte überprüfen Sie Ihre E-Mail, um den Anmeldeprozess abzuschließen.","All_markets_are_closed_now__Please_try_again_later_":"Alle Börsen sind derzeit geschlossen. Bitte versuchen Sie es später erneut.","Withdrawal":"Abhebung","virtual_money_credit_to_account":"virtuelles Geldguthaben zum Konto","logout":"abmelden","Asians":"Asiaten","Digits":"Ziffern","Ends_Between/Ends_Outside":"Schließt Innerhalb/Schließt Außerhalb","High/Low_Ticks":"Hohe/Niedrige Ticks","Reset_Call/Reset_Put":"Call/Put zurücksetzen","Stays_Between/Goes_Outside":"Bleibt Innerhalb/Geht Außerhalb","Touch/No_Touch":"Ziel/Kein Ziel","Christmas_Day":"Weihnachtstag","Closes_early_(at_18:00)":"Schließt früh (um 18:00)","Closes_early_(at_21:00)":"Schließt früh (um 21:00)","Fridays":"Freitag","New_Year's_Day":"Neujahrstag","today":"heute","today,_Fridays":"heute, Freitage","There_was_a_problem_accessing_the_server_":"Es gab ein Problem beim Zugriff auf den Server.","There_was_a_problem_accessing_the_server_during_purchase_":"Während des Kaufs ist ein Problem beim Zugriff auf den Server aufgetreten."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/es.js b/src/javascript/_autogenerated/es.js
index 9aacf5d96a362..83787cf01c39e 100644
--- a/src/javascript/_autogenerated/es.js
+++ b/src/javascript/_autogenerated/es.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['ES'] = {"Day":"Día","Month":"Mes","Year":"Año","Sorry,_an_error_occurred_while_processing_your_request_":"Lo sentimos, ha ocurrido un error mientras se procesaba su petición.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"[_1]Inicie sesión[_2] o [_3]regístrese[_4] para ver esta página.","Click_here_to_open_a_Real_Account":"Haga clic aquí para abrir una cuenta real","Open_a_Real_Account":"Abrir una cuenta real","Click_here_to_open_a_Financial_Account":"Haga clic aquí para abrir una cuenta financiera","Open_a_Financial_Account":"Abrir una cuenta financiera","Network_status":"Estado de la red","Online":"En línea","Offline":"Fuera de línea","Connecting_to_server":"Conectando al servidor","Virtual_Account":"Cuenta virtual","Real_Account":"Cuenta real","Investment_Account":"Cuenta de inversión","Gaming_Account":"Cuenta de juego","Sunday":"Domingo","Monday":"Lunes","Tuesday":"Martes","Wednesday":"Miércoles","Thursday":"Jueves","Friday":"Viernes","Saturday":"Sábado","Su":"DO","Mo":"LU","Tu":"MA","We":"MI","Th":"JU","Fr":"VI","Sa":"SA","January":"Enero","February":"Febrero","March":"Marzo","April":"Abril","June":"Junio","July":"Julio","August":"Agosto","September":"Septiembre","October":"Octubre","November":"Noviembre","December":"Diciembre","Jan":"Ene","Apr":"Abr","Aug":"Ago","Dec":"Dic","Next":"Siguiente","Previous":"Anterior","Hour":"Hora","Minute":"Minuto","Time_is_in_the_wrong_format_":"La hora está en el formato equivocado.","Purchase_Time":"Hora de compra","Charting_for_this_underlying_is_delayed":"Gráficos para este instrumento se muestran con retraso","Reset_Time":"Tiempo de Reset","Payout_Range":"Rango de pago","Chart_is_not_available_for_this_underlying_":"El gráfico no se encuentra disponible para este subyacente.","year":"año","month":"mes","week":"semana","day":"día","days":"días","hour":"hora","hours":"horas","minute":"minuto","minutes":"minutos","second":"segundo","seconds":"segundos","tick":"intervalo","ticks":"intervalos","Loss":"Pérdida","Profit":"Beneficios","Payout":"Pago","Units":"Unidades","Stake":"Inversión","Duration":"Duración","End_Time":"Hora de finalización","Net_profit":"Beneficio Neto","Return":"Ganancias","Now":"Ahora","Contract_Confirmation":"Confirmación del contrato","Your_transaction_reference_is":"La referencia de su transacción es","Rise/Fall":"Alza/Baja","Higher/Lower":"Superior/Inferior","In/Out":"Dentro/Fuera","Matches/Differs":"Iguales/Diferentes","Even/Odd":"Par/Impar","Over/Under":"Encima/Debajo","Up/Down":"Arriba/Abajo","Ends_Between/Ends_Outside":"Finaliza dentro/Finaliza fuera","Touch/No_Touch":"Toque/Sin toque","Stays_Between/Goes_Outside":"Permanece dentro/Sale","Asians":"Asiáticas","High/Low_Ticks":"Ticks Altos/Bajos","Potential_Payout":"Pago potencial","Maximum_Payout":"Pago máximo","Total_Cost":"Coste total","Potential_Profit":"Beneficios potenciales","Maximum_Profit":"Máxima ganancia","View":"Ver","Tick":"Intervalo","Buy_price":"Precio de compra","Final_price":"Precio final","Long":"Largos","Short":"Cortos","Chart":"Gráfico","Portfolio":"Cartera","Explanation":"Explicación","Last_Digit_Stats":"Estadísticas del último dígito","Waiting_for_entry_tick_":"Esperando el tick de entrada.","Waiting_for_exit_tick_":"Esperando el intervalo de salida. ","Please_log_in_":"Por favor inicie sesión.","All_markets_are_closed_now__Please_try_again_later_":"Todos los mercados están cerrados ahora. Inténtelo más tarde.","Account_balance:":"Saldo de la cuenta:","Try_our_[_1]Volatility_Indices[_2]_":"Pruebe nuestros [_1]índices Volatility[_2].","Try_our_other_markets_":"Pruebe nuestros otros mercados.","Session":"Sesión","Crypto":"Critpo","Fiat":"Dinero fíat","High":"Máximo","Low":"Bajo","Close":"Cerrar","Payoff":"Recompensa","High-Close":"Alto-Cierre","Close-Low":"Cierre-Bajo","High-Low":"Alto-Bajo","Search___":"Buscar...","Select_Asset":"Seleccionar activo","The_reset_time_is_[_1]":"El tiempo de reset es [_1]","Purchase":"Comprar","Purchase_request_sent":"Solicitud de compra ha sido enviada","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Agregue un +/- para definir el intervalo de tolerancia de la barrera, por ejemplo, +0,005 significa una barrera superior al punto de entrada en 0,005.","Please_reload_the_page":"Por favor, vuelva a cargar la página","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Su cuenta está totalmente autenticada y su límite de retirada ha sido aumentado.","Your_withdrawal_limit_is_[_1]_[_2]_":"Su límite de retirada es [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Su límite de retirada es [_1] [_2] (o el equivalente en otra divisa).","You_have_already_withdrawn_[_1]_[_2]_":"Usted ya retiró [_1] [_2].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Usted ya retiró el equivalente a [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Por lo tanto, la cantidad máxima que puede retirar de forma inmediata (sujeta a la existencia de fondos suficientes en su cuenta) es [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Por lo tanto, la cantidad máxima que puede retirar de forma inmediata (sujeta a la existencia de fondos suficientes en su cuenta) es [_1] [_2] (o su equivalente en otra divisa).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Su [_1] límite diario para retirar dinero es actualmente [_2] [_3] (o el equivalente en otra divisa).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Usted ya retiró un total equivalente a [_1] [_2] en los últimos [_3] días.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Contratos en que la barrera es igual al punto de entrada.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Contratos en que la barrera es diferente al punto de entrada.","ATM":"Cajero automático","Non-ATM":"No-ATM","Duration_up_to_7_days":"Duración hasta 7 días","Duration_above_7_days":"Duración superior a 7 días","Major_Pairs":"Pares mayores","This_field_is_required_":"Este campo es obligatorio.","Please_select_the_checkbox_":"Seleccione la casilla de verificación.","Please_accept_the_terms_and_conditions_":"Por favor acepte los términos y condiciones.","Only_[_1]_are_allowed_":"Se permiten solo [_1].","letters":"letras","numbers":"números","space":"espacio","Sorry,_an_error_occurred_while_processing_your_account_":"Lo sentimos, ha ocurrido un error mientras se procesaba su cuenta.","Your_changes_have_been_updated_successfully_":"Sus cambios se han actualizado con éxito.","Your_settings_have_been_updated_successfully_":"Se han actualizado sus preferencias.","Female":"Mujer","Male":"Hombre","Please_select_a_country":"Seleccione un país","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Por favor, confirme que toda la información anterior es verdadera y está completa.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Su solicitud para ser tratado como un cliente profesional es procesada.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Usted está categorizado como cliente minorista. Mande solicitud para ser tratado como un operador profesional.","You_are_categorised_as_a_professional_client_":"Está categorizado como un cliente profesional.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Su token ha caducado o no es válido. Haga clic aquí para reiniciar el proceso de verificación.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"La dirección de correo electrónico proporcionada ya está en uso. Si olvidó su contraseña, pruebe nuestra herramienta de recuperación de contraseña o póngase en contacto con nuestro servicio de atención al cliente.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"La contraseña debe tener letras minúsculas y mayúsculas con números.","Password_is_not_strong_enough_":"La contraseña no es lo suficientemente fuerte.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"El límite de duración de su sesión terminará en [_1] segundos.","Invalid_email_address_":"Correo electrónico no válido.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"¡Gracias por registrarse! Compruebe su correo electrónico completar el proceso de registro.","Financial_Account":"Cuenta Financiera","Upgrade_now":"Actualice ahora","Please_select":"Seleccione","Minimum_of_[_1]_characters_required_":"Mínimo de [_1] caracteres requeridos.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Por favor, confirme que no es una persona políticamente expuesta.","Asset":"Activo","Opens":"Abre","Closes":"Cierra","Settles":"Liquida","Upcoming_Events":"Próximos eventos","Closes_early_(at_21:00)":"Cierra temprano (a las 21:00)","Closes_early_(at_18:00)":"Cierra temprano (a las 18:00)","New_Year's_Day":"Día de año nuevo","Christmas_Day":"Día de Navidad","Fridays":"Viernes","today":"hoy","today,_Fridays":"hoy, los viernes","Please_select_a_payment_agent":"Seleccione un agente de pago","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Los servicios del agente de pago no están disponibles en su país o en su moneda preferida.","Invalid_amount,_minimum_is":"Monto inválido, el mínimo es","Invalid_amount,_maximum_is":"Monto invalido. El máximo es","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Su solicitud de retirada de [_1] [_2] de su cuenta [_3] al agente de pagos [_4] se ha procesado correctamente.","Up_to_[_1]_decimal_places_are_allowed_":"Se permiten hasta [_1] decimales.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Su token ha expirado o es inválido. Haga clic [_1]aquí[_2] para reiniciar el proceso de verificación.","New_token_created_":"Un token nuevo ha sido creado.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"El máximo número de tokens ([_1]) ha sido alcanzado.","Name":"Nombre","Last_Used":"Último usado","Scopes":"Alcances","Never_Used":"Nunca usado","Delete":"Eliminar","Are_you_sure_that_you_want_to_permanently_delete_the_token":"¿Está seguro de querer eliminar definitivamente el token?","Please_select_at_least_one_scope":"Seleccione al menos un objetivo","Guide":"Guía","Finish":"Terminar","Step":"Paso","Select_your_market_and_underlying_asset":"Seleccione el mercado y activo subyacente","Select_your_trade_type":"Seleccione el tipo de contrato","Adjust_trade_parameters":"Ajustar parámetros de comercio","Predict_the_directionand_purchase":"Prediga la dirección y compre","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Lo sentimos, esta característica está disponible solo para cuentas virtuales.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] se han acreditado en su cuenta de dinero virtual [_3].","years":"años","months":"meses","weeks":"semanas","Your_changes_have_been_updated_":"Sus cambios se han actualizado.","Please_enter_an_integer_value":"Ingrese un valor entero","Session_duration_limit_cannot_be_more_than_6_weeks_":"El límite de la duración de la sesión no puede ser superior a 6 semanas.","You_did_not_change_anything_":"No ha cambiado nada.","Please_select_a_valid_date_":"Seleccione una fecha válida.","Please_select_a_valid_time_":"Seleccione una hora válida.","Time_out_cannot_be_in_the_past_":"El tiempo de inactividad no puede ser en el pasado.","Time_out_must_be_after_today_":"El tiempo de inactividad debe ser después de hoy.","Time_out_cannot_be_more_than_6_weeks_":"El tiempo de inactividad no puede ser mayor a seis semanas.","Exclude_time_cannot_be_less_than_6_months_":"El tiempo de exclusión no puede ser menor a 6 meses.","Exclude_time_cannot_be_for_more_than_5_years_":"El tiempo de exclusión no puede ser mayor a 5 años.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Si hace clic en \"OK\", no se le permitirá operar en el sitio hasta la fecha seleccionada.","Timed_out_until":"Bloqueado hasta","Excluded_from_the_website_until":"Excluido del sitio web hasta","Resale_not_offered":"No se ofrece reventa","Date":"Fecha","Action":"Acción","Contract":"Contrato","Sale_Date":"Fecha de venta","Sale_Price":"Precio venta","Total_Profit/Loss":"Beneficios/perdidas totales","Your_account_has_no_trading_activity_":"Su cuenta no tiene actividad comercial.","Today":"Hoy","Details":"detalles","Sell":"Venta","Buy":"Comprar","Virtual_money_credit_to_account":"Crédito de dinero virtual a la cuenta","This_feature_is_not_relevant_to_virtual-money_accounts_":"Esta característica no es relevante para cuentas de dinero virtual.","Japan":"Japón","Questions":"Preguntas","There_was_some_invalid_character_in_an_input_field_":"Había un carácter no válido en el campo de entrada.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Por favor, siga el patrón de 3 números y un guión seguido de 4 números.","Weekday":"Día de la semana","Processing_your_request___":"Procesando su solicitud...","Please_check_the_above_form_for_pending_errors_":"Por favor, compruebe el formulario anterior para ver si hay errores pendientes.","Asian_Up":"Asiáticas arriba","Asian_Down":"Asiáticas abajo","Digit_Matches":"Dígito coincide","Digit_Differs":"Dígito difiere","Digit_Odd":"Dígito impar","Digit_Even":"Dígito par","Digit_Over":"Dígito sobre","Digit_Under":"Dígito por debajo","High_Tick":"Tick alto","Low_Tick":"Tick bajo","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] es estrictamente superior o igual a la barrera al momento del cierre en [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] es estrictamente inferior a la barrera al momento del cierre en [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Pago de [_1] [_2] si [_3] no toca la barrera hasta el cierre en [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Pago de [_2] [_1] si [_3] toca la barrera antes del cierre en [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] termina en o entre el valor mínimo y el máximo de la barrera al cierre en [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] termina fuera del valor mínimo y máximo de la barrera al cierre en [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Pago de [_2] [_1] si [_3] no sale del valor mínimo y máximo de la barrera antes del cierre en [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Pago de [_2] [_1] si [_3] sale del valor mínimo y máximo de la barrera antes del cierre en [_4].","Higher":"Superior","Higher_or_equal":"Mayor o igual","Lower":"Inferior","Lower_or_equal":"Inferior o igual","Touches":"Toca","Does_Not_Touch":"No toque","Ends_Between":"Finaliza entre","Ends_Outside":"Finaliza fuera","Stays_Between":"Permanece dentro","Goes_Outside":"Sale fuera","All_barriers_in_this_trading_window_are_expired":"Todos los límites en esta ventana de comercio han caducado","Remaining_time":"Tiempo restante","Market_is_closed__Please_try_again_later_":"El mercado está cerrado. Inténtelo más tarde.","This_symbol_is_not_active__Please_try_another_symbol_":"Este símbolo no se encuentra activo. Por favor, intente con otro símbolo.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Lo sentimos, su cuenta no está autorizada para continuar con la compra de contratos.","Lots":"Lotes","Payout_per_lot_=_1,000":"Pago por lote = 1.000","This_page_is_not_available_in_the_selected_language_":"Esta página no está disponible en el idioma seleccionado.","Trading_Window":"Ventana de operación","Percentage":"Porcentaje","Digit":"Dígito","Amount":"Monto","Deposit":"Depósito","Withdrawal":"Retirar","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Su solicitud de transferencia [_1] [_2] de [_3] a [_4] ha sido procesada exitosamente.","Date_and_Time":"Fecha y Hora","Browser":"Navegador","IP_Address":"Dirección IP","Status":"Estado","Successful":"Exitoso","Failed":"Fallado","Your_account_has_no_Login/Logout_activity_":"Su cuenta no tiene actividad de accesos/cierres de sesión.","logout":"cerrar sesión","Please_enter_a_number_between_[_1]_":"Por favor, introduzca un número entre [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] días [_2] horas [_3] minutos","Your_trading_statistics_since_[_1]_":"Las estadísticas de sus transacciones desde [_1].","Unlock_Cashier":"Desbloquear cajero","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Su cajero está bloqueado según su petición - para desbloquearlo, por favor introduzca la contraseña.","Lock_Cashier":"Bloquear cajero","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Se puede utilizar una contraseña adicional para restringir el acceso al cajero.","Update":"Actualizar","Sorry,_you_have_entered_an_incorrect_cashier_password":"Lo sentimos, ingresó una contraseña de cajero incorrecta","You_have_reached_the_withdrawal_limit_":"Usted ha alcanzado el límite de retiros.","Start_Time":"Hora de comienzo","Entry_Spot":"Punto de entrada","Low_Barrier":"Barrera Inferior","High_Barrier":"Barrera Superior","Reset_Barrier":"Barrera de Reset","Average":"Promedio","This_contract_won":"Este contrato ganó","This_contract_lost":"Este contrato perdió","Spot":"Precio actual del mercado","Barrier":"Límite","Target":"Objetivo","Equals":"Equivale","Not":"No","Description":"Descripción","Credit/Debit":"Crédito/débito","Balance":"Saldo","Purchase_Price":"Precio de compra","Profit/Loss":"Ganado/Perdido","Contract_Information":"Información del Contrato","Contract_Result":"Resultado del contrato","Current":"Actual","Open":"Abierto","Closed":"Cerrado","Contract_has_not_started_yet":"El contrato no ha comenzado todavía","Spot_Time":"Hora del precio a la vista","Spot_Time_(GMT)":"Hora del precio a la vista (GTM)","Current_Time":"Hora actual","Exit_Spot_Time":"Tiempo de Punto de Salida","Exit_Spot":"Punto de salida","Indicative":"Indicativo","There_was_an_error":"Hubo un error","Sell_at_market":"Vender al precio actual","You_have_sold_this_contract_at_[_1]_[_2]":"Usted ha vendido este contrato en [_1] [_2]","Your_transaction_reference_number_is_[_1]":"El número de referencia de su transacción es [_1]","Tick_[_1]_is_the_highest_tick":"El Tick [_1] es el tick más alto. ","Tick_[_1]_is_not_the_highest_tick":"El Tick [_1] no es el tick más alto","Tick_[_1]_is_the_lowest_tick":"El Tick [_1] es el tick más bajo. ","Tick_[_1]_is_not_the_lowest_tick":"El Tick [_1] no es el tick más bajo","Note":"Nota","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"El contrato se venderá al precio vigente en el mercado en el momento de la recepción de la solicitud de venta por nuestros servidores. Este precio puede ser diferente del precio indicado.","Contract_Type":"Tipo de contrato","Transaction_ID":"ID de la transacción","Remaining_Time":"Tiempo Restante","Barrier_Change":"Cambio de Límite","Audit":"Auditoría","Audit_Page":"Página de auditoría","View_Chart":"Vea la gráfica","Contract_Starts":"Contrato empieza","Contract_Ends":"El contrato termina","Start_Time_and_Entry_Spot":"Hora de inicio y punto de entrada","Exit_Time_and_Exit_Spot":"Finalización del contrato y Precio de salida","You_can_close_this_window_without_interrupting_your_trade_":"Puede cerrar esta ventana sin interrumpir su operación.","Selected_Tick":"Tick Seleccionado","Highest_Tick":"El Tick más alto","Highest_Tick_Time":"Tiempo de tick más alto","Lowest_Tick":"El Tick más bajo","Lowest_Tick_Time":"Tiempo de tick más bajo","Close_Time":"Hora de cierrre","Please_select_a_value":"Seleccione un valor","You_have_not_granted_access_to_any_applications_":"Usted no ha concedido acceso a ninguna aplicación.","Permissions":"Permisos","Never":"Nunca","Revoke_access":"Revocar el acceso","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"¿Está seguro de que desea revocar permanentemente el acceso a la aplicación?","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transacción realizada por [_1] (ID de la aplicación: [_2])","Admin":"Administrador","Read":"Leer","Payments":"Pagos","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Haga clic en el siguiente enlace para reiniciar el proceso de recuperación de contraseña.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Su contraseña se ha restablecido. Por favor, inicie sesión en su cuenta utilizando su nueva contraseña.","Please_check_your_email_for_the_password_reset_link_":"Por favor, verifique su correo electrónico para obtener el enlace de restablecimiento de su contraseña.","details":"detalles","Withdraw":"Retirar","Insufficient_balance_":"Saldo insuficiente.","This_is_a_staging_server_-_For_testing_purposes_only":"Este es un servidor de prueba - sólo para motivos de prueba","The_server_endpoint_is:_[_2]":"El terminal del servidor es: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Lo sentimos, pero no es posible abrir una cuenta en su país.","There_was_a_problem_accessing_the_server_":"Hubo un problema al acceder al servidor.","There_was_a_problem_accessing_the_server_during_purchase_":"Hubo un problema al acceder al servidor durante la compra.","Should_be_a_valid_number_":"Debe ser un número válido.","Should_be_more_than_[_1]":"Debe ser mayor a [_1]","Should_be_less_than_[_1]":"Debe ser menor a [_1]","Should_be_[_1]":"Debería ser [_1]","Should_be_between_[_1]_and_[_2]":"Debe estar entre [_1] y [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Se permite sólo el uso de letras, números, espacios, guiones, puntos y apóstrofes.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Se permite sólo el uso de letras, espacios, guiones, puntos y apóstrofes.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Se permiten sólo letras, números y guiones.","Only_numbers,_space,_and_hyphen_are_allowed_":"Se permiten sólo números, espacios y guiones.","Only_numbers_and_spaces_are_allowed_":"Se permiten sólo números y espacios.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Se permite sólo el uso de letras, números, espacios y los siguientes caracteres especiales: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Las dos contraseñas introducidas no coinciden.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] y [_2] no pueden ser iguales.","You_should_enter_[_1]_characters_":"Debería ingresar [_1] caracteres.","Indicates_required_field":"Indica campo obligatorio","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"El código de verificación es incorrecto. Por favor, haga clic en el enlace enviado a su correo electrónico.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"La contraseña que ingresada es una de las contraseñas más utilizadas en el mundo. Se recomienda no utilizar esta contraseña.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Pista: se necesitaría aproximadamente [_1][_2] para descifrar esta contraseña.","thousand":"mil","million":"millón","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Debe empezar con letra o número y puede contener guión y guión bajo.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Su dirección no ha podido ser verificada por nuestro sistema automatizado. Puede continuar, pero asegúrese de que su dirección esté completa.","Validate_address":"Validar dirección","Congratulations!_Your_[_1]_Account_has_been_created_":"¡Felicidades! Su cuenta [_1] ha sido creada.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"La contraseña [_1] de la cuenta nº [_2] ha sido modificada.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] depósito desde [_2] a la cuenta número [_3] se ha realizado con éxito. ID de transacción: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Retiro de [_1] desde la cuenta número [_2] a [_3] se ha realizado con éxito. ID de transacción: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Su cajero está bloqueado según su solicitud: para desbloquearlo, haga clic aquí.","Your_cashier_is_locked_":"Su cajero está bloqueado.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Usted no tiene fondos suficientes en su cuenta de Binary, añadir fondos.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Lo sentimos, esta función no está disponible en su jurisdicción.","You_have_reached_the_limit_":"Usted ha alcanzado el límite.","Main_password":"Contraseña principal","Investor_password":"Contraseña de inversionista","Current_password":"Contraseña actual","New_password":"Contraseña nueva","Demo_Standard":"Demo estándar","Standard":"Estándar","Demo_Advanced":"Demo avanzada","Advanced":"Avanzado","Demo_Volatility_Indices":"Demo de índices de volatilidad","Real_Standard":"Cuenta real estándar","Real_Advanced":"Cuenta real avanzada","Real_Volatility_Indices":"Índices Volatility reales","MAM_Advanced":"MAM Avanzado","MAM_Volatility_Indices":"Índices de Volatilidad MAM ","Change_Password":"Cambiar contraseña","Demo_Accounts":"Cuentas de prueba","Demo_Account":"Cuenta de prueba","Real-Money_Accounts":"Cuentas de dinero real","Real-Money_Account":"Cuenta de dinero real","MAM_Accounts":"Cuentas MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Nuestro servicio de MT5 no se encuentra actualmente disponible para residentes de la UE, debido a aprobaciones regulatorias pendientes.","[_1]_Account_[_2]":"Cuenta [_1] [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Operar contratos por diferencia (CFD) en los índices Volatility puede no ser adecuado para todos. Por favor, asegúrese de entender completamente los riesgos involucrados, incluyendo la posibilidad de perder todos los fondos en su cuenta MT5. El juego puede ser adictivo, por favor juegue responsablemente.","Do_you_wish_to_continue?":"¿Desea continuar?","for_account_[_1]":"para la cuenta [_1]","Verify_Reset_Password":"Verificar nueva contraseña","Reset_Password":"Restablecer contraseña","Please_check_your_email_for_further_instructions_":"Por favor, revise su correo para más instrucciones.","Revoke_MAM":"Revocar MAM","Manager_successfully_revoked":"Manager revocado con éxito","{SPAIN_ONLY}You_are_about_to_purchase_a_product_that_is_not_simple_and_may_be_difficult_to_understand:_Contracts_for_Difference_and_Forex__As_a_general_rule,_the_CNMV_considers_that_such_products_are_not_appropriate_for_retail_clients,_due_to_their_complexity_":"Está a punto de comprar un producto que no es sencillo y puede ser difícil de entender: CFD. Como una regla general, la CNMV considera que dichos productos no son apropiados para clientes minoristas, debido a su complejidad.","{SPAIN_ONLY}However,_Binary_Investments_(Europe)_Ltd_has_assessed_your_knowledge_and_experience_and_deems_the_product_appropriate_for_you_":"Sin embargo, Binary Investments (Europe) Ltd ha evaluado su conocimiento y experiencia y considera el producto apropiado para usted.","{SPAIN_ONLY}This_is_a_product_with_leverage__You_should_be_aware_that_losses_may_be_higher_than_the_amount_initially_paid_to_purchase_the_product_":"Este es un producto con apalancamiento. Debe tener en cuenta que las pérdidas pueden ser más altas que el monto pagado inicialmente para comprar el producto.","Max":"Máximo","Current_balance":"Saldo actual","Withdrawal_limit":"Límite de retirada","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Autentifique su cuenta[_2] ahora para aprovechar al máximo todos los métodos de pago disponibles.","Please_set_the_[_1]currency[_2]_of_your_account_":"Seleccione la [_1]moneda[_2] para su cuenta.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Ajuste el límite de facturación de 30 días en sus [_1]herramientas de autoexclusión[_2] para eliminar los límites de depósito.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Por favor seleccione el [_1]país de residencia[_2] antes de actualizar a una cuenta de dinero real.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor complete el [_1]formulario de evaluación financiera[_2] para aumentar el límite de retiro y operación de su cuenta.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor \"complete su perfil\" para aumentar el límite de retiro y negociación de su cuenta.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor [_1]acepte los términos y condiciones actualizados[_2] para aumentar el límite de retiro y negociación de su cuenta.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Su cuenta está restringida. [_1]Póngase en contacto con atención al cliente[_2] para obtener ayuda.","Connection_error:_Please_check_your_internet_connection_":"Error de conexión: por favor, compruebe su conexión a internet.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Ustes ha alcanzado el límite de solicitudes por segundo. Vuelva a intentarlo más tarde.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] requiere que el almacenamiento web de su navegador esté activo para funcionar correctamente. Por favor, habilítelo o salga del modo de navegación privada.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Estamos revisando sus documentos. Para más información [_1]contáctenos[_2]. ","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Depósitos y retiros han sido deshabilitados en su cuenta. Por favor revise su correo electrónico para más detalles.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Se han desactivado las operaciones y depósitos en su cuenta. Por favor [_1]póngase en contacto con nuestro servicio de atención al cliente[_2] para recibir asistencia.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Los retiros están deshabilitado en su cuenta. Por favor revise su correo electrónico para más detalles.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Por favor complete sus [_1]datos personales[_2] antes de continuar.","Account_Authenticated":"Cuenta autenticada","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Su buscador web ([_1]) está desactualizado y puede afectar su experiencia comercial. Continúe bajo su propio riesgo. [_2]Actualizar buscador[_3]","Bid":"Oferta","Closed_Bid":"Cerrar oferta","Create":"Crear","Commodities":"Materias primas","Indices":"Índices","Stocks":"Acciones","Volatility_Indices":"Índices de Volatilidad","Set_Currency":"Definir moneda","Please_choose_a_currency":"Por favor elija una moneda","Create_Account":"Crear cuenta","Accounts_List":"Lista de cuentas","[_1]_Account":"Cuenta [_1]","Investment":"Inversión","Gaming":"Apuestas","Counterparty":"Contraparte","This_account_is_disabled":"Esta cuenta está deshabilitada","This_account_is_excluded_until_[_1]":"Esta cuenta se encuentra excluida hasta [_1]","Ether":"Ethereum","Ether_Classic":"Ethereum Classic","Invalid_document_format_":"Formato de documento inválido.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"El archivo ([_1]) excede el tamaño permitido. Máximo tamaño permitido: [_2]","ID_number_is_required_for_[_1]_":"La cédula de identidad es requerida para [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"La cédula de identidad ([_1]) solo puede contener letras, números, espacios, guiones bajos y guiones.","Expiry_date_is_required_for_[_1]_":"Fecha de vencimiento es requerida por [_1].","Passport":"Pasaporte","ID_card":"Cédula de identidad","Driving_licence":"Licencia de conducir","Front_Side":"Parte delantera","Reverse_Side":"Reverso","Front_and_reverse_side_photos_of_[_1]_are_required_":"Fotos de la parte delantera y reverso de [_1] son necesarias.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Su comprobante de identidad o de domicilio[_2] no cumple nuestros requisitos. Por favor, revise su correo electrónico para más instrucciones.","Following_file(s)_were_already_uploaded:_[_1]":"Los siguientes archivos ya se habían subido: [_1]","Checking":"Verificando","Checked":"Verificado","Pending":"Pendiente","Submitting":"Enviando","Submitted":"Enviado","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Será redirigido a un sitio web de terceros que no es propiedad de Binary.com.","Click_OK_to_proceed_":"Haga clic en Aceptar para continuar.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Usted ha activado con éxito la autenticación de dos factores para su cuenta.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Usted ha desactivado con éxito la autenticación de dos factores para su cuenta.","Enable":"Activar","Disable":"Desactivar"};
\ No newline at end of file
+texts_json['ES'] = {"Investment":"Inversión","Gaming":"Apuestas","Ether":"Ethereum","Ether_Classic":"Ethereum Classic","Online":"En línea","Offline":"Fuera de línea","Connecting_to_server":"Conectando al servidor","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"La contraseña que ingresada es una de las contraseñas más utilizadas en el mundo. Se recomienda no utilizar esta contraseña.","million":"millón","thousand":"mil","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Pista: se necesitaría aproximadamente [_1][_2] para descifrar esta contraseña.","years":"años","days":"días","Validate_address":"Validar dirección","Unknown_OS":"Sistema Operativo Desconocido","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Será redirigido a un sitio web de terceros que no es propiedad de Binary.com.","Click_OK_to_proceed_":"Haga clic en Aceptar para continuar.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] requiere que el almacenamiento web de su navegador esté activo para funcionar correctamente. Por favor, habilítelo o salga del modo de navegación privada.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"[_1]Inicie sesión[_2] o [_3]regístrese[_4] para ver esta página.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Lo sentimos, esta característica está disponible solo para cuentas virtuales.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Esta característica no es relevante para cuentas de dinero virtual.","[_1]_Account":"Cuenta [_1]","Click_here_to_open_a_Financial_Account":"Haga clic aquí para abrir una cuenta financiera","Click_here_to_open_a_Real_Account":"Haga clic aquí para abrir una cuenta real","Open_a_Financial_Account":"Abrir una cuenta financiera","Open_a_Real_Account":"Abrir una cuenta real","Create_Account":"Crear cuenta","Accounts_List":"Lista de cuentas","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Autentifique su cuenta[_2] ahora para aprovechar al máximo todos los métodos de pago disponibles.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Depósitos y retiros han sido deshabilitados en su cuenta. Por favor revise su correo electrónico para más detalles.","Please_set_the_[_1]currency[_2]_of_your_account_":"Seleccione la [_1]moneda[_2] para su cuenta.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Su comprobante de identidad o de domicilio[_2] no cumple nuestros requisitos. Por favor, revise su correo electrónico para más instrucciones.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Estamos revisando sus documentos. Para más información [_1]contáctenos[_2]. ","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Su cuenta está restringida. [_1]Póngase en contacto con atención al cliente[_2] para obtener ayuda.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Por favor, establezca su [_1]Límite de volumen de transacciones de 30 días[_2] para eliminar los límites de depósito.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Se han desactivado las operaciones con opciones binarias en su cuenta. Por favor, [_1]póngase en contacto con nuestro servicio de atención al cliente[_2] para recibir asistencia.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Se han inhabilitado los retiros de MT5 en su cuenta. Por favor, revise su casilla correo electrónico para obtener más detalles.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Por favor complete sus [_1]datos personales[_2] antes de continuar.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Por favor seleccione el [_1]país de residencia[_2] antes de actualizar a una cuenta de dinero real.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor complete el [_1]formulario de evaluación financiera[_2] para aumentar el límite de retiro y operación de su cuenta.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor \"complete su perfil\" para aumentar el límite de retiro y negociación de su cuenta.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Se han desactivado las operaciones y depósitos en su cuenta. Por favor [_1]póngase en contacto con nuestro servicio de atención al cliente[_2] para recibir asistencia.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Los retiros están deshabilitado en su cuenta. Por favor revise su correo electrónico para más detalles.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Por favor, [_1]acepte los Términos y Condiciones actializados[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Por favor, [_1]acepte los Términos y Condiciones actualizados[_2] para elevar el límite de depósito y operación.","Account_Authenticated":"Cuenta autenticada","Connection_error:_Please_check_your_internet_connection_":"Error de conexión: por favor, compruebe su conexión a internet.","Network_status":"Estado de la red","This_is_a_staging_server_-_For_testing_purposes_only":"Este es un servidor de prueba - sólo para motivos de prueba","The_server_endpoint_is:_[_2]":"El terminal del servidor es: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Su buscador web ([_1]) está desactualizado y puede afectar su experiencia comercial. Continúe bajo su propio riesgo. [_2]Actualizar buscador[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Ustes ha alcanzado el límite de solicitudes por segundo. Vuelva a intentarlo más tarde.","Please_select":"Seleccione","There_was_some_invalid_character_in_an_input_field_":"Había un carácter no válido en el campo de entrada.","Please_accept_the_terms_and_conditions_":"Por favor acepte los términos y condiciones.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Por favor, confirme que no es una persona políticamente expuesta.","Today":"Hoy","Barrier":"Límite","End_Time":"Hora de finalización","Entry_Spot":"Punto de entrada","Exit_Spot":"Punto de salida","Charting_for_this_underlying_is_delayed":"Gráficos para este instrumento se muestran con retraso","Highest_Tick":"El Tick más alto","Lowest_Tick":"El Tick más bajo","Payout_Range":"Rango de pago","Purchase_Time":"Hora de compra","Reset_Barrier":"Barrera de Reset","Reset_Time":"Tiempo de Reset","Start/End_Time":"Hora de Inicio/Finalización","Selected_Tick":"Tick Seleccionado","Start_Time":"Hora de comienzo","Fiat":"Dinero fíat","Crypto":"Critpo","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"El código de verificación es incorrecto. Por favor, haga clic en el enlace enviado a su correo electrónico.","Indicates_required_field":"Indica campo obligatorio","Please_select_the_checkbox_":"Seleccione la casilla de verificación.","This_field_is_required_":"Este campo es obligatorio.","Should_be_a_valid_number_":"Debe ser un número válido.","Up_to_[_1]_decimal_places_are_allowed_":"Se permiten hasta [_1] decimales.","Should_be_[_1]":"Debería ser [_1]","Should_be_between_[_1]_and_[_2]":"Debe estar entre [_1] y [_2]","Should_be_more_than_[_1]":"Debe ser mayor a [_1]","Should_be_less_than_[_1]":"Debe ser menor a [_1]","Invalid_email_address_":"Correo electrónico no válido.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"La contraseña debe tener letras minúsculas y mayúsculas con números.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Se permite sólo el uso de letras, números, espacios, guiones, puntos y apóstrofes.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Utilice solo letras, números, espacios y los siguientes caracteres especiales: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Se permite sólo el uso de letras, espacios, guiones, puntos y apóstrofes.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Utilice solo letras, números, espacios, y guiones.","The_two_passwords_that_you_entered_do_not_match_":"Las dos contraseñas introducidas no coinciden.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] y [_2] no pueden ser iguales.","Minimum_of_[_1]_characters_required_":"Mínimo de [_1] caracteres requeridos.","You_should_enter_[_1]_characters_":"Debería ingresar [_1] caracteres.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Debe empezar con letra o número y puede contener guión y guión bajo.","Invalid_verification_code_":"Código de verificación inválido.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transacción realizada por [_1] (ID de la aplicación: [_2])","Guide":"Guía","Next":"Siguiente","Finish":"Terminar","Step":"Paso","Select_your_market_and_underlying_asset":"Seleccione el mercado y activo subyacente","Select_your_trade_type":"Seleccione el tipo de contrato","Adjust_trade_parameters":"Ajustar parámetros de comercio","Predict_the_directionand_purchase":"Prediga la dirección y compre","Your_session_duration_limit_will_end_in_[_1]_seconds_":"El límite de duración de su sesión terminará en [_1] segundos.","January":"Enero","February":"Febrero","March":"Marzo","April":"Abril","June":"Junio","July":"Julio","August":"Agosto","September":"Septiembre","October":"Octubre","November":"Noviembre","December":"Diciembre","Jan":"Ene","Apr":"Abr","Aug":"Ago","Dec":"Dic","Sunday":"Domingo","Monday":"Lunes","Tuesday":"Martes","Wednesday":"Miércoles","Thursday":"Jueves","Friday":"Viernes","Saturday":"Sábado","Su":"DO","Mo":"LU","Tu":"MA","We":"MI","Th":"JU","Fr":"VI","Sa":"SA","Previous":"Anterior","Hour":"Hora","Minute":"Minuto","Max":"Máximo","Current_balance":"Saldo actual","Withdrawal_limit":"Límite de retirada","Withdraw":"Retirar","Deposit":"Depósito","State/Province":"Estado/Provincia","Country":"País","Town/City":"Pueblo/Ciudad","First_line_of_home_address":"Primera línea de dirección de residencia","Postal_Code_/_ZIP":"Código postal / CP","Telephone":"Teléfono","Email_address":"Dirección de correo electrónico","details":"detalles","Your_cashier_is_locked_":"Su cajero está bloqueado.","You_have_reached_the_withdrawal_limit_":"Usted ha alcanzado el límite de retiros.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Los servicios del agente de pago no están disponibles en su país o en su moneda preferida.","Please_select_a_payment_agent":"Seleccione un agente de pago","Amount":"Monto","Insufficient_balance_":"Saldo insuficiente.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Su solicitud de retirada de [_1] [_2] de su cuenta [_3] al agente de pagos [_4] se ha procesado correctamente.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Su token ha expirado o es inválido. Haga clic [_1]aquí[_2] para reiniciar el proceso de verificación.","Please_[_1]deposit[_2]_to_your_account_":"Por favor, [_1]deposite saldo[_2] en su cuenta.","minute":"minuto","minutes":"minutos","day":"día","week":"semana","weeks":"semanas","month":"mes","months":"meses","year":"año","Month":"Mes","Months":"Meses","Day":"Día","Days":"Días","Hours":"Horas","Minutes":"Minutos","Second":"Segundo","Seconds":"Segundos","Higher":"Superior","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] es estrictamente superior o igual a la barrera al momento del cierre en [_4].","Lower":"Inferior","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] es estrictamente inferior a la barrera al momento del cierre en [_4].","Touches":"Toca","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Pago de [_2] [_1] si [_3] toca la barrera antes del cierre en [_4].","Does_Not_Touch":"No toque","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Pago de [_1] [_2] si [_3] no toca la barrera hasta el cierre en [_4].","Ends_Between":"Finaliza entre","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] termina en o entre el valor mínimo y el máximo de la barrera al cierre en [_4].","Ends_Outside":"Finaliza fuera","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Pago de [_2] [_1] si [_3] termina fuera del valor mínimo y máximo de la barrera al cierre en [_4].","Stays_Between":"Permanece dentro","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Pago de [_2] [_1] si [_3] no sale del valor mínimo y máximo de la barrera antes del cierre en [_4].","Goes_Outside":"Sale fuera","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Pago de [_2] [_1] si [_3] sale del valor mínimo y máximo de la barrera antes del cierre en [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Lo sentimos, su cuenta no está autorizada para continuar con la compra de contratos.","Please_log_in_":"Por favor inicie sesión.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Lo sentimos, esta función no está disponible en su jurisdicción.","This_symbol_is_not_active__Please_try_another_symbol_":"Este símbolo no se encuentra activo. Por favor, intente con otro símbolo.","Market_is_closed__Please_try_again_later_":"El mercado está cerrado. Inténtelo más tarde.","All_barriers_in_this_trading_window_are_expired":"Todos los límites en esta ventana de comercio han caducado","Sorry,_account_signup_is_not_available_in_your_country_":"Lo sentimos, pero no es posible abrir una cuenta en su país.","Asset":"Activo","Opens":"Abre","Closes":"Cierra","Settles":"Liquida","Upcoming_Events":"Próximos eventos","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Agregue un +/- para definir el intervalo de tolerancia de la barrera, por ejemplo, +0,005 significa una barrera superior al punto de entrada en 0,005.","Digit":"Dígito","Percentage":"Porcentaje","Waiting_for_entry_tick_":"Esperando el tick de entrada.","High_Barrier":"Barrera Superior","Low_Barrier":"Barrera Inferior","Waiting_for_exit_tick_":"Esperando el intervalo de salida. ","Chart_is_not_available_for_this_underlying_":"El gráfico no se encuentra disponible para este subyacente.","Purchase":"Comprar","Net_profit":"Beneficio Neto","Return":"Ganancias","Time_is_in_the_wrong_format_":"La hora está en el formato equivocado.","Rise/Fall":"Alza/Baja","Higher/Lower":"Superior/Inferior","Matches/Differs":"Iguales/Diferentes","Even/Odd":"Par/Impar","Over/Under":"Encima/Debajo","High-Close":"Alto-Cierre","Close-Low":"Cierre-Bajo","High-Low":"Alto-Bajo","Up/Down":"Arriba/Abajo","In/Out":"Dentro/Fuera","Select_Trade_Type":"Seleccionar tipo de operación","seconds":"segundos","hours":"horas","ticks":"intervalos","tick":"intervalo","second":"segundo","hour":"hora","Duration":"Duración","Purchase_request_sent":"Solicitud de compra ha sido enviada","High":"Máximo","Close":"Cerrar","Low":"Bajo","Select_Asset":"Seleccionar activo","Search___":"Buscar...","Maximum_multiplier_of_1000_":"Máximo multiplicador de 1000.","Stake":"Inversión","Payout":"Pago","Multiplier":"Multiplicador","Trading_is_unavailable_at_this_time_":"No se puede operar en este momento.","Please_reload_the_page":"Por favor, vuelva a cargar la página","Try_our_[_1]Volatility_Indices[_2]_":"Pruebe nuestros [_1]índices Volatility[_2].","Try_our_other_markets_":"Pruebe nuestros otros mercados.","Contract_Confirmation":"Confirmación del contrato","Your_transaction_reference_is":"La referencia de su transacción es","Total_Cost":"Coste total","Potential_Payout":"Pago potencial","Maximum_Payout":"Pago máximo","Maximum_Profit":"Máxima ganancia","Potential_Profit":"Beneficios potenciales","View":"Ver","This_contract_won":"Este contrato ganó","This_contract_lost":"Este contrato perdió","Tick_[_1]_is_the_highest_tick":"El Tick [_1] es el tick más alto. ","Tick_[_1]_is_not_the_highest_tick":"El Tick [_1] no es el tick más alto","Tick_[_1]_is_the_lowest_tick":"El Tick [_1] es el tick más bajo. ","Tick_[_1]_is_not_the_lowest_tick":"El Tick [_1] no es el tick más bajo","Tick":"Intervalo","The_reset_time_is_[_1]":"El tiempo de reset es [_1]","Now":"Ahora","Average":"Promedio","Buy_price":"Precio de compra","Final_price":"Precio final","Loss":"Pérdida","Profit":"Beneficios","Account_balance:":"Saldo de la cuenta:","Reverse_Side":"Reverso","Front_Side":"Parte delantera","Pending":"Pendiente","Submitting":"Enviando","Submitted":"Enviado","Failed":"Fallado","Checking":"Verificando","Checked":"Verificado","Unable_to_read_file_[_1]":"No fue posible leer el archivo [_1]","Passport":"Pasaporte","Identity_card":"Cédula de identidad","Driving_licence":"Licencia de conducir","Invalid_document_format_":"Formato de documento inválido.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"El archivo ([_1]) excede el tamaño permitido. Máximo tamaño permitido: [_2]","ID_number_is_required_for_[_1]_":"La cédula de identidad es requerida para [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"La cédula de identidad ([_1]) solo puede contener letras, números, espacios, guiones bajos y guiones.","Expiry_date_is_required_for_[_1]_":"Fecha de vencimiento es requerida por [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Fotos de la parte delantera y reverso de [_1] son necesarias.","Current_password":"Contraseña actual","New_password":"Contraseña nueva","Please_enter_a_valid_Login_ID_":"Ingrese un nombre de usuario válido.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Su solicitud de transferencia [_1] [_2] de [_3] a [_4] ha sido procesada exitosamente.","Resale_not_offered":"No se ofrece reventa","Your_account_has_no_trading_activity_":"Su cuenta no tiene actividad comercial.","Date":"Fecha","Contract":"Contrato","Purchase_Price":"Precio de compra","Sale_Date":"Fecha de venta","Sale_Price":"Precio venta","Profit/Loss":"Ganado/Perdido","Details":"detalles","Total_Profit/Loss":"Beneficios/perdidas totales","Only_[_1]_are_allowed_":"Se permiten solo [_1].","letters":"letras","numbers":"números","space":"espacio","Please_select_at_least_one_scope":"Seleccione al menos un objetivo","New_token_created_":"Un token nuevo ha sido creado.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"El máximo número de tokens ([_1]) ha sido alcanzado.","Name":"Nombre","Scopes":"Alcances","Last_Used":"Último usado","Action":"Acción","Are_you_sure_that_you_want_to_permanently_delete_the_token":"¿Está seguro de querer eliminar definitivamente el token?","Delete":"Eliminar","Never_Used":"Nunca usado","You_have_not_granted_access_to_any_applications_":"Usted no ha concedido acceso a ninguna aplicación.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"¿Está seguro de que desea revocar permanentemente el acceso a la aplicación?","Revoke_access":"Revocar el acceso","Admin":"Administrador","Payments":"Pagos","Read":"Leer","Trade":"Operar","Never":"Nunca","Permissions":"Permisos","Last_Login":"Último ingreso","Unlock_Cashier":"Desbloquear cajero","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Su cajero está bloqueado según su petición - para desbloquearlo, por favor introduzca la contraseña.","Lock_Cashier":"Bloquear cajero","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Se puede utilizar una contraseña adicional para restringir el acceso al cajero.","Update":"Actualizar","Sorry,_you_have_entered_an_incorrect_cashier_password":"Lo sentimos, ingresó una contraseña de cajero incorrecta","Your_settings_have_been_updated_successfully_":"Se han actualizado sus preferencias.","You_did_not_change_anything_":"No ha cambiado nada.","Sorry,_an_error_occurred_while_processing_your_request_":"Lo sentimos, ha ocurrido un error mientras se procesaba su petición.","Your_changes_have_been_updated_successfully_":"Sus cambios se han actualizado con éxito.","Successful":"Exitoso","Date_and_Time":"Fecha y Hora","Browser":"Navegador","IP_Address":"Dirección IP","Status":"Estado","Your_account_has_no_Login/Logout_activity_":"Su cuenta no tiene actividad de accesos/cierres de sesión.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Su cuenta está totalmente autenticada y su límite de retirada ha sido aumentado.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Su [_1] límite diario para retirar dinero es actualmente [_2] [_3] (o el equivalente en otra divisa).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Usted ya retiró un total equivalente a [_1] [_2] en los últimos [_3] días.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Por lo tanto, la cantidad máxima que puede retirar de forma inmediata (sujeta a la existencia de fondos suficientes en su cuenta) es [_1] [_2] (o su equivalente en otra divisa).","Your_withdrawal_limit_is_[_1]_[_2]_":"Su límite de retirada es [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Usted ya retiró [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Por lo tanto, la cantidad máxima que puede retirar de forma inmediata (sujeta a la existencia de fondos suficientes en su cuenta) es [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Su límite de retirada es [_1] [_2] (o el equivalente en otra divisa).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Usted ya retiró el equivalente a [_1] [_2].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Por favor, confirme que toda la información anterior es verdadera y está completa.","Sorry,_an_error_occurred_while_processing_your_account_":"Lo sentimos, ha ocurrido un error mientras se procesaba su cuenta.","Please_select_a_country":"Seleccione un país","Timed_out_until":"Bloqueado hasta","Excluded_from_the_website_until":"Excluido del sitio web hasta","Session_duration_limit_cannot_be_more_than_6_weeks_":"El límite de la duración de la sesión no puede ser superior a 6 semanas.","Time_out_must_be_after_today_":"El tiempo de inactividad debe ser después de hoy.","Time_out_cannot_be_more_than_6_weeks_":"El tiempo de inactividad no puede ser mayor a seis semanas.","Time_out_cannot_be_in_the_past_":"El tiempo de inactividad no puede ser en el pasado.","Please_select_a_valid_time_":"Seleccione una hora válida.","Exclude_time_cannot_be_less_than_6_months_":"El tiempo de exclusión no puede ser menor a 6 meses.","Exclude_time_cannot_be_for_more_than_5_years_":"El tiempo de exclusión no puede ser mayor a 5 años.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Si hace clic en \"OK\", no se le permitirá operar en el sitio hasta la fecha seleccionada.","Your_changes_have_been_updated_":"Sus cambios se han actualizado.","Disable":"Desactivar","Enable":"Activar","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Usted ha activado con éxito la autenticación de dos factores para su cuenta.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Usted ha desactivado con éxito la autenticación de dos factores para su cuenta.","You_are_categorised_as_a_professional_client_":"Está categorizado como un cliente profesional.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Su solicitud para ser tratado como un cliente profesional es procesada.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Usted está categorizado como cliente minorista. Mande solicitud para ser tratado como un operador profesional.","Bid":"Oferta","Closed_Bid":"Cerrar oferta","Reference_ID":"ID de referencia","Description":"Descripción","Credit/Debit":"Crédito/débito","Balance":"Saldo","Financial_Account":"Cuenta Financiera","Real_Account":"Cuenta real","Counterparty":"Contraparte","Jurisdiction":"Jurisdicción","Create":"Crear","This_account_is_disabled":"Esta cuenta está deshabilitada","This_account_is_excluded_until_[_1]":"Esta cuenta se encuentra excluida hasta [_1]","Set_Currency":"Definir moneda","Commodities":"Materias primas","Indices":"Índices","Stocks":"Acciones","Volatility_Indices":"Índices de Volatilidad","Please_check_your_email_for_the_password_reset_link_":"Por favor, verifique su correo electrónico para obtener el enlace de restablecimiento de su contraseña.","Standard":"Estándar","Advanced":"Avanzado","Demo_Standard":"Demo estándar","Real_Standard":"Cuenta real estándar","Demo_Advanced":"Demo avanzada","Real_Advanced":"Cuenta real avanzada","MAM_Advanced":"MAM Avanzado","Demo_Volatility_Indices":"Demo de índices de volatilidad","Real_Volatility_Indices":"Índices Volatility reales","MAM_Volatility_Indices":"Índices de Volatilidad MAM ","Sign_up":"Crear cuenta","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Operar contratos por diferencia (CFD) en los índices Volatility puede no ser adecuado para todos. Por favor, asegúrese de entender completamente los riesgos involucrados, incluyendo la posibilidad de perder todos los fondos en su cuenta MT5. El juego puede ser adictivo, por favor juegue responsablemente.","Do_you_wish_to_continue?":"¿Desea continuar?","{SPAIN_ONLY}You_are_about_to_purchase_a_product_that_is_not_simple_and_may_be_difficult_to_understand:_Contracts_for_Difference_and_Forex__As_a_general_rule,_the_CNMV_considers_that_such_products_are_not_appropriate_for_retail_clients,_due_to_their_complexity_":"Está a punto de comprar un producto que no es sencillo y puede ser difícil de entender: CFD. Como una regla general, la CNMV considera que dichos productos no son apropiados para clientes minoristas, debido a su complejidad.","{SPAIN_ONLY}This_is_a_product_with_leverage__You_should_be_aware_that_losses_may_be_higher_than_the_amount_initially_paid_to_purchase_the_product_":"Este es un producto con apalancamiento. Debe tener en cuenta que las pérdidas pueden ser más altas que el monto pagado inicialmente para comprar el producto.","{SPAIN_ONLY}However,_Binary_Investments_(Europe)_Ltd_has_assessed_your_knowledge_and_experience_and_deems_the_product_appropriate_for_you_":"Sin embargo, Binary Investments (Europe) Ltd ha evaluado su conocimiento y experiencia y considera el producto apropiado para usted.","Change_Password":"Cambiar contraseña","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"La contraseña [_1] de la cuenta nº [_2] ha sido modificada.","Reset_Password":"Restablecer contraseña","Verify_Reset_Password":"Verificar nueva contraseña","Please_check_your_email_for_further_instructions_":"Por favor, revise su correo para más instrucciones.","Revoke_MAM":"Revocar MAM","Manager_successfully_revoked":"Manager revocado con éxito","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] depósito desde [_2] a la cuenta número [_3] se ha realizado con éxito. ID de transacción: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Su cajero está bloqueado según su solicitud: para desbloquearlo, haga clic aquí.","You_have_reached_the_limit_":"Usted ha alcanzado el límite.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Retiro de [_1] desde la cuenta número [_2] a [_3] se ha realizado con éxito. ID de transacción: [_4]","Main_password":"Contraseña principal","Investor_password":"Contraseña de inversionista","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Usted no tiene fondos suficientes en su cuenta de Binary, añadir fondos.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Nuestro servicio de MT5 no se encuentra actualmente disponible para residentes de la UE, debido a aprobaciones regulatorias pendientes.","Demo_Accounts":"Cuentas de prueba","MAM_Accounts":"Cuentas MAM","Real-Money_Accounts":"Cuentas de dinero real","Demo_Account":"Cuenta de prueba","Real-Money_Account":"Cuenta de dinero real","for_account_[_1]":"para la cuenta [_1]","[_1]_Account_[_2]":"Cuenta [_1] [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Su token ha caducado o no es válido. Haga clic aquí para reiniciar el proceso de verificación.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"La dirección de correo electrónico proporcionada ya está en uso. Si olvidó su contraseña, pruebe nuestra herramienta de recuperación de contraseña o póngase en contacto con nuestro servicio de atención al cliente.","Password_is_not_strong_enough_":"La contraseña no es lo suficientemente fuerte.","Upgrade_now":"Actualice ahora","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] días [_2] horas [_3] minutos","Your_trading_statistics_since_[_1]_":"Las estadísticas de sus transacciones desde [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Haga clic en el siguiente enlace para reiniciar el proceso de recuperación de contraseña.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Su contraseña se ha restablecido. Por favor, inicie sesión en su cuenta utilizando su nueva contraseña.","Please_choose_a_currency":"Por favor elija una moneda","Asian_Up":"Asiáticas arriba","Asian_Down":"Asiáticas abajo","Higher_or_equal":"Mayor o igual","Lower_or_equal":"Inferior o igual","Digit_Matches":"Dígito coincide","Digit_Differs":"Dígito difiere","Digit_Odd":"Dígito impar","Digit_Even":"Dígito par","Digit_Over":"Dígito sobre","Digit_Under":"Dígito por debajo","High_Tick":"Tick alto","Low_Tick":"Tick bajo","Equals":"Equivale","Not":"No","Buy":"Comprar","Sell":"Venta","Contract_has_not_started_yet":"El contrato no ha comenzado todavía","Contract_Result":"Resultado del contrato","Close_Time":"Hora de cierrre","Highest_Tick_Time":"Tiempo de tick más alto","Lowest_Tick_Time":"Tiempo de tick más bajo","Exit_Spot_Time":"Tiempo de Punto de Salida","Audit":"Auditoría","View_Chart":"Vea la gráfica","Audit_Page":"Página de auditoría","Spot":"Precio actual del mercado","Spot_Time_(GMT)":"Hora del precio a la vista (GTM)","Contract_Starts":"Contrato empieza","Contract_Ends":"El contrato termina","Target":"Objetivo","Contract_Information":"Información del Contrato","Contract_Type":"Tipo de contrato","Transaction_ID":"ID de la transacción","Remaining_Time":"Tiempo Restante","Maximum_payout":"Pago máximo","Barrier_Change":"Cambio de Límite","Current":"Actual","Spot_Time":"Hora del precio a la vista","Current_Time":"Hora actual","Indicative":"Indicativo","You_can_close_this_window_without_interrupting_your_trade_":"Puede cerrar esta ventana sin interrumpir su operación.","There_was_an_error":"Hubo un error","Sell_at_market":"Vender al precio actual","Note":"Nota","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"El contrato se venderá al precio vigente en el mercado en el momento de la recepción de la solicitud de venta por nuestros servidores. Este precio puede ser diferente del precio indicado.","You_have_sold_this_contract_at_[_1]_[_2]":"Usted ha vendido este contrato en [_1] [_2]","Your_transaction_reference_number_is_[_1]":"El número de referencia de su transacción es [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"¡Gracias por registrarse! Compruebe su correo electrónico completar el proceso de registro.","All_markets_are_closed_now__Please_try_again_later_":"Todos los mercados están cerrados ahora. Inténtelo más tarde.","Withdrawal":"Retirar","login":"iniciar sesión","logout":"cerrar sesión","Asians":"Asiáticas","Digits":"Dígitos","Ends_Between/Ends_Outside":"Finaliza dentro/Finaliza fuera","High/Low_Ticks":"Ticks Altos/Bajos","Lookbacks":"Retroactivos","Stays_Between/Goes_Outside":"Permanece dentro/Sale","Touch/No_Touch":"Toque/Sin toque","Christmas_Day":"Día de Navidad","Closes_early_(at_18:00)":"Cierra temprano (a las 18:00)","Closes_early_(at_21:00)":"Cierra temprano (a las 21:00)","Fridays":"Viernes","New_Year's_Day":"Día de año nuevo","today":"hoy","today,_Fridays":"hoy, los viernes","There_was_a_problem_accessing_the_server_":"Hubo un problema al acceder al servidor.","There_was_a_problem_accessing_the_server_during_purchase_":"Hubo un problema al acceder al servidor durante la compra."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/fr.js b/src/javascript/_autogenerated/fr.js
index ad6248430592d..7e96a07279069 100644
--- a/src/javascript/_autogenerated/fr.js
+++ b/src/javascript/_autogenerated/fr.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['FR'] = {"Day":"Jour","Month":"Mois","Year":"Année","Sorry,_an_error_occurred_while_processing_your_request_":"Désolé, une erreur s'est produite pendant le traitement de votre demande.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"S’il vous plaît [_1]connectez vous[_2] ou [_3]inscrivez vous[_4] pour afficher cette page.","Click_here_to_open_a_Real_Account":"Cliquez ici pour ouvrir un Compte Réel","Open_a_Real_Account":"Ouvrez un Compte Réel","Click_here_to_open_a_Financial_Account":"Cliquez ici pour ouvrir un Compte Financier","Open_a_Financial_Account":"Ouvrir un Compte Financier","Network_status":"Statut réseau","Online":"En ligne","Offline":"Hors connexion","Connecting_to_server":"Connexion au serveur","Virtual_Account":"Compte virtuel","Real_Account":"Compte réel","Investment_Account":"Compte d'investissement","Gaming_Account":"Compte de jeu","Sunday":"dimanche","Monday":"lundi","Tuesday":"mardi","Wednesday":"mercredi","Thursday":"jeudi","Friday":"vendredi","Saturday":"samedi","Su":"Di","Mo":"Lu","Tu":"mar.","We":"Me","Th":"Je","Fr":"ven.","January":"janvier","February":"février","March":"mars","April":"avril","May":"mai","June":"juin","July":"juillet","August":"août","September":"septembre","October":"octobre","November":"novembre","December":"décembre","Jan":"jan.","Feb":"fév.","Mar":"mars","Apr":"avr.","Jun":"juin","Jul":"juill.","Aug":"août","Sep":"sep.","Oct":"oct.","Nov":"nov.","Dec":"déc.","Next":"Suivant","Previous":"Précédent","Hour":"Heure","AM":" ","PM":"Après midi","Time_is_in_the_wrong_format_":"Le format de l'heure est incorrect.","Purchase_Time":"Heure d'achat","Charting_for_this_underlying_is_delayed":"Les graphiques sont retardés pour ce sous-jacent","Reset_Time":"Temps de réinitialisation","Payout_Range":"Gamme de Paiement","Ticks_history_returned_an_empty_array_":"L'historique des ticks retourne une gamme vide.","Chart_is_not_available_for_this_underlying_":"Le graphique n’est pas disponible pour ce sous-jacent.","year":"année","month":"mois","week":"semaine","day":"jour","days":"jours","hour":"heure","hours":"heures","second":"seconde","seconds":"secondes","Loss":"Pertes","Profit":"Profits","Payout":"Paiement","Units":"Unités","Stake":"Investissement","Duration":"Durée","End_Time":"Heure de fin","Net_profit":"Bénéfice net","Return":"Retours sur investissement","Now":"Maintenant","Contract_Confirmation":"Confirmation de contrat","Your_transaction_reference_is":"Votre référence de transaction est","Rise/Fall":"Hausse/Baisse","Higher/Lower":"Supérieur/Inférieur","In/Out":"Zone In/Out","Matches/Differs":"Égal/Différent","Even/Odd":"Pair/Impair","Over/Under":"Au dessus/En dessous","Up/Down":"Hausse/Baisse","Ends_Between/Ends_Outside":"Termine dans/hors de la zone","Touch/No_Touch":"Touche/Ne touche pas","Stays_Between/Goes_Outside":"Reste dans/Sort de la zone","Asians":"Asiatiques","High/Low_Ticks":"Ticks Haut/Bas","Potential_Payout":"Paiement potentiel","Maximum_Payout":"Paiement Maximum","Total_Cost":"Coût total","Potential_Profit":"Profits potentiels","Maximum_Profit":"Profit Maximum","View":"Affichage","Buy_price":"Prix d'achat","Final_price":"Prix final","Short":"Court","Chart":"Graphique","Portfolio":"Portefeuille","Explanation":"Explication","Last_Digit_Stats":"Statistiques du dernier chiffre","Waiting_for_entry_tick_":"En attente du tick d'entrée.","Waiting_for_exit_tick_":"En attente du tick de sortie.","Please_log_in_":"Veuillez vous connecter.","All_markets_are_closed_now__Please_try_again_later_":"Tous les marchés sont actuellement fermés. Veuillez réessayer ultérieurement.","Account_balance:":"Solde du compte :","Try_our_[_1]Volatility_Indices[_2]_":"Essayez nos [_1]Indices de volatilité[_2].","Try_our_other_markets_":"Essayez nos autres marchés.","High":"Haut","Low":"Bas","Close":"Clôture","Payoff":"Versement","High-Close":"Haut-Clôture","Close-Low":"Clôture-Bas","High-Low":"Haut-Bas","Search___":"Rechercher...","Select_Asset":"Sélectionnez l'Actif","The_reset_time_is_[_1]":"Le temps de réinitialisation est [_1]","Purchase":"Achat","Purchase_request_sent":"Demande d’achat envoyé","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Ajouter + / – pour définir une compensation de barrière. Par exemple, +0.005 signifie une barrière qui est plus élevée que le point d’entrée de 0,005.","Please_reload_the_page":"Veuillez recharger la page","Trading_is_unavailable_at_this_time_":"Le Trading n’est pas disponible en ce moment.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Votre compte est entièrement authentifié et vos limites de retrait ont été levées.","Your_withdrawal_limit_is_[_1]_[_2]_":"Votre limite de retrait est de [_2] [_1].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Votre limite de retrait est de [_2] [_1] (ou équivalent dans une autre devise).","You_have_already_withdrawn_[_1]_[_2]_":"Vous avez déjà retiré [_2] [_1].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Vous avez déjà retiré l'équivalent de [_2] [_1].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Par conséquent, votre montant maximal de retrait immédiat (sous réserve de fonds suffisants disponibles sur votre compte) est de [_2] [_1].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Par conséquent, votre montant maximal de retrait immédiat (sous réserve de fonds suffisants disponibles sur votre compte) est de [_2] [_1] (ou équivalent dans une autre devise).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Votre limite de retrait sur [_1] jours est actuellement de [_3] [_2] (ou équivalent dans une autre devise).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Vous avez déjà retiré l'équivalent de [_2] [_1] au total au cours des [_3] derniers jours.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Des contrats dont la barrière est la même que le point d’entrée.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Les contrats dont la barrière est différente du point d’entrée.","ATM":"DAB","Non-ATM":"Non-DAB","Duration_up_to_7_days":"Durée maximum de 7 jours","Duration_above_7_days":"Durée supérieure à 7 jours","Major_Pairs":"Paires majeures","This_field_is_required_":"Ce champ est requis.","Please_select_the_checkbox_":"Veuillez cocher la case.","Please_accept_the_terms_and_conditions_":"Veuillez accepter les conditions générales.","Only_[_1]_are_allowed_":"Seulement [_1] autorisées.","letters":"lettres","numbers":"chiffres","space":"espace","Sorry,_an_error_occurred_while_processing_your_account_":"Désolé, une erreur est survenu pendant le traitement de votre compte.","Your_changes_have_been_updated_successfully_":"Vos modifications ont bien été prises en compte.","Your_settings_have_been_updated_successfully_":"Vos paramètres ont été actualisés avec succès.","Female":"Femme","Male":"Masculin","Please_select_a_country":"Veuillez sélectionner un pays","Please_confirm_that_all_the_information_above_is_true_and_complete_":"S’il vous plaît veuillez confirmer que tous les renseignements ci-dessus sont véridiques et complets.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Votre application doit être traitée comme un client professionnel est en cours de traitement.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Vous êtes considéré comme un client de détail. Demandez à être traité comme un trader professionnel.","You_are_categorised_as_a_professional_client_":"Vous êtes considéré comme un client professionnel.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Votre jeton a expiré ou n’est pas valide. S’il vous plaît cliquez ici pour relancer le processus de vérification.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"L'adresse e-mail que vous avez saisie est déjà utilisée. Si vous avez oublié votre mot de passe, veuillez essayer notre outil de récupération de mot de passe ou contacter le service clientèle.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Le mot de passe doit se composer de majuscules, de minuscules et de chiffres.","Password_is_not_strong_enough_":"Le mot de passe n'est pas assez fiable.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Votre limite de durée de session sera atteinte dans [_1] secondes.","Invalid_email_address_":"Adresse email non valide.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Nous vous remercions pour votre inscription ! Veuillez vérifier votre email pour compléter le processus d’inscription.","Financial_Account":"Compte Financier","Upgrade_now":"Mettre à jour maintenant","Please_select":"Sélection","Minimum_of_[_1]_characters_required_":"Un minimum de [_1] caractères est requis.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Veuillez confirmer que vous n’êtes pas une personne politiquement exposée.","Asset":"Actif","Opens":"Ouvre","Closes":"Fermetures","Settles":"Règlements","Upcoming_Events":"Évènements à venir","Closes_early_(at_21:00)":"Ferme tôt (à 21h)","Closes_early_(at_18:00)":"Ferme tôt (à 18h)","New_Year's_Day":"Jour de l'An","Christmas_Day":"Jour de Noël","Fridays":"Vendredis","today":"aujourd'hui","today,_Fridays":"aujourd'hui, vendredis","Please_select_a_payment_agent":"Veuillez sélectionner une date valide","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Les services d’Agent de Paiement ne sont pas disponibles dans votre pays ou dans votre devise préférée.","Invalid_amount,_minimum_is":"Montant non valide, le minimum est de","Invalid_amount,_maximum_is":"Montant non valide, le maximum est de","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Votre demande de retirer [_1] [_2] de votre compte [_3] pour le compte de l'Agent de Paiement [_4] a été traitée avec succès.","Up_to_[_1]_decimal_places_are_allowed_":"Jusqu'à [_1] décimales seulement sont autorisées.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Votre jeton a expiré ou est invalide. Veuillez cliquer [_1]ici[_2] pour relancer le processus de vérification.","New_token_created_":"Nouveau jeton d'authentification créé.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Le nombre maximum de jetons d'authentification ([_1]) est atteint.","Name":"Nom","Token":"Jeton","Last_Used":"Dernière utilisation","Scopes":"Périmètre","Never_Used":"Jamais utilisé","Delete":"Supprimer","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Voulez-vous vraiment supprimer ce jeton de façon permanente","Please_select_at_least_one_scope":"Veuillez sélectionner au moins un champ d'application","Finish":"Finnois","Step":"Étape","Select_your_market_and_underlying_asset":"Sélectionnez votre marché et actif sous-jacent","Select_your_trade_type":"Sélectionnez votre type de transaction","Adjust_trade_parameters":"Définir les paramètres de la transaction","Predict_the_directionand_purchase":"Prédire la direction et acheter","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Désolé, cette fonctionnalité est disponible uniquement pour les comptes virtuels.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_2] [_1] ont été crédités sur votre compte virtuel: [_3].","years":"années","months":"mois","weeks":"semaines","Your_changes_have_been_updated_":"Vos modifications ont été prises en compte.","Please_enter_an_integer_value":"Veuillez saisir un nombre entier","Session_duration_limit_cannot_be_more_than_6_weeks_":"La limite de durée de session ne peut excéder 6 semaines.","You_did_not_change_anything_":"Vous n'avez effectué aucune modification.","Please_select_a_valid_date_":"Veuillez sélectionner une date valide.","Please_select_a_valid_time_":"Veuillez sélectionner un horaire valide.","Time_out_cannot_be_in_the_past_":"La période d'expiration ne peut être antérieure.","Time_out_must_be_after_today_":"La période d'expiration doit être ultérieure.","Time_out_cannot_be_more_than_6_weeks_":"La période d'expiration ne peut excéder 6 semaines.","Exclude_time_cannot_be_less_than_6_months_":"Le temps d'exclusion ne peut pas être inférieur à 6 mois.","Exclude_time_cannot_be_for_more_than_5_years_":"Le temps d'exclusion ne peut pas être supérieur à 5 ans.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Lorsque vous cliquerez sur « Ok », vous serez exclu des opérations de trading du site jusqu'à la date sélectionnée.","Timed_out_until":"Expiration jusqu'à","Excluded_from_the_website_until":"Exclu du site Web jusqu’au","Ref_":"Réf.","Resale_not_offered":"La revente n'est pas proposée","Contract":"Contrat","Sale_Date":"Date de vente","Sale_Price":"Prix de vente","Total_Profit/Loss":"Total des profits/pertes","Your_account_has_no_trading_activity_":"Votre compte n'indique aucune activité de trading.","Today":"Aujourd'hui","Details":"Informations","Sell":"Vente","Buy":"Acheter","Virtual_money_credit_to_account":"Crédit de fonds virtuels sur le compte","This_feature_is_not_relevant_to_virtual-money_accounts_":"Cette fonction ne s'applique pas aux comptes virtuels.","Japan":"Japon","True":"Vrai","False":"Faux","There_was_some_invalid_character_in_an_input_field_":"Un caractère non valide a été saisi dans un champ.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Veuillez respecter le format suivant : 3 chiffres, 1 tiret suivi de 4 chiffres.","Weekday":"Jour de la semaine","{JAPAN_ONLY}Your_Application_has_Been_Processed__Please_Re-Login_to_Access_Your_Real-Money_Account_":"{seulement pour le JAPON}Votre requête a été traité. Connectez vous s'il vous plaît pour accéder à votre Compte d'Argent Réel.","Processing_your_request___":"Traitement de votre demande en cours...","Please_check_the_above_form_for_pending_errors_":"Veuillez vérifier que les informations ci-dessus ne contiennent pas d'erreurs.","Asian_Up":"Asiatiques à la hausse","Asian_Down":"Asiatiques à la baisse","Digit_Matches":"Chiffre Correspondant","Digit_Differs":"Chiffre Différent","Digit_Odd":"Chiffre Impair","Digit_Even":"Chiffre Pair","Digit_Over":"Chiffre Supérieur","Digit_Under":"Chiffre Inférieur","High_Tick":"Tick Haut","Low_Tick":"Tick Bas","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] est strictement supérieur ou égal à la barrière au moment de la fermeture le [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] est strictement inférieur ou égal à la barrière au moment de la fermeture le [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] ne touche pas la barrière jusqu'à la fermeture de l'option le [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] touche la barrière avant la fermeture le [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] termine sur ou entre les valeurs inférieure et supérieure de la barrière à la fermeture le [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] termine hors de la zone délimitée par les valeurs inférieure et supérieure de la barrière à la fermeture le [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] reste dans la zone délimitée par les valeurs supérieure et inférieure de la barrière jusqu'à la fermeture le [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] sort de la zone délimitée par les valeurs inférieure et supérieure de la barrière avant la fermeture le [_4].","D":"J","Higher":"Supérieur","Higher_or_equal":"Plus haut ou égal","Lower":"Inférieur","Lower_or_equal":"Plus bas ou égal","Touches":"Touche","Does_Not_Touch":"Ne touche pas","Ends_Between":"Termine dans la zone","Ends_Outside":"Termine hors de la zone","Stays_Between":"Reste dans la zone","Goes_Outside":"Sort de la zone","All_barriers_in_this_trading_window_are_expired":"Toutes les barrières de cette fenêtre de trading sont expirées","Remaining_time":"Temps restant","Market_is_closed__Please_try_again_later_":"Le marché est fermé. Veuillez réessayer ultérieurement.","This_symbol_is_not_active__Please_try_another_symbol_":"Ce symbole n'est pas actif. Veuillez sélectionner un autre symbole.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Désolé, votre compte n'est autorisé pour aucun achat supplémentaire de contrat.","Payout_per_lot_=_1,000":"Paiement par lot = 1 000","This_page_is_not_available_in_the_selected_language_":"Cette page n’est pas disponible dans la langue sélectionnée.","Trading_Window":"Fenêtre de trading","Percentage":"Pourcentage","Digit":"Chiffre","Amount":"Montant","Deposit":"Dépôt","Withdrawal":"Retrait","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Votre demande de transférer [_1] [_2] de [_3] à [_4] a été traitée avec succès.","Date_and_Time":"Date et heure","Browser":"Navigateur","IP_Address":"Adresse IP","Status":"Statut","Successful":"Réussite","Failed":"Échec","Your_account_has_no_Login/Logout_activity_":"Votre compte n'indique aucune activité de connexion/déconnexion.","logout":"déconnexion","Please_enter_a_number_between_[_1]_":"Veuillez saisir un chiffre entre [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] jours [_2] heures [_3] minutes","Your_trading_statistics_since_[_1]_":"Vos statistiques de trading depuis [_1].","Unlock_Cashier":"Déverrouiller la caisse","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Votre caisse est verrouillée conformément à votre demande - si vous souhaitez la déverrouiller, veuillez saisir le mot de passe.","Lock_Cashier":"Caisse","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Un mot de passe supplémentaire peut être utilisé afin de restreindre l'accès à la caisse.","Update":"Mise à jour","Sorry,_you_have_entered_an_incorrect_cashier_password":"Désolé, vous avez entré un mot de passe de caisse incorrect","You_have_reached_the_withdrawal_limit_":"Vous avez atteint la limite de retrait.","Start_Time":"Heure de début","Entry_Spot":"Point d'entrée","Low_Barrier":"Barrière inférieure","High_Barrier":"Barrière supérieure","Reset_Barrier":"Barrière de Réinitialisation","Average":"Moyenne","This_contract_won":"Ce contrat a été gagné","This_contract_lost":"Ce contrat a été perdu","Barrier":"Barrière","Target":"Cible","Equals":"Égaux","Not":"Pas","Credit/Debit":"Crédit/débit","Balance":"Solde","Purchase_Price":"Prix d'achat","Profit/Loss":"Profits/pertes","Contract_Information":"Informations du contrat","Contract_Result":"Résultat du contrat","Current":"Valeur actuelle","Open":"Ouvrir","Closed":"Fermé","Contract_has_not_started_yet":"Le contrat n’a pas encore commencé","Spot_Time":"Heure spot","Spot_Time_(GMT)":"Temps Spot (GMT)","Current_Time":"Heure actuelle","Exit_Spot_Time":"Prix de sortie actuel","Exit_Spot":"Point de sortie","Indicative":"Indicatif","There_was_an_error":"Une erreur s'est produite","Sell_at_market":"Vendre au prix du marché","You_have_sold_this_contract_at_[_1]_[_2]":"Vous avez vendu ce contrat [_2] [_1]","Your_transaction_reference_number_is_[_1]":"Le numéro de référence de votre transaction est [_1]","Tick_[_1]_is_the_highest_tick":"Le tick [_1] est le tick le plus haut","Tick_[_1]_is_not_the_highest_tick":"Le tick [_1] n’est pas le tick le plus haut","Tick_[_1]_is_the_lowest_tick":"Le tick [_1] est le tick le plus bas","Tick_[_1]_is_not_the_lowest_tick":"Le tick [_1] n’est pas le tick le plus haut","Note":"Remarque","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Le contrat sera vendu au prix de marché en vigueur à réception de la demande par nos serveurs. Ce prix peut différer du prix indiqué.","Contract_Type":"Type de Contrat","Transaction_ID":"ID de Transaction","Remaining_Time":"Temps restant","Barrier_Change":"Modification de barrière","Audit":"Vérification","Audit_Page":"Page de vérification","View_Chart":"Afficher le graphique","Contract_Starts":"Le contrat débute","Contract_Ends":"Le contrat se termine","Start_Time_and_Entry_Spot":"Heure de début et entrée Spot","Exit_Time_and_Exit_Spot":"Heure de sortie et sortie spot","You_can_close_this_window_without_interrupting_your_trade_":"Vous pouvez aussi fermer cette fenêtre sans interrompre votre trade.","Selected_Tick":"Sélectionnez le Tick","Highest_Tick":"Tick le plus haut","Highest_Tick_Time":"Heure du Tick le Plus Haut","Lowest_Tick":"Tick Le Plus Bas","Lowest_Tick_Time":"Heure du Tick le Plus Bas","Close_Time":"Heure de la Clôture","Please_select_a_value":"Veuillez sélectionner une valeur","You_have_not_granted_access_to_any_applications_":"Vous n'avez acheté aucun contrat.","Never":"Jamais","Revoke_access":"Révoquer l'accès","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Voulez-vous vraiment révoquer l'accès à cette application de façon permanente","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transaction effectuée par [_1] (identifiant d'application : [_2])","Admin":"Administration","Read":"Lire","Payments":"Paiements","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] veuillez cliquer sur le lien ci-dessous pour relancer le processus de récupération de mot de passe.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Votre mot de passe a été réinitialisé avec succès. Veuillez vous connecter à votre compte en utilisant votre nouveau mot de passe.","Please_check_your_email_for_the_password_reset_link_":"Veuillez vérifier votre email pour le lien concernant la réinitialisation du mot de passe.","details":"informations","Withdraw":"Retrait","Insufficient_balance_":"Solde insuffisant.","This_is_a_staging_server_-_For_testing_purposes_only":"Il s'agit d'un serveur intermédiaire, utilisé uniquement à des fins de test","The_server_endpoint_is:_[_2]":"Le 1terminal 2 du serveur est : [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Désolé, l'ouverture de compte n’est pas disponible dans votre pays.","There_was_a_problem_accessing_the_server_":"Il y a eu un problème d'accès au serveur.","There_was_a_problem_accessing_the_server_during_purchase_":"Il y a eu un problème d'accès au serveur durant l'achat.","Should_be_a_valid_number_":"La saisie doit être un nombre valide.","Should_be_more_than_[_1]":"Devrait être plus de [_1]","Should_be_less_than_[_1]":"La saisie doit être inférieure à [_1]","Should_be_[_1]":"Devrait être [_1]","Should_be_between_[_1]_and_[_2]":"La saisie doit se situer entre [_1] et [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Seuls les lettres, chiffres, espace, trait d'union et apostrophe sont permis.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Les lettres, les espaces, les traits d'union, la virgule et le point sont les seuls caractères autorisés.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Les lettres, les chiffres et les traits d'union sont les seuls caractères autorisés.","Only_numbers,_space,_and_hyphen_are_allowed_":"Les chiffres, les espaces et les traits d'union sont les seuls caractères autorisés.","Only_numbers_and_spaces_are_allowed_":"Les chiffres et les espaces sont les seuls caractères autorisés.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Seulement des lettres, chiffres, espace et ces caractères spéciaux sont autorisés :-. ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Les deux mots de passe que vous avez entrés ne correspondent pas.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] et [_2] ne peuvent être identiques.","You_should_enter_[_1]_characters_":"Vous devez saisir [_1] caractères.","Indicates_required_field":"Indique un champ obligatoire","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Le code de vérification est incorrect. Veuillez utiliser le lien envoyé à votre adresse email.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Le mot de passe saisi est l’un des mots de passe plus utilisés au monde. Vous ne devriez pas utiliser ce mot de passe.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Conseil : il faudrait environ [_1][_2] pourquoi craquer ce mot de passe.","thousand":"mille","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Devrait commencer par une lettre ou un chiffre et peut contenir un trait d’union et un tiret bas.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Votre adresse n’a pas pu être vérifiée par notre système automatisé. Vous pouvez aller de l’avant, mais s’il vous plaît assurez-vous que votre adresse est complète.","Validate_address":"Valider l’adresse","Congratulations!_Your_[_1]_Account_has_been_created_":"Félicitations ! Votre compte [_1] a été créé.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Le mot de passe [_1] du numéro de compte [_2] a été modifié.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Le dépôt [_1] à partir de [_2] vers le numéro de compte [_3] est effectué. Identifiant de transaction : [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Le retrait [_1] à partir du numéo de compte [_2] vers [_3] a été effectué. Identifiant de transaction : [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Votre caisse est verrouillée conformément à votre demande - si vous souhaitez la déverrouiller, veuillez cliquer ici.","Your_cashier_is_locked_":"Votre caisse est verrouillée.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Vous n'avez pas assez de fonds dans votre compte Binary, s’il vous plaît Ajouter des fonds.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Désolé, cette fonctionnalité n’est pas disponible dans votre juridiction","You_have_reached_the_limit_":"Vous avez atteint la limite.","Main_password":"Mot de passe principal","Investor_password":"Mot de passe investisseur","Current_password":"Mot de passe actuel","New_password":"Nouveau mot de passe","Demo_Standard":"Démo Standard","Demo_Advanced":"Démo Avancée","Advanced":"Avancé","Demo_Volatility_Indices":"Indices volatilité de démo","Real_Standard":"Réel Standard","Real_Advanced":"Réel Avancée","Real_Volatility_Indices":"Indices volatilité réelle","MAM_Advanced":"MAM Avancé","MAM_Volatility_Indices":"Indices de volatilité MAM","Change_Password":"Modifier le mot de passe","Demo_Accounts":"Compte Démo","Demo_Account":"Compte Démo","Real-Money_Accounts":"Comptes d’argent réel","Real-Money_Account":"Compte d’Argent Réel","MAM_Accounts":"Comptes MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Notre service MT5 est actuellement indisponible pour les résidents de l’UE dans l’attente de l’approbation réglementaire.","[_1]_Account_[_2]":"[_1] Compte [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Tradez des contrats pour différence (CFD) sur les Indices de volatilité peut ne pas convenir à tout le monde. Veuillez vous assurer que vous comprenez les risques encourus, y compris la possibilité de perdre tous les fonds dans votre compte MT5. Le jeu peut être une dépendance – s’il vous plaît jouer de façon responsable.","Do_you_wish_to_continue?":"Voulez-vous continuer ?","for_account_[_1]":"pour compte [_1]","Verify_Reset_Password":"Vérifier le nouveau mot de passe","Reset_Password":"Réinitialiser le mot de passe","Please_check_your_email_for_further_instructions_":"Veuillez vérifier votre email pour obtenir des instructions supplémentaires.","Revoke_MAM":"Révoquer MAM","Manager_successfully_revoked":"Manager révoqué avec succès","Current_balance":"Solde actuel","Withdrawal_limit":"Limite de retrait","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Authentifiez votre compte[_2] maintenant profiter pleinement de toutes les possibilités de retrait disponibles.","Please_set_the_[_1]currency[_2]_of_your_account_":"Veuillez définir la [_1]currency[_2] de votre compte.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"S'il vous plaît, définissez votre limite de chiffres d'affaires sur 30 jours dans notre [_1]infrastructures d'auto exclusion[_2] pour supprimer les limites de dépôts.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"S'il vous plaît définissez votre [_1]pays de résidence[_2] avant de mettre à jour votre compte d'argent réel.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Veuillez remplir le [_1]formulaire d'évaluation financière[_2] pour lever vos limites de retrait et de trading.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"S'il vous plait [_1]complétez le profile de votre compte[_2] pour supprimer vos limites de retrait et de trading.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"S'il vous plait [_1]acceptez les termes et conditions mises à jour[_2] pour supprimer vos limites de retrait et de trading.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Votre compte est restreint. Veuillez [_1]contacter le Service Clientèle[_2] pour obtenir de l'aide.","Connection_error:_Please_check_your_internet_connection_":"Erreur de connexion : veuillez vérifier votre connexion à Internet.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Vous avez atteint la limite de tentatives par seconde. Veuillez réessayer ultérieurement.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] requiert que la fonction stockage web de votre navigateur soit activée pour fonctionner correctement. S’il vous plaît activer la ou quitter le mode de navigation privée.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Nous passons en revue vos documents. Pour plus de détails [_1]contactez nous[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Dépôts et retraits ont été désactivés sur votre compte. Veuillez vérifier votre email pour plus de détails.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Le Trading et les dépôts ont été désactivés sur votre compte. Veuillez [_1]contacter le support client[_2] pour vous assister.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Les retraits ont été désactivés sur votre compte. Veuillez vérifier votre email pour plus de détails.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Les retraits MT5 ont été désactivés sur votre compte. Veuillez vérifier votre email pour plus de détails.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Veuillez compléter vos [_1]détails personnels[_2]. avant de procéder.","Account_Authenticated":"Compte Authentifié","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"Dans l’UE, les options binaires financières sont seulement disponibles aux investisseurs professionnels.","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Votre navigateur internet ([_1]) est obsolète et cela peut affecter votre expérience de trading. Procédez à vos risques et périls. [_2]Mise à jour de navigateur internet[_3]","Bid":"Faire une mise","Closed_Bid":"Enchère fermée","Create":"Créer","Commodities":"Matières premières","Stocks":"Actions","Volatility_Indices":"Indices de volatilité","Set_Currency":"Définir la devise","Please_choose_a_currency":"Veuillez choisir une monnaie","Create_Account":"Créer un compte","Accounts_List":"Liste des comptes","[_1]_Account":"Compte [_1]","Investment":"Investissement","Gaming":"Jeu","Virtual":"Virtuel","Real":"Réel","Counterparty":"Contrepartie","This_account_is_disabled":"Ce compte est désactivé","This_account_is_excluded_until_[_1]":"Ce compte est exclu jusqu'à [_1]","Invalid_document_format_":"Format de document invalide.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Taille du fichier ([_1]) dépasse la limite autorisée. La taille maximum du fichier est de : [_2]","ID_number_is_required_for_[_1]_":"Un numéro d’identification est nécessaire pour [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Seulement les lettres, chiffres, espace, tiret bas et trait d’union sont autorisés pour le numéro d’identification) ([_1]).","Expiry_date_is_required_for_[_1]_":"La date d’expiration est requise pour [_1].","Passport":"Passeport","ID_card":"Carte d’identité","Driving_licence":"Permis de conduire","Front_Side":"Face Avant","Reverse_Side":"Verso","Front_and_reverse_side_photos_of_[_1]_are_required_":"Photos de côté avant et arrière de [_1] sont nécessaires.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Votre preuve d’Identité ou Preuve de Domicile[_2] ne satisfont pas nos exigences. Veuillez vérifier votre email pour obtenir des instructions supplémentaires.","Following_file(s)_were_already_uploaded:_[_1]":"Le(s) fichier(s) suivant(s) ont été déjà téléchargées : [_1]","Checking":"Vérification en cours","Checked":"Vérifié","Pending":"En attente","Submitting":"En cours de soumission","Submitted":"Soumis","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Vous serez redirigé vers un site tiers qui n’est pas détenu par Binary.com.","Click_OK_to_proceed_":"Cliquez sur OK pour continuer.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Vous avez activé avec succès l’authentification deux facteurs pour votre compte.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Vous avez désactivé l’authentification deux facteurs avec succès pour votre compte.","Enable":"Activé","Disable":"Désactivé"};
\ No newline at end of file
+texts_json['FR'] = {"Real":"Réel","Investment":"Investissement","Gaming":"Jeu","Virtual":"Virtuel","Online":"En ligne","Offline":"Hors connexion","Connecting_to_server":"Connexion au serveur","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Le mot de passe saisi est l’un des mots de passe plus utilisés au monde. Vous ne devriez pas utiliser ce mot de passe.","thousand":"mille","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Conseil : il faudrait environ [_1][_2] pourquoi craquer ce mot de passe.","years":"années","days":"jours","Validate_address":"Valider l’adresse","Unknown_OS":"Système d’exploitation inconnu","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Vous serez redirigé vers un site tiers qui n’est pas détenu par Binary.com.","Click_OK_to_proceed_":"Cliquez sur OK pour continuer.","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"Veuillez vous assurer que vous avez l'app Telegram installée sur votre appareil.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] requiert que la fonction stockage web de votre navigateur soit activée pour fonctionner correctement. S’il vous plaît activer la ou quitter le mode de navigation privée.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"S’il vous plaît [_1]connectez vous[_2] ou [_3]inscrivez vous[_4] pour afficher cette page.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Désolé, cette fonctionnalité est disponible uniquement pour les comptes virtuels.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Cette fonction ne s'applique pas aux comptes virtuels.","[_1]_Account":"Compte [_1]","Click_here_to_open_a_Financial_Account":"Cliquez ici pour ouvrir un Compte Financier","Click_here_to_open_a_Real_Account":"Cliquez ici pour ouvrir un Compte Réel","Open_a_Financial_Account":"Ouvrir un Compte Financier","Open_a_Real_Account":"Ouvrez un Compte Réel","Create_Account":"Créer un compte","Accounts_List":"Liste des comptes","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Authentifiez votre compte[_2] maintenant profiter pleinement de toutes les possibilités de retrait disponibles.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Dépôts et retraits ont été désactivés sur votre compte. Veuillez vérifier votre email pour plus de détails.","Please_set_the_[_1]currency[_2]_of_your_account_":"Veuillez définir la [_1]currency[_2] de votre compte.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Votre preuve d’Identité ou Preuve de Domicile[_2] ne satisfont pas nos exigences. Veuillez vérifier votre email pour obtenir des instructions supplémentaires.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Nous passons en revue vos documents. Pour plus de détails [_1]contactez nous[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Votre compte est restreint. Veuillez [_1]contacter le Service Clientèle[_2] pour obtenir de l'aide.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Veuillez régler votre [_1]limite de 30 jours de chiffre d’affaires[_2] pour supprimer les limites de dépôt.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Le Trading d'Options Binaires a été désactivé sur votre compte. Veuillez [_1]contacter le support client[_2] pour vous assister.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Les retraits MT5 ont été désactivés sur votre compte. Veuillez vérifier votre email pour plus de détails.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Veuillez compléter vos [_1]détails personnels[_2]. avant de procéder.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"S'il vous plaît définissez votre [_1]pays de résidence[_2] avant de mettre à jour votre compte d'argent réel.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Veuillez remplir le [_1]formulaire d'évaluation financière[_2] pour lever vos limites de retrait et de trading.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"S'il vous plait [_1]complétez le profile de votre compte[_2] pour supprimer vos limites de retrait et de trading.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Le Trading et les dépôts ont été désactivés sur votre compte. Veuillez [_1]contacter le support client[_2] pour vous assister.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Les retraits ont été désactivés sur votre compte. Veuillez vérifier votre email pour plus de détails.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Veuillez [_1]accepter la dernière version des Conditions Générales [_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Veuillez [_1]accepter les Conditions Générales mises à jour[_2] pour supprimer vos limites de dépôt et de trading.","Account_Authenticated":"Compte Authentifié","Connection_error:_Please_check_your_internet_connection_":"Erreur de connexion : veuillez vérifier votre connexion à Internet.","Network_status":"Statut réseau","This_is_a_staging_server_-_For_testing_purposes_only":"Il s'agit d'un serveur intermédiaire, utilisé uniquement à des fins de test","The_server_endpoint_is:_[_2]":"Le 1terminal 2 du serveur est : [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Votre navigateur internet ([_1]) est obsolète et cela peut affecter votre expérience de trading. Procédez à vos risques et périls. [_2]Mise à jour de navigateur internet[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Vous avez atteint la limite de tentatives par seconde. Veuillez réessayer ultérieurement.","Please_select":"Sélection","There_was_some_invalid_character_in_an_input_field_":"Un caractère non valide a été saisi dans un champ.","Please_accept_the_terms_and_conditions_":"Veuillez accepter les conditions générales.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Veuillez confirmer que vous n’êtes pas une personne politiquement exposée.","Today":"Aujourd'hui","Barrier":"Barrière","End_Time":"Heure de fin","Entry_Spot":"Point d'entrée","Exit_Spot":"Point de sortie","Charting_for_this_underlying_is_delayed":"Les graphiques sont retardés pour ce sous-jacent","Highest_Tick":"Tick le plus haut","Lowest_Tick":"Tick Le Plus Bas","Payout_Range":"Gamme de Paiement","Purchase_Time":"Heure d'achat","Reset_Barrier":"Barrière de Réinitialisation","Reset_Time":"Temps de réinitialisation","Start/End_Time":"Heure de Début/de Fin","Selected_Tick":"Tick Sélectionné","Start_Time":"Heure de début","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Le code de vérification est incorrect. Veuillez utiliser le lien envoyé à votre adresse email.","Indicates_required_field":"Indique un champ obligatoire","Please_select_the_checkbox_":"Veuillez cocher la case.","This_field_is_required_":"Ce champ est requis.","Should_be_a_valid_number_":"La saisie doit être un nombre valide.","Up_to_[_1]_decimal_places_are_allowed_":"Jusqu'à [_1] décimales seulement sont autorisées.","Should_be_[_1]":"Devrait être [_1]","Should_be_between_[_1]_and_[_2]":"La saisie doit se situer entre [_1] et [_2]","Should_be_more_than_[_1]":"Devrait être plus de [_1]","Should_be_less_than_[_1]":"La saisie doit être inférieure à [_1]","Invalid_email_address_":"Adresse email non valide.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Le mot de passe doit se composer de majuscules, de minuscules et de chiffres.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Seuls les lettres, chiffres, espace, trait d'union et apostrophe sont permis.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Seulement des lettres, chiffres, espace et ces caractères spéciaux sont autorisés : [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Les lettres, les espaces, les traits d'union, la virgule et le point sont les seuls caractères autorisés.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Seuls les lettres, les chiffres, trait d'union et tiret sont autorisés.","The_two_passwords_that_you_entered_do_not_match_":"Les deux mots de passe que vous avez entrés ne correspondent pas.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] et [_2] ne peuvent être identiques.","Minimum_of_[_1]_characters_required_":"Un minimum de [_1] caractères est requis.","You_should_enter_[_1]_characters_":"Vous devez saisir [_1] caractères.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Devrait commencer par une lettre ou un chiffre et peut contenir un trait d’union et un tiret bas.","Invalid_verification_code_":"Code de vérification invalide.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transaction effectuée par [_1] (identifiant d'application : [_2])","Next":"Suivant","Finish":"Finnois","Step":"Étape","Select_your_market_and_underlying_asset":"Sélectionnez votre marché et actif sous-jacent","Select_your_trade_type":"Sélectionnez votre type de transaction","Adjust_trade_parameters":"Définir les paramètres de la transaction","Predict_the_directionand_purchase":"Prédire la direction et acheter","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Votre limite de durée de session sera atteinte dans [_1] secondes.","January":"janvier","February":"février","March":"mars","April":"avril","May":"mai","June":"juin","July":"juillet","August":"août","September":"septembre","October":"octobre","November":"novembre","December":"décembre","Jan":"jan.","Feb":"fév.","Mar":"mars","Apr":"avr.","Jun":"juin","Jul":"juill.","Aug":"août","Sep":"sep.","Oct":"oct.","Nov":"nov.","Dec":"déc.","Sunday":"dimanche","Monday":"lundi","Tuesday":"mardi","Wednesday":"mercredi","Thursday":"jeudi","Friday":"vendredi","Saturday":"samedi","Su":"Di","Mo":"Lu","Tu":"mar.","We":"Me","Th":"Je","Fr":"ven.","Previous":"Précédent","Hour":"Heure","AM":" ","PM":"Après midi","Current_balance":"Solde actuel","Withdrawal_limit":"Limite de retrait","Withdraw":"Retrait","Deposit":"Dépôt","State/Province":"Etat/Province","Country":"Pays","Town/City":"Ville","First_line_of_home_address":"Première ligne de l'adresse résidentielle","Postal_Code_/_ZIP":"Code postal","Telephone":"Téléphone","Email_address":"Adresse e-mail","details":"informations","Your_cashier_is_locked_":"Votre caisse est verrouillée.","You_have_reached_the_withdrawal_limit_":"Vous avez atteint la limite de retrait.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Les services d’Agent de Paiement ne sont pas disponibles dans votre pays ou dans votre devise préférée.","Please_select_a_payment_agent":"Veuillez sélectionner une date valide","Amount":"Montant","Insufficient_balance_":"Solde insuffisant.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Votre demande de retirer [_1] [_2] de votre compte [_3] pour le compte de l'Agent de Paiement [_4] a été traitée avec succès.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Votre jeton a expiré ou est invalide. Veuillez cliquer [_1]ici[_2] pour relancer le processus de vérification.","Please_[_1]deposit[_2]_to_your_account_":"Veuillez [_1]faire un dépôt[_2] sur votre compte.","day":"jour","week":"semaine","weeks":"semaines","month":"mois","months":"mois","year":"année","Month":"Mois","Months":"Mois","Day":"Jour","Days":"Jours","Hours":"Heures","Second":"Seconde","Seconds":"Secondes","Higher":"Supérieur","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] est strictement supérieur ou égal à la barrière au moment de la fermeture le [_4].","Lower":"Inférieur","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] est strictement inférieur ou égal à la barrière au moment de la fermeture le [_4].","Touches":"Touche","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] touche la barrière avant la fermeture le [_4].","Does_Not_Touch":"Ne touche pas","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] ne touche pas la barrière jusqu'à la fermeture de l'option le [_4].","Ends_Between":"Termine dans la zone","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] termine sur ou entre les valeurs inférieure et supérieure de la barrière à la fermeture le [_4].","Ends_Outside":"Termine hors de la zone","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] termine hors de la zone délimitée par les valeurs inférieure et supérieure de la barrière à la fermeture le [_4].","Stays_Between":"Reste dans la zone","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] reste dans la zone délimitée par les valeurs supérieure et inférieure de la barrière jusqu'à la fermeture le [_4].","Goes_Outside":"Sort de la zone","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Paiement de [_2] [_1] si [_3] sort de la zone délimitée par les valeurs inférieure et supérieure de la barrière avant la fermeture le [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Désolé, votre compte n'est autorisé pour aucun achat supplémentaire de contrat.","Please_log_in_":"Veuillez vous connecter.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Désolé, cette fonctionnalité n’est pas disponible dans votre juridiction","This_symbol_is_not_active__Please_try_another_symbol_":"Ce symbole n'est pas actif. Veuillez sélectionner un autre symbole.","Market_is_closed__Please_try_again_later_":"Le marché est fermé. Veuillez réessayer ultérieurement.","All_barriers_in_this_trading_window_are_expired":"Toutes les barrières de cette fenêtre de trading sont expirées","Sorry,_account_signup_is_not_available_in_your_country_":"Désolé, l'ouverture de compte n’est pas disponible dans votre pays.","Asset":"Actif","Opens":"Ouvre","Closes":"Fermetures","Settles":"Règlements","Upcoming_Events":"Évènements à venir","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Ajouter + / – pour définir une compensation de barrière. Par exemple, +0.005 signifie une barrière qui est plus élevée que le point d’entrée de 0,005.","Digit":"Chiffre","Percentage":"Pourcentage","Waiting_for_entry_tick_":"En attente du tick d'entrée.","High_Barrier":"Barrière supérieure","Low_Barrier":"Barrière inférieure","Waiting_for_exit_tick_":"En attente du tick de sortie.","Ticks_history_returned_an_empty_array_":"L'historique des ticks retourne une gamme vide.","Chart_is_not_available_for_this_underlying_":"Le graphique n’est pas disponible pour ce sous-jacent.","Purchase":"Achat","Net_profit":"Bénéfice net","Return":"Retours sur investissement","Time_is_in_the_wrong_format_":"Le format de l'heure est incorrect.","Rise/Fall":"Hausse/Baisse","Higher/Lower":"Supérieur/Inférieur","Matches/Differs":"Égal/Différent","Even/Odd":"Pair/Impair","Over/Under":"Au dessus/En dessous","High-Close":"Haut-Clôture","Close-Low":"Clôture-Bas","High-Low":"Haut-Bas","Up/Down":"Hausse/Baisse","In/Out":"Zone In/Out","Select_Trade_Type":"Sélectionnez le Type de Trade","seconds":"secondes","hours":"heures","second":"seconde","hour":"heure","Duration":"Durée","Purchase_request_sent":"Demande d’achat envoyé","High":"Haut","Close":"Clôture","Low":"Bas","Select_Asset":"Sélectionnez l'Actif","Search___":"Rechercher...","Maximum_multiplier_of_1000_":"Multiplicateur maximal de 1000.","Stake":"Investissement","Payout":"Paiement","Multiplier":"Multiplicateur","Trading_is_unavailable_at_this_time_":"Le Trading n’est pas disponible en ce moment.","Please_reload_the_page":"Veuillez recharger la page","Try_our_[_1]Volatility_Indices[_2]_":"Essayez nos [_1]Indices de volatilité[_2].","Try_our_other_markets_":"Essayez nos autres marchés.","Contract_Confirmation":"Confirmation de contrat","Your_transaction_reference_is":"Votre référence de transaction est","Total_Cost":"Coût total","Potential_Payout":"Paiement potentiel","Maximum_Payout":"Paiement Maximum","Maximum_Profit":"Profit Maximum","Potential_Profit":"Profits potentiels","View":"Affichage","This_contract_won":"Ce contrat a été gagné","This_contract_lost":"Ce contrat a été perdu","Tick_[_1]_is_the_highest_tick":"Le tick [_1] est le tick le plus haut","Tick_[_1]_is_not_the_highest_tick":"Le tick [_1] n’est pas le tick le plus haut","Tick_[_1]_is_the_lowest_tick":"Le tick [_1] est le tick le plus bas","Tick_[_1]_is_not_the_lowest_tick":"Le tick [_1] n’est pas le tick le plus haut","The_reset_time_is_[_1]":"Le temps de réinitialisation est [_1]","Now":"Maintenant","Average":"Moyenne","Buy_price":"Prix d'achat","Final_price":"Prix final","Loss":"Pertes","Profit":"Profits","Account_balance:":"Solde du compte :","Reverse_Side":"Verso","Front_Side":"Face Avant","Pending":"En attente","Submitting":"En cours de soumission","Submitted":"Soumis","Failed":"Échec","Compressing_Image":"Image en cours de compression","Checking":"Vérification en cours","Checked":"Vérifié","Unable_to_read_file_[_1]":"Incapable de lire les fichiers [_1]","Passport":"Passeport","Identity_card":"Carte d’identité","Driving_licence":"Permis de conduire","Invalid_document_format_":"Format de document invalide.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Taille du fichier ([_1]) dépasse la limite autorisée. La taille maximum du fichier est de : [_2]","ID_number_is_required_for_[_1]_":"Un numéro d’identification est nécessaire pour [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Seulement les lettres, chiffres, espace, tiret bas et trait d’union sont autorisés pour le numéro d’identification) ([_1]).","Expiry_date_is_required_for_[_1]_":"La date d’expiration est requise pour [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Photos de côté avant et arrière de [_1] sont nécessaires.","Current_password":"Mot de passe actuel","New_password":"Nouveau mot de passe","Please_enter_a_valid_Login_ID_":"Veuillez saisir un jeton d'authentification valide.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Votre demande de transférer [_1] [_2] de [_3] à [_4] a été traitée avec succès.","Resale_not_offered":"La revente n'est pas proposée","Your_account_has_no_trading_activity_":"Votre compte n'indique aucune activité de trading.","Ref_":"Réf.","Contract":"Contrat","Purchase_Price":"Prix d'achat","Sale_Date":"Date de vente","Sale_Price":"Prix de vente","Profit/Loss":"Profits/pertes","Details":"Informations","Total_Profit/Loss":"Total des profits/pertes","Only_[_1]_are_allowed_":"Seulement [_1] autorisées.","letters":"lettres","numbers":"chiffres","space":"espace","Please_select_at_least_one_scope":"Veuillez sélectionner au moins un champ d'application","New_token_created_":"Nouveau jeton d'authentification créé.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Le nombre maximum de jetons d'authentification ([_1]) est atteint.","Name":"Nom","Token":"Jeton","Scopes":"Périmètre","Last_Used":"Dernière utilisation","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Voulez-vous vraiment supprimer ce jeton de façon permanente","Delete":"Supprimer","Never_Used":"Jamais utilisé","You_have_not_granted_access_to_any_applications_":"Vous n'avez acheté aucun contrat.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Voulez-vous vraiment révoquer l'accès à cette application de façon permanente","Revoke_access":"Révoquer l'accès","Admin":"Administration","Payments":"Paiements","Read":"Lire","Trade":"Trading","Never":"Jamais","Last_Login":"Dernière Connexion","Unlock_Cashier":"Déverrouiller la caisse","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Votre caisse est verrouillée conformément à votre demande - si vous souhaitez la déverrouiller, veuillez saisir le mot de passe.","Lock_Cashier":"Caisse","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Un mot de passe supplémentaire peut être utilisé afin de restreindre l'accès à la caisse.","Update":"Mise à jour","Sorry,_you_have_entered_an_incorrect_cashier_password":"Désolé, vous avez entré un mot de passe de caisse incorrect","Your_settings_have_been_updated_successfully_":"Vos paramètres ont été actualisés avec succès.","You_did_not_change_anything_":"Vous n'avez effectué aucune modification.","Sorry,_an_error_occurred_while_processing_your_request_":"Désolé, une erreur s'est produite pendant le traitement de votre demande.","Your_changes_have_been_updated_successfully_":"Vos modifications ont bien été prises en compte.","Successful":"Réussite","Date_and_Time":"Date et heure","Browser":"Navigateur","IP_Address":"Adresse IP","Status":"Statut","Your_account_has_no_Login/Logout_activity_":"Votre compte n'indique aucune activité de connexion/déconnexion.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Votre compte est entièrement authentifié et vos limites de retrait ont été levées.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Votre limite de retrait sur [_1] jours est actuellement de [_3] [_2] (ou équivalent dans une autre devise).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Vous avez déjà retiré l'équivalent de [_2] [_1] au total au cours des [_3] derniers jours.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Par conséquent, votre montant maximal de retrait immédiat (sous réserve de fonds suffisants disponibles sur votre compte) est de [_2] [_1] (ou équivalent dans une autre devise).","Your_withdrawal_limit_is_[_1]_[_2]_":"Votre limite de retrait est de [_2] [_1].","You_have_already_withdrawn_[_1]_[_2]_":"Vous avez déjà retiré [_2] [_1].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Par conséquent, votre montant maximal de retrait immédiat (sous réserve de fonds suffisants disponibles sur votre compte) est de [_2] [_1].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Votre limite de retrait est de [_2] [_1] (ou équivalent dans une autre devise).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Vous avez déjà retiré l'équivalent de [_2] [_1].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"S’il vous plaît veuillez confirmer que tous les renseignements ci-dessus sont véridiques et complets.","Sorry,_an_error_occurred_while_processing_your_account_":"Désolé, une erreur est survenu pendant le traitement de votre compte.","Please_select_a_country":"Veuillez sélectionner un pays","Timed_out_until":"Expiration jusqu'à","Excluded_from_the_website_until":"Exclu du site Web jusqu’au","Session_duration_limit_cannot_be_more_than_6_weeks_":"La limite de durée de session ne peut excéder 6 semaines.","Time_out_must_be_after_today_":"La période d'expiration doit être ultérieure.","Time_out_cannot_be_more_than_6_weeks_":"La période d'expiration ne peut excéder 6 semaines.","Time_out_cannot_be_in_the_past_":"La période d'expiration ne peut être antérieure.","Please_select_a_valid_time_":"Veuillez sélectionner un horaire valide.","Exclude_time_cannot_be_less_than_6_months_":"Le temps d'exclusion ne peut pas être inférieur à 6 mois.","Exclude_time_cannot_be_for_more_than_5_years_":"Le temps d'exclusion ne peut pas être supérieur à 5 ans.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Lorsque vous cliquerez sur « Ok », vous serez exclu des opérations de trading du site jusqu'à la date sélectionnée.","Your_changes_have_been_updated_":"Vos modifications ont été prises en compte.","Disable":"Désactivé","Enable":"Activé","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Vous avez activé avec succès l’authentification deux facteurs pour votre compte.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Vous avez désactivé l’authentification deux facteurs avec succès pour votre compte.","You_are_categorised_as_a_professional_client_":"Vous êtes considéré comme un client professionnel.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Votre application doit être traitée comme un client professionnel est en cours de traitement.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Vous êtes considéré comme un client de détail. Demandez à être traité comme un trader professionnel.","Bid":"Faire une mise","Closed_Bid":"Enchère fermée","Reference_ID":"Identifiant de parrainage","Credit/Debit":"Crédit/débit","Balance":"Solde","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] ont été crédités sur votre compte virtuel: [_2].","Financial_Account":"Compte Financier","Real_Account":"Compte réel","Counterparty":"Contrepartie","Create":"Créer","This_account_is_disabled":"Ce compte est désactivé","This_account_is_excluded_until_[_1]":"Ce compte est exclu jusqu'à [_1]","Set_Currency":"Définir la devise","Commodities":"Matières premières","Stocks":"Actions","Volatility_Indices":"Indices de volatilité","Please_check_your_email_for_the_password_reset_link_":"Veuillez vérifier votre email pour le lien concernant la réinitialisation du mot de passe.","Advanced":"Avancé","Demo_Standard":"Démo Standard","Real_Standard":"Réel Standard","Demo_Advanced":"Démo Avancée","Real_Advanced":"Réel Avancée","MAM_Advanced":"MAM Avancé","Demo_Volatility_Indices":"Indices volatilité de démo","Real_Volatility_Indices":"Indices volatilité réelle","MAM_Volatility_Indices":"Indices de volatilité MAM","Sign_up":"Inscrivez vous","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Tradez des contrats pour différence (CFD) sur les Indices de volatilité peut ne pas convenir à tout le monde. Veuillez vous assurer que vous comprenez les risques encourus, y compris la possibilité de perdre tous les fonds dans votre compte MT5. Le jeu peut être une dépendance – s’il vous plaît jouer de façon responsable.","Do_you_wish_to_continue?":"Voulez-vous continuer ?","Acknowledge":"Reconnaître","Change_Password":"Modifier le mot de passe","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Le mot de passe [_1] du numéro de compte [_2] a été modifié.","Reset_Password":"Réinitialiser le mot de passe","Verify_Reset_Password":"Vérifier le nouveau mot de passe","Please_check_your_email_for_further_instructions_":"Veuillez vérifier votre email pour obtenir des instructions supplémentaires.","Revoke_MAM":"Révoquer MAM","Manager_successfully_revoked":"Manager révoqué avec succès","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Le dépôt [_1] à partir de [_2] vers le numéro de compte [_3] est effectué. Identifiant de transaction : [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Votre caisse est verrouillée conformément à votre demande - si vous souhaitez la déverrouiller, veuillez cliquer ici.","You_have_reached_the_limit_":"Vous avez atteint la limite.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Le retrait [_1] à partir du numéo de compte [_2] vers [_3] a été effectué. Identifiant de transaction : [_4]","Main_password":"Mot de passe principal","Investor_password":"Mot de passe investisseur","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Vous n'avez pas assez de fonds dans votre compte Binary, s’il vous plaît Ajouter des fonds.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Notre service MT5 est actuellement indisponible pour les résidents de l’UE dans l’attente de l’approbation réglementaire.","Demo_Accounts":"Compte Démo","MAM_Accounts":"Comptes MAM","Real-Money_Accounts":"Comptes d’argent réel","Demo_Account":"Compte Démo","Real-Money_Account":"Compte d’Argent Réel","for_account_[_1]":"pour compte [_1]","[_1]_Account_[_2]":"[_1] Compte [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Votre jeton a expiré ou n’est pas valide. S’il vous plaît cliquez ici pour relancer le processus de vérification.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"L'adresse e-mail que vous avez saisie est déjà utilisée. Si vous avez oublié votre mot de passe, veuillez essayer notre outil de récupération de mot de passe ou contacter le service clientèle.","Password_is_not_strong_enough_":"Le mot de passe n'est pas assez fiable.","Upgrade_now":"Mettre à jour maintenant","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] jours [_2] heures [_3] minutes","Your_trading_statistics_since_[_1]_":"Vos statistiques de trading depuis [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] veuillez cliquer sur le lien ci-dessous pour relancer le processus de récupération de mot de passe.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Votre mot de passe a été réinitialisé avec succès. Veuillez vous connecter à votre compte en utilisant votre nouveau mot de passe.","Please_choose_a_currency":"Veuillez choisir une monnaie","Asian_Up":"Asiatiques à la hausse","Asian_Down":"Asiatiques à la baisse","Higher_or_equal":"Plus haut ou égal","Lower_or_equal":"Plus bas ou égal","Digit_Matches":"Chiffre Correspondant","Digit_Differs":"Chiffre Différent","Digit_Odd":"Chiffre Impair","Digit_Even":"Chiffre Pair","Digit_Over":"Chiffre Supérieur","Digit_Under":"Chiffre Inférieur","High_Tick":"Tick Haut","Low_Tick":"Tick Bas","Equals":"Égaux","Not":"Pas","Buy":"Acheter","Sell":"Vente","Contract_has_not_started_yet":"Le contrat n’a pas encore commencé","Contract_Result":"Résultat du contrat","Close_Time":"Heure de la Clôture","Highest_Tick_Time":"Heure du Tick le Plus Haut","Lowest_Tick_Time":"Heure du Tick le Plus Bas","Exit_Spot_Time":"Prix de sortie actuel","Audit":"Vérification","View_Chart":"Afficher le graphique","Audit_Page":"Page de vérification","Spot_Time_(GMT)":"Temps Spot (GMT)","Contract_Starts":"Le contrat débute","Contract_Ends":"Le contrat se termine","Target":"Cible","Contract_Information":"Informations du contrat","Contract_Type":"Type de Contrat","Transaction_ID":"ID de Transaction","Remaining_Time":"Temps restant","Maximum_payout":"Paiement Maximum","Barrier_Change":"Modification de barrière","Current":"Valeur actuelle","Spot_Time":"Heure spot","Current_Time":"Heure actuelle","Indicative":"Indicatif","You_can_close_this_window_without_interrupting_your_trade_":"Vous pouvez aussi fermer cette fenêtre sans interrompre votre trade.","There_was_an_error":"Une erreur s'est produite","Sell_at_market":"Vendre au prix du marché","Note":"Remarque","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Le contrat sera vendu au prix de marché en vigueur à réception de la demande par nos serveurs. Ce prix peut différer du prix indiqué.","You_have_sold_this_contract_at_[_1]_[_2]":"Vous avez vendu ce contrat [_2] [_1]","Your_transaction_reference_number_is_[_1]":"Le numéro de référence de votre transaction est [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Nous vous remercions pour votre inscription ! Veuillez vérifier votre email pour compléter le processus d’inscription.","All_markets_are_closed_now__Please_try_again_later_":"Tous les marchés sont actuellement fermés. Veuillez réessayer ultérieurement.","Withdrawal":"Retrait","virtual_money_credit_to_account":"crédit de fonds virtuels sur le compte","login":"connexion","logout":"déconnexion","Asians":"Asiatiques","Digits":"Chiffres","Ends_Between/Ends_Outside":"Termine dans/hors de la zone","High/Low_Ticks":"Ticks Haut/Bas","Stays_Between/Goes_Outside":"Reste dans/Sort de la zone","Touch/No_Touch":"Touche/Ne touche pas","Christmas_Day":"Jour de Noël","Closes_early_(at_18:00)":"Ferme tôt (à 18h)","Closes_early_(at_21:00)":"Ferme tôt (à 21h)","Fridays":"Vendredis","New_Year's_Day":"Jour de l'An","today":"aujourd'hui","today,_Fridays":"aujourd'hui, vendredis","There_was_a_problem_accessing_the_server_":"Il y a eu un problème d'accès au serveur.","There_was_a_problem_accessing_the_server_during_purchase_":"Il y a eu un problème d'accès au serveur durant l'achat."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/id.js b/src/javascript/_autogenerated/id.js
index 21e13cbcd00a4..bb8e059342510 100644
--- a/src/javascript/_autogenerated/id.js
+++ b/src/javascript/_autogenerated/id.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['ID'] = {"Day":"Hari","Month":"Bulan","Year":"Tahun","Sorry,_an_error_occurred_while_processing_your_request_":"Maaf, error terjadi ketika memproses permohonan Anda.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Silahkan [_1]log in[_2] atau [_3]daftar[_4] untuk melihat halaman ini.","Click_here_to_open_a_Real_Account":"Klik disini untuk mendaftar Akun Riil","Open_a_Real_Account":"Daftar Akun Riil","Click_here_to_open_a_Financial_Account":"Klik disini untuk mendaftar Akun Finansial","Open_a_Financial_Account":"Daftar Akun Finansial","Network_status":"Status jaringan","Connecting_to_server":"Menghubungkan ke server","Virtual_Account":"Akun Virtual","Real_Account":"Akun Riil","Investment_Account":"Akun Investasi","Gaming_Account":"Akun Trading","Sunday":"Minggu","Monday":"Senin","Tuesday":"Selasa","Wednesday":"Rabu","Thursday":"Kamis","Friday":"Jum'at","Saturday":"Sabtu","Su":"Mgg","Mo":"Sen","Tu":"Kam","We":"Kami","Th":"Kam","Fr":"Jum","Sa":"Sab","January":"Januari","February":"Pebruari","March":"Maret","May":"Mei","June":"Juni","July":"Juli","August":"Agustus","October":"Oktober","November":"Nopember","December":"Desember","Feb":"Peb","Jun":"Juni","Aug":"Agu","Oct":"Oktober","Nov":"Nop","Dec":"Des","Next":"Lanjutkan","Previous":"Sebelumnya","Hour":"Jam","Minute":"Menitan","Time_is_in_the_wrong_format_":"Waktu dalam format salah.","Purchase_Time":"Waktu Beli","Charting_for_this_underlying_is_delayed":"Charting untuk underlying ini tertunda","Reset_Time":"Waktu Reset","Payout_Range":"Kisaran Hasil","Tick_[_1]":"Tik [_1]","Ticks_history_returned_an_empty_array_":"Historical tik menghasilkan tampilan kosong.","Chart_is_not_available_for_this_underlying_":"Chart tidak tersedia untuk pasar dasar ini.","year":"tahun","month":"bulan","week":"minggu","day":"hari","days":"hari","h":"j","hour":"jam","hours":"jam","minute":"menit","minutes":"menit","second":"detik","seconds":"detik","tick":"tik","ticks":"tik","Loss":"Rugi","Profit":"Keuntungan","Payout":"Hasil","Units":"Unit","Stake":"Modal","Duration":"Durasi","End_Time":"Waktu berakhir","Net_profit":"Laba bersih","Return":"Laba","Now":"Sekarang","Contract_Confirmation":"Konfirmasi Kontrak","Your_transaction_reference_is":"Referensi transaksi Anda adalah","Asians":"Asian","High/Low_Ticks":"High/Low Tik","Potential_Payout":"Potensi Hasil","Maximum_Payout":"Hasil Maksimum","Total_Cost":"Total Biaya","Potential_Profit":"Potensi Hasil","Maximum_Profit":"Laba Maksimum","View":"Lihat","Tick":"Tik","Buy_price":"Harga beli","Final_price":"Harga akhir","Long":"Panjang","Short":"Pendek","Portfolio":"Portopolio","Explanation":"Penjelasan","Last_Digit_Stats":"Statistik Digit Terakhir","Waiting_for_entry_tick_":"Menunggu tik masuk...","Waiting_for_exit_tick_":"Menunggu tik akhir.","Please_log_in_":"Silahkan log in.","All_markets_are_closed_now__Please_try_again_later_":"Semua pasar ditutup saat ini. Coba kembali nanti.","Account_balance:":"Saldo akun:","Try_our_[_1]Volatility_Indices[_2]_":"Coba [_1]Indeks Volatilitas[_2] kami.","Try_our_other_markets_":"Coba pasar kami lainnya.","Session":"Sesi","Crypto":"Kripto","Payoff":"Hasil","Search___":"Cari...","Select_Asset":"Pilih Aset","The_reset_time_is_[_1]":"Waktu reset adalah [_1]","Purchase":"Beli","Purchase_request_sent":"Permintaan pembelian dikirim","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Tambahkan +/– untuk menentukan batasan offset. Contoh, +0,005 berarti batasan lebih tinggi 0,005 dari spot masuk.","Please_reload_the_page":"Silakan reload halaman","Trading_is_unavailable_at_this_time_":"Trading tidak tersedia untuk saat ini.","Maximum_multiplier_of_1000_":"Maksimum kelipatan 1000.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Akun Anda telah terbukti dan batasan penarikan Anda telah dihapuskan.","Your_withdrawal_limit_is_[_1]_[_2]_":"Batas penarikan Anda adalah [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Batas penarikan Anda adalah [_1] [_2] (atau setara dengan mata uang lain).","You_have_already_withdrawn_[_1]_[_2]_":"Anda telah menarik dana sebesar [_1] [_2].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Anda telah melakukan penarikan setara dengan [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Oleh karena itu jumlah maksimal yang dapat Anda cairkan langsung (jika saldo mencukupi) adalah [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Maka dengan itu jumlah maksimal yang dapat Anda tarik (tergantung pada saldo tunai yang tersedia) adalah [_1] [_2] (atau setara dengan mata uang lainnya).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Batas penarikan [_1] hari Anda saat ini adalah [_2] [_3] (atau setara dengan mata uang lainnya).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Anda telah menarik dana sebesar [_1] [_2] dalam tempo [_3] hari terakhir.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Kontrak dimana batasan adalah sama dengan spot masuk.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Kontrak dimana batasan adalah berbeda dengan spot masuk.","Duration_up_to_7_days":"Durasi hingga 7 hari","Duration_above_7_days":"Durasi diatas 7 hari","Major_Pairs":"Pasangan Utama","This_field_is_required_":"Bagian ini diperlukan.","Please_select_the_checkbox_":"Silakan pilih kotak centang.","Please_accept_the_terms_and_conditions_":"Silahkan terima syarat dan ketentuan.","Only_[_1]_are_allowed_":"Hanya [_1] dibenarkan.","letters":"huruf","numbers":"nomor","space":"ruang","Sorry,_an_error_occurred_while_processing_your_account_":"Maaf, error terjadi ketika memproses rekening Anda.","Your_changes_have_been_updated_successfully_":"Perubahan Anda telah berhasil diperbarui.","Your_settings_have_been_updated_successfully_":"Bagian pengaturan Anda telah berhasil diperbarui.","Female":"Wanita","Male":"Pria","Please_select_a_country":"Silakan pilih negara","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Mohon konfirmasikan bahwa semua informasi di atas adalah benar dan lengkap.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Aplikasi Anda sebagai klien profesional sedang diproses.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Anda dikategorikan sebagai klien ritel. Ajukan permohonan sebagai trader profesional.","You_are_categorised_as_a_professional_client_":"Anda dikategorikan sebagai klien profesional.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Token Anda telah berakhir atau tidak berlaku. Silahkan klik disini untuk memulai kembali proses verifikasi.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Alamat email yang Anda sediakan sudah pernah di daftarkan. Jika Anda lupa kata sandi, silahkan coba alat pemulihan kata sandi atau hubungi customer service kami.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Kata sandi harus memiliki huruf kecil dan besar beserta angka.","Password_is_not_strong_enough_":"Kata sandi tidak cukup kuat.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Batas durasi sesi Anda akan berakhir dalam [_1] detik.","Invalid_email_address_":"Alamat email salah.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Terima kasih karena telah mendaftar! Silahkan cek email Anda untuk melengkapi proses pendaftaran.","Financial_Account":"Akun Finansial","Upgrade_now":"Upgrade sekarang","Please_select":"Tolong pilih","Minimum_of_[_1]_characters_required_":"Minimal [_1] karakter diperlukan.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Mohon konfirmasikan bahwa Anda bukanlah orang yang terlibat dalam politik.","Asset":"Aset","Opens":"Dibuka","Closes":"Ditutup","Settles":"Diselesaikan","Upcoming_Events":"Acara Mendatang","Closes_early_(at_21:00)":"Ditutup awal (pada 21:00)","Closes_early_(at_18:00)":"Ditutup awal (pada 18:00)","New_Year's_Day":"Tahun Baru","Christmas_Day":"Hari Natal","Fridays":"Jum'at","today":"hari ini","today,_Fridays":"hari ini, Jumat","Please_select_a_payment_agent":"Silahkan pilih agen pembayaran","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Layanan Agen Pembayaran tidak tersedia di negara Anda atau dalam mata uang yang Anda pilih.","Invalid_amount,_minimum_is":"Jumlah tidak berlaku, minimal","Invalid_amount,_maximum_is":"Jumlah tidak berlaku, maksimal","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Permohonan penarikan Anda [_1] [_2] dari account [_3] ke Agen Pembayaran [_4] telah diproses.","Up_to_[_1]_decimal_places_are_allowed_":"Hingga [_1] desimal diperbolehkan.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Token Anda telah berakhir atau tidak berlaku. Silahkan klik [_1]disini[_2] untuk memulai proses verifikasi.","New_token_created_":"Token baru dibuat.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Jumlah maksimum token ([_1]) telah tercapai.","Name":"Nama","Last_Used":"Terakhir digunakan","Scopes":"Cakupan","Never_Used":"Tidak pernah dipakai","Delete":"Hapus","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Apakah Anda yakin ingin menghapus token secara permanen","Please_select_at_least_one_scope":"Silakan pilih minimal satu scope","Guide":"Panduan","Finish":"Selesai","Step":"Langkah","Select_your_market_and_underlying_asset":"Pilih pasar dan aset dasar Anda","Select_your_trade_type":"Pilih jenis kontrak Anda","Adjust_trade_parameters":"Menyesuaikan parameter trading","Predict_the_directionand_purchase":"Analisa arah dan beli","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Maaf, fasilitas ini hanya tersedia untuk rekening virtual saja.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] telah dikreditkan kedalam akun virtual Anda: [_3].","years":"tahun","months":"bulan","weeks":"minggu","Your_changes_have_been_updated_":"Perubahan Anda telah diperbarui.","Please_enter_an_integer_value":"Silahkan masukan nilai penuh","Session_duration_limit_cannot_be_more_than_6_weeks_":"Batas durasi sesi tidak dapat lebih dari 6 minggu.","You_did_not_change_anything_":"Anda tidak melakukan perubahan.","Please_select_a_valid_date_":"Pilih tanggal yang berlaku.","Please_select_a_valid_time_":"Silahkan pilih waktu yang berlaku.","Time_out_cannot_be_in_the_past_":"Time out tidak bisa di masa lalu.","Time_out_must_be_after_today_":"Time out harus setelah hari ini.","Time_out_cannot_be_more_than_6_weeks_":"Time out tidak bisa lebih dari 6 minggu.","Exclude_time_cannot_be_less_than_6_months_":"Waktu pengecualian tidak boleh kurang dari 6 bulan.","Exclude_time_cannot_be_for_more_than_5_years_":"Waktu pengecualian tidak dapat melebihi 5 tahun.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Setelah mengklik \"OK\" Anda akan dikecualikan dari trading hingga tanggal yang dipilih.","Timed_out_until":"Waktu habis hingga","Excluded_from_the_website_until":"Dikecualikan dari situs web hingga","Resale_not_offered":"Penjualan ulang tidak ditawarkan","Date":"Tanggal","Action":"Aksi","Contract":"Kontrak","Sale_Date":"Tanggal Jual","Sale_Price":"Harga Jual","Total_Profit/Loss":"Total Untung/Rugi","Your_account_has_no_trading_activity_":"Akun Anda tidak memiliki aktivitas trading.","Today":"Hari ini","Details":"Rincian","Sell":"Jual","Buy":"Beli","Virtual_money_credit_to_account":"Mengkreditkan dana virtual kedalam akun","This_feature_is_not_relevant_to_virtual-money_accounts_":"Fasilitas ini tidak tersedia untuk akun uang virtual.","Japan":"Jepang","Questions":"Pertanyaan","True":"Benar","False":"Salah","There_was_some_invalid_character_in_an_input_field_":"Terdapat beberapa karakter yang tidak berlaku pada kolom input.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Silahkan ikuti pola 3 angka, garis, diikuti oleh 4 angka.","Score":"Skor","Weekday":"Hari Kerja","Processing_your_request___":"Memproses permintaan Anda...","Please_check_the_above_form_for_pending_errors_":"Silahkan periksa formulir diatas untuk error yang masih tertunda.","High_Tick":"High Tik","Low_Tick":"Low Tik","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] pasti lebih tinggi dari atau sama dengan Batasan pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] pasti lebih rendah dari Batasan pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] tidak menyentuh Batasan hingga penutupan [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] menyentuh Batasan hingga penutupan [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] berakhir pada atau antara Batasan rendah dan tinggi pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] berakhir diluar Batasan rendah dan tinggi pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] tetap berada pada Batasan rendah dan tinggi hingga penutupan [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] berakhir keluar Batasan rendah dan tinggi hingga penutupan [_4].","Higher_or_equal":"Lebih tinggi atau sama","Lower_or_equal":"Lower atau equal","All_barriers_in_this_trading_window_are_expired":"Semua batasan pada tampilan trading ini telah berakhir","Remaining_time":"Waktu yang tersisa","Market_is_closed__Please_try_again_later_":"Pasar ditutup. Silakan coba kembali nanti.","This_symbol_is_not_active__Please_try_another_symbol_":"Simbol ini tidak aktif. Silakan coba simbol lain.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Maaf, akun Anda tidak dapat membeli kontrak selanjutnya.","Lots":"Lot","Payout_per_lot_=_1,000":"Hasil per lot = 1.000","This_page_is_not_available_in_the_selected_language_":"Halaman ini tidak tersedia dalam bahasa yang dipilih.","Percentage":"Persentase","Amount":"Jumlah","Withdrawal":"Penarikan","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Permintaan Anda untuk mentransfer [_1] [_2] dari [_3] ke [_4] berhasil diproses.","Date_and_Time":"Tanggal dan Waktu","IP_Address":"Alamat IP","Successful":"Berhasil","Failed":"Gagal","Your_account_has_no_Login/Logout_activity_":"Akun Anda tidak memiliki aktivitas Login/Logout.","logout":"keluar","Please_enter_a_number_between_[_1]_":"Silakan masukkan nomor antara [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] hari [_2] jam [_3] menit","Your_trading_statistics_since_[_1]_":"Statistik trading Anda sejak [_1].","Unlock_Cashier":"Buka Kasir","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Kasir Anda terkunci sesuai permintaan Anda - untuk membuka kunci, masukkan kata sandi.","Lock_Cashier":"Kunci Kasir","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Kata sandi tambahan dapat digunakan untuk membatasi akses ke kasir.","Update":"Memperbarui","Sorry,_you_have_entered_an_incorrect_cashier_password":"Maaf, kata sandi yang Anda masukkan salah","You_have_reached_the_withdrawal_limit_":"Anda telah mencapai batas penarikan.","Start_Time":"Waktu Mulai","Entry_Spot":"Spot Masuk","Low_Barrier":"Batasan Rendah","High_Barrier":"Batasan Tinggi","Reset_Barrier":"Batasan Reset","Average":"Rata-rata","This_contract_won":"Kontrak ini untung","This_contract_lost":"Kontrak ini rugi","Spot":"Posisi","Barrier":"Batasan","Target":"Sasaran","Equals":"Sama","Not":"Bukan","Description":"Deskripsi","Credit/Debit":"Kredit/Debit","Balance":"Saldo","Purchase_Price":"Harga Beli","Profit/Loss":"Untung/Rugi","Contract_Information":"Informasi Kontrak","Contract_Result":"Hasil Kontrak","Current":"Saat ini","Open":"Awal","Closed":"Tutup","Contract_has_not_started_yet":"Kontrak belum dimulai lagi","Spot_Time":"Waktu Spot","Spot_Time_(GMT)":"Waktu Spot (GMT)","Current_Time":"Waktu Terkini","Exit_Spot_Time":"Waktu Exit Spot","Exit_Spot":"Spot akhir","Indicative":"Indikatif","There_was_an_error":"Terdapat error","Sell_at_market":"Jual pada pasar","You_have_sold_this_contract_at_[_1]_[_2]":"Anda telah menjual kontrak pada [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Nomor referensi transaksi Anda adalah [_1]","Tick_[_1]_is_the_highest_tick":"Tik [_1] adalah tik tertinggi","Tick_[_1]_is_not_the_highest_tick":"Tik [_1] adalah bukan tik tertinggi","Tick_[_1]_is_the_lowest_tick":"Tik [_1] adalah tik terendah","Tick_[_1]_is_not_the_lowest_tick":"Tik [_1] adalah bukan tik terendah","Note":"Catatan","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Kontrak akan dijual pada harga pasar terkini ketika permintaan diterima oleh server kami. Harga ini mungkin berbeda dari harga yang diindikasikan.","Contract_Type":"Jenis Kontrak","Transaction_ID":"ID Transaksi","Remaining_Time":"Waktu Yang Tersisa","Barrier_Change":"Perubahan Batasan","Audit_Page":"Halaman Audit","View_Chart":"Lihat Chart","Contract_Starts":"Kontrak Mulai","Contract_Ends":"Kontrak Berakhir","Start_Time_and_Entry_Spot":"Waktu Mulai dan Spot Mulai","Exit_Time_and_Exit_Spot":"Waktu Akhir dan Spot Akhir","You_can_close_this_window_without_interrupting_your_trade_":"Anda dapat menutup window ini tanpa mengganggu trading Anda.","Selected_Tick":"Tik Terpilih","Highest_Tick":"Tik Tertinggi","Highest_Tick_Time":"Waktu Tik Tertinggi","Lowest_Tick":"Tik Terendah","Lowest_Tick_Time":"Waktu Tik Terendah","Close_Time":"Waktu Tutup","Please_select_a_value":"Silahkan pilih nilai","You_have_not_granted_access_to_any_applications_":"Anda belum diberikan akses ke dalam aplikasi apapun.","Permissions":"Izin","Never":"Tidak pernah","Revoke_access":"Mencabut akses","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Apakah Anda yakin bahwa Anda ingin secara permanen mencabut akses aplikasi","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transaksi dilakukan oleh [_1] (App ID: [_2])","Read":"Baca","Payments":"Pembayaran","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Silahkan klik link dibawah untuk mengulang proses pembuatan kata sandi.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Kata sandi Anda sudah berhasil dibuat ulang. Silahkan akes akun Anda menggunakan kata sandi baru.","Please_check_your_email_for_the_password_reset_link_":"Silakan lihat email Anda untuk memperoleh link reset kata sandi.","details":"perincian","Withdraw":"Pencairan","Insufficient_balance_":"Saldo tidak mencukupi.","This_is_a_staging_server_-_For_testing_purposes_only":"Ini adalah staging server - Untuk tujuan pengujian saja","The_server_endpoint_is:_[_2]":"Titik akhir server adalah: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Maaf, pendaftaran akun tidak tersedia di negara Anda.","There_was_a_problem_accessing_the_server_":"Terjadi masalah pada saat mengakses server.","There_was_a_problem_accessing_the_server_during_purchase_":"Terjadi masalah mengakses server saat pembelian berlangsung.","Should_be_a_valid_number_":"Harus angka yang berlaku.","Should_be_more_than_[_1]":"Harus lebih dari [_1]","Should_be_less_than_[_1]":"Harus kurang dari [_1]","Should_be_[_1]":"Seharusnya [_1]","Should_be_between_[_1]_and_[_2]":"Harus antara [_1] dan [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Hanya huruf, angka, ruang, tanda hubung, periode, dan apostrof diperbolehkan.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Hanya huruf, spasi, tanda hubung, periode, dan apostrof diperbolehkan.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Hanya huruf, angka, dan tanda hubung diperbolehkan.","Only_numbers,_space,_and_hyphen_are_allowed_":"Hanya angka, ruang dan tanda hubung diperbolehkan.","Only_numbers_and_spaces_are_allowed_":"Hanya nomor dan spasi diperbolehkan.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Hanya huruf, angka, spasi, dan karakter khusus berikut yang diperbolehkan: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Kedua-dua kata sandi yang Anda masukkan tidak cocok.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] dan [_2] tidak bisa sama.","You_should_enter_[_1]_characters_":"Anda harus memasukkan [_1] karakter.","Indicates_required_field":"Menunjukkan bidang yang diperlukan","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Kode verifikasi salah. Silahkan gunakan link yang dikirim ke email Anda.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Kata sandi yang Anda masukkan adalah salah satu kata sandi yang paling umum digunakan di dunia. Anda seharusnya tidak menggunakan kata sandi ini.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Petunjuk: dibutuhkan kira-kira [_1][_2] untuk memecahkan kata sandi ini.","thousand":"ribu","million":"juta","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Harus dimulai dengan huruf atau angka, dan mungkin mengandung tanda hubung dan garis bawah.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Alamat Anda tidak dapat disahkan menggunakan sistem otomatis yang kami gunakan. Silahkan lanjutkan namun pastikan alamat Anda lengkap.","Validate_address":"Pengesahan alamat","Congratulations!_Your_[_1]_Account_has_been_created_":"Selamat! Akun [_1] Anda telah berhasil didaftarkan.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Kata sandi [_1] untuk akun [_2] sudah diganti.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] deposit dari [_2] ke akun nomer [_3] telah berhasil. ID Transaksi: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"[_1] penarikan dari akun [_2] ke [_3] telah berhasil. ID Transaksi: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Bagian kasir akun Anda telah di batalkan - untuk membukanya, silahkan klik disini.","Your_cashier_is_locked_":"Kasir Anda terkunci.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Anda tidak memiliki dana yang cukup di akun Binary Anda, silahkan tambah dana.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Maaf, fitur ini tidak tersedia di yurisdiksi Anda.","You_have_reached_the_limit_":"Anda telah mencapai batas.","Main_password":"Kata sandi utama","Investor_password":"Kata sandi investor","Current_password":"Kata sandi saat ini","New_password":"Kata sandi baru","Demo_Standard":"Standar Demo","Standard":"Standar","Demo_Advanced":"Demo Lanjutan","Advanced":"Lanjutan","Demo_Volatility_Indices":"Demo Indeks Volatilitas","Real_Standard":"Standar Riil","Real_Advanced":"Riil Lanjutan","Real_Volatility_Indices":"Indeks Volatilitas Riil","MAM_Advanced":"MAM Tingkat Lanjut","MAM_Volatility_Indices":"MAM Indeks Volatilitas","Change_Password":"Perubahan Kata Sandi","Demo_Accounts":"Akun Demo","Demo_Account":"Akun Demo","Real-Money_Accounts":"Akun Uang Riil","Real-Money_Account":"Akun Uang Riil","MAM_Accounts":"Akum MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Layanan MT5 kami tidak tersedia untuk warga Uni Eropa berhubung persetujuan peraturan yang masih tertunda.","[_1]_Account_[_2]":"[_1] Akun [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Kontrak untuk Perbedaan (CFDs) pada indeks volatilitas mungkin tidak akan cocok untuk semua orang. Pastikan bahwa Anda mengerti resiko yang terdapat, termasuk kemungkinan kehilangan seluruh dana di akun MT5.","Do_you_wish_to_continue?":"Apakah Anda ingin melanjutkan?","for_account_[_1]":"untuk akun [_1]","Verify_Reset_Password":"Verifikasi Reset Kata Sandi","Reset_Password":"Ulang Kata Sandi","Please_check_your_email_for_further_instructions_":"Silakan lihat email Anda untuk instruksi lebih lanjut.","Revoke_MAM":"Mencabut MAM","Manager_successfully_revoked":"Manajer berhasil dicabut","Max":"Maks","Current_balance":"Saldo saat ini","Withdrawal_limit":"Batas pencairan","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Otentikasi akun Anda[_2] sekarang untuk memperoleh manfaat maksimal dari semua pilihan pembayaran yang tersedia.","Please_set_the_[_1]currency[_2]_of_your_account_":"Pilih [_1]mata uang[_2] akun Anda.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Tentukan batasan total pembelian kontrak 30-hari pada [_1]fasilitas pengecualian diri[_2] untuk menghapus batasan deposit Anda.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Silahkan pilih [_1]negara domisili[_2] sebelum mengupgrade ke dalam akun riil.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Silahkan lengkapi [_1]formulir penilaian finansial[_2] untuk meningkatkan batasan penarikan dan trading Anda.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Silahkan [_1]lengkapi profil akun Anda[_2] untuk meningkatkan batasan penarikan dan trading.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Silahkan [_1]setujui Syarat dan Ketentuan terbaru[_2] untuk meningkatkan batasan penarikan dan trading Anda.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Akun Anda memiliki akses terbatas. Silahkan [_1]hubungi customer support[_2] untuk bantuan.","Connection_error:_Please_check_your_internet_connection_":"Koneksi error: Silakan periksa koneksi internet Anda.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Anda telah mencapai batas tingkat permintaan per detik. Silakan coba lagi nanti.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] mengharuskan penyimpanan web browser Anda diaktifkan agar berfungsi dengan benar. Aktifkan atau keluar dari mode browsing pribadi.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Kami sedang meninjau dokumen Anda. Untuk lebih jelasnya [_1]hubungi kami[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Deposit dan penarikan telah dinonaktifkan pada akun Anda. Silakan periksa email Anda untuk informasi lebih lanjut.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Trading dan deposit telah dinonaktifkan pada akun Anda. Silahkan [_1]hubungi customer support[_2] untuk bantuan.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Trading Opsi Binary telah dibatalkan pada akun Anda. Silahkan [_1]hubungi customer support[_2] untuk bantuan.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Penarikan telah dinonaktifkan pada akun Anda. Silakan periksa email Anda untuk informasi lebih lanjut.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Penarikan MT5 tidak tersedia pada akun Anda. Silahkan cek email untuk informasi lebih lanjut.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Silakan lengkapi [_1]detail pribadi[_2] Anda sebelum melanjutkan.","Account_Authenticated":"Akun Telah Dikonfirmasi","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"Di Uni Eropa, opsi finansial binary hanya tersedia bagi investor profesional.","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Browser web Anda ([_1]) sudah ketinggalan zaman yang dapat mempengaruhi pengalaman trading Anda. Lanjutkan dengan risiko sendiri. [_2]Perbarui browser[_3]","Closed_Bid":"Tutup Bid","Create":"Membuat","Commodities":"Komoditas","Indices":"Indeks","Stocks":"Saham","Volatility_Indices":"Indeks Volatilitas","Set_Currency":"Atur Mata Uang","Please_choose_a_currency":"Silahkan pilih mata uang","Create_Account":"Daftar Akun","Accounts_List":"Daftar Akun","[_1]_Account":"Akun [_1]","Investment":"Investasi","Real":"Riil","Counterparty":"Rekanan","This_account_is_disabled":"Akun ini dinonaktifkan","This_account_is_excluded_until_[_1]":"Akun ini di kecualikan hingga [_1]","Invalid_document_format_":"Format dokumen tidak valid.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Ukuran file ([_1]) melebihi batas yang diijinkan. Ukuran file maksimum yang diizinkan: [_2]","ID_number_is_required_for_[_1]_":"Nomor identitas diperlukan untuk [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Hanya huruf, angka, spasi, garis bawah, dan tanda hubung yang diizinkan untuk nomor Identitas ([_1]).","Expiry_date_is_required_for_[_1]_":"Tanggal berakhir diperlukan untuk [_1].","Passport":"Paspor","ID_card":"Kartu identitas","Driving_licence":"Surat izin mengemudi","Front_Side":"Bagian Depan","Reverse_Side":"Bagian Belakang","Front_and_reverse_side_photos_of_[_1]_are_required_":"Foto depan dan belakang [_1] diperlukan.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Bukti Identitas atau Bukti Alamat Anda[_2] tidak memenuhi persyaratan kami. Silahkan lihat email Anda untuk petunjuk lebih lanjut.","Following_file(s)_were_already_uploaded:_[_1]":"File berikut telah diupload: [_1]","Checking":"Memeriksa","Checked":"Diperiksa","Pending":"Tertunda","Submitting":"Mengirimkan","Submitted":"Terkirim","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Anda akan diarahkan ke situs web pihak ketiga yang tidak dimiliki oleh Binary.com.","Click_OK_to_proceed_":"Klik OK untuk melanjutkan.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Anda telah berhasil mengaktifkan autentikasi dua faktor pada akun Anda.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Anda telah berhasil menonaktifkan autentikasi dua faktor pada akun Anda.","Enable":"Aktifkan","Disable":"Nonaktifkan"};
\ No newline at end of file
+texts_json['ID'] = {"Real":"Riil","Investment":"Investasi","Connecting_to_server":"Menghubungkan ke server","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Kata sandi yang Anda masukkan adalah salah satu kata sandi yang paling umum digunakan di dunia. Anda seharusnya tidak menggunakan kata sandi ini.","million":"juta","thousand":"ribu","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Petunjuk: dibutuhkan kira-kira [_1][_2] untuk memecahkan kata sandi ini.","years":"tahun","days":"hari","Validate_address":"Pengesahan alamat","Unknown_OS":"OS tidak diketahui","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Anda akan diarahkan ke situs pihak ketiga yang tidak dimiliki oleh Binary.com.","Click_OK_to_proceed_":"Klik OK untuk melanjutkan.","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"Pastikan bahwa Anda memiliki aplikasi Telegram yang diinstal pada perangkat Anda.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] mengharuskan penyimpanan web browser Anda diaktifkan agar berfungsi dengan benar. Aktifkan atau keluar dari mode browsing pribadi.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Silahkan [_1]masuk[_2] atau [_3]daftar[_4] untuk melihat halaman ini.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Maaf, fasilitas ini hanya tersedia untuk rekening virtual saja.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Fasilitas ini tidak tersedia untuk akun uang virtual.","[_1]_Account":"Akun [_1]","Click_here_to_open_a_Financial_Account":"Klik disini untuk mendaftar Akun Finansial","Click_here_to_open_a_Real_Account":"Klik disini untuk mendaftar Akun Riil","Open_a_Financial_Account":"Daftar Akun Finansial","Open_a_Real_Account":"Daftar Akun Riil","Create_Account":"Daftar Akun","Accounts_List":"Daftar Akun","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Otentikasi akun Anda[_2] sekarang untuk memperoleh manfaat maksimal dari semua pilihan pembayaran yang tersedia.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Deposit dan penarikan telah dinonaktifkan pada akun Anda. Silakan periksa email Anda untuk informasi lebih lanjut.","Please_set_the_[_1]currency[_2]_of_your_account_":"Pilih [_1]mata uang[_2] akun Anda.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Bukti Identitas atau Bukti Alamat Anda[_2] tidak memenuhi persyaratan kami. Silahkan lihat email Anda untuk petunjuk lebih lanjut.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Kami sedang meninjau dokumen Anda. Untuk lebih jelasnya [_1]hubungi kami[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Akun Anda memiliki akses terbatas. Silahkan [_1]hubungi customer support[_2] untuk bantuan.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Pilih [_1]batasan 30-hari total pembelian[_2] untuk menghapus batasan deposit.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Trading Opsi Binary telah dibatalkan pada akun Anda. Silahkan [_1]hubungi customer support[_2] untuk bantuan.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Penarikan MT5 tidak tersedia pada akun Anda. Silahkan cek email untuk informasi lebih lanjut.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Silakan lengkapi [_1]detail pribadi[_2] Anda sebelum melanjutkan.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Silahkan pilih [_1]negara domisili[_2] sebelum mengupgrade ke dalam akun riil.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Silahkan lengkapi [_1]formulir penilaian finansial[_2] untuk meningkatkan batasan penarikan dan trading Anda.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Silahkan [_1]lengkapi profil akun Anda[_2] untuk meningkatkan batasan penarikan dan trading.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Trading dan deposit telah dinonaktifkan pada akun Anda. Silahkan [_1]hubungi customer support[_2] untuk bantuan.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Penarikan telah dinonaktifkan pada akun Anda. Silakan periksa email Anda untuk informasi lebih lanjut.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Silahkan [_1]setujui Syarat dan Ketentuan terbaru[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Silahkan [_1]setujui Syarat dan Ketentuan terbaru[_2] untuk meningkatkan batasan deposit dan trading Anda.","Account_Authenticated":"Akun Telah Dikonfirmasi","Connection_error:_Please_check_your_internet_connection_":"Koneksi error: Silakan periksa koneksi internet Anda.","Network_status":"Status jaringan","This_is_a_staging_server_-_For_testing_purposes_only":"Ini adalah staging server - Untuk tujuan pengujian saja","The_server_endpoint_is:_[_2]":"Titik akhir server adalah: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Browser web Anda ([_1]) sudah ketinggalan zaman yang dapat mempengaruhi pengalaman trading Anda. Lanjutkan dengan risiko sendiri. [_2]Perbarui browser[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Anda telah mencapai batas tingkat permintaan per detik. Silakan coba lagi nanti.","Please_select":"Tolong pilih","There_was_some_invalid_character_in_an_input_field_":"Terdapat beberapa karakter yang tidak berlaku pada kolom input.","Please_accept_the_terms_and_conditions_":"Silahkan terima syarat dan ketentuan.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Mohon konfirmasikan bahwa Anda bukanlah orang yang terlibat dalam politik.","Today":"Hari ini","Barrier":"Batasan","End_Time":"Waktu berakhir","Entry_Spot":"Spot Masuk","Exit_Spot":"Spot akhir","Charting_for_this_underlying_is_delayed":"Charting untuk underlying ini tertunda","Highest_Tick":"Tik Tertinggi","Lowest_Tick":"Tik Terendah","Payout_Range":"Kisaran Hasil","Purchase_Time":"Waktu Beli","Reset_Barrier":"Batasan Reset","Reset_Time":"Waktu Reset","Start/End_Time":"Waktu Mulai/Akhir","Selected_Tick":"Tik Terpilih","Start_Time":"Waktu Mulai","Crypto":"Kripto","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Kode verifikasi salah. Silahkan gunakan link yang dikirim ke email Anda.","Indicates_required_field":"Menunjukkan bidang yang diperlukan","Please_select_the_checkbox_":"Silakan pilih kotak centang.","This_field_is_required_":"Bagian ini diperlukan.","Should_be_a_valid_number_":"Harus angka yang berlaku.","Up_to_[_1]_decimal_places_are_allowed_":"Hingga [_1] desimal diperbolehkan.","Should_be_[_1]":"Seharusnya [_1]","Should_be_between_[_1]_and_[_2]":"Harus antara [_1] dan [_2]","Should_be_more_than_[_1]":"Harus lebih dari [_1]","Should_be_less_than_[_1]":"Harus kurang dari [_1]","Invalid_email_address_":"Alamat email salah.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Kata sandi harus memiliki huruf kecil dan besar beserta angka.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Hanya huruf, angka, ruang, tanda hubung, periode, dan apostrof diperbolehkan.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Hanya huruf, angka, spasi, dan karakter khusus yang diperbolehkan: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Hanya huruf, spasi, tanda hubung, periode, dan apostrof diperbolehkan.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Hanya huruf, angka, spasi, dan tanda hubung yang diperbolehkan.","The_two_passwords_that_you_entered_do_not_match_":"Kedua-dua kata sandi yang Anda masukkan tidak cocok.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] dan [_2] tidak bisa sama.","Minimum_of_[_1]_characters_required_":"Minimal [_1] karakter diperlukan.","You_should_enter_[_1]_characters_":"Anda harus memasukkan [_1] karakter.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Harus dimulai dengan huruf atau angka, dan mungkin mengandung tanda hubung dan garis bawah.","Invalid_verification_code_":"Kode verifikasi salah.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transaksi dilakukan oleh [_1] (App ID: [_2])","Guide":"Panduan","Next":"Lanjutkan","Finish":"Selesai","Step":"Langkah","Select_your_market_and_underlying_asset":"Pilih pasar dan aset dasar Anda","Select_your_trade_type":"Pilih jenis kontrak Anda","Adjust_trade_parameters":"Menyesuaikan parameter trading","Predict_the_directionand_purchase":"Analisa arah dan beli","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Batas durasi sesi Anda akan berakhir dalam [_1] detik.","January":"Januari","February":"Pebruari","March":"Maret","May":"Mei","June":"Juni","July":"Juli","August":"Agustus","October":"Oktober","November":"Nopember","December":"Desember","Feb":"Peb","Jun":"Juni","Aug":"Agu","Oct":"Oktober","Nov":"Nop","Dec":"Des","Sunday":"Minggu","Monday":"Senin","Tuesday":"Selasa","Wednesday":"Rabu","Thursday":"Kamis","Friday":"Jum'at","Saturday":"Sabtu","Su":"Mgg","Mo":"Sen","Tu":"Kam","We":"Kami","Th":"Kam","Fr":"Jum","Sa":"Sab","Previous":"Sebelumnya","Hour":"Jam","Minute":"Menitan","Max":"Maks","Current_balance":"Saldo saat ini","Withdrawal_limit":"Batas pencairan","Withdraw":"Pencairan","State/Province":"Provinsi","Country":"Negara","Town/City":"Kota","First_line_of_home_address":"Alamat Rumah","Postal_Code_/_ZIP":"Kode Pos","Telephone":"Telepon","Email_address":"Alamat email","details":"perincian","Your_cashier_is_locked_":"Kasir Anda terkunci.","You_have_reached_the_withdrawal_limit_":"Anda telah mencapai batas penarikan.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Layanan Agen Pembayaran tidak tersedia di negara Anda atau dalam mata uang yang Anda pilih.","Please_select_a_payment_agent":"Silahkan pilih agen pembayaran","Amount":"Jumlah","Insufficient_balance_":"Saldo tidak mencukupi.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Permohonan penarikan Anda [_1] [_2] dari account [_3] ke Agen Pembayaran [_4] telah diproses.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Token Anda telah berakhir atau tidak berlaku. Silahkan klik [_1]disini[_2] untuk memulai proses verifikasi.","Please_[_1]deposit[_2]_to_your_account_":"Silahkan [_1]deposit[_2] kedalam akun Anda.","minute":"menit","minutes":"menit","h":"j","day":"hari","week":"minggu","weeks":"minggu","month":"bulan","months":"bulan","year":"tahun","Month":"Bulan","Months":"Bulan","Day":"Hari","Days":"Hari","Hours":"Jam","Minutes":"Menit","Second":"Detik","Seconds":"Detik","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] pasti lebih tinggi dari atau sama dengan Batasan pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] pasti lebih rendah dari Batasan pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] menyentuh Batasan hingga penutupan [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] tidak menyentuh Batasan hingga penutupan [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] berakhir pada atau antara Batasan rendah dan tinggi pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] berakhir diluar Batasan rendah dan tinggi pada penutupan [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] tetap berada pada Batasan rendah dan tinggi hingga penutupan [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Hasil [_1] [_2] jika [_3] berakhir keluar Batasan rendah dan tinggi hingga penutupan [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Maaf, akun Anda tidak dapat membeli kontrak selanjutnya.","Please_log_in_":"Silahkan masuk.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Maaf, fitur ini tidak tersedia di yurisdiksi Anda.","This_symbol_is_not_active__Please_try_another_symbol_":"Simbol ini tidak aktif. Silakan coba simbol lain.","Market_is_closed__Please_try_again_later_":"Pasar ditutup. Silakan coba kembali nanti.","All_barriers_in_this_trading_window_are_expired":"Semua batasan pada tampilan trading ini telah berakhir","Sorry,_account_signup_is_not_available_in_your_country_":"Maaf, pendaftaran akun tidak tersedia di negara Anda.","Asset":"Aset","Opens":"Dibuka","Closes":"Ditutup","Settles":"Diselesaikan","Upcoming_Events":"Acara Mendatang","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Tambahkan +/– untuk menentukan batasan offset. Contoh, +0,005 berarti batasan lebih tinggi 0,005 dari spot masuk.","Percentage":"Persentase","Waiting_for_entry_tick_":"Menunggu tik masuk...","High_Barrier":"Batasan Tinggi","Low_Barrier":"Batasan Rendah","Waiting_for_exit_tick_":"Menunggu tik akhir.","Ticks_history_returned_an_empty_array_":"Historical tik menghasilkan tampilan kosong.","Chart_is_not_available_for_this_underlying_":"Chart tidak tersedia untuk pasar dasar ini.","Purchase":"Beli","Net_profit":"Laba bersih","Return":"Laba","Time_is_in_the_wrong_format_":"Waktu dalam format salah.","Select_Trade_Type":"Pilih Jenis Kontrak","seconds":"detik","hours":"jam","ticks":"tik","tick":"tik","second":"detik","hour":"jam","Duration":"Durasi","Purchase_request_sent":"Permintaan pembelian dikirim","Select_Asset":"Pilih Aset","Search___":"Cari...","Maximum_multiplier_of_1000_":"Maksimum kelipatan 1000.","Stake":"Modal","Payout":"Hasil","Trading_is_unavailable_at_this_time_":"Trading tidak tersedia untuk saat ini.","Please_reload_the_page":"Silakan reload halaman","Try_our_[_1]Volatility_Indices[_2]_":"Coba [_1]Indeks Volatilitas[_2] kami.","Try_our_other_markets_":"Coba pasar kami lainnya.","Contract_Confirmation":"Konfirmasi Kontrak","Your_transaction_reference_is":"Referensi transaksi Anda adalah","Total_Cost":"Total Biaya","Potential_Payout":"Potensi Hasil","Maximum_Payout":"Hasil Maksimum","Maximum_Profit":"Laba Maksimum","Potential_Profit":"Potensi Hasil","View":"Lihat","This_contract_won":"Kontrak ini untung","This_contract_lost":"Kontrak ini rugi","Tick_[_1]_is_the_highest_tick":"Tik [_1] adalah tik tertinggi","Tick_[_1]_is_not_the_highest_tick":"Tik [_1] adalah bukan tik tertinggi","Tick_[_1]_is_the_lowest_tick":"Tik [_1] adalah tik terendah","Tick_[_1]_is_not_the_lowest_tick":"Tik [_1] adalah bukan tik terendah","Tick":"Tik","The_reset_time_is_[_1]":"Waktu reset adalah [_1]","Now":"Sekarang","Tick_[_1]":"Tik [_1]","Average":"Rata-rata","Buy_price":"Harga beli","Final_price":"Harga akhir","Loss":"Rugi","Profit":"Keuntungan","Account_balance:":"Saldo akun:","Reverse_Side":"Bagian Belakang","Front_Side":"Bagian Depan","Pending":"Tertunda","Submitting":"Mengirimkan","Submitted":"Terkirim","Failed":"Gagal","Compressing_Image":"Mengompresi Gambar","Checking":"Memeriksa","Checked":"Diperiksa","Unable_to_read_file_[_1]":"Tidak dapat membaca file [_1]","Passport":"Paspor","Identity_card":"Kartu identitas","Driving_licence":"Surat izin mengemudi","Invalid_document_format_":"Format dokumen tidak valid.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Ukuran file ([_1]) melebihi batas yang diijinkan. Ukuran file maksimum yang diizinkan: [_2]","ID_number_is_required_for_[_1]_":"Nomor identitas diperlukan untuk [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Hanya huruf, angka, spasi, garis bawah, dan tanda hubung yang diizinkan untuk nomor Identitas ([_1]).","Expiry_date_is_required_for_[_1]_":"Tanggal berakhir diperlukan untuk [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Foto depan dan belakang [_1] diperlukan.","Current_password":"Kata sandi saat ini","New_password":"Kata sandi baru","Please_enter_a_valid_Login_ID_":"Masukkan Login ID yang berlaku.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Permintaan Anda untuk mentransfer [_1] [_2] dari [_3] ke [_4] berhasil diproses.","Resale_not_offered":"Penjualan ulang tidak ditawarkan","Your_account_has_no_trading_activity_":"Akun Anda tidak memiliki aktivitas trading.","Date":"Tanggal","Contract":"Kontrak","Purchase_Price":"Harga Beli","Sale_Date":"Tanggal Jual","Sale_Price":"Harga Jual","Profit/Loss":"Untung/Rugi","Details":"Rincian","Total_Profit/Loss":"Total Untung/Rugi","Only_[_1]_are_allowed_":"Hanya [_1] dibenarkan.","letters":"huruf","numbers":"nomor","space":"ruang","Please_select_at_least_one_scope":"Silakan pilih minimal satu scope","New_token_created_":"Token baru dibuat.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Jumlah maksimum token ([_1]) telah tercapai.","Name":"Nama","Scopes":"Cakupan","Last_Used":"Terakhir digunakan","Action":"Aksi","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Apakah Anda yakin ingin menghapus token secara permanen","Delete":"Hapus","Never_Used":"Tidak pernah dipakai","You_have_not_granted_access_to_any_applications_":"Anda belum diberikan akses ke dalam aplikasi apapun.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Apakah Anda yakin bahwa Anda ingin secara permanen mencabut akses aplikasi","Revoke_access":"Mencabut akses","Payments":"Pembayaran","Read":"Baca","Never":"Tidak pernah","Permissions":"Izin","Last_Login":"Akses Terakhir","Unlock_Cashier":"Buka Kasir","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Kasir Anda terkunci sesuai permintaan Anda - untuk membuka kunci, masukkan kata sandi.","Lock_Cashier":"Kunci Kasir","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Kata sandi tambahan dapat digunakan untuk membatasi akses ke kasir.","Update":"Memperbarui","Sorry,_you_have_entered_an_incorrect_cashier_password":"Maaf, kata sandi yang Anda masukkan salah","Your_settings_have_been_updated_successfully_":"Bagian pengaturan Anda telah berhasil diperbarui.","You_did_not_change_anything_":"Anda tidak melakukan perubahan.","Sorry,_an_error_occurred_while_processing_your_request_":"Maaf, error terjadi ketika memproses permohonan Anda.","Your_changes_have_been_updated_successfully_":"Perubahan Anda telah berhasil diperbarui.","Successful":"Berhasil","Date_and_Time":"Tanggal dan Waktu","IP_Address":"Alamat IP","Your_account_has_no_Login/Logout_activity_":"Akun Anda tidak memiliki aktivitas Login/Logout.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Akun Anda telah terbukti dan batasan penarikan Anda telah dihapuskan.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Batas penarikan [_1] hari Anda saat ini adalah [_2] [_3] (atau setara dengan mata uang lainnya).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Anda telah menarik dana sebesar [_1] [_2] dalam tempo [_3] hari terakhir.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Maka dengan itu jumlah maksimal yang dapat Anda tarik (tergantung pada saldo tunai yang tersedia) adalah [_1] [_2] (atau setara dengan mata uang lainnya).","Your_withdrawal_limit_is_[_1]_[_2]_":"Batas penarikan Anda adalah [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Anda telah menarik dana sebesar [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Oleh karena itu jumlah maksimal yang dapat Anda cairkan langsung (jika saldo mencukupi) adalah [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Batas penarikan Anda adalah [_1] [_2] (atau setara dengan mata uang lain).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Anda telah melakukan penarikan setara dengan [_1] [_2].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Mohon konfirmasikan bahwa semua informasi di atas adalah benar dan lengkap.","Sorry,_an_error_occurred_while_processing_your_account_":"Maaf, error terjadi ketika memproses rekening Anda.","Please_select_a_country":"Silakan pilih negara","Timed_out_until":"Waktu habis hingga","Excluded_from_the_website_until":"Dikecualikan dari situs web hingga","Session_duration_limit_cannot_be_more_than_6_weeks_":"Batas durasi sesi tidak dapat lebih dari 6 minggu.","Time_out_must_be_after_today_":"Time out harus setelah hari ini.","Time_out_cannot_be_more_than_6_weeks_":"Time out tidak bisa lebih dari 6 minggu.","Time_out_cannot_be_in_the_past_":"Time out tidak bisa di masa lalu.","Please_select_a_valid_time_":"Silahkan pilih waktu yang berlaku.","Exclude_time_cannot_be_less_than_6_months_":"Waktu pengecualian tidak boleh kurang dari 6 bulan.","Exclude_time_cannot_be_for_more_than_5_years_":"Waktu pengecualian tidak dapat melebihi 5 tahun.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Setelah mengklik \"OK\" Anda akan dikecualikan dari trading hingga tanggal yang dipilih.","Your_changes_have_been_updated_":"Perubahan Anda telah diperbarui.","Disable":"Nonaktifkan","Enable":"Aktifkan","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Anda telah berhasil mengaktifkan autentikasi dua faktor pada akun Anda.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Anda telah berhasil menonaktifkan autentikasi dua faktor pada akun Anda.","You_are_categorised_as_a_professional_client_":"Anda dikategorikan sebagai klien profesional.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Aplikasi Anda sebagai klien profesional sedang diproses.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Anda dikategorikan sebagai klien ritel. Ajukan permohonan sebagai trader profesional.","Closed_Bid":"Tutup Bid","Reference_ID":"ID referensi","Description":"Deskripsi","Credit/Debit":"Kredit/Debit","Balance":"Saldo","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] telah dikreditkan kedalam akun virtual Anda: [_2].","Financial_Account":"Akun Finansial","Real_Account":"Akun Riil","Counterparty":"Rekanan","Jurisdiction":"Yurisdiksi","Create":"Membuat","This_account_is_disabled":"Akun ini dinonaktifkan","This_account_is_excluded_until_[_1]":"Akun ini di kecualikan hingga [_1]","Set_Currency":"Atur Mata Uang","Commodities":"Komoditas","Indices":"Indeks","Stocks":"Saham","Volatility_Indices":"Indeks Volatilitas","Please_check_your_email_for_the_password_reset_link_":"Silakan lihat email Anda untuk memperoleh link reset kata sandi.","Standard":"Standar","Advanced":"Lanjutan","Demo_Standard":"Standar Demo","Real_Standard":"Standar Riil","Demo_Advanced":"Demo Lanjutan","Real_Advanced":"Riil Lanjutan","MAM_Advanced":"MAM Tingkat Lanjut","Demo_Volatility_Indices":"Demo Indeks Volatilitas","Real_Volatility_Indices":"Indeks Volatilitas Riil","MAM_Volatility_Indices":"MAM Indeks Volatilitas","Sign_up":"Daftar","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Kontrak untuk Perbedaan (CFDs) pada indeks volatilitas mungkin tidak akan cocok untuk semua orang. Pastikan bahwa Anda mengerti resiko yang terdapat, termasuk kemungkinan kehilangan seluruh dana di akun MT5.","Do_you_wish_to_continue?":"Apakah Anda ingin melanjutkan?","Acknowledge":"Mengetahui","Change_Password":"Perubahan Kata Sandi","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Kata sandi [_1] untuk akun [_2] sudah diganti.","Reset_Password":"Ulang Kata Sandi","Verify_Reset_Password":"Verifikasi Reset Kata Sandi","Please_check_your_email_for_further_instructions_":"Silakan lihat email Anda untuk instruksi lebih lanjut.","Revoke_MAM":"Mencabut MAM","Manager_successfully_revoked":"Manajer berhasil dicabut","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] deposit dari [_2] ke akun nomer [_3] telah berhasil. ID Transaksi: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Bagian kasir akun Anda telah di batalkan - untuk membukanya, silahkan klik disini.","You_have_reached_the_limit_":"Anda telah mencapai batas.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"[_1] penarikan dari akun [_2] ke [_3] telah berhasil. ID Transaksi: [_4]","Main_password":"Kata sandi utama","Investor_password":"Kata sandi investor","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Anda tidak memiliki dana yang cukup di akun Binary Anda, silahkan tambah dana.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Layanan MT5 kami tidak tersedia untuk warga Uni Eropa berhubung persetujuan peraturan yang masih tertunda.","Demo_Accounts":"Akun Demo","MAM_Accounts":"Akum MAM","Real-Money_Accounts":"Akun Uang Riil","Demo_Account":"Akun Demo","Real-Money_Account":"Akun Uang Riil","for_account_[_1]":"untuk akun [_1]","[_1]_Account_[_2]":"[_1] Akun [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Token Anda telah berakhir atau tidak berlaku. Silahkan klik disini untuk memulai kembali proses verifikasi.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Alamat email yang Anda sediakan sudah pernah di daftarkan. Jika Anda lupa kata sandi, silahkan coba alat pemulihan kata sandi atau hubungi customer service kami.","Password_is_not_strong_enough_":"Kata sandi tidak cukup kuat.","Upgrade_now":"Upgrade sekarang","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] hari [_2] jam [_3] menit","Your_trading_statistics_since_[_1]_":"Statistik trading Anda sejak [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Silahkan klik link dibawah untuk mengulang proses pembuatan kata sandi.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Kata sandi Anda sudah berhasil dibuat ulang. Silahkan akes akun Anda menggunakan kata sandi baru.","Please_choose_a_currency":"Silahkan pilih mata uang","Higher_or_equal":"Lebih tinggi atau sama","Lower_or_equal":"Lower atau equal","High_Tick":"High Tik","Low_Tick":"Low Tik","Equals":"Sama","Not":"Bukan","Buy":"Beli","Sell":"Jual","Contract_has_not_started_yet":"Kontrak belum dimulai lagi","Contract_Result":"Hasil Kontrak","Close_Time":"Waktu Tutup","Highest_Tick_Time":"Waktu Tik Tertinggi","Lowest_Tick_Time":"Waktu Tik Terendah","Exit_Spot_Time":"Waktu Exit Spot","View_Chart":"Lihat Chart","Audit_Page":"Halaman Audit","Spot":"Posisi","Spot_Time_(GMT)":"Waktu Spot (GMT)","Contract_Starts":"Kontrak Mulai","Contract_Ends":"Kontrak Berakhir","Target":"Sasaran","Contract_Information":"Informasi Kontrak","Contract_Type":"Jenis Kontrak","Transaction_ID":"ID Transaksi","Remaining_Time":"Waktu Yang Tersisa","Maximum_payout":"Hasil Maksimum","Barrier_Change":"Perubahan Batasan","Current":"Saat ini","Spot_Time":"Waktu Spot","Current_Time":"Waktu Terkini","Indicative":"Indikatif","You_can_close_this_window_without_interrupting_your_trade_":"Anda dapat menutup window ini tanpa mengganggu trading Anda.","There_was_an_error":"Terdapat error","Sell_at_market":"Jual pada pasar","Note":"Catatan","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Kontrak akan dijual pada harga pasar terkini ketika permintaan diterima oleh server kami. Harga ini mungkin berbeda dari harga yang diindikasikan.","You_have_sold_this_contract_at_[_1]_[_2]":"Anda telah menjual kontrak pada [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Nomor referensi transaksi Anda adalah [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Terima kasih karena telah mendaftar! Silahkan cek email Anda untuk melengkapi proses pendaftaran.","All_markets_are_closed_now__Please_try_again_later_":"Semua pasar ditutup saat ini. Coba kembali nanti.","Withdrawal":"Penarikan","virtual_money_credit_to_account":"dana virtual dikreditkan kedalam akun","login":"masuk","logout":"keluar","Asians":"Asian","High/Low_Ticks":"High/Low Tik","Lookbacks":"Lookback","Christmas_Day":"Hari Natal","Closes_early_(at_18:00)":"Ditutup awal (pada 18:00)","Closes_early_(at_21:00)":"Ditutup awal (pada 21:00)","Fridays":"Jum'at","New_Year's_Day":"Tahun Baru","today":"hari ini","today,_Fridays":"hari ini, Jumat","There_was_a_problem_accessing_the_server_":"Terjadi masalah pada saat mengakses server.","There_was_a_problem_accessing_the_server_during_purchase_":"Terjadi masalah mengakses server saat pembelian berlangsung."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/it.js b/src/javascript/_autogenerated/it.js
index 3a92d8f4c7cda..a3ab8aadc534a 100644
--- a/src/javascript/_autogenerated/it.js
+++ b/src/javascript/_autogenerated/it.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['IT'] = {"Day":"Giorno","Month":"Mese","Year":"Anno","Sorry,_an_error_occurred_while_processing_your_request_":"Siamo spiacenti, si è verificato un errore durante l'elaborazione della tua richiesta.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Ti preghiamo di effettuare il [_1]log in[_2] o [_3]registrarti[_4] per visualizzare questa pagina.","Click_here_to_open_a_Real_Account":"Clicca qui per aprire un conto reale","Open_a_Real_Account":"Apri un conto reale","Click_here_to_open_a_Financial_Account":"Clicca qui per aprire un conto finanziario","Open_a_Financial_Account":"Apri un conto finanziario","Network_status":"Stato della rete","Connecting_to_server":"Connessione al server in corso","Virtual_Account":"Account Virtuale","Real_Account":"Conto reale","Investment_Account":"Account d'investimento","Gaming_Account":"Account di gioco","Sunday":"Domenica","Monday":"Lunedì","Tuesday":"Martedì","Wednesday":"Mercoledì","Thursday":"Giovedì","Friday":"Venerdì","Saturday":"Sabato","Su":"Dom","Mo":"Lun","Tu":"Mar","We":"Noi","Th":"Gio","Fr":"Ven","Sa":"Sab","January":"Gennaio","February":"Febbraio","March":"Marzo","April":"Aprile","May":"Mag","June":"Giugno","July":"Luglio","August":"Agosto","September":"Settembre","October":"Ottobre","November":"Novembre","December":"Dicembre","Jan":"Gen","Jun":"Giu","Jul":"Lug","Aug":"Ago","Sep":"Sett","Oct":"Ott","Dec":"Dic","Next":"Successivo","Previous":"Precedente","Hour":"Ora","Minute":"Minuto","Time_is_in_the_wrong_format_":"L'orario è in un formato errato.","Purchase_Time":"Orario d'acquisto","Charting_for_this_underlying_is_delayed":"I grafici per questo strumento sono differiti","Reset_Time":"Data di reset","Payout_Range":"Intervallo di payout","Ticks_history_returned_an_empty_array_":"La cronologia dei tick ha riportato una serie vuota.","Chart_is_not_available_for_this_underlying_":"Il grafico non è disponibile per questo sottostante.","year":"anno","month":"mese","week":"settimana","day":"giorno","days":"giorni","hour":"ora","hours":"ore","minute":"minuto","minutes":"minuti","second":"secondo","seconds":"secondi","ticks":"tick","Loss":"Perdita","Profit":"Profitto","Units":"Unità","Stake":"Puntata","Duration":"Durata","End_Time":"Orario di fine","Net_profit":"Profitto netto","Return":"Rendimento","Now":"Adesso","Contract_Confirmation":"Conferma del contratto","Your_transaction_reference_is":"Il tuo riferimento per le transazioni è","Rise/Fall":"Rialzo/Ribasso","Higher/Lower":"Superiore/Inferiore","In/Out":"Dentro/Fuori","Matches/Differs":"Combacia/Differisce","Even/Odd":"Pari/Dispari","Over/Under":"Sopra/Sotto","Up/Down":"Alto/Basso","Ends_Between/Ends_Outside":"Temina Dentro/Termina Fuori","Touch/No_Touch":"Tocca/Non Tocca","Stays_Between/Goes_Outside":"Resta Dentro/Esce","Asians":"Asiatiche","Reset_Call/Reset_Put":"Reimposta l'opzione Call/Reimposta l'opzione Put","High/Low_Ticks":"Tick alti/bassi","Potential_Payout":"Payout potenziale","Maximum_Payout":"Payout massimo","Total_Cost":"Costo totale","Potential_Profit":"Profitto potenziale","Maximum_Profit":"Profitto massimo","View":"Mostra","Buy_price":"Prezzo d'acquisto","Final_price":"Prezzo finale","Long":"A lungo","Short":"Breve","Chart":"Grafico","Portfolio":"Portafoglio","Explanation":"Spiegazione","Last_Digit_Stats":"Statistiche sull'ultima cifra","Waiting_for_entry_tick_":"In attesa del tick d'ingresso.","Waiting_for_exit_tick_":"In attesa del tick d'uscita.","Please_log_in_":"Effettua il login.","All_markets_are_closed_now__Please_try_again_later_":"Al momento tutti i mercati sono chiusi. Si prega di riprovare più tardi.","Account_balance:":"Saldo dell'account:","Try_our_[_1]Volatility_Indices[_2]_":"Prova i nostri [_1]Indici di Volatilità[_2].","Try_our_other_markets_":"Prova i nostri altri mercati.","Session":"Sessione","Crypto":"Cripto","Close":"Chiudi","Payoff":"Risultato","Reset_Call":"Reimposta l'opzione Call","Reset_Put":"Reimposta l'opzione Put","Search___":"Cerca...","Select_Asset":"Seleziona asset","The_reset_time_is_[_1]":"La data di reset è [_1]","Purchase":"Acquisto","Purchase_request_sent":"Richiesta di acquisto inviata","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Aggiungi +/– per definire una compensazione della barriera. Per esempio, +0,005 indica che una barriera è superiore di 0,005 rispetto al punto di entrata.","Please_reload_the_page":"Ricaricare la pagina","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Il tuo account è stato completamente convalidato e sono stati rimossi i tuoi limiti di prelievo.","Your_withdrawal_limit_is_[_1]_[_2]_":"Il tuo limite di prelievo è [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Il tuo limite di prelievo è [_2] [_1] (oppure equivalente in altra valuta).","You_have_already_withdrawn_[_1]_[_2]_":"Hai già prelevato [_1] [_2].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Hai già prelevato l'equivalente di [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Pertanto il tuo attuale prelievo massimo immediato (soggetto alla disponibilità di fondi sufficienti nell'account) è pari a [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Pertanto il tuo attuale prelievo massimo immediato (soggetto alla disponibilità di fondi sufficienti nell'account) è pari a [_1] [_2] (o equivalente in un'altra valuta).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Il tuo limite di prelievo giornaliero di [_1] è attualmente [_2] [_3] (oppure equivalente in un'altra valuta).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Hai già prelevato l'equivalente complessivo di [_1] [_2] negli ultimi [_3] giorni.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"I contratti in cui la barriera è uguale al punto di ingresso.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"I contratti in cui la barriera è diversa dal punto di ingresso.","ATM":"Bancomat","Non-ATM":"Non ATM","Duration_up_to_7_days":"Durata massima di 7 giorni","Duration_above_7_days":"Durata superiore ai 7 giorni","Major_Pairs":"Coppie principali","This_field_is_required_":"Questo campo è obbligatorio.","Please_select_the_checkbox_":"Selezionare la casella corrispondente.","Please_accept_the_terms_and_conditions_":"Accetta i termini e le condizioni.","Only_[_1]_are_allowed_":"Sono consentiti solo [_1].","letters":"lettere","numbers":"numeri","space":"spazio","Sorry,_an_error_occurred_while_processing_your_account_":"Siamo spiacenti, si è verificato un errore durante l'elaborazione del tuo account.","Your_changes_have_been_updated_successfully_":"Le tue modifiche sono state aggiornate con successo.","Your_settings_have_been_updated_successfully_":"Le tue impostazioni sono state aggiornate con successo.","Female":"Donna","Male":"Maschio","Please_select_a_country":"Seleziona un paese","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Ti chiediamo di confermare che tutte le informazioni sopra riportate sono veritiere e complete.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"La tua richiesta di essere categorizzato come cliente professionale è in fase di elaborazione.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Sei categorizzato come cliente al dettaglio. Richiedi di essere categorizzato come trader professionista.","You_are_categorised_as_a_professional_client_":"Sei categorizzato come cliente professionista.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Il tuo token è scaduto o invalido. Clicca qui per riavviare la procedura di verifica.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"L'indirizzo email fornito è già in uso. Se hai dimenticato la password, prova il nostro strumento di recupero della password o contatta il nostro servizio clienti.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"La password deve contenere lettere minuscole e maiuscole con numeri.","Password_is_not_strong_enough_":"La password non è sufficientemente forte.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Il limite di durata della tua sessione terminerà tra [_1] secondi.","Invalid_email_address_":"Indirizzo email non valido.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Grazie per esserti registrato! Controlla la tua email per completare la procedura di registrazione.","Financial_Account":"Conto finanziario","Upgrade_now":"Aggiorna adesso","Please_select":"Seleziona","Minimum_of_[_1]_characters_required_":"Sono richiesti minimo [_1] caratteri.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Confermare di non essere una persona politicamente esposta.","Opens":"Apre","Closes":"Chiude","Settles":"Liquida","Upcoming_Events":"Prossimi eventi","Closes_early_(at_21:00)":"Chiude in anticipo (alle 21:00)","Closes_early_(at_18:00)":"Chiude in anticipo (alle 18:00)","New_Year's_Day":"Capodanno","Christmas_Day":"Giorno di Natale","Fridays":"Venerdì","today":"oggi","today,_Fridays":"oggi, venerdì","Please_select_a_payment_agent":"Seleziona un agente di pagamento","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"I servizi relativi agli agenti di pagamento non sono disponibili nel tuo paese o nella valuta selezionata.","Invalid_amount,_minimum_is":"Importo non valido, il minimo è","Invalid_amount,_maximum_is":"Importo non valido, il massimo è","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"La tua richiesta di prelevare [_1] [_2] dal tuo account [_3] all'account dell'Agente di pagamento [_4] è stata elaborata con successo.","Up_to_[_1]_decimal_places_are_allowed_":"Sono ammessi fino a [_1] decimali.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Il tuo token è scaduto o invalido. Clicca [_1]qui[_2] per riavviare la procedura di verifica.","New_token_created_":"Nuovo token creato.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Il numero massimo di token ([_1]) è stato raggiunto.","Name":"Nome","Last_Used":"Ultimo utilizzato","Scopes":"Ambiti","Never_Used":"Mai utilizzato","Delete":"Elimina","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Sei sicuro di voler eliminare definitivamente il token","Please_select_at_least_one_scope":"Seleziona almeno uno scopo","Guide":"Guida","Finish":"Termina","Select_your_market_and_underlying_asset":"Seleziona il tuo mercato e l'asset sottostante","Select_your_trade_type":"Seleziona la tua tipologia di trade","Adjust_trade_parameters":"Regola i parametri di trading","Predict_the_directionand_purchase":"Prevedi la direzione e acquista","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Siamo spiacenti, questa funzione è disponibile solo sugli account virtuali.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] è stato accreditato sul tuo account virtuale: [_3].","years":"anni","months":"mesi","weeks":"settimane","Your_changes_have_been_updated_":"Le tue modifiche sono state aggiornate.","Please_enter_an_integer_value":"Inserisci un numero intero","Session_duration_limit_cannot_be_more_than_6_weeks_":"Il limite di durata della sessione non può essere superiore a 6 settimane.","You_did_not_change_anything_":"Non hai modificato nulla.","Please_select_a_valid_date_":"Seleziona una data valida.","Please_select_a_valid_time_":"Seleziona un orario valido.","Time_out_cannot_be_in_the_past_":"La scadenza non può essere nel passato.","Time_out_must_be_after_today_":"La scadenza non può essere nella giornata di oggi.","Time_out_cannot_be_more_than_6_weeks_":"La scadenza non può essere superiore alle 6 settimane.","Exclude_time_cannot_be_less_than_6_months_":"Il periodo di esclusione non può essere inferiore a 6 mesi.","Exclude_time_cannot_be_for_more_than_5_years_":"Il periodo di esclusione non può essere superiore a 5 anni.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Quando clicchi su \"OK\" verrai escluso dal trading sul sito fino alla data selezionata.","Timed_out_until":"Sessione sospesa fino a","Excluded_from_the_website_until":"Esclusione dal sito fino a","Ref_":"Rif.","Resale_not_offered":"La rivendita non è offerta","Date":"Data","Action":"Azione","Contract":"Contratto","Sale_Date":"Data della vendita","Sale_Price":"Prezzo di vendita","Total_Profit/Loss":"Profitto/Perdita totale","Your_account_has_no_trading_activity_":"Sul tuo account non c'è alcuna attività di trading.","Today":"Oggi","Details":"Dettagli","Sell":"Vendi","Buy":"Acquista","Virtual_money_credit_to_account":"Credito virtuale sull'account","This_feature_is_not_relevant_to_virtual-money_accounts_":"Questa funzione non è riferita agli account con denaro virtuale.","Japan":"Giappone","Questions":"Domande","True":"Vero","False":"Falso","There_was_some_invalid_character_in_an_input_field_":"Un campo di immissione testo conteneva uno o più caratteri non validi.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Segui il modello con 3 numeri, un trattino e 4 numeri.","Score":"Punteggio","Weekday":"Giorno feriale","Processing_your_request___":"Elaborazione in corso della tua richiesta...","Please_check_the_above_form_for_pending_errors_":"Controllare il modulo soprastante a causa di errori in sospeso.","Asian_Up":"Rialzo Asiatiche","Asian_Down":"Ribasso Asiatiche","Digit_Matches":"Cifra uguale","Digit_Differs":"Cifra differente","Digit_Odd":"Cifra dispari","Digit_Even":"Cifra pari","Digit_Over":"Cifra superiore","Digit_Under":"Cifra inferiore","High_Tick":"Tick alto","Low_Tick":"Tick basso","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] è molto più alto o uguale alla Barriera vicino a [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] è molto più basso alla Barriera vicino a [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] non tocca la Barriera vicino a [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] tocca la Barriera vicino a [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina su o tra i valori inferiori e superiori del prezzo d'esercizio vicino a [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina al di fuori dei valori inferiori e superiori del prezzo d'esercizio vicino a [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina tra i valori inferiori e superiori della Barriera vicino a [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina al di fuori dei valori inferiori e superiori della Barriera vicino a [_4].","Higher":"Superiore","Higher_or_equal":"Maggiore o uguale","Lower":"Inferiore","Lower_or_equal":"Inferiore o uguale","Touches":"Tocca","Does_Not_Touch":"Non tocca","Ends_Between":"Finisce tra","Ends_Outside":"Termina fuori","Stays_Between":"Resta Dentro","Goes_Outside":"Esce fuori","All_barriers_in_this_trading_window_are_expired":"Tutte le barriere in questa finestra di trading sono scadute","Remaining_time":"Tempo residuo","Market_is_closed__Please_try_again_later_":"Il mercato è chiuso. Si prega di riprovare più tardi.","This_symbol_is_not_active__Please_try_another_symbol_":"Questo simbolo non è attivo. Prova un altro simbolo.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Siamo spiacenti, il tuo account non è autorizzato all'acquisto di ulteriori contratti.","Lots":"Lotti","Payout_per_lot_=_1,000":"Payout per lotto = 1.000","This_page_is_not_available_in_the_selected_language_":"Questa pagina non è disponibile nella lingua selezionata.","Trading_Window":"Finestra di trading","Percentage":"Percentuale","Digit":"Cifra","Amount":"Importo","Deposit":"Deposita","Withdrawal":"Prelievo","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"La tua richiesta di trasferire [_1] [_2] da [_3] a [_4] è stata elaborata con successo.","Date_and_Time":"Data e orario","IP_Address":"Indirizzo IP","Status":"Stato","Successful":"Riuscito","Failed":"Non riuscito","Your_account_has_no_Login/Logout_activity_":"Sul tuo account non c'è alcuna attività di Login/Logout.","Please_enter_a_number_between_[_1]_":"Inserisci un numero compreso tra [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] giorni [_2] ore [_3] minuti","Your_trading_statistics_since_[_1]_":"Le tue statistiche di trading dal [_1].","Unlock_Cashier":"Sblocca Cassa","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Come da tua richiesta, la cassa è bloccata. Per sbloccarla, inserisci la password.","Lock_Cashier":"Blocca la cassa","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Può essere utilizzata una password aggiuntiva per limitare l'accesso alla cassa.","Update":"Aggiorna","Sorry,_you_have_entered_an_incorrect_cashier_password":"Siamo spiacenti, hai inserito una password della cassa non corretta","You_have_reached_the_withdrawal_limit_":"Hai raggiunto il limite di prelievo.","Start_Time":"Orario di inizio","Entry_Spot":"Punto d'ingresso","Low_Barrier":"Barriera inferiore","High_Barrier":"Barriera superiore","Reset_Barrier":"Reimpostare la barriera","Average":"Media","This_contract_won":"Questo contratto ha vinto","This_contract_lost":"Questo contratto ha perso","Barrier":"Barriera","Target":"Obiettivo","Equals":"Equivale a","Not":"No","Description":"Descrizione","Credit/Debit":"Credito/Debito","Balance":"Saldo","Purchase_Price":"Prezzo d'acquisto","Profit/Loss":"Profitto/Perdita","Contract_Information":"Informazioni del contratto","Contract_Result":"Esito del contratto","Current":"Attuale","Open":"Apri","Closed":"Chiuso","Contract_has_not_started_yet":"Il contratto non è ancora iniziato","Spot_Time":"Orario di spot","Spot_Time_(GMT)":"Orario di spot (GMT)","Current_Time":"Orario attuale","Exit_Spot_Time":"Orario del prezzo di uscita","Exit_Spot":"Prezzo di uscita","Indicative":"Indicativo","There_was_an_error":"Si è verificato un errore","Sell_at_market":"Vendi sul mercato","You_have_sold_this_contract_at_[_1]_[_2]":"Hai venduto questo contratto a [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Il tuo numero di riferimento per le transazioni è [_1]","Tick_[_1]_is_the_highest_tick":"Il tick [_1] è il tick più alto","Tick_[_1]_is_not_the_highest_tick":"Il tick [_1] non è il tick più alto","Tick_[_1]_is_the_lowest_tick":"Il tick [_1] è il tick più basso","Tick_[_1]_is_not_the_lowest_tick":"Il tick [_1] non è il tick più basso","Note":"Nota","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Il Contratto verrá venduto al prezzo di mercato prevalente nel momento in cui i nostri server ricevono la richiesta. Tale prezzo può differire rispetto al prezzo indicato.","Contract_Type":"Tipo di contratto","Transaction_ID":"ID della transazione","Remaining_Time":"Tempo residuo","Barrier_Change":"Modifica della barriera","Audit":"Controllo","Audit_Page":"Pagina di controllo","View_Chart":"Visualizza grafico","Contract_Starts":"Il contratto inizia","Contract_Ends":"Il contratto termina","Start_Time_and_Entry_Spot":"Orario di inizio e Entry Spot","Exit_Time_and_Exit_Spot":"Ora e prezzo di uscita","You_can_close_this_window_without_interrupting_your_trade_":"Puoi chiudere questa finestra senza interrompere il trade.","Selected_Tick":"Tick selezionato","Highest_Tick":"Tick più alto","Highest_Tick_Time":"Periodo del tick più alto","Lowest_Tick":"Tick più basso","Lowest_Tick_Time":"Periodo del tick più basso","Close_Time":"Ora di chiusura","Please_select_a_value":"Seleziona un valore","You_have_not_granted_access_to_any_applications_":"Non hai accesso ad alcuna applicazione.","Permissions":"Autorizzazioni","Never":"Mai","Revoke_access":"Revocare l'accesso","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Sei sicuro di voler revocare definitivamente l'accesso all'applicazione","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transazione eseguita da [_1] (ID dell'app ID: [_2])","Admin":"Amministratore","Read":"Leggi","Payments":"Pagamenti","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Per riavviare la procedura di ripristino della password, clicca sul link qui sotto.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"La tua password è stata ripristinata con successo. Effettua il login sul tuo account utilizzando la tua nuova password.","Please_check_your_email_for_the_password_reset_link_":"Per il link di ripristino della password, controlla le tue email.","details":"dettagli","Withdraw":"Preleva","Insufficient_balance_":"Saldo non sufficiente.","This_is_a_staging_server_-_For_testing_purposes_only":"Questo è un server tecnico - solo a scopo di test","The_server_endpoint_is:_[_2]":"Il server finale è: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Siamo spiacenti, la registrazione di un account non è disponibile nel tuo paese.","There_was_a_problem_accessing_the_server_":"Si è verificato un problema d'accesso al server.","There_was_a_problem_accessing_the_server_during_purchase_":"Durante l'acquisto si è verificato un problema d'accesso al server.","Should_be_a_valid_number_":"Deve essere un numero valido.","Should_be_more_than_[_1]":"Deve essere maggiore di [_1]","Should_be_less_than_[_1]":"Deve essere inferiore a [_1]","Should_be_[_1]":"Dovrebbe essere [_1]","Should_be_between_[_1]_and_[_2]":"Deve essere compreso tra [_1] e [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Sono consentiti solo lettere, numeri, spazi, trattini, punti e apostrofi.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Sono consentite solo lettere, spazi, trattini, punti e apostrofi.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Sono consentiti solo lettere, numeri e trattini.","Only_numbers,_space,_and_hyphen_are_allowed_":"Sono consentiti solo numeri, spazi e trattini.","Only_numbers_and_spaces_are_allowed_":"Sono consentiti solo numeri e spazi.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Sono consentiti solo lettere, numeri, spazi e questi caratteri speciali: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Le due password inserite non combaciano.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] e 2% non possono essere uguali.","You_should_enter_[_1]_characters_":"Dovresti inserire [_1] caratteri.","Indicates_required_field":"Indica un campo obbligatorio","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Il codice di verifica è errato. Ti chiedo di utilizzare il link inviato alla tua email.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"La password inserita è una delle password più comunemente usate del mondo. Non dovresti usare questa password.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Suggerimento: servirebbero circa [_1][_2] per decifrare la password.","thousand":"mila","million":"milioni","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Deve iniziare con una lettera o un numero e può contenere la lineetta e il trattino basso.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Il nostro sistema automatizzato non ha potuto verificare il tuo indirizzo. È possibile procedere con le operazioni, ti invitiamo tuttavia ad assicurati che l'indirizzo sia completo.","Validate_address":"Convalida l'indirizzo","Congratulations!_Your_[_1]_Account_has_been_created_":"Congratulazioni! Il tuo account [_1] è stato creato.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"La password [_1] del conto numero [_2] è stata modificata.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Il deposito di [_1] da [_2] sul numero di account [_3] è stato effettuato. ID della transazione: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Il prelievo di [_1] dall'account numero [_2] su [_3] è stato eseguito. ID della transazione: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Come da tua richiesta, la cassa è bloccata. Per sbloccarla, clicca qui.","Your_cashier_is_locked_":"La tua cassa é bloccata.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"I fondi presenti sul conto Binary non sono sufficienti, aggiungi fondi.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Siamo spiacenti, questa funzione non è disponibile nella tua giurisdizione.","You_have_reached_the_limit_":"Hai raggiunto il limite.","Main_password":"Password principale","Investor_password":"Password dell'investitore","Current_password":"Password attuale","New_password":"Nuova password","Demo_Standard":"Demo standard","Demo_Advanced":"Demo Avanzato","Advanced":"Avanzato","Demo_Volatility_Indices":"Indici di volatilità demo","Real_Standard":"Standard reale","Real_Advanced":"Conto avanzato reale","Real_Volatility_Indices":"Indici di volatilità reali","MAM_Advanced":"MAM avanzato","MAM_Volatility_Indices":"Indici di volatilità MAM","Change_Password":"Modifica Password","Demo_Accounts":"Account demo","Demo_Account":"Conto demo","Real-Money_Accounts":"Conto monetario reale","Real-Money_Account":"Conto monetario reale","MAM_Accounts":"Conti MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Il nostro servizio MT5 non è attualmente disponibile per i residenti UE poiché in attesa di approvazione regolamentare.","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Il trading di contratti per differenza (CFDs) sugli indici di volatilità può non essere adatto a tutti. Assicurati di aver compreso appieno i rischi connessi, inclusa la possibilità di perdere tutti fondi nel tuo conto reale MT5. Il gioco d'azzardo può creare dipendenza, per questo ti invitiamo a giocare responsabilmente.","Do_you_wish_to_continue?":"Desideri continuare?","for_account_[_1]":"per il conto [_1]","Verify_Reset_Password":"Verifica la nuova password","Reset_Password":"Ripristina password","Please_check_your_email_for_further_instructions_":"Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Revoke_MAM":"Annulla MAM","Manager_successfully_revoked":"Revoca del gestore avvenuta con successo","Current_balance":"Saldo attuale","Withdrawal_limit":"Limite per i prelievi","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Convalida il tuo account[_2] ora per approfittare di tutti i metodi di pagamento disponibili.","Please_set_the_[_1]currency[_2]_of_your_account_":"Imposta la [_1]valuta[_2] del tuo account.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Per rimuovere i limiti di deposito, impostare il limite di fatturato per 30 giorni nelle [_1]funzioni di auto-esclusione[_2].","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Prima di passare a un account con soldi reali, imposta il [_1]paese di residenza[_2].","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Per aumentare il limite dei prelievi e del trading, [_1]compila il modulo della valutazione finanziaria[_2].","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Per aumentare il limite dei prelievi e del trading, [_1]completa il profilo del tuo account[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Per aumentare il limite dei prelievi e del trading, [_1]accetta i Termini e condizioni aggiornati[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Il tuo account è limitato. Per ricevere assistenza, [_1]contatta l'assistenza clienti[_2].","Connection_error:_Please_check_your_internet_connection_":"Errore di connessione: verifica la tua connessione internet.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Hai raggiunto il limite delle richieste per secondo. Per favore prova più tardi.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] richiede che la funzione di archiviazione web del tuo browser venga attivato in modo da funzionare adeguatamente. Si prega di attivarlo o uscire dalla modalità di navigazione privata.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Stiamo esaminando i tuoi documenti. Per ulteriori informazioni [_1]contattaci[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"La funzione di deposito e prelievo è stata disabilitata per il tuo conto. Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Le funzioni di trading e di deposito sono state disabilitate per il tuo conto. Ti preghiamo di [_1]contattare l'assistenza clienti[_2].","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"La funzione di trading di opzioni binarie è stata disabilitata per questo conto. Ti invitiamo a [_1]contattare il servizio clienti[_2] per maggiore assistenza.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"La funzione di prelievo è stata disabilitata per il tuo conto. Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"La funzione di prelievo è stata disabilitata per il tuo conto MT5. Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Account_Authenticated":"Autenticazione del conto","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"Nell'Ue, le opzioni binarie finanziarie sono disponibili esclusivamente per gli investitori professionisti.","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Il tuo web browser ([_1]) non è aggiornato e potrebbe influire sulla tua esperienza di trading. Procedi a tuo rischio. [_2]Aggiorna il browser[_3]","Bid":"Offerta","Closed_Bid":"Offerta chiusa","Create":"Crea","Commodities":"Materie prime","Indices":"Indici","Stocks":"Azioni","Volatility_Indices":"Indici di Volatilità","Set_Currency":"Imposta la valuta","Please_choose_a_currency":"Scegli una valuta","Create_Account":"Crea un account","Accounts_List":"Elenco degli account","[_1]_Account":"Account [_1]","Investment":"Investimento","Gaming":"Gioco online","Virtual":"Virtuale","Real":"Reale","Counterparty":"Controparte","This_account_is_disabled":"Questo conto è disattivato","This_account_is_excluded_until_[_1]":"Questo conto è escluso fino a [_1]","Invalid_document_format_":"Formato del documento non valido.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"La dimensione del file ([_1]) supera il limite consentito. Dimensione massima consentita: [_2]","ID_number_is_required_for_[_1]_":"È necessario un numero identificativo per [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Per il numero ID ([_1]) sono consentiti solo lettere, numeri, spazio, trattino e trattino basso.","Expiry_date_is_required_for_[_1]_":"La data di scadenza è necessaria per [_1].","Passport":"Passaporto","ID_card":"Carta d'identità","Driving_licence":"Patente di guida","Front_Side":"Fronte","Reverse_Side":"Retro","Front_and_reverse_side_photos_of_[_1]_are_required_":"Sono necessarie foto fronte e retro di [_1].","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1] La Verifica dell'identità o la Verifica della residenza[_2] non hanno soddisfatto i nostri requisiti. Controlla la tua e-mail per ulteriori istruzioni.","Following_file(s)_were_already_uploaded:_[_1]":"Uno o più dei seguenti file sono stati già caricati: [_1]","Checking":"Verifica in corso","Checked":"Verifica effettuata","Pending":"In sospeso","Submitting":"Invio in corso","Submitted":"Inviato","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Verrai reindirizzato a un sito esterno che non appartiene a Binary.com.","Click_OK_to_proceed_":"Clicca OK per procedere.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"L'autenticazione a due fattori per i tuo conto è stata abilitata con successo.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"L'autenticazione a due fattori per il tuo conto è stata disabilitata con successo.","Enable":"Abilita","Disable":"Disabilita"};
\ No newline at end of file
+texts_json['IT'] = {"Real":"Reale","Investment":"Investimento","Gaming":"Gioco online","Virtual":"Virtuale","Connecting_to_server":"Connessione al server in corso","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"La password inserita è una delle password più comunemente usate del mondo. Non dovresti usare questa password.","million":"milioni","thousand":"mila","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Suggerimento: servirebbero circa [_1][_2] per decifrare la password.","years":"anni","days":"giorni","Validate_address":"Convalida l'indirizzo","Unknown_OS":"Sistema operativo sconosciuto","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Verrai reindirizzato a un sito esterno che non appartiene a Binary.com.","Click_OK_to_proceed_":"Clicca OK per procedere.","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"Assicurati di aver installato l'app Telegram sul tuo dispositivo.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] richiede che la funzione di archiviazione web del tuo browser venga attivato in modo da funzionare adeguatamente. Si prega di attivarlo o uscire dalla modalità di navigazione privata.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Ti preghiamo di effettuare il [_1]log in[_2] o [_3]registrarti[_4] per visualizzare questa pagina.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Siamo spiacenti, questa funzione è disponibile solo sugli account virtuali.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Questa funzione non è riferita agli account con denaro virtuale.","[_1]_Account":"Conto [_1]","Click_here_to_open_a_Financial_Account":"Clicca qui per aprire un conto finanziario","Click_here_to_open_a_Real_Account":"Clicca qui per aprire un conto reale","Open_a_Financial_Account":"Apri un conto finanziario","Open_a_Real_Account":"Apri un conto reale","Create_Account":"Crea un account","Accounts_List":"Elenco degli account","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Convalida il tuo account[_2] ora per approfittare di tutti i metodi di pagamento disponibili.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"La funzione di deposito e prelievo è stata disabilitata per il tuo conto. Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Please_set_the_[_1]currency[_2]_of_your_account_":"Imposta la [_1]valuta[_2] del tuo account.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1] La Verifica dell'identità o la Verifica della residenza[_2] non hanno soddisfatto i nostri requisiti. Controlla la tua e-mail per ulteriori istruzioni.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Stiamo esaminando i tuoi documenti. Per ulteriori informazioni [_1]contattaci[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Il tuo account è limitato. Per ricevere assistenza, [_1]contatta l'assistenza clienti[_2].","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Imposta il tuo [_1]limite del turnover di 30 giorni[_2] per eliminare i limiti sui depositi.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"La funzione di trading di opzioni binarie è stata disabilitata per questo conto. Ti invitiamo a [_1]contattare il servizio clienti[_2] per maggiore assistenza.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"La funzione di prelievo è stata disabilitata per il tuo conto MT5. Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Prima di procedere, completa i tuoi [_1]dati personali[_2].","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Prima di passare a un account con soldi reali, imposta il [_1]paese di residenza[_2].","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Per aumentare il limite dei prelievi e del trading, [_1]compila il modulo della valutazione finanziaria[_2].","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Per aumentare il limite dei prelievi e del trading, [_1]completa il profilo del tuo account[_2].","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Le funzioni di trading e di deposito sono state disabilitate per il tuo conto. Ti preghiamo di [_1]contattare l'assistenza clienti[_2].","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"La funzione di prelievo è stata disabilitata per il tuo conto. Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Ti invitiamo ad [_1]accettare i Termini e le condizioni aggiornati[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Per aumentare il limite dei depositi e del trading, [_1]accetta i Termini e le condizioni aggiornati[_2].","Account_Authenticated":"Autenticazione del conto","Connection_error:_Please_check_your_internet_connection_":"Errore di connessione: verifica la tua connessione internet.","Network_status":"Stato della rete","This_is_a_staging_server_-_For_testing_purposes_only":"Questo è un server tecnico - solo a scopo di test","The_server_endpoint_is:_[_2]":"Il server finale è: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Il tuo web browser ([_1]) non è aggiornato e potrebbe influire sulla tua esperienza di trading. Procedi a tuo rischio. [_2]Aggiorna il browser[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Hai raggiunto il limite delle richieste per secondo. Per favore prova più tardi.","Please_select":"Seleziona","There_was_some_invalid_character_in_an_input_field_":"Un campo di immissione testo conteneva uno o più caratteri non validi.","Please_accept_the_terms_and_conditions_":"Accetta i termini e le condizioni.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Confermare di non essere una persona politicamente esposta.","Today":"Oggi","Barrier":"Barriera","End_Time":"Orario di fine","Entry_Spot":"Punto d'ingresso","Exit_Spot":"Prezzo di uscita","Charting_for_this_underlying_is_delayed":"I grafici per questo strumento sono differiti","Highest_Tick":"Tick più alto","Lowest_Tick":"Tick più basso","Payout_Range":"Intervallo di payout","Purchase_Time":"Orario d'acquisto","Reset_Barrier":"Reimpostare la barriera","Reset_Time":"Data di reset","Start/End_Time":"Orario di inizio/fine","Selected_Tick":"Tick selezionato","Start_Time":"Orario di inizio","Crypto":"Cripto","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Il codice di verifica è errato. Utilizza il link inviato alla tua e-mail.","Indicates_required_field":"Indica un campo obbligatorio","Please_select_the_checkbox_":"Selezionare la casella corrispondente.","This_field_is_required_":"Questo campo è obbligatorio.","Should_be_a_valid_number_":"Deve essere un numero valido.","Up_to_[_1]_decimal_places_are_allowed_":"Sono ammessi fino a [_1] decimali.","Should_be_[_1]":"Dovrebbe essere [_1]","Should_be_between_[_1]_and_[_2]":"Deve essere compreso tra [_1] e [_2]","Should_be_more_than_[_1]":"Deve essere maggiore di [_1]","Should_be_less_than_[_1]":"Deve essere inferiore a [_1]","Invalid_email_address_":"Indirizzo email non valido.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"La password deve contenere lettere minuscole e maiuscole con numeri.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Sono consentiti solo lettere, numeri, spazi, trattini, punti e apostrofi.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Sono consentiti solo numeri, lettere, spazi e questi caratteri speciali: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Sono consentite solo lettere, spazi, trattini, punti e apostrofi.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Sono consentiti solo numeri, lettere, spazi e trattini.","The_two_passwords_that_you_entered_do_not_match_":"Le due password inserite non combaciano.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] e 2% non possono essere uguali.","Minimum_of_[_1]_characters_required_":"Sono richiesti minimo [_1] caratteri.","You_should_enter_[_1]_characters_":"Dovresti inserire [_1] caratteri.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Deve iniziare con una lettera o un numero e può contenere la lineetta e il trattino basso.","Invalid_verification_code_":"Codice di verifica non valido.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transazione eseguita da [_1] (ID dell'app: [_2])","Guide":"Guida","Next":"Successivo","Finish":"Termina","Select_your_market_and_underlying_asset":"Seleziona il tuo mercato e l'asset sottostante","Select_your_trade_type":"Seleziona la tua tipologia di trade","Adjust_trade_parameters":"Regola i parametri di trading","Predict_the_directionand_purchase":"Prevedi la direzione e acquista","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Il limite di durata della tua sessione terminerà tra [_1] secondi.","January":"Gennaio","February":"Febbraio","March":"Marzo","April":"Aprile","May":"Mag","June":"Giugno","July":"Luglio","August":"Agosto","September":"Settembre","October":"Ottobre","November":"Novembre","December":"Dicembre","Jan":"Gen","Jun":"Giu","Jul":"Lug","Aug":"Ago","Sep":"Sett","Oct":"Ott","Dec":"Dic","Sunday":"Domenica","Monday":"Lunedì","Tuesday":"Martedì","Wednesday":"Mercoledì","Thursday":"Giovedì","Friday":"Venerdì","Saturday":"Sabato","Su":"Dom","Mo":"Lun","Tu":"Mar","We":"Noi","Th":"Gio","Fr":"Ven","Sa":"Sab","Previous":"Precedente","Hour":"Ora","Minute":"Minuto","Current_balance":"Saldo attuale","Withdrawal_limit":"Limite per il prelievo","Withdraw":"Preleva","Deposit":"Deposita","State/Province":"Stato/Provincia","Country":"Paese","Town/City":"Città","First_line_of_home_address":"Prima linea dell'indirizzo di residenza","Postal_Code_/_ZIP":"Codice di avviamento postale / CAP","Telephone":"Telefono","Email_address":"Indirizzo email","details":"dettagli","Your_cashier_is_locked_":"La tua cassa é bloccata.","You_have_reached_the_withdrawal_limit_":"Hai raggiunto il limite di prelievo.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"I servizi relativi agli agenti di pagamento non sono disponibili nel tuo paese o nella valuta selezionata.","Please_select_a_payment_agent":"Seleziona un agente di pagamento","Amount":"Importo","Insufficient_balance_":"Saldo non sufficiente.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"La tua richiesta di prelevare [_1] [_2] dal tuo account [_3] all'account dell'Agente di pagamento [_4] è stata elaborata con successo.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Il tuo token è scaduto o invalido. Clicca [_1]qui[_2] per riavviare la procedura di verifica.","Please_[_1]deposit[_2]_to_your_account_":"Si prega di [_1]depositare[_2] sul conto.","minute":"minuto","minutes":"minuti","day":"giorno","week":"settimana","weeks":"settimane","month":"mese","months":"mesi","year":"anno","Month":"Mese","Months":"Mesi","Day":"Giorno","Days":"Giorni","Hours":"Ore","Minutes":"Minuti","Second":"Secondo","Seconds":"Secondi","Higher":"Superiore","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] è molto più alto o uguale alla Barriera vicino a [_4].","Lower":"Inferiore","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] è molto più basso alla Barriera vicino a [_4].","Touches":"Tocca","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] tocca la Barriera vicino a [_4].","Does_Not_Touch":"Non tocca","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] non tocca la Barriera vicino a [_4].","Ends_Between":"Finisce tra","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina su o tra i valori inferiori e superiori del prezzo d'esercizio vicino a [_4].","Ends_Outside":"Termina fuori","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina al di fuori dei valori inferiori e superiori del prezzo d'esercizio vicino a [_4].","Stays_Between":"Resta Dentro","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina tra i valori inferiori e superiori della Barriera vicino a [_4].","Goes_Outside":"Esce fuori","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Il payout di [_1] [_2] se [_3] termina al di fuori dei valori inferiori e superiori della Barriera vicino a [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Siamo spiacenti, il tuo account non è autorizzato all'acquisto di ulteriori contratti.","Please_log_in_":"Effettua il login.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Siamo spiacenti, questa funzione non è disponibile nella tua giurisdizione.","This_symbol_is_not_active__Please_try_another_symbol_":"Questo simbolo non è attivo. Prova un altro simbolo.","Market_is_closed__Please_try_again_later_":"Il mercato è chiuso. Si prega di riprovare più tardi.","All_barriers_in_this_trading_window_are_expired":"Tutte le barriere in questa finestra di trading sono scadute","Sorry,_account_signup_is_not_available_in_your_country_":"Siamo spiacenti, la registrazione di un account non è disponibile nel tuo paese.","Opens":"Apre","Closes":"Chiude","Settles":"Liquida","Upcoming_Events":"Prossimi eventi","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Aggiungi +/– per definire una compensazione della barriera. Per esempio, +0,005 indica che una barriera è superiore di 0,005 rispetto al punto di entrata.","Digit":"Cifra","Percentage":"Percentuale","Waiting_for_entry_tick_":"In attesa del tick d'ingresso.","High_Barrier":"Barriera superiore","Low_Barrier":"Barriera inferiore","Waiting_for_exit_tick_":"In attesa del tick d'uscita.","Ticks_history_returned_an_empty_array_":"La cronologia dei tick ha riportato una serie vuota.","Chart_is_not_available_for_this_underlying_":"Il grafico non è disponibile per questo sottostante.","Purchase":"Acquisto","Net_profit":"Profitto netto","Return":"Rendimento","Time_is_in_the_wrong_format_":"L'orario è in un formato errato.","Rise/Fall":"Rialzo/Ribasso","Higher/Lower":"Superiore/Inferiore","Matches/Differs":"Combacia/Differisce","Even/Odd":"Pari/Dispari","Over/Under":"Sopra/Sotto","Reset_Call":"Reimposta l'opzione Call","Reset_Put":"Reimposta l'opzione Put","Up/Down":"Alto/Basso","In/Out":"Dentro/Fuori","Select_Trade_Type":"Seleziona il tipo di trade","seconds":"secondi","hours":"ore","ticks":"tick","second":"secondo","hour":"ora","Duration":"Durata","Purchase_request_sent":"Richiesta di acquisto inviata","Close":"Chiudi","Select_Asset":"Seleziona asset","Search___":"Cerca...","Maximum_multiplier_of_1000_":"Massimo moltiplicatore di 1000.","Stake":"Puntata","Multiplier":"Moltiplicatore","Trading_is_unavailable_at_this_time_":"Al momento non è possibile effettuare trading.","Please_reload_the_page":"Ricaricare la pagina","Try_our_[_1]Volatility_Indices[_2]_":"Prova i nostri [_1]indici di volatilità[_2].","Try_our_other_markets_":"Prova i nostri altri mercati.","Contract_Confirmation":"Conferma del contratto","Your_transaction_reference_is":"Il tuo riferimento per le transazioni è","Total_Cost":"Costo totale","Potential_Payout":"Payout potenziale","Maximum_Payout":"Payout massimo","Maximum_Profit":"Profitto massimo","Potential_Profit":"Profitto potenziale","View":"Visualizza","This_contract_won":"Questo contratto ha vinto","This_contract_lost":"Questo contratto ha perso","Tick_[_1]_is_the_highest_tick":"Il tick [_1] è il tick più alto","Tick_[_1]_is_not_the_highest_tick":"Il tick [_1] non è il tick più alto","Tick_[_1]_is_the_lowest_tick":"Il tick [_1] è il tick più basso","Tick_[_1]_is_not_the_lowest_tick":"Il tick [_1] non è il tick più basso","The_reset_time_is_[_1]":"La data di reset è [_1]","Now":"Adesso","Average":"Media","Buy_price":"Prezzo d'acquisto","Final_price":"Prezzo finale","Loss":"Perdita","Profit":"Profitto","Account_balance:":"Saldo dell'account:","Reverse_Side":"Retro","Front_Side":"Fronte","Pending":"In sospeso","Submitting":"Invio in corso","Submitted":"Inviato","Failed":"Non riuscito","Compressing_Image":"Compressione immagine","Checking":"Verifica in corso","Checked":"Verifica effettuata","Unable_to_read_file_[_1]":"Impossibile leggere il file [_1]","Passport":"Passaporto","Identity_card":"Carta d'identità","Driving_licence":"Patente di guida","Invalid_document_format_":"Formato del documento non valido.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"La dimensione del file ([_1]) supera il limite consentito. Dimensione massima consentita: [_2]","ID_number_is_required_for_[_1]_":"È necessario un numero identificativo per [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Per il numero ID ([_1]) sono consentiti solo lettere, numeri, spazio, trattino e trattino basso.","Expiry_date_is_required_for_[_1]_":"La data di scadenza è necessaria per [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Sono necessarie foto fronte e retro di [_1].","Current_password":"Password attuale","New_password":"Nuova password","Please_enter_a_valid_Login_ID_":"Inserire credenziali di accesso valide.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"La tua richiesta di trasferire [_1] [_2] da [_3] a [_4] è stata elaborata con successo.","Resale_not_offered":"La rivendita non è offerta","Your_account_has_no_trading_activity_":"Sul tuo account non c'è alcuna attività di trading.","Date":"Data","Ref_":"Rif.","Contract":"Contratto","Purchase_Price":"Prezzo d'acquisto","Sale_Date":"Data della vendita","Sale_Price":"Prezzo di vendita","Profit/Loss":"Profitto/Perdita","Details":"Dettagli","Total_Profit/Loss":"Profitto/Perdita totale","Only_[_1]_are_allowed_":"Sono consentiti solo [_1].","letters":"lettere","numbers":"numeri","space":"spazio","Please_select_at_least_one_scope":"Seleziona almeno uno scopo","New_token_created_":"Nuovo token creato.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Il numero massimo di token ([_1]) è stato raggiunto.","Name":"Nome","Scopes":"Ambiti","Last_Used":"Ultimo utilizzato","Action":"Azione","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Sei sicuro di voler eliminare definitivamente il token","Delete":"Elimina","Never_Used":"Mai utilizzato","You_have_not_granted_access_to_any_applications_":"Non hai accesso ad alcuna applicazione.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Sei sicuro di voler revocare definitivamente l'accesso all'applicazione","Revoke_access":"Revocare l'accesso","Admin":"Amministratore","Payments":"Pagamenti","Read":"Leggi","Never":"Mai","Permissions":"Autorizzazioni","Last_Login":"Ultimo accesso","Unlock_Cashier":"Sblocca cassa","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Come da tua richiesta, la cassa è bloccata. Per sbloccarla, inserisci la password.","Lock_Cashier":"Blocca la cassa","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Può essere utilizzata una password aggiuntiva per limitare l'accesso alla cassa.","Update":"Aggiorna","Sorry,_you_have_entered_an_incorrect_cashier_password":"Siamo spiacenti, hai inserito una password della cassa non corretta","Your_settings_have_been_updated_successfully_":"Le tue impostazioni sono state aggiornate con successo.","You_did_not_change_anything_":"Non hai modificato nulla.","Sorry,_an_error_occurred_while_processing_your_request_":"Siamo spiacenti, si è verificato un errore durante l'elaborazione della tua richiesta.","Your_changes_have_been_updated_successfully_":"Le tue modifiche sono state aggiornate con successo.","Successful":"Riuscito","Date_and_Time":"Data e orario","IP_Address":"Indirizzo IP","Status":"Stato","Your_account_has_no_Login/Logout_activity_":"Sul tuo account non c'è alcuna attività di Login/Logout.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Il tuo account è stato completamente convalidato e sono stati rimossi i tuoi limiti di prelievo.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Il tuo limite di prelievo giornaliero di [_1] è attualmente [_2] [_3] (oppure equivalente in un'altra valuta).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Hai già prelevato l'equivalente complessivo di [_1] [_2] negli ultimi [_3] giorni.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Pertanto il tuo attuale prelievo massimo immediato (soggetto alla disponibilità di fondi sufficienti nell'account) è pari a [_1] [_2] (o equivalente in un'altra valuta).","Your_withdrawal_limit_is_[_1]_[_2]_":"Il tuo limite di prelievo è [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Hai già prelevato [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Pertanto il tuo attuale prelievo massimo immediato (soggetto alla disponibilità di fondi sufficienti nell'account) è pari a [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Il tuo limite di prelievo è [_2] [_1] (oppure equivalente in altra valuta).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Hai già prelevato l'equivalente di [_1] [_2].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Ti chiediamo di confermare che tutte le informazioni sopra riportate sono veritiere e complete.","Sorry,_an_error_occurred_while_processing_your_account_":"Siamo spiacenti, si è verificato un errore durante l'elaborazione del tuo account.","Please_select_a_country":"Seleziona un paese","Timed_out_until":"Sessione sospesa fino a","Excluded_from_the_website_until":"Esclusione dal sito fino a","Session_duration_limit_cannot_be_more_than_6_weeks_":"Il limite di durata della sessione non può essere superiore a 6 settimane.","Time_out_must_be_after_today_":"La scadenza non può essere nella giornata di oggi.","Time_out_cannot_be_more_than_6_weeks_":"La scadenza non può essere superiore alle 6 settimane.","Time_out_cannot_be_in_the_past_":"La scadenza non può essere nel passato.","Please_select_a_valid_time_":"Seleziona un orario valido.","Exclude_time_cannot_be_less_than_6_months_":"Il periodo di esclusione non può essere inferiore a 6 mesi.","Exclude_time_cannot_be_for_more_than_5_years_":"Il periodo di esclusione non può essere superiore a 5 anni.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Quando clicchi su \"OK\" verrai escluso dal trading sul sito fino alla data selezionata.","Your_changes_have_been_updated_":"Le tue modifiche sono state aggiornate.","Disable":"Disabilita","Enable":"Abilita","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"L'autenticazione a due fattori per i tuo conto è stata abilitata con successo.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"L'autenticazione a due fattori per il tuo conto è stata disabilitata con successo.","You_are_categorised_as_a_professional_client_":"Sei categorizzato come cliente professionista.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"La tua richiesta di essere categorizzato come cliente professionale è in fase di elaborazione.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Sei categorizzato come cliente al dettaglio. Richiedi di essere categorizzato come trader professionista.","Bid":"Offerta","Closed_Bid":"Offerta chiusa","Reference_ID":"ID di riferimento","Description":"Descrizione","Credit/Debit":"Credito/Debito","Balance":"Saldo","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] è stato accreditato sul tuo conto virtuale: [_2].","Financial_Account":"Conto finanziario","Real_Account":"Conto reale","Counterparty":"Controparte","Jurisdiction":"Giurisdizione","Create":"Crea","This_account_is_disabled":"Questo conto è disattivato","This_account_is_excluded_until_[_1]":"Questo conto è escluso fino a [_1]","Set_Currency":"Imposta la valuta","Commodities":"Materie prime","Indices":"Indici","Stocks":"Azioni","Volatility_Indices":"Indici di Volatilità","Please_check_your_email_for_the_password_reset_link_":"Per il link di ripristino della password, controlla le tue email.","Advanced":"Avanzato","Demo_Standard":"Demo standard","Real_Standard":"Standard reale","Demo_Advanced":"Demo Avanzato","Real_Advanced":"Conto avanzato reale","MAM_Advanced":"MAM avanzato","Demo_Volatility_Indices":"Indici di volatilità demo","Real_Volatility_Indices":"Indici di volatilità reali","MAM_Volatility_Indices":"Indici di volatilità MAM","Sign_up":"Iscriviti","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Il trading di contratti per differenza (CFDs) sugli indici di volatilità può non essere adatto a tutti. Assicurati di aver compreso appieno i rischi connessi, inclusa la possibilità di perdere tutti fondi nel tuo conto reale MT5. Il gioco d'azzardo può creare dipendenza, per questo ti invitiamo a giocare responsabilmente.","Do_you_wish_to_continue?":"Desideri continuare?","Acknowledge":"Accetto","Change_Password":"Modifica Password","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"La password [_1] del conto numero [_2] è stata modificata.","Reset_Password":"Ripristina password","Verify_Reset_Password":"Verifica la nuova password","Please_check_your_email_for_further_instructions_":"Ti invitiamo a controllare il tuo indirizzo e-mail per ulteriori indicazioni.","Revoke_MAM":"Annulla MAM","Manager_successfully_revoked":"Revoca del gestore avvenuta con successo","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Il deposito di [_1] da [_2] sul numero di account [_3] è stato effettuato. ID della transazione: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Come da tua richiesta, la cassa è bloccata. Per sbloccarla, clicca qui.","You_have_reached_the_limit_":"Hai raggiunto il limite.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Il prelievo di [_1] dall'account numero [_2] su [_3] è stato eseguito. ID della transazione: [_4]","Main_password":"Password principale","Investor_password":"Password dell'investitore","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"I fondi presenti sul conto Binary non sono sufficienti, aggiungi fondi.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Il nostro servizio MT5 non è attualmente disponibile per i residenti UE poiché in attesa di approvazione regolamentare.","Demo_Accounts":"Account demo","MAM_Accounts":"Conti MAM","Real-Money_Accounts":"Conto monetario reale","Demo_Account":"Conto demo","Real-Money_Account":"Conto monetario reale","for_account_[_1]":"per il conto [_1]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Il tuo token è scaduto o invalido. Clicca qui per riavviare la procedura di verifica.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"L'indirizzo email fornito è già in uso. Se hai dimenticato la password, prova il nostro strumento di recupero della password o contatta il nostro servizio clienti.","Password_is_not_strong_enough_":"La password non è sufficientemente forte.","Upgrade_now":"Aggiorna adesso","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] giorni [_2] ore [_3] minuti","Your_trading_statistics_since_[_1]_":"Le tue statistiche di trading dal [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Per riavviare la procedura di ripristino della password, clicca sul link qui sotto.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"La tua password è stata ripristinata con successo. Effettua il login sul tuo account utilizzando la tua nuova password.","Please_choose_a_currency":"Scegli una valuta","Asian_Up":"Rialzo Asiatiche","Asian_Down":"Ribasso Asiatiche","Higher_or_equal":"Maggiore o uguale","Lower_or_equal":"Inferiore o uguale","Digit_Matches":"Cifra uguale","Digit_Differs":"Cifra differente","Digit_Odd":"Cifra dispari","Digit_Even":"Cifra pari","Digit_Over":"Cifra superiore","Digit_Under":"Cifra inferiore","High_Tick":"Tick alto","Low_Tick":"Tick basso","Equals":"Equivale a","Not":"No","Buy":"Acquista","Sell":"Vendi","Contract_has_not_started_yet":"Il contratto non è ancora iniziato","Contract_Result":"Esito del contratto","Close_Time":"Ora di chiusura","Highest_Tick_Time":"Periodo del tick più alto","Lowest_Tick_Time":"Periodo del tick più basso","Exit_Spot_Time":"Orario del prezzo di uscita","Audit":"Controllo","View_Chart":"Visualizza grafico","Audit_Page":"Pagina di controllo","Spot_Time_(GMT)":"Orario di spot (GMT)","Contract_Starts":"Il contratto inizia","Contract_Ends":"Il contratto termina","Target":"Obiettivo","Contract_Information":"Informazioni del contratto","Contract_Type":"Tipo di contratto","Transaction_ID":"ID della transazione","Remaining_Time":"Tempo residuo","Maximum_payout":"Payout massimo","Barrier_Change":"Modifica della barriera","Current":"Attuale","Spot_Time":"Orario di spot","Current_Time":"Orario attuale","Indicative":"Indicativo","You_can_close_this_window_without_interrupting_your_trade_":"Puoi chiudere questa finestra senza interrompere il trade.","There_was_an_error":"Si è verificato un errore","Sell_at_market":"Vendi sul mercato","Note":"Nota","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Il Contratto verrá venduto al prezzo di mercato prevalente nel momento in cui i nostri server ricevono la richiesta. Tale prezzo può differire rispetto al prezzo indicato.","You_have_sold_this_contract_at_[_1]_[_2]":"Hai venduto questo contratto a [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Il tuo numero di riferimento per le transazioni è [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Grazie per esserti registrato! Controlla la tua email per completare la procedura di registrazione.","All_markets_are_closed_now__Please_try_again_later_":"Al momento tutti i mercati sono chiusi. Si prega di riprovare più tardi.","Withdrawal":"Prelievo","virtual_money_credit_to_account":"credito denaro virtuale sul conto","Asians":"Asiatiche","Digits":"Cifre","Ends_Between/Ends_Outside":"Temina Dentro/Termina Fuori","High/Low_Ticks":"Tick alti/bassi","Lookbacks":"Opzioni retrospettive (lookbacks)","Reset_Call/Reset_Put":"Reimposta l'opzione Call/Reimposta l'opzione Put","Stays_Between/Goes_Outside":"Resta Dentro/Esce","Touch/No_Touch":"Tocca/Non Tocca","Christmas_Day":"Giorno di Natale","Closes_early_(at_18:00)":"Chiude in anticipo (alle 18:00)","Closes_early_(at_21:00)":"Chiude in anticipo (alle 21:00)","Fridays":"Venerdì","New_Year's_Day":"Capodanno","today":"oggi","today,_Fridays":"oggi, venerdì","There_was_a_problem_accessing_the_server_":"Si è verificato un problema d'accesso al server.","There_was_a_problem_accessing_the_server_during_purchase_":"Durante l'acquisto si è verificato un problema d'accesso al server."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/ja.js b/src/javascript/_autogenerated/ja.js
deleted file mode 100644
index 3a12fa9d5ed06..0000000000000
--- a/src/javascript/_autogenerated/ja.js
+++ /dev/null
@@ -1,2 +0,0 @@
-const texts_json = {};
-texts_json['JA'] = {"Day":"日","Month":"月","Year":"年","Sorry,_an_error_occurred_while_processing_your_request_":"通信エラーが発生しましたので、再度ページの読み込みをしてください","Click_here_to_open_a_Real_Account":"リアル口座を開設するにはここをクリック","Open_a_Real_Account":"リアルマネー口座を開設","Click_here_to_open_a_Financial_Account":"金融口座を開設するにはここをクリック","Open_a_Financial_Account":"金融口座を開設","Network_status":"ネットワーク稼働状況","Online":"オンライン","Offline":"オフライン","Connecting_to_server":"サーバーに接続中","Virtual_Account":"デモ口座","Real_Account":"リアル口座","Investment_Account":"投資口座","Gaming_Account":"ゲームアカウント","Sunday":"日","Monday":"月","Tuesday":"火","Wednesday":"水","Thursday":"木","Friday":"金曜日","Saturday":"土","Su":"日","Mo":"月","Tu":"火","We":"水","Th":"木","Fr":"金","Sa":"土","January":"1月","February":"2月","March":"3月","April":"4月","May":"5","June":"6月","July":"7月","August":"8月","September":"9月","October":"10月","November":"11月","December":"12月","Jan":"1","Feb":"2","Mar":"3","Apr":"4","Jun":"6","Jul":"7","Aug":"8","Sep":"9","Oct":"10","Nov":"11","Dec":"12","Next":"次","Previous":"戻る","Hour":"時間","Minute":"分","AM":"午前","PM":"午後","Time_is_in_the_wrong_format_":"開始時間に間違った値になっております","Purchase_Time":"購入時間","Charting_for_this_underlying_is_delayed":"この対象のチャート表示は不可能です","year":"年","month":"ヶ月","week":"週間","day":"日","days":"日","h":"時間","hour":"時間","hours":"時間","min":"最小値","minute":"分","minutes":"分","second":"秒","seconds":"秒","ticks":"tick","Loss":"損益","Profit":"利益","Payout":"合計ペイアウト","Units":"単位","Stake":"購入価格","Duration":"取引期間","End_Time":"判定時刻","Net_profit":"純利益","Return":"リターン率","Contract_Confirmation":"トレード確定","Your_transaction_reference_is":"トレード参照番号:","Rise/Fall":"ラダー","Higher/Lower":"ラダーLOW/ラダーHIGH","In/Out":"レンジ","Matches/Differs":"MATCH/DIFFER","Even/Odd":"偶数/奇数","Over/Under":"以上/以下","Up/Down":"ラダー","Ends_Between/Ends_Outside":"STAY-IN/BREAK-OUT","Touch/No_Touch":"TOUCH/NO-TOUCH","Stays_Between/Goes_Outside":"STAY-IN/BREAK-OUT","Asians":"Asian","Potential_Payout":"ペイアウト","Total_Cost":"合計投資額","Potential_Profit":"期待利益","View":"表示","Buy_price":"購入金額(単価)","Final_price":"最終価格","Long":"ロング","Short":"ショート","Chart":"チャート","Portfolio":"ポジション一覧","Explanation":"取引概要","Last_Digit_Stats":"下一桁ステータス","Waiting_for_entry_tick_":"エントリーTickを検出中です・・・","Waiting_for_exit_tick_":"イグジットTickを検出中です・・・","Please_log_in_":"ログインをしてください。","All_markets_are_closed_now__Please_try_again_later_":"営業時間外のためご利用になれません。","Account_balance:":"口座残高:","Try_our_[_1]Volatility_Indices[_2]_":"当社の[_1]ボラティリティインデックス[_2]をお試しください。","Try_our_other_markets_":"その他の市場もお試しください。","Session":"セッション","Crypto":"仮想通貨","Fiat":"フィアットマネー","High":"高値","Low":"安値","Close":"終値","Payoff":"支払い","High-Close":"高値-終値","Close-Low":"終値-安値","High-Low":"高値-安値","Select_Asset":"資産を選択","Purchase":"購入","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"お客さまのご口座はアップグレード済みですので、ご出金制限が引き上げられました。","Your_withdrawal_limit_is_[_1]_[_2]_":"お客さまの出金限度額は[_1] [_2]です。限度額以上の出金額をご希望される場合は、本人確認が必要となりますので\nカスタマーサポートへご連絡ください。","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"お客さまの出金限度額は ¥ [_2] です。限度額以上の出金額をご希望される場合は、本人確認が必要となりますのでカスタマーサポートへご連絡ください。","You_have_already_withdrawn_[_1]_[_2]_":"現在までの出金額は[_1] [_2]です。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"[_1] [_2] と同等の金額を既に出金されています。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"現在、出金可能な限度額(口座残高が不足していない場合)は¥ [_2]となります。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"そのため、現在即座にご出金いただける限度金額(ただし、ご口座残高が不足していない場合)は[_1] [_2]までです。","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"お客さまの[_1]日の出金限度額は現在[_2] [_3]です。限度額以上の出金額をご希望される場合、本人確認が必要となります。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"直近[_3]日間に累計[_1] [_2] と同等の金額を既に出金されています。","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"1週間以下(1通貨ペア毎)または1ヶ月以上(1通貨ペア毎)のそれぞれのペイアウト合計限度額となります。","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"1週間以下(1通貨ペア毎)または1ヶ月以上(1通貨ペア毎)のそれぞれのペイアウト合計限度額となります。\n","Non-ATM":"内訳の詳細","Duration_up_to_7_days":"1週間以下(1通貨ペア毎)","Duration_above_7_days":"1ヶ月以上(1通貨ペア毎)","Major_Pairs":"1日あたりに購入できる限度額","Forex":"外国為替","This_field_is_required_":"この項目は必須です。","Please_select_the_checkbox_":"チェックボックスを選択してください","Please_accept_the_terms_and_conditions_":"利用規約に同意していただく必要があります。","Only_[_1]_are_allowed_":"[_1]のみご利用いただけます。","letters":"文字","numbers":"数字","space":"スペース","Sorry,_an_error_occurred_while_processing_your_account_":"通信エラーが発生しましたので、再度ページの読み込みをしてください","Your_changes_have_been_updated_successfully_":"設定が正しく更新されました。","Your_settings_have_been_updated_successfully_":"設定は正しく更新されました。","Female":"女性","Male":"男性","Please_confirm_that_all_the_information_above_is_true_and_complete_":"上記の内容が全て正しい情報であるか再度ご確認ください。","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"【認証専用のURL】の有効期限が切れています。再度、「最初からやり直し」 をクリックして【認証専用のURL】を発行して下さい。","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"ご入力いただいたメールアドレスは既に他のログインIDで使用されています。パスワードをお忘れの場合は、こちらからパスワードを再発行して頂くか、カスタマーサポートまでご連絡下さい。","Password_should_have_lower_and_uppercase_letters_with_numbers_":"大文字と小文字を含む英字と数字を組み合わせる必要があります","Password_is_not_strong_enough_":"パスワード強度が十分ではありません。","Your_session_duration_limit_will_end_in_[_1]_seconds_":"お客様の取引継続時間制限は[_1]秒後に終了します。","Invalid_email_address_":"メールアドレスが無効です。","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"口座開設ありがとうございます。ご登録頂いたメールアドレスに【認証専用のURL】を送信致しましたのでご確認下さい。","Financial_Account":"金融口座","Upgrade_now":"今すぐアップグレードする","Please_select":"選択して下さい","Minimum_of_[_1]_characters_required_":"[_1]文字以上でご入力ください。","Please_confirm_that_you_are_not_a_politically_exposed_person_":"外国の重要な公人ではない場合はチェックを入れて下さい","Asset":"取引対象","Opens":"取引開始時間","Closes":"取引終了時間","Settles":"決済時間","Upcoming_Events":"取引時間短縮日及び祝日","Closes_early_(at_21:00)":"判定時刻:21:00","Closes_early_(at_18:00)":"判定時刻:18:00","New_Year's_Day":"元旦","Christmas_Day":"クリスマス","Fridays":"金曜日","today":"本日","today,_Fridays":"本日:金曜日","Please_select_a_payment_agent":"決済サービスを選択してください。","Invalid_amount,_minimum_is":"無効な値です。最小","Invalid_amount,_maximum_is":"無効な値です。最大はXXXです。","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"お客さまのご口座[_3]から決済サービス[_4]口座へ[_1] [_2]の出金リクエストが正常に処理されました。","Up_to_[_1]_decimal_places_are_allowed_":"小数点以下は%桁までご利用いただけます。","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"【認証専用のURL】の有効期限が切れています。再度、[_1]「最初からやり直し」[_2] をクリックして【認証専用のURL】を発行して下さい。","New_token_created_":"新しいトークンが作成されました。","The_maximum_number_of_tokens_([_1])_has_been_reached_":"トークンの最大数([_1]) に達しました。","Name":"お名前","Token":"トークン","Last_Used":"最後に使用したもの","Scopes":"範囲","Never_Used":"使用されることはありません。","Delete":"消去","Are_you_sure_that_you_want_to_permanently_delete_the_token":"トークンを完全に削除してもよろしいですか?","Please_select_at_least_one_scope":"範囲を1つ以上選択してください","Guide":"ガイド","Finish":"完了","Step":"ステップ","Select_your_trade_type":"取引タイプを選択して下さい","Adjust_trade_parameters":"取引期間を選択して頂き購入希望ロット数を入力して下さい。","Predict_the_directionand_purchase":"方向性 を予測して購入","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"申し訳ございません。この機能はデモ口座のみでご利用頂けます。","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2]はデモ口座[_3]に付与されました。","years":"年","months":"ヶ月","weeks":"週間","Your_changes_have_been_updated_":"変更が更新されました。","Please_enter_an_integer_value":"半角で数値をご入力して下さい","Session_duration_limit_cannot_be_more_than_6_weeks_":"セッション期間制限は7週間以上に設定できません。","You_did_not_change_anything_":"変更はありません。","Please_select_a_valid_date_":"有効な日付を選択してください","Please_select_a_valid_time_":"有効な時間を選択してください","Time_out_cannot_be_in_the_past_":"終了時間を過去の時間に設定することはできません。","Time_out_must_be_after_today_":"終了時間は明日以降として設定して下さい。","Time_out_cannot_be_more_than_6_weeks_":"終了時間を6週間以上先には設定できません。","Exclude_time_cannot_be_less_than_6_months_":"5ヶ月以下の除外時間を設定することはできません。","Exclude_time_cannot_be_for_more_than_5_years_":"6年以上の除外期間は設定することはできません。","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"\"Ok\"をクリックすると、選択した日付までこのサイトでのトレードができなくなります。","Timed_out_until":"特定日までタイムアウト","Excluded_from_the_website_until":"特定日まで利用禁止(日時単位)","Ref_":"約定番号","Resale_not_offered":"満期までの2分は売却取引不可","Date":"日付","Action":"売買","Contract":"トレード","Sale_Date":"口座残高反映時間","Sale_Price":"売却 / ペイアウト金額","Total_Profit/Loss":"合計 損益","Your_account_has_no_trading_activity_":"取引履歴はありません","Today":"本日","Details":"お客さま基本情報","Sell":"売却","Buy":"購入","Virtual_money_credit_to_account":"バーチャルマネーを入金","This_feature_is_not_relevant_to_virtual-money_accounts_":"この機能は、デモ口座ではご利用頂けません。","Japan":"日本","Questions":"問題","True":"正","False":"誤","There_was_some_invalid_character_in_an_input_field_":"入力された文字に使用できない文字が含まれています。","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"ハイフンを入れて半角で入力してください","Score":"スコア","{JAPAN_ONLY}Take_knowledge_test":"知識確認テストを受ける","{JAPAN_ONLY}Knowledge_Test_Result":"知識確認テスト結果","{JAPAN_ONLY}Knowledge_Test":"知識確認テスト","{JAPAN_ONLY}Congratulations,_you_have_pass_the_test,_our_Customer_Support_will_contact_you_shortly_":"おめでとうございます。テストに合格されましたので、カスタマーサポートよりメールにて口座開設の次のステップについてご連絡させていただきます。","{JAPAN_ONLY}Sorry,_you_have_failed_the_test,_please_try_again_after_24_hours_":"残念ながら、合格点に達しませんでした。24時間以降(週末を除く)に再受験してください。","{JAPAN_ONLY}Dear_customer,_you_are_not_allowed_to_take_knowledge_test_until_[_1]__Last_test_taken_at_[_2]_":"お客さまへ\n\n現在、知識確認テストの受験を行うことができません。[_1]以降に再受験してください。前回受験日[_2]","{JAPAN_ONLY}Dear_customer,_you've_already_completed_the_knowledge_test,_please_proceed_to_next_step_":"お客さまへ\n\n既に知識確認テストは完了しています。送信済みのメールを確認の上、口座開設の手続きを進めてください。","{JAPAN_ONLY}Please_complete_the_following_questions_":"知識確認テスト用ディスクレーマー","{JAPAN_ONLY}The_test_is_unavailable_now,_test_can_only_be_taken_again_on_next_business_day_with_respect_of_most_recent_test_":"現在テストを受験いただけません。前回のテストの翌営業日に再度受験いただけます。","{JAPAN_ONLY}You_need_to_finish_all_20_questions_":"まだ、無解答の問題があります。","Weekday":"平日","{JAPAN_ONLY}Your_Application_is_Being_Processed_":"お客さまの口座開設申込書類の処理中です。","{JAPAN_ONLY}Your_Application_has_Been_Processed__Please_Re-Login_to_Access_Your_Real-Money_Account_":"リアル口座開設は完了致しました。使用するには再度ログインが必要となります。","Processing_your_request___":"ただいま処理中です。しばらくお待ち下さい。","Please_check_the_above_form_for_pending_errors_":"未入力の項目がありますのでご確認ください","Asian_Up":"ASIAN UP","Asian_Down":"ASIAN DOWN","Digit_Matches":"DIGIT MATCH","Digit_Differs":"DIGIT DIFFERS","Digit_Odd":"DIGIT 奇数","Digit_Even":"DIGIT 偶数","Digit_Over":"DIGIT OVER","Digit_Under":"DIGIT UNDER","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_3]のラダーHIGHは、判定時刻([_4])の時点でバリア価格以上であると予測","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_3]のラダーLOWは、判定時刻([_4])の時点でバリア価格未満であると予測","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_3]のNO-TOUCHは、取引期間([_4])が終了するまでにバリア価格に達しないと予測","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_3]のTOUCHは、取引期間([_4])が終了するまでバリア価格に達すると予測","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_3]のEND-INは、判定時刻([_4])の時点で上限バリア未満かつ下限バリア以上であると予測","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_3]のEND-OUTは、判定時刻([_4])の時点で上限バリア以上もしくは下限バリア未満であるとを予測","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_3]のSTAY-INは取引期間中([_4])に上限バリア未満かつ下限バリア超過を維持すると予測","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_3]のBREAK-OUTは、取引期間中([_4])に上限バリア以上もしくは下限バリア以下になると予測","M":"ヶ月","D":"日","Higher":"ラダーHIGH","Higher_or_equal":"ラダーHIGH","Lower":"ラダーLOW","Touches":"TOUCH","Does_Not_Touch":"NO-TOUCH","Ends_Between":"END-IN","Ends_Outside":"END-OUT","Stays_Between":"STAY-IN","Goes_Outside":"BREAK-OUT","All_barriers_in_this_trading_window_are_expired":"すべてのバリア価格は権利行使済みです","Remaining_time":"満期までの残り時間","Market_is_closed__Please_try_again_later_":"営業時間外のためご利用になれません。","This_symbol_is_not_active__Please_try_another_symbol_":"このシンボルは現在ご利用いただけません。他のシンボルでお試しください。","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"申し訳ございませんが、お客さまの取引口座に制限をさせていただいております。お手数ですが、カスタマーサポートへご連絡ください。","Lots":"ロット数","Payout_per_lot_=_1,000":"ペイアウトは1ロットあたり1,000円","This_page_is_not_available_in_the_selected_language_":"設定されている言語ではこのページを閲覧いただけません。","Trading_Window":"取引ウィンドウ","Percentage":"割合","Digit":"数字","Amount":"金額","Deposit":"入金","Withdrawal":"出金","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"[_3]から[_4]へのご送金[_1] [_2]リクエストが正常に処理されました。","Date_and_Time":"日時","Browser":"ブラウザ","IP_Address":"IPアドレス","Status":"金融資産","Successful":"成功しました","Failed":"失敗しました","Your_account_has_no_Login/Logout_activity_":"お客さまのご口座はログイン/ログアウトのアクティビティはございません。","logout":"ログアウト","Please_enter_a_number_between_[_1]_":"[_1]の間の数字を入力してください。","[_1]_days_[_2]_hours_[_3]_minutes":"[_1]日 [_2]時間 [_3]分","Your_trading_statistics_since_[_1]_":"[_1]からのお取引統計情報","Unlock_Cashier":"入出金ロック解除","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"お客様のキャッシャーはリクエストにより、ロックされました。 - 解除するにはパスワードをご入力ください。","Lock_Cashier":"入出金をロック","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"入出金へのアクセスを制限するために、追加パスワードを使用することができます。","Update":"更新","Sorry,_you_have_entered_an_incorrect_cashier_password":"申し訳ございませんが、ご入力頂いた入出金パスワードに誤りがあります","You_have_reached_the_withdrawal_limit_":"出金制限値に達しました。","Start_Time":"取引開始時刻","Entry_Spot":"取引開始時刻直後のティック","Low_Barrier":"下限バリア","High_Barrier":"上限バリア","This_contract_won":"このトレードは勝ち判定","This_contract_lost":"このトレードは負け判定","Spot":"スポットレート","Barrier":"バリア価格","Target":"ターゲット","Equals":"等しい","Not":"ない","Description":"取引内容","Credit/Debit":"支払/受取","Balance":"口座残高","Purchase_Price":"購入金額","Profit/Loss":"損益","Contract_Information":"約定済み通知","Current":"現在","Closed":"終了","Contract_has_not_started_yet":"トレードはまだ開始していません","Spot_Time":"スポットタイム","Spot_Time_(GMT)":"現在時刻(GMT)","Current_Time":"現在時刻:","Exit_Spot_Time":"売却/判定時刻","Exit_Spot":"判定レート","Indicative":"参考売却金額","There_was_an_error":"エラーが発生しました","Sell_at_market":"売却","You_have_sold_this_contract_at_[_1]_[_2]":"[_1] [_2]でこのトレードを売却しました","Your_transaction_reference_number_is_[_1]":"決済の参照番号は[_1]です","Note":"注意","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"当社のサーバがリクエストを受理した時点での市場価格で売却取引が成立します。実際の約定価格と注文時の表示価格と異なる場合があります。","Contract_Type":"トレードの種類","Transaction_ID":"トランザクションID","Remaining_Time":"満期までの残り時間","Barrier_Change":"バリア値の変更","Audit":"監査","Audit_Page":"監査ページ","View_Chart":"チャート表示","Contract_Starts":"トレード開始","Contract_Ends":"トレード終了","Exit_Time_and_Exit_Spot":"判定時間と判定レート","Please_select_a_value":"値を選択してください。","You_have_not_granted_access_to_any_applications_":"アプリケーションへのアクセス権限がありません。","Permissions":"アクセス許可","Never":"決してありません","Revoke_access":"アクセス権の取消","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"アプリケーションへのアクセスを完全に削除してもよろしいですか?","Transaction_performed_by_[_1]_(App_ID:_[_2])":"[_1](App ID:[_2])によって取引が実行されました","Admin":"管理者","Read":"読む","Payments":"アフィリエイト報酬の支払いについて","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] パスワード回復の手順を初めから行うには、次のリンクをクリックしてください。","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"パスワードの再設定を完了しました。新しいパスワードでログインしてください。","Please_check_your_email_for_the_password_reset_link_":"ご登録いただいたメールアドレスに認証専用のURLを送信いたしました。","details":"詳細","Withdraw":"出金","Insufficient_balance_":"口座残高が不足しています","This_is_a_staging_server_-_For_testing_purposes_only":"これはテストを目的としたステージングサーバーです","The_server_endpoint_is:_[_2]":"サーバーの エンドポイント : [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"申し訳ありませんが、あなたの国から口座開設はできません。","There_was_a_problem_accessing_the_server_":"サーバーアクセスにエラーが発生しました。","There_was_a_problem_accessing_the_server_during_purchase_":"購入時にサーバーアクセスのエラーが発生がしました。","Should_be_a_valid_number_":"有効な数字を入力してください。","Should_be_more_than_[_1]":"[_1]を上回る必要があります","Should_be_less_than_[_1]":"[_1]より低い必要があります。","Should_be_between_[_1]_and_[_2]":"投資は、[_1]から[_2]の間である必要があります。","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"文字、数字、スペース、ハイフン(-)、ピリオド(.)、アポストロフィ(')のみご利用いただけます。","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"文字、スペース、ハイフン、ピリオド、アポストロフィのみご利用いただけます。","Only_letters,_numbers,_and_hyphen_are_allowed_":"文字、数字、ハイフンのみご利用いただけます。","Only_numbers,_space,_and_hyphen_are_allowed_":"数字、スペース、ハイフンのみご利用いただけます。","Only_numbers_and_spaces_are_allowed_":"数字とスペースのみご利用いただけます。","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"英数字、スペース、特殊文字(- . ' # ; : ( ) , @ /)のみご利用いただけます。","The_two_passwords_that_you_entered_do_not_match_":"入力頂いたパスワードと一致しません。","[_1]_and_[_2]_cannot_be_the_same_":"[_1] と [_2]を同じ内容にすることはできません。","You_should_enter_[_1]_characters_":"[_1]文字でご入力ください","Indicates_required_field":"入力必須項目です","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"ワンタイムパスワードに誤りがあります。メールに表示されているリンクをご利用ください。","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"入力されたパスワードは世界でよく使用されるパスワードです。パスワードの変更をおすすめします。","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"ヒント:このパスワードをクラックするには約[_1][_2]分を要します。","thousand":"千","million":"百万","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"文字または数字から始める必要があり、ハイフンや下線も含めることができます。","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"お客さまの住所は当社の自動システムで確認できませんでした。 続行できますが、住所が正しいか再度ご確認ください。","Validate_address":"住所確認","Congratulations!_Your_[_1]_Account_has_been_created_":"おめでとうございます![_1]口座の作成が完了しました。","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"口座番号[_2]の[_1]パスワード変更を承りました。","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_2]から口座番号[_3]への入金が完了しました。取引参照ID:[_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"口座番号[_2]から[_3]へのご出金が完了しました。取引参照ID:[_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"お客様の入出金はリクエストによりロックしました。 - 解除するにはこちらをクリックしてください。","Your_cashier_is_locked_":"入出金サービスにロックがかかっています。","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"バイナリー口座に十分な資金がありません。資金をご入金ください。","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"申し訳ございませんが、お客様の地域ではこの機能をご利用いただけません。","You_have_reached_the_limit_":"制限値に達しました。","Main_password":"メインパスワード","Investor_password":"トレーダーパスワード","Current_password":"現在のパスワード","New_password":"新しいパスワード","Demo_Standard":"デモ スタンダード","Standard":"スタンダード","Demo_Advanced":"デモ アドバンス","Advanced":"アドバンス","Demo_Volatility_Indices":"デモ ボラティリティ インデックス","Real_Standard":"リアル スタンダード","Real_Advanced":"リアル アドバンス","Real_Volatility_Indices":"リアル ボラティリティインデックス","Change_Password":"パスワード変更","Demo_Accounts":"デモ口座","Real-Money_Accounts":"リアルマネー口座","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"規制当局からの承認待ちのため、現在EU居住者の方はMT5をご利用いただけません。","[_1]_Account_[_2]":"[_1] 口座 [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"ボラティリティインデックスの差金決済取引(CFD)は全ての方に適しているわけではありません。MT5口座の全額を失う可能性など起こりうるリスクを十分に理解されてから行うようにしてください。投資にも中毒性はあります。責任をもって取引をするようにしてください。","Do_you_wish_to_continue?":"続行されますか?","for_account_[_1]":"口座番号[_1]用","Verify_Reset_Password":"リセットパスワード(確認用)","Reset_Password":"パスワード再設定","Please_check_your_email_for_further_instructions_":"手順などの詳細についてはメールをご確認ください。","Min":"最小","Max":"最大","Current_balance":"現在の残高","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]アカウントを認証[_2]して当社の機能を最大限活用しましょう","Please_set_the_[_1]currency[_2]_of_your_account_":"口座に使用する[_1]通貨[_2]をご選択ください。","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"入金制限を解除するには、[_1]自己制限[_2]から30日間の取引限度額を設定してください。","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"リアル口座へアップグレードされる前に%居住国[_2]を設定してください。","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"取引上限と出金限度額を引き上げるには下記財務評価書にご記入をお願いします。","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"出金制限及び取引制限を解除するには、[_1]口座情報の入力を完了[_2]していただく必要があります。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"出金制限及び取引制限を解除するには、[_1]契約締結前交付書面に同意[_2]いただく必要があります。","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"お客さまの口座は、現在ご利用制限が掛っております。[_1]カスタマーサポート[_2]までご連絡下さい。","Connection_error:_Please_check_your_internet_connection_":"接続エラー:インターネット接続状況をご確認ください。","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"ページを更新して頂くか、もう一度お試しください。","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1]では、適切に機能を果たす上でブラウザのウェブストレージが必要となります。ウェブストレージを有効にするか、ブラウザのプライベートモードを終了してください。","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"現在書類確認を行っております。詳細を確認されたい場合は、[_1]お問い合わせ[_2]ください。","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"お使いのブラウザ ([_1]) はこのサイトではサポートしていません。お手数ですが、他のブラウザのご利用ください。[_2]他のブラウザを確認する[_3]","Bid":"入札","Closed_Bid":"終了した入札","Create":"作成","Commodities":"コモディティ","Indices":"インデックス","Stocks":"株式","Volatility_Indices":"ボラティリティ指数","Set_Currency":"通貨選択","Please_choose_a_currency":"通貨を選択してください","Create_Account":"口座開設","Accounts_List":"口座リスト","[_1]_Account":"[_1]口座","Investment":"投資","Gaming":"ゲーム","Virtual":"デモ口座","Real":"リアルマネー口座","Bitcoin":"ビットコイン","Bitcoin_Cash":"ビットコインキャッシュ","Ether":"Ether(イーサ)","Ether_Classic":"イーサクラシック","Litecoin":"ライトコイン","ID_number_is_required_for_[_1]_":"登録番号は[_1]に必要となります。","Expiry_date_is_required_for_[_1]_":"有効期限は[_1]である必要があります。","Passport":"パスポート","ID_card":"身分証明書","Driving_licence":"運転免許証","Front_Side":"表面","Reverse_Side":"裏面","Front_and_reverse_side_photos_of_[_1]_are_required_":"写真付き[_1]の裏表面が必要です。","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]お客さまがご提示いただいた身分証明または住所証明[_2]は必要要件を満たしていませんでした。詳細またはその後の手順については、メールをご確認ください。","Following_file(s)_were_already_uploaded:_[_1]":"以下のファイルはアップロード済みです:[_1]","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Binary.comとは関係ないサードパーティのサイトにリダイレクトします。","Click_OK_to_proceed_":"OKをクリックして続行してください。"};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/ko.js b/src/javascript/_autogenerated/ko.js
index 5f2b9fd89642e..fbd5eceb46044 100644
--- a/src/javascript/_autogenerated/ko.js
+++ b/src/javascript/_autogenerated/ko.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['KO'] = {"Day":"일","Virtual_Account":"가상계좌","Real_Account":"실제계정","Tuesday":"화요일","Wednesday":"수요일","Friday":"금요일","Su":"일","Mo":"월","Tu":"화","We":"수","Th":"목","Fr":"금","Sa":"토","January":"1월","February":"2월","April":"4월","May":"5월","August":"8월","December":"12월","Jan":"1월","Feb":"2월","Mar":"3월","Apr":"4월","Jun":"6월","Jul":"7월","Aug":"8월","Sep":"9월","Oct":"10월","Nov":"11월","Dec":"12월","Next":"다음","Previous":"이전","Hour":"시간","Payout":"지불금","Duration":"기한","End_Time":"종료 시간","Contract_Confirmation":"계약확인","In/Out":"인/아웃","Even/Odd":"짝/홀","Up/Down":"업/다운","Touch/No_Touch":"터치/노 터치","Asians":"아시안","View":"보기","Final_price":"최종 가격","Chart":"차트","Explanation":"설명","All_markets_are_closed_now__Please_try_again_later_":"현재 모든 시장이 마감되었습니다. 나중에 다시 시도해주십시오.","Try_our_other_markets_":"다른 시장을 이용해보세요.","Crypto":"크립토","High-Close":"고가-종가","Close-Low":"종가-저가","High-Low":"고가-저가","Duration_up_to_7_days":"7일까지의 기간","Duration_above_7_days":"7일 이상의 기간","Forex":"외환","Please_select_the_checkbox_":"체크박스를 선택해주세요.","Female":"여성","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"입력하신 이메일 주소는 이미 사용중입니다. 만약 비밀번호를 잊으셨다면, 비밀번호 복구 도구 또는 저희 고객 서비스부서에 연락바랍니다.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"비밀번호는 소문자 및 대문자와 숫자를 포함해야 합니다.","Password_is_not_strong_enough_":"비밀번호가 취약합니다.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"가입해주셔서 감사합니다! 등록절차를 완료하기 위해 회원님의 이메일을 확인 해주세요.","Asset":"자산","Opens":"개장","Closes":"마감","Settles":"정착","Upcoming_Events":"예정된 행사","Closes_early_(at_21:00)":"조기 마감 (21:00시)","Christmas_Day":"성탄절","Fridays":"매주 금요일","today,_Fridays":"오늘, 매 금요일","Delete":"삭제","Please_select_a_valid_date_":"유효날짜를 선택해주세요.","Please_select_a_valid_time_":"유효시간을 선택해주세요.","Date":"날짜","Details":"상세정보","Sell":"판매","Buy":"구매","Virtual_money_credit_to_account":"계좌에 대한 가상금액신용","Japan":"일본","Weekday":"평일","Date_and_Time":"날짜와 시간","Browser":"브라우저","IP_Address":"IP 주소","logout":"로그아웃","[_1]_days_[_2]_hours_[_3]_minutes":"[_1]일 [_2]시간 [_3]분","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"귀하의 캐쉬어는 귀하의 요청에 의해 잠겨져 있습니다 - 제한을 푸시려면, 비밀번호를 입력해주세요.","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"캐쉬어 접근에 제한을 설정하기 위해 추가적인 비밀번호를 이용하실 수 있습니다.","Update":"업데이트","Sorry,_you_have_entered_an_incorrect_cashier_password":"죄송합니다. 잘못된 캐쉬어 비밀번호를 입력하셨습니다","Start_Time":"시작 시간","Description":"설명","Credit/Debit":"신용/직불","Contract_Information":"계약 정보","Current":"현재","Contract_has_not_started_yet":"계약이 아직 시작되지 않았습니다.","Current_Time":"현재 시간","Contract_Type":"계약 종류","Transaction_ID":"거래 ID","View_Chart":"차트 보기","Start_Time_and_Entry_Spot":"시작 시간 및 입력 공간","Payments":"지불","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1]비밀번호 복구 절차를 위해 아래의 링크를 클릭하세요.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"귀하의 비밀번호가 성공적으로 재설정되었습니다. 새 비밀번호를 이용하여 귀하의 계정에 로그인 바랍니다.","Please_check_your_email_for_the_password_reset_link_":"비밀번호 재설정 링크 확인을 위해 귀하의 이메일을 확인해 주세요.","Sorry,_account_signup_is_not_available_in_your_country_":"죄송합니다. 귀하의 나라에서는 계정 가입이 불가합니다.","The_two_passwords_that_you_entered_do_not_match_":"입력하신 두 비밀번호가 일치하지 않습니다.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"귀하께서 입력하신 비밀번호는 세계에서 가장 일반적으로 사용되는 비밀번호에 해당합니다. 이 비밀번호는 이용하실 수 없습니다.","Validate_address":"유효 주소","Main_password":"주 비밀번호","Investor_password":"투자자 비밀번호","Current_password":"현재 비밀번호","New_password":"새 비밀번호","Change_Password":"비밀번호 바꾸기","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Trading Contracts for Difference (CFD) pada Indeks Volatilitas mungkin tidak cocok untuk semua orang. Mohon pastikan dimana Anda sepenuhnya memahami risiko yang terlibat, termasuk kemungkinan akan kehilangan semua dana pada akun MT5 Anda.","Do_you_wish_to_continue?":"Apakah Anda ingin melanjutkan?","Reset_Password":"비밀번호 재설정","Volatility_Indices":"변동성 지수","Please_choose_a_currency":"화폐를 선택해주시기 바랍니다","Create_Account":"계정 만들기","Accounts_List":"계좌 목록","[_1]_Account":"[_1]계좌","Virtual":"가상","Bitcoin":"비트코인","Bitcoin_Cash":"비트코인 캐시","ID_number_is_required_for_[_1]_":"[_1]에 ID 번호가 요구되어집니다.","ID_card":"ID 카드","Driving_licence":"운전면허증","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Anda akan dialihkan ke situs web pihak ketiga yang bukan dimiliki oleh Binary.com.","Click_OK_to_proceed_":"Klik OK untuk melanjutkan."};
\ No newline at end of file
+texts_json['KO'] = {"Virtual":"가상","Bitcoin":"비트코인","Bitcoin_Cash":"비트코인 캐시","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"귀하께서 입력하신 비밀번호는 세계에서 가장 일반적으로 사용되는 비밀번호에 해당합니다. 이 비밀번호는 이용하실 수 없습니다.","Validate_address":"유효 주소","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Anda akan dialihkan ke situs web pihak ketiga yang bukan dimiliki oleh Binary.com.","Click_OK_to_proceed_":"Klik OK untuk melanjutkan.","[_1]_Account":"[_1]계좌","Create_Account":"계정 만들기","Accounts_List":"계좌 목록","End_Time":"종료 시간","Start_Time":"시작 시간","Crypto":"크립토","Please_select_the_checkbox_":"체크박스를 선택해주세요.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"비밀번호는 소문자 및 대문자와 숫자를 포함해야 합니다.","The_two_passwords_that_you_entered_do_not_match_":"입력하신 두 비밀번호가 일치하지 않습니다.","Next":"다음","January":"1월","February":"2월","April":"4월","May":"5월","August":"8월","December":"12월","Jan":"1월","Feb":"2월","Mar":"3월","Apr":"4월","Jun":"6월","Jul":"7월","Aug":"8월","Sep":"9월","Oct":"10월","Nov":"11월","Dec":"12월","Tuesday":"화요일","Wednesday":"수요일","Friday":"금요일","Su":"일","Mo":"월","Tu":"화","We":"수","Th":"목","Fr":"금","Sa":"토","Previous":"이전","Hour":"시간","State/Province":"주/지역","Email_address":"이메일 주소","Day":"일","Sorry,_account_signup_is_not_available_in_your_country_":"죄송합니다. 귀하의 나라에서는 계정 가입이 불가합니다.","Asset":"자산","Opens":"개장","Closes":"마감","Settles":"정착","Upcoming_Events":"예정된 행사","Even/Odd":"짝/홀","High-Close":"고가-종가","Close-Low":"종가-저가","High-Low":"고가-저가","Up/Down":"업/다운","In/Out":"인/아웃","Duration":"기한","Payout":"지불금","Try_our_other_markets_":"다른 시장을 이용해보세요.","Contract_Confirmation":"계약확인","View":"보기","Final_price":"최종 가격","Identity_card":"신분증","Driving_licence":"운전면허증","ID_number_is_required_for_[_1]_":"[_1]에 ID 번호가 요구되어집니다.","Current_password":"현재 비밀번호","New_password":"새 비밀번호","Date":"날짜","Details":"상세정보","Delete":"삭제","Payments":"지불","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"귀하의 캐쉬어는 귀하의 요청에 의해 잠겨져 있습니다 - 제한을 푸시려면, 비밀번호를 입력해주세요.","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"캐쉬어 접근에 제한을 설정하기 위해 추가적인 비밀번호를 이용하실 수 있습니다.","Update":"업데이트","Sorry,_you_have_entered_an_incorrect_cashier_password":"죄송합니다. 잘못된 캐쉬어 비밀번호를 입력하셨습니다","Date_and_Time":"날짜와 시간","Browser":"브라우저","IP_Address":"IP 주소","Please_select_a_valid_time_":"유효시간을 선택해주세요.","Description":"설명","Credit/Debit":"신용/직불","Real_Account":"실제계정","Forex":"외환","Volatility_Indices":"변동성 지수","Please_check_your_email_for_the_password_reset_link_":"비밀번호 재설정 링크 확인을 위해 귀하의 이메일을 확인해 주세요.","Sign_up":"가입하기","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Trading Contracts for Difference (CFD) pada Indeks Volatilitas mungkin tidak cocok untuk semua orang. Mohon pastikan dimana Anda sepenuhnya memahami risiko yang terlibat, termasuk kemungkinan akan kehilangan semua dana pada akun MT5 Anda.","Do_you_wish_to_continue?":"Apakah Anda ingin melanjutkan?","Change_Password":"비밀번호 바꾸기","Reset_Password":"비밀번호 재설정","Main_password":"주 비밀번호","Investor_password":"투자자 비밀번호","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"입력하신 이메일 주소는 이미 사용중입니다. 만약 비밀번호를 잊으셨다면, 비밀번호 복구 도구 또는 저희 고객 서비스부서에 연락바랍니다.","Password_is_not_strong_enough_":"비밀번호가 취약합니다.","[_1]_days_[_2]_hours_[_3]_minutes":"[_1]일 [_2]시간 [_3]분","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1]비밀번호 복구 절차를 위해 아래의 링크를 클릭하세요.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"귀하의 비밀번호가 성공적으로 재설정되었습니다. 새 비밀번호를 이용하여 귀하의 계정에 로그인 바랍니다.","Please_choose_a_currency":"화폐를 선택해주시기 바랍니다","Buy":"구매","Sell":"판매","Contract_has_not_started_yet":"계약이 아직 시작되지 않았습니다.","View_Chart":"차트 보기","Contract_Information":"계약 정보","Contract_Type":"계약 종류","Transaction_ID":"거래 ID","Current":"현재","Current_Time":"현재 시간","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"가입해주셔서 감사합니다! 등록절차를 완료하기 위해 회원님의 이메일을 확인 해주세요.","All_markets_are_closed_now__Please_try_again_later_":"현재 모든 시장이 마감되었습니다. 나중에 다시 시도해주십시오.","logout":"로그아웃","Asians":"아시안","Lookbacks":"룩백","Touch/No_Touch":"터치/노 터치","Christmas_Day":"성탄절","Closes_early_(at_21:00)":"조기 마감 (21:00시)","Fridays":"매주 금요일","today,_Fridays":"오늘, 매 금요일"};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/pl.js b/src/javascript/_autogenerated/pl.js
index 06a4a4f19f5f9..f24f6a94a1989 100644
--- a/src/javascript/_autogenerated/pl.js
+++ b/src/javascript/_autogenerated/pl.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['PL'] = {"Day":"Dzień","Month":"Miesiąc","Year":"Rok","Sorry,_an_error_occurred_while_processing_your_request_":"Przepraszamy, podczas przetwarzania Twojego żądania wystąpił błąd.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Aby zobaczyć tę stronę, [_1]zaloguj się[_2] lub [_3]zarejestruj[_4].","Click_here_to_open_a_Real_Account":"Kliknij tutaj, aby otworzyć prawdziwe konto","Open_a_Real_Account":"Otwórz Prawdziwe konto","Click_here_to_open_a_Financial_Account":"Kliknij tutaj, aby otworzyć konto finansowe","Open_a_Financial_Account":"Otwórz konto finansowe","Network_status":"Status sieci","Connecting_to_server":"Łączenie z serwerem","Virtual_Account":"Konto wirtualne","Real_Account":"Prawdziwe konto","Investment_Account":"Konto inwestycyjne","Gaming_Account":"Konto gracza","Sunday":"Niedziela","Monday":"Poniedziałek","Tuesday":"Wtorek","Wednesday":"Środa","Thursday":"Czwartek","Friday":"piątek","Saturday":"Sobota","Su":"Nd","Mo":"Pn","Tu":"Wt","We":"Śr","Th":"Cz","Fr":"Pt","Sa":"So","January":"Styczeń","February":"Luty","March":"Marzec","April":"Kwiecień","May":"Maj","June":"Czerwiec","July":"Lipiec","August":"Sierpień","September":"Wrzesień","October":"Październik","November":"Listopad","December":"Grudzień","Jan":"Styczeń","Feb":"Luty","Mar":"Marzec","Apr":"Kwiecień","Jun":"Czerwiec","Jul":"Lipiec","Aug":"Sierpień","Sep":"Wrzesień","Oct":"Październik","Nov":"Listopad","Dec":"Grudzień","Next":"Następny","Previous":"Poprzedni","Hour":"Godzina","Minute":"Minuta","Time_is_in_the_wrong_format_":"Czas został podany w nieprawidłowym formacie.","Purchase_Time":"Godzina zakupu","Charting_for_this_underlying_is_delayed":"Dla tego rynku podstawowego wykresy są opóźnione","Reset_Time":"Moment resetowania","Payout_Range":"Zakres wypłaty","Tick_[_1]":"Najmniejsza zmiana ceny [_1]","Ticks_history_returned_an_empty_array_":"Historia zmian ceny jest pusta.","Chart_is_not_available_for_this_underlying_":"Dla tego aktywa bazowego wykres nie jest dostępny.","year":"rok","month":"miesiąc","week":"Tydzień","day":"dzień","days":"dni","h":"godz.","hour":"godzina","hours":"godziny","min":"min.","minute":"minuta","minutes":"min","second":"sekunda","seconds":"sekundy","tick":"najmniejsza zmiana ceny","ticks":"najmniejsze zmiany ceny","Loss":"Strata","Profit":"Zysk","Payout":"Wypłata","Units":"Jednostki","Stake":"Stawka","Duration":"Czas trwania","End_Time":"Godzina zakończenia","Net_profit":"Zysk netto","Return":"Zwrot","Now":"Teraz","Contract_Confirmation":"Potwierdzenie kontraktu","Your_transaction_reference_is":"Kod referencyjny Twojej transakcji to","Rise/Fall":"Wzrost/spadek","Higher/Lower":"Wyższy/niższy","In/Out":"Zakłady w/poza","Matches/Differs":"Zgadza się/Różni się","Even/Odd":"Parzysta/nieparzysta","Over/Under":"Ponad/poniżej","Up/Down":"Góra/dół","Ends_Between/Ends_Outside":"Zakończy się w/ Zakończy się poza","Touch/No_Touch":"Osiągnie/Nie osiągnie","Stays_Between/Goes_Outside":"Pozostanie pomiędzy/ Przekroczy","Asians":"Azjatyckie","High/Low_Ticks":"Duże/małe zmiany ceny","Potential_Payout":"Możliwa wypłata","Maximum_Payout":"Maksymalna wypłata","Total_Cost":"Całkowity koszt","Potential_Profit":"Możliwy zysk","Maximum_Profit":"Maksymalny zysk","View":"Widok","Tick":"Zmiana ceny","Buy_price":"Cena kupna","Final_price":"Cena ostateczna","Long":"Długie","Short":"Krótkie","Chart":"Wykres","Explanation":"Wyjaśnienie","Last_Digit_Stats":"Statystyki ostatniej cyfry","Waiting_for_entry_tick_":"Oczekuje na pierwszą zmianę ceny.","Waiting_for_exit_tick_":"Oczekuje na końcową zmianę ceny.","Please_log_in_":"Proszę się zalogować.","All_markets_are_closed_now__Please_try_again_later_":"Wszystkie rynki są obecnie zamknięte. Prosimy spróbować później.","Account_balance:":"Saldo konta:","Try_our_[_1]Volatility_Indices[_2]_":"Wypróbuj nasze [_1]wskaźniki płynności[_2].","Try_our_other_markets_":"Wypróbuj nasze inne rynki.","Session":"Sesja","Crypto":"Krypto","Fiat":"Fiducjarna","High":"Wysoka","Low":"Niska","Close":"Zamknięcia","Payoff":"Wartość","High-Close":"Zamknięcia-Wysoka","Close-Low":"Zamknięcia-Niska","High-Low":"Wysoka-Niska","Search___":"Wyszukaj...","Select_Asset":"Wybór aktywa","The_reset_time_is_[_1]":"Czas resetowania to [_1]","Purchase":"Kup","Purchase_request_sent":"Zgłoszono chęć zakupu","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Aby określić wyrównanie limitu, dodaj +/–. Na przykład, +0.005 oznacza limit 0,005 wyższy od punktu początkowego.","Please_reload_the_page":"Załaduj stronę ponownie","Trading_is_unavailable_at_this_time_":"Handlowanie nie jest dostępne w tym czasie.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Twoje konto jest w pełni zweryfikowane, a Twój limit wypłat został zwiększony.","Your_withdrawal_limit_is_[_1]_[_2]_":"Twój limit wypłat wynosi [_2] [_1].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Twój limit wypłat to [_2] [_1] (lub jego ekwiwalent w innej walucie).","You_have_already_withdrawn_[_1]_[_2]_":"Wypłacono już [_2] [_1].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Już wypłaciłeś/aś ekwiwalent [_2] [_1].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Dlatego w chwili obecnej Twoja maksymalna natychmiastowa wypłata (o ile posiadasz na koncie wystarczające środki) wynosi [_2] [_1].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Dlatego w chwili obecnej Twoja maksymalna natychmiastowa wypłata (o ile posiadasz na koncie wystarczające środki) wynosi [_2] [_1] (lub równowartość tej kwoty w innej walucie).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Twój [_1]-dniowy limit wypłat wynosi obecnie [_3] [_2] (lub jego równowartość w innej walucie).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Łączny ekwiwalent [_2] [_1] został już wypłacony w ciągu ostatnich [_3] dni.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Kontrakty, w przypadku których limit jest taki sam jak punkt wejściowy.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Kontrakty, w przypadku których limit różni się od punktu wejściowego.","ATM":"Bankomat","Non-ATM":"Bez bankomatów","Duration_up_to_7_days":"Czas trwania do 7 dni","Duration_above_7_days":"Czas trwania przekraczający 7 dni","Major_Pairs":"Główne pary","This_field_is_required_":"To pole jest wymagane.","Please_select_the_checkbox_":"Proszę zaznaczyć pole wyboru.","Please_accept_the_terms_and_conditions_":"Proszę zaakceptować regulamin.","Only_[_1]_are_allowed_":"Dozwolone są tylko [_1].","letters":"litery","numbers":"liczby","space":"spacja","Sorry,_an_error_occurred_while_processing_your_account_":"Przepraszamy, wystąpił błąd podczas operacji na Twoim koncie.","Your_changes_have_been_updated_successfully_":"Zmiany zostały wprowadzone.","Your_settings_have_been_updated_successfully_":"Twoje ustawienia zostały pomyślnie zaktualizowane.","Please_select_a_country":"Proszę wybrać kraj","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Proszę potwierdzić, że wszystkie powyższe informacje są kompletne i prawdziwe.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Twój wniosek o uznanie za klienta profesjonalnego jest przetwarzany.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Zaklasyfikowano Cię jako klienta detalicznego. Złóż wniosek o uznanie za profesjonalnego gracza.","You_are_categorised_as_a_professional_client_":"Zaklasyfikowano Cię jako klienta profesjonalnego.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Twój token wygasł lub jest nieprawidłowy. Kliknij tutaj, aby ponownie rozpocząć proces weryfikacyjny.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Podany adres e-mail jest już w użyciu. Jeżeli nie pamiętasz hasła, skorzystaj z opcji odzyskiwania hasła lub skontaktuj się z obsługą klienta.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Hasło powinno zawierać wielkie i małe litery oraz cyfry.","Password_is_not_strong_enough_":"Hasło jest za słabe.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Limit czasu sesji zakończy się za [_1] s.","Invalid_email_address_":"Nieprawidłowy adres e-mail.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Dziękujemy za rejestrację! Sprawdź swoją skrzynkę e-mailową, aby ukończyć proces rejestracji.","Financial_Account":"Konto finansowe","Upgrade_now":"Uaktualnij teraz","Please_select":"Wybierz","Minimum_of_[_1]_characters_required_":"Minimalna liczba znaków: [_1].","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Potwierdź, że nie jesteś osobą zajmującą eksponowane stanowisko polityczne.","Asset":"Kapitał","Opens":"Otwarcie","Closes":"Zamknięcie","Settles":"Rozliczenie","Upcoming_Events":"Nadchodzące wydarzenia","Closes_early_(at_21:00)":"Zamykane wcześnie (o 21:00)","Closes_early_(at_18:00)":"Zamykane wcześnie (o 18:00)","New_Year's_Day":"Nowy Rok","Christmas_Day":"Boże Narodzenie","Fridays":"piątki","today":"dziś","today,_Fridays":"dziś, piątki","Please_select_a_payment_agent":"Proszę wybrać pośrednika płatności","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Usługi pośredników płatności są niedostępne w Twoim kraju lub w Twojej preferowanej walucie.","Invalid_amount,_minimum_is":"Nieprawidłowa kwota, minimum wynosi","Invalid_amount,_maximum_is":"Nieprawidłowa kwota, maksimum wynosi","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Twój wniosek o wypłatę [_2] [_1] z Twojego konta [_3] na konto pośrednika płatności [_4] został zrealizowany.","Up_to_[_1]_decimal_places_are_allowed_":"Dozwolonych jest do [_1] miejsc po przecinku.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Twój token wygasł lub jest nieprawidłowy. Kliknij [_1]tutaj[_2], aby ponownie rozpocząć proces weryfikacyjny.","New_token_created_":"Utworzono nowy token.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Maksymalna liczba tokenów ([_1]) została osiągnięta.","Name":"Nazwisko","Last_Used":"Ostatnio używane","Scopes":"Zakresy","Never_Used":"Nigdy nie użyte","Delete":"Usuń","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Czy na pewno chcesz trwale usunąć token","Please_select_at_least_one_scope":"Proszę wybrać przynajmniej jeden zakres","Guide":"Przewodnik","Finish":"Zakończ","Step":"Krok","Select_your_market_and_underlying_asset":"Wybierz swój rynek i aktywa bazowe","Select_your_trade_type":"Wybierz rodzaj zakładu","Adjust_trade_parameters":"Dostosuj parametry handlowe","Predict_the_directionand_purchase":"Oszacuj kierunek zmian i kup","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Przepraszamy, ta funkcja jest dostępna tylko dla kont wirtualnych.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_2] [_1] zostało odjęte z Twojego konta wirtualnego: [_3].","years":"lat(a)","months":"miesiące","weeks":"tygodnie","Your_changes_have_been_updated_":"Twoje zmiany zostały wprowadzone.","Please_enter_an_integer_value":"Wpisz liczbę całkowitą","Session_duration_limit_cannot_be_more_than_6_weeks_":"Limit czasu sesji nie może przekroczyć 6 tygodni.","You_did_not_change_anything_":"Nic nie zostało zmienione.","Please_select_a_valid_date_":"Proszę wybrać poprawną datę.","Please_select_a_valid_time_":"Proszę wybrać poprawny czas.","Time_out_cannot_be_in_the_past_":"Czas wyłączenia nie może być datą przeszłą.","Time_out_must_be_after_today_":"Okres wyłączenia musi się rozpoczynać jutro lub później.","Time_out_cannot_be_more_than_6_weeks_":"Czas wyłączenia nie może przekraczać 6 tygodni.","Exclude_time_cannot_be_less_than_6_months_":"Czas wyłączenia nie może być krótszy niż 6 miesięcy.","Exclude_time_cannot_be_for_more_than_5_years_":"Czas wyłączenia nie może być dłuższy niż 5 lat.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Po kliknięciu przycisku „OK” handlowanie na portalu nie będzie możliwe aż do wybranej daty.","Timed_out_until":"Okres wyłączenia do","Excluded_from_the_website_until":"Wyłączono z portalu do dnia","Ref_":"Nr ref.","Resale_not_offered":"Brak możliwości odsprzedaży","Date":"Data","Action":"Czynności","Contract":"Kontrakt","Sale_Date":"Data sprzedaży","Sale_Price":"Cena sprzedaży","Total_Profit/Loss":"Całkowity zysk/ całkowita strata","Your_account_has_no_trading_activity_":"NA Twoim koncie nie odnotowano żadnej aktywności handlowej.","Today":"Dziś","Details":"Szczegóły","Sell":"Sprzedaj","Buy":"Kup","Virtual_money_credit_to_account":"Wirtualne pieniądze zostały zaksięgowane na koncie","This_feature_is_not_relevant_to_virtual-money_accounts_":"Ta funkcja nie jest dostępna dla kont z wirtualnymi pieniędzmi.","Japan":"Japonia","Questions":"Pytania","True":"Prawda","False":"Fałsz","There_was_some_invalid_character_in_an_input_field_":"Nieprawidłowy znak w polu formularza.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Proszę zastosować schemat: 3 cyfry, myślnik, 4 cyfry.","Score":"Wynik","{JAPAN_ONLY}Take_knowledge_test":"Take knowledge test","{JAPAN_ONLY}Knowledge_Test_Result":"Knowledge Test Result","{JAPAN_ONLY}Knowledge_Test":"Knowledge Test","{JAPAN_ONLY}Sorry,_you_have_failed_the_test,_please_try_again_after_24_hours_":"Sorry, you have failed the test, please try again after 24 hours.","{JAPAN_ONLY}Please_complete_the_following_questions_":"Please complete the following questions.","{JAPAN_ONLY}The_test_is_unavailable_now,_test_can_only_be_taken_again_on_next_business_day_with_respect_of_most_recent_test_":"The test is unavailable now, test can only be taken again on next business day with respect of most recent test.","Weekday":"Dzień roboczy","Processing_your_request___":"Twa przetwarzanie Twojego żądania...","Please_check_the_above_form_for_pending_errors_":"Zapoznaj się z listą nierozwiązanych błędów w powyższym formularzu.","Asian_Up":"Azjatyckie – Wzrost","Asian_Down":"Azjatyckie – Spadek","Digit_Matches":"Cyfra zgadza się","Digit_Differs":"Cyfra nie zgadza się","Digit_Odd":"Cyfra nieparzysta","Digit_Even":"Cyfra parzysta","Digit_Over":"Cyfra większa","Digit_Under":"Cyfra mniejsza","Call_Spread":"Spread zakupu","Put_Spread":"Spread sprzedaży","High_Tick":"Duże zmiany ceny","Low_Tick":"Mała zmiana ceny","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] jest wartością wyższą niż wartość limitu lub równą tej wartości w momencie zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] jest wartością niższą niż wartość limitu w momencie zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] nie osiągnie limitu aż do zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] osiągnie wartość limitu do momentu zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] zatrzyma się pomiędzy dolną i górną wartością limitu w momencie zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] będzie wartością w przedziale między dolną i górną wartością limitu w momencie zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] pozostanie w przedziale między dolną i górną wartością limitu w momencie zamknięcia [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] będzie wartością nie mieszczącą się w przedziale między dolną i górną wartością limitu do momentu zamknięcia [_4].","Higher":"Wyższe","Higher_or_equal":"Wyższe lub równe","Lower":"Niższe","Lower_or_equal":"Niższe lub równe","Touches":"Osiąga","Does_Not_Touch":"Nie osiąga","Ends_Between":"Kończy się pomiędzy","Ends_Outside":"Kończy się poza","Stays_Between":"Pozostaje pomiędzy","Goes_Outside":"Przekroczy","All_barriers_in_this_trading_window_are_expired":"Wszystkie limity widoczne w tym oknie handlowania wygasły","Remaining_time":"Pozostały czas","Market_is_closed__Please_try_again_later_":"Rynek jest zamknięty. Prosimy spróbować później.","This_symbol_is_not_active__Please_try_another_symbol_":"Ten symbol jest nieaktywny. Użyj innego symbolu.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Przepraszamy, Twoje konto nie ma uprawnień do kolejnych zakupów kontraktów.","Lots":"Partie","Payout_per_lot_=_1,000":"Wypłata przypadająca na partię = 1000","This_page_is_not_available_in_the_selected_language_":"Ta strona jest niedostępna w wybranym języku.","Trading_Window":"Okno handlowe","Percentage":"Procent","Digit":"Cyfra","Amount":"Kwota","Deposit":"Wpłata","Withdrawal":"Wypłata","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Twój wniosek o przelanie [_2] [_1] z [_3] na [_4] został zrealizowany.","Date_and_Time":"Data i godzina transakcji","Browser":"Przeglądarka","IP_Address":"Adres IP","Successful":"Zakończono powodzeniem","Failed":"Zakończone niepowodzeniem","Your_account_has_no_Login/Logout_activity_":"Na Twoim koncie nie odnotowano żadnej aktywności związanej z logowaniem/wylogowywaniem.","logout":"Wyloguj","Please_enter_a_number_between_[_1]_":"Proszę wpisać liczbę z przedziału [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] dni [_2] godz. [_3] min","Your_trading_statistics_since_[_1]_":"Twoje statystyki handlowe od [_1].","Unlock_Cashier":"Odblokuj sekcję Kasjer","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Sekcja Kasjer została zablokowana na Twoją prośbę - jeśli chcesz ją odblokować, prosimy o podanie hasła.","Lock_Cashier":"Zablokuj sekcję Kasjer","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Dodatkowe hasło może być wykorzystane do ograniczania dostępu do sekcji Kasjer.","Update":"Aktualizuj","Sorry,_you_have_entered_an_incorrect_cashier_password":"Przepraszamy, wpisano nieprawidłowe hasło do kasjera","You_have_reached_the_withdrawal_limit_":"Został osiągnięty Twój limit wypłat.","Start_Time":"Godzina rozpoczęcia","Entry_Spot":"Pozycja wejściowa","Low_Barrier":"Dolny limit","High_Barrier":"Górny limit","Reset_Barrier":"Limit resetowania","Average":"Średnia","This_contract_won":"Ten kontrakt wygrał","This_contract_lost":"Ten kontrakt przegrał","Spot":"Cena aktualna","Barrier":"Limit","Target":"Cel","Equals":"Równa się","Not":"Nie","Description":"Opis","Credit/Debit":"Winien/Ma","Balance":"Saldo","Purchase_Price":"Cena zakupu","Profit/Loss":"Zysk/Strata","Contract_Information":"Informacje o kontrakcie","Contract_Result":"Wynik kontraktu","Current":"Obecne","Open":"Otwarcie","Closed":"Zamknięte","Contract_has_not_started_yet":"Kontrakt jeszcze się nie rozpoczął","Spot_Time":"Czas spot","Spot_Time_(GMT)":"Czas Spot (GMT)","Current_Time":"Obecny czas","Exit_Spot_Time":"Czas punktu wyjściowego","Exit_Spot":"Punkt wyjściowy","Indicative":"Orientacyjny","There_was_an_error":"Wystąpił błąd","Sell_at_market":"Sprzedawaj na rynku","You_have_sold_this_contract_at_[_1]_[_2]":"Sprzedano ten kontrakt po cenie [_2] [_1]","Your_transaction_reference_number_is_[_1]":"Numer referencyjny Twojej transakcji to [_1]","Tick_[_1]_is_the_highest_tick":"Zmiana ceny: [_1] jest największą zmianą","Tick_[_1]_is_not_the_highest_tick":"Zmiana ceny: [_1] nie jest największą zmianą","Tick_[_1]_is_the_lowest_tick":"Zmiana ceny: [_1] jest najmniejszą zmianą","Tick_[_1]_is_not_the_lowest_tick":"Zmiana ceny: [_1] nie jest najmniejszą zmianą","Note":"Uwaga","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Kontrakty będą sprzedawane po obowiązującej cenie rynkowej po dotarciu wniosku na nasze serwery. Cena może różnić się od podanej ceny.","Contract_Type":"Rodzaj kontraktu","Transaction_ID":"ID transakcji","Remaining_Time":"Pozostały czas","Barrier_Change":"Zmiana limitu","Audit":"Audyt","Audit_Page":"Strona audytowa","View_Chart":"Zobacz wykres","Contract_Starts":"Kontrakt zaczyna się","Contract_Ends":"Kontrakt kończy się","Start_Time_and_Entry_Spot":"Czas rozpoczęcia i punkt wejściowy","Exit_Time_and_Exit_Spot":"Czas zakończenia i punkt wyjściowy","You_can_close_this_window_without_interrupting_your_trade_":"Możesz zamknąć te okno; nie będzie to miało żadnego wpływu na zakład.","Selected_Tick":"Wybrana najmniejsza zmiana ceny","Highest_Tick":"Największa zmiana ceny","Highest_Tick_Time":"Czas największej zmiany ceny","Lowest_Tick":"Najmniejsza zmiana ceny","Lowest_Tick_Time":"Czas najmniejszej zmiany ceny","Close_Time":"Czas zamknięcia","Please_select_a_value":"Proszę wybrać wartość","You_have_not_granted_access_to_any_applications_":"Nie przyznano Ci dostępu do żadnej aplikacji.","Permissions":"Pozwolenia","Never":"Nigdy","Revoke_access":"Zablokowanie dostępu","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Czy na pewno chcesz na stałe wyłączyć dostęp do aplikacji","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transakcja dokonana przez [_1] (App ID: [_2])","Read":"Odczyt","Payments":"Płatności","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Aby ponownie rozpocząć proces odzyskiwania konta, kliknij poniższe łącze.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Twoje hasło zostało zresetowane. Zaloguj się na swoje konto, używając swojego nowego hasła.","Please_check_your_email_for_the_password_reset_link_":"Sprawdź swoją skrzynkę e-mailową, na którą przesłaliśmy łącze do zresetowania hasła.","details":"szczegóły","Withdraw":"Wypłata","Insufficient_balance_":"Niewystarczające saldo.","This_is_a_staging_server_-_For_testing_purposes_only":"To jest serwer testowy służący wyłącznie testowaniu","The_server_endpoint_is:_[_2]":"Punkt końcowy serwera to: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Przepraszamy, zarejestrowanie konta nie jest możliwe w Twoim kraju.","There_was_a_problem_accessing_the_server_":"Wystąpił błąd podczas uzyskiwania dostępu do serwera.","There_was_a_problem_accessing_the_server_during_purchase_":"Wystąpił błąd podczas uzyskiwania dostępu do serwera w trakcie zakupu.","Should_be_a_valid_number_":"Powinien to być prawidłowy numer.","Should_be_more_than_[_1]":"Wartość powinna być większa niż [_1]","Should_be_less_than_[_1]":"Wartość powinna być mniejsza niż [_1]","Should_be_[_1]":"Powinno być [_1]","Should_be_between_[_1]_and_[_2]":"Wartość powinna wynosić od [_1] do [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Dozwolone są wyłącznie litery, cyfry, znak spacji, myślnik, kropka i apostrof.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Dozwolone są tylko litery, spacja, myślniki, kropki i apostrof.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Dozwolone są tylko litery, cyfry i myślnik.","Only_numbers,_space,_and_hyphen_are_allowed_":"Dozwolone są tylko liczby, spacje i myślnik.","Only_numbers_and_spaces_are_allowed_":"Dozwolone są liczby i spacje.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Dozwolone są tylko litery, liczby, spacja i następujące znaki specjalne: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Wprowadzone hasła nie są identyczne.","[_1]_and_[_2]_cannot_be_the_same_":"Wartości [_1] i [_2] nie mogą być takie same.","You_should_enter_[_1]_characters_":"Proszę wprowadzić następującą liczbę znaków: [_1].","Indicates_required_field":"Wskazuje wymagane pole","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Kod weryfikacyjny jest nieprawidłowy. Skorzystaj z łącza przesłanego na Twój adres e-mail.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Wprowadzone hasło to jedne z najczęściej stosowanych haseł na świecie. Nie powinno być one używane.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Podpowiedź: Złamanie tego hasła zajmie około [_1][_2].","thousand":"tysiąc","million":"milion","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Powinno rozpoczynać się od litery lub cyfry i może zawierać myślnik i podkreślnik.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Nasz automatyczny system nie zdołał zweryfikować Twojego adresu. Możesz kontynuować, ale upewnij się, że Twoje dane adresowe są kompletne.","Validate_address":"Zatwierdź adres","Congratulations!_Your_[_1]_Account_has_been_created_":"Gratulacje! Twoje konto [_1] zostało utworzone.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Hasło [_1] do konta o numerze [_2] zostało zmienione.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Dokonano wpłaty [_1] na konto o numerze [_3]. Identyfikator transakcji: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Dokonano wypłaty [_1] z konta o numerze [_2] na konto [_3]. Identyfikator transakcji: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Sekcja Kasjer została zablokowana na Twoją prośbę - jeśli chcesz ją odblokować, prosimy kliknąć tutaj.","Your_cashier_is_locked_":"Twoja sekcja Kasjer jest zablokowana.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Masz niewystarczające środki na swoim koncie Binary. Dodaj środki.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Niestety ta funkcja jest niedostępna w Twojej jurysdykcji.","You_have_reached_the_limit_":"Osiągnięto limit.","Main_password":"Hasło główne","Investor_password":"Hasło inwestora","Current_password":"Aktualne hasło","New_password":"Nowe hasło","Demo_Standard":"Demo standardowe","Standard":"Standardowe","Demo_Advanced":"Demo zaawansowane","Advanced":"Zaawansowane","Demo_Volatility_Indices":"Wsk. zmienności demo","Real_Standard":"Wysoki standard","Real_Advanced":"Prawdziwe zaawansowane","Real_Volatility_Indices":"Prawdziwe wsk. zmienności","MAM_Advanced":"MAM zaawansowane","MAM_Volatility_Indices":"Wskaźniki zmienności MAM","Change_Password":"Zmień hasło","Demo_Accounts":"Konta Demo","Demo_Account":"Konto Demo","Real-Money_Accounts":"Konta z prawdziwymi pieniędzmi","Real-Money_Account":"Konto z prawdziwymi pieniędzmi","MAM_Accounts":"Konta MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Nasza usługa MT5 jest obecnie niedostępna dla mieszkańców EU, gdyż oczekujemy na zgodę regulacyjną.","[_1]_Account_[_2]":"[_1] Konto [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Handel Wskaźnikami zmienności opartymi na kontraktach na różnice kursowe (CFD) może nie być odpowiedni dla każdego. Upewnij się, że w pełni rozumiesz ryzyko z nim związane, w tym możliwość utraty wszystkich środków zgromadzonych na Twoim koncie MT5. Hazard może uzależniać – prosimy o rozsądną grę.","Do_you_wish_to_continue?":"Chcesz kontynuować?","for_account_[_1]":"dla konta [_1]","Verify_Reset_Password":"Zweryfikuj zresetowane hasło","Reset_Password":"Zresetuj hasło","Please_check_your_email_for_further_instructions_":"Sprawdź wiadomość e-mail z dalszymi informacjami.","Revoke_MAM":"Odwołaj MAM","Manager_successfully_revoked":"Menedżer został odwołany","Min":"Min.","Max":"Maks.","Current_balance":"Obecne saldo","Withdrawal_limit":"Limit wypłat","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Zweryfikuj swoje konto[_2] już teraz, aby w pełni korzystać ze wszystkich dostępnych metod płatności.","Please_set_the_[_1]currency[_2]_of_your_account_":"Ustaw [_1]walutę[_2] swojego konta.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Aby usunąć limity wpłat, proszę ustawić 30-dniowy limit obrotów w sekcji dot. [_1]samodzielnego wykluczenia[_2].","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Przed aktualizacją do konta z prawdziwymi pieniędzmi ustaw [_1]kraj zamieszkania[_2].","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Aby podnieść swoje limity wypłat i limity handlowe, wypełnij [_1]formularz oceny sytuacji finansowej[_2].","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Aby podnieść wysokość limitów wypłat i limitów handlowych, [_1]uzupełnij swój profil[_1].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Aby podnieść wysokość limitów wypłat i limitów handlowych, proszę [_1]zaakceptować zaktualizowany regulamin[_1].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Na Twoje konto zostały nałożone ograniczenia. [_1]Skontaktuj się z obsługą klienta[_2], aby uzyskać pomoc.","Connection_error:_Please_check_your_internet_connection_":"Błąd połączenia: sprawdż połączenie internetowe","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Osiągnięto maksymalną liczbę żądań na sekundę. Spróbuj jeszcze raz.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] wymaga włączenia w przeglądarce funkcji przechowywania internetowego (Web Storage), aby zapewnić poprawne działanie. Włącz tę funkcję lub wyłącz tryb przeglądania prywatnego.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Sprawdzamy Twoje dokumenty. Aby uzyskać więcej informacji, [_1]skontaktuj się z nami[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Opcja dokonywania wpłat i wypłat została wyłączona na Twoim koncie. Sprawdź swoją skrzynkę e-mailową, aby uzyskać więcej informacji.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Handlowanie i dokonywanie wypłat zostało wyłączone na Twoim koncie. [_1]Skontaktuj się z działem obsługi klienta[_2], aby uzyskać wsparcie.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Handlowanie opcjami binarnymi zostało wyłączone na Twoim koncie. [_1]Skontaktuj się z działem obsługi klienta[_2], aby uzyskać wsparcie.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Opcja dokonywania wypłat została wyłączona na Twoim koncie. Sprawdź swoją skrzynkę e-mailową, aby uzyskać więcej informacji.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Opcja dokonywania wypłat z MT5 została wyłączona na Twoim koncie. Sprawdź swoją skrzynkę e-mailową, aby uzyskać więcej informacji.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Zanim przejdziesz dalej, uzupełnij swoje [_1]dane osobowe[_2].","Account_Authenticated":"Konto zweryfikowane","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"Na terenie UE finansowe opcje binarne są dostępne wyłącznie dla inwestorów profesjonalnych.","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Twoja przeglądarka internetowa ([_1]) jest nieaktualna, co może negatywnie wpływać na korzystanie z portalu handlowego. Przejdź dalej na własne ryzyko lub [_2]zaktualizuj przeglądarkę[_3]","Bid":"Oferta kupna","Closed_Bid":"Zamknięte oferty","Create":"Utwórz","Commodities":"Towary","Indices":"Wskaźniki","Stocks":"Akcje","Volatility_Indices":"Zmienne wskaźniki","Set_Currency":"Ustaw walutę","Please_choose_a_currency":"Proszę wybrać walutę","Create_Account":"Załóż konto","Accounts_List":"Lista kont","[_1]_Account":"Konto [_1]","Investment":"Inwestowanie","Gaming":"Gra hazardowa","Virtual":"Wirtualne","Real":"Prawdziwe","Counterparty":"Kontrahent","This_account_is_disabled":"To konto jest wyłączone","This_account_is_excluded_until_[_1]":"To konto jest wyłączone z handlowania do [_1]","Bitcoin_Cash":"Gotówka bitcoin","Invalid_document_format_":"Nieprawidłowy format dokumentu.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Rozmiar pliku ([_1]) przekracza dozwolony limit. Maksymalny dozwolony rozmiar pliku: [_2]","ID_number_is_required_for_[_1]_":"Numer dowodu jest wymagany w przypadku [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"W przypadku numeru ID ([_1]) akceptowane są wyłącznie litery, cyfry, znak spacji i podkreślenia oraz łącznik.","Expiry_date_is_required_for_[_1]_":"Data wygaśnięcia jest wymagana w przypadku [_1].","Passport":"Paszport","ID_card":"Dowód osobisty","Driving_licence":"Prawo jazdy","Front_Side":"Przednia strona","Reverse_Side":"Tylna strona","Front_and_reverse_side_photos_of_[_1]_are_required_":"Wymagane jest zdjęcie przedniej i tylnej strony [_1].","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Twój dokument potwierdzający tożsamość lub dane adresowe[_2] nie spełnił naszych wymogów. Wysłaliśmy dalsze instrukcje drogą e-mailową.","Following_file(s)_were_already_uploaded:_[_1]":"Następujące pliki zostały już przesłane: [_1]","Checking":"Sprawdzanie","Checked":"Sprawdzono","Pending":"Oczekujące","Submitting":"Wysyłanie","Submitted":"Wysłano","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Nastąpi przekierowanie do witryny internetowej strony trzeciej, której właścicielem nie jest Binary.com.","Click_OK_to_proceed_":"Kliknij OK, aby przejść dalej.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Uwierzytelnianie dwuskładnikowe na Twoim koncie zostało włączone.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Uwierzytelnianie dwuskładnikowe na Twoim koncie zostało wyłączone.","Enable":"Włącz","Disable":"Wyłącz"};
\ No newline at end of file
+texts_json['PL'] = {"Real":"Prawdziwe","Investment":"Inwestowanie","Gaming":"Gra hazardowa","Virtual":"Wirtualne","Bitcoin_Cash":"Gotówka bitcoin","Connecting_to_server":"Łączenie z serwerem","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Wprowadzone hasło to jedne z najczęściej stosowanych haseł na świecie. Nie powinno być one używane.","million":"milion","thousand":"tysiąc","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Podpowiedź: Złamanie tego hasła zajmie około [_1][_2].","years":"lat(a)","days":"dni","Validate_address":"Zatwierdź adres","Unknown_OS":"Nieznany system operacyjny","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Nastąpi przekierowanie do witryny internetowej strony trzeciej, której właścicielem nie jest Binary.com.","Click_OK_to_proceed_":"Kliknij OK, aby przejść dalej.","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"Upewnij się, że na Twoim urządzeniu jest zainstalowana aplikacja Telegram.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] wymaga włączenia w przeglądarce funkcji przechowywania internetowego (Web Storage), aby zapewnić poprawne działanie. Włącz tę funkcję lub wyłącz tryb przeglądania prywatnego.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Aby zobaczyć tę stronę, [_1]zaloguj się[_2] lub [_3]zarejestruj[_4].","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Przepraszamy, ta funkcja jest dostępna tylko dla kont wirtualnych.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Ta funkcja nie jest dostępna dla kont z wirtualnymi pieniędzmi.","[_1]_Account":"Konto [_1]","Click_here_to_open_a_Financial_Account":"Kliknij tutaj, aby otworzyć konto finansowe","Click_here_to_open_a_Real_Account":"Kliknij tutaj, aby otworzyć prawdziwe konto","Open_a_Financial_Account":"Otwórz konto finansowe","Open_a_Real_Account":"Otwórz Prawdziwe konto","Create_Account":"Załóż konto","Accounts_List":"Lista kont","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Zweryfikuj swoje konto[_2] już teraz, aby w pełni korzystać ze wszystkich dostępnych metod płatności.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Opcja dokonywania wpłat i wypłat została wyłączona na Twoim koncie. Sprawdź swoją skrzynkę e-mailową, aby uzyskać więcej informacji.","Please_set_the_[_1]currency[_2]_of_your_account_":"Ustaw [_1]walutę[_2] swojego konta.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Twój dokument potwierdzający tożsamość lub dane adresowe[_2] nie spełnił naszych wymogów. Wysłaliśmy dalsze instrukcje drogą e-mailową.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Sprawdzamy Twoje dokumenty. Aby uzyskać więcej informacji, [_1]skontaktuj się z nami[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Na Twoje konto zostały nałożone ograniczenia. [_1]Skontaktuj się z obsługą klienta[_2], aby uzyskać pomoc.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Aby usunąć limity wpłat, ustaw swój [_1]30-dniowy limit obrotu[_2].","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Handlowanie opcjami binarnymi zostało wyłączone na Twoim koncie. [_1]Skontaktuj się z działem obsługi klienta[_2], aby uzyskać wsparcie.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Opcja dokonywania wypłat z MT5 została wyłączona na Twoim koncie. Sprawdź swoją skrzynkę e-mailową, aby uzyskać więcej informacji.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Zanim przejdziesz dalej, uzupełnij swoje [_1]dane osobowe[_2].","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Przed aktualizacją do konta z prawdziwymi pieniędzmi ustaw [_1]kraj zamieszkania[_2].","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Aby podnieść swoje limity wypłat i limity handlowe, wypełnij [_1]formularz oceny sytuacji finansowej[_2].","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Aby podnieść wysokość limitów wypłat i limitów handlowych, [_1]uzupełnij swój profil[_1].","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Handlowanie i dokonywanie wypłat zostało wyłączone na Twoim koncie. [_1]Skontaktuj się z działem obsługi klienta[_2], aby uzyskać wsparcie.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Opcja dokonywania wypłat została wyłączona na Twoim koncie. Sprawdź swoją skrzynkę e-mailową, aby uzyskać więcej informacji.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Proszę [_1]zaakceptować zaktualizowany regulamin[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Aby podnieść wysokość limitów wpłat i limitów handlowych, proszę [_1]zaakceptować zaktualizowany regulamin[_1].","Account_Authenticated":"Konto zweryfikowane","Connection_error:_Please_check_your_internet_connection_":"Błąd połączenia: sprawdż połączenie internetowe","Network_status":"Status sieci","This_is_a_staging_server_-_For_testing_purposes_only":"To jest serwer testowy służący wyłącznie testowaniu","The_server_endpoint_is:_[_2]":"Punkt końcowy serwera to: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Twoja przeglądarka internetowa ([_1]) jest nieaktualna, co może negatywnie wpływać na korzystanie z portalu handlowego. Przejdź dalej na własne ryzyko lub [_2]zaktualizuj przeglądarkę[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Osiągnięto maksymalną liczbę żądań na sekundę. Spróbuj jeszcze raz.","Please_select":"Wybierz","There_was_some_invalid_character_in_an_input_field_":"Nieprawidłowy znak w polu formularza.","Please_accept_the_terms_and_conditions_":"Proszę zaakceptować regulamin.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Potwierdź, że nie jesteś osobą zajmującą eksponowane stanowisko polityczne.","Today":"Dziś","Barrier":"Limit","End_Time":"Godzina zakończenia","Entry_Spot":"Pozycja wejściowa","Exit_Spot":"Punkt wyjściowy","Charting_for_this_underlying_is_delayed":"Dla tego rynku podstawowego wykresy są opóźnione","Highest_Tick":"Największa zmiana ceny","Lowest_Tick":"Najmniejsza zmiana ceny","Payout_Range":"Zakres wypłaty","Purchase_Time":"Godzina zakupu","Reset_Barrier":"Limit resetowania","Reset_Time":"Moment resetowania","Start/End_Time":"Czas rozpoczęcia/zakończenia","Selected_Tick":"Wybrana najmniejsza zmiana ceny","Start_Time":"Godzina rozpoczęcia","Fiat":"Fiducjarna","Crypto":"Krypto","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Kod weryfikacyjny jest nieprawidłowy. Skorzystaj z łącza przesłanego na Twój adres e-mail.","Indicates_required_field":"Wskazuje wymagane pole","Please_select_the_checkbox_":"Proszę zaznaczyć pole wyboru.","This_field_is_required_":"To pole jest wymagane.","Should_be_a_valid_number_":"Powinien to być prawidłowy numer.","Up_to_[_1]_decimal_places_are_allowed_":"Dozwolonych jest do [_1] miejsc po przecinku.","Should_be_[_1]":"Powinno być [_1]","Should_be_between_[_1]_and_[_2]":"Wartość powinna wynosić od [_1] do [_2]","Should_be_more_than_[_1]":"Wartość powinna być większa niż [_1]","Should_be_less_than_[_1]":"Wartość powinna być mniejsza niż [_1]","Invalid_email_address_":"Nieprawidłowy adres e-mail.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Hasło powinno zawierać wielkie i małe litery oraz cyfry.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Dozwolone są wyłącznie litery, cyfry, znak spacji, myślnik, kropka i apostrof.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Dozwolone są tylko litery, liczby, spacja i następujące znaki specjalne: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Dozwolone są tylko litery, spacja, myślniki, kropki i apostrof.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Dozwolone są tylko litery, cyfry, spacja i myślnik.","The_two_passwords_that_you_entered_do_not_match_":"Wprowadzone hasła nie są identyczne.","[_1]_and_[_2]_cannot_be_the_same_":"Wartości [_1] i [_2] nie mogą być takie same.","Minimum_of_[_1]_characters_required_":"Minimalna liczba znaków: [_1].","You_should_enter_[_1]_characters_":"Proszę wprowadzić następującą liczbę znaków: [_1].","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Powinno rozpoczynać się od litery lub cyfry i może zawierać myślnik i podkreślnik.","Invalid_verification_code_":"Nieprawidłowy kod weryfikacyjny.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transakcja dokonana przez [_1] (App ID: [_2])","Guide":"Przewodnik","Next":"Następny","Finish":"Zakończ","Step":"Krok","Select_your_market_and_underlying_asset":"Wybierz swój rynek i aktywa bazowe","Select_your_trade_type":"Wybierz rodzaj zakładu","Adjust_trade_parameters":"Dostosuj parametry handlowe","Predict_the_directionand_purchase":"Oszacuj kierunek zmian i kup","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Limit czasu sesji zakończy się za [_1] s.","January":"Styczeń","February":"Luty","March":"Marzec","April":"Kwiecień","May":"Maj","June":"Czerwiec","July":"Lipiec","August":"Sierpień","September":"Wrzesień","October":"Październik","November":"Listopad","December":"Grudzień","Jan":"Styczeń","Feb":"Luty","Mar":"Marzec","Apr":"Kwiecień","Jun":"Czerwiec","Jul":"Lipiec","Aug":"Sierpień","Sep":"Wrzesień","Oct":"Październik","Nov":"Listopad","Dec":"Grudzień","Sunday":"Niedziela","Monday":"Poniedziałek","Tuesday":"Wtorek","Wednesday":"Środa","Thursday":"Czwartek","Friday":"piątek","Saturday":"Sobota","Su":"Nd","Mo":"Pn","Tu":"Wt","We":"Śr","Th":"Cz","Fr":"Pt","Sa":"So","Previous":"Poprzedni","Hour":"Godzina","Minute":"Minuta","Min":"Min.","Max":"Maks.","Current_balance":"Obecne saldo","Withdrawal_limit":"Limit wypłat","Withdraw":"Wypłata","Deposit":"Wpłata","State/Province":"Stan/prowincja","Country":"Kraj","Town/City":"Miasto","First_line_of_home_address":"Pierwsza część adresu zamieszkania","Postal_Code_/_ZIP":"Kod pocztowy","Telephone":"Telefon","Email_address":"Adres e-mail","details":"szczegóły","Your_cashier_is_locked_":"Twoja sekcja Kasjer jest zablokowana.","You_have_reached_the_withdrawal_limit_":"Został osiągnięty Twój limit wypłat.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Usługi pośredników płatności są niedostępne w Twoim kraju lub w Twojej preferowanej walucie.","Please_select_a_payment_agent":"Proszę wybrać pośrednika płatności","Amount":"Kwota","Insufficient_balance_":"Niewystarczające saldo.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Twój wniosek o wypłatę [_2] [_1] z Twojego konta [_3] na konto pośrednika płatności [_4] został zrealizowany.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Twój token wygasł lub jest nieprawidłowy. Kliknij [_1]tutaj[_2], aby ponownie rozpocząć proces weryfikacyjny.","Please_[_1]deposit[_2]_to_your_account_":"Dokonaj [_1]wpłaty[_2] na swoje konto.","minute":"minuta","minutes":"min","h":"godz.","day":"dzień","week":"Tydzień","weeks":"tygodnie","month":"miesiąc","months":"miesiące","year":"rok","Month":"Miesiąc","Months":"Miesiące","Day":"Dzień","Days":"Dni","Hours":"Godziny","Minutes":"Minuty","Second":"Sekunda","Seconds":"Sekundy","Higher":"Wyższe","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] jest wartością wyższą niż wartość limitu lub równą tej wartości w momencie zamknięcia [_4].","Lower":"Niższe","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] jest wartością niższą niż wartość limitu w momencie zamknięcia [_4].","Touches":"Osiąga","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] osiągnie wartość limitu do momentu zamknięcia [_4].","Does_Not_Touch":"Nie osiąga","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] nie osiągnie limitu aż do zamknięcia [_4].","Ends_Between":"Kończy się pomiędzy","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] zatrzyma się pomiędzy dolną i górną wartością limitu w momencie zamknięcia [_4].","Ends_Outside":"Kończy się poza","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] będzie wartością w przedziale między dolną i górną wartością limitu w momencie zamknięcia [_4].","Stays_Between":"Pozostaje pomiędzy","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] pozostanie w przedziale między dolną i górną wartością limitu w momencie zamknięcia [_4].","Goes_Outside":"Przekroczy","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Wypłata w wysokości [_2] [_1], jeśli [_3] będzie wartością nie mieszczącą się w przedziale między dolną i górną wartością limitu do momentu zamknięcia [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Przepraszamy, Twoje konto nie ma uprawnień do kolejnych zakupów kontraktów.","Please_log_in_":"Proszę się zalogować.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Niestety ta funkcja jest niedostępna w Twojej jurysdykcji.","This_symbol_is_not_active__Please_try_another_symbol_":"Ten symbol jest nieaktywny. Użyj innego symbolu.","Market_is_closed__Please_try_again_later_":"Rynek jest zamknięty. Prosimy spróbować później.","All_barriers_in_this_trading_window_are_expired":"Wszystkie limity widoczne w tym oknie handlowania wygasły","Sorry,_account_signup_is_not_available_in_your_country_":"Przepraszamy, zarejestrowanie konta nie jest możliwe w Twoim kraju.","Asset":"Kapitał","Opens":"Otwarcie","Closes":"Zamknięcie","Settles":"Rozliczenie","Upcoming_Events":"Nadchodzące wydarzenia","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Aby określić wyrównanie limitu, dodaj +/–. Na przykład, +0.005 oznacza limit 0,005 wyższy od punktu początkowego.","Digit":"Cyfra","Percentage":"Procent","Waiting_for_entry_tick_":"Oczekuje na pierwszą zmianę ceny.","High_Barrier":"Górny limit","Low_Barrier":"Dolny limit","Waiting_for_exit_tick_":"Oczekuje na końcową zmianę ceny.","Ticks_history_returned_an_empty_array_":"Historia zmian ceny jest pusta.","Chart_is_not_available_for_this_underlying_":"Dla tego aktywa bazowego wykres nie jest dostępny.","Purchase":"Kup","Net_profit":"Zysk netto","Return":"Zwrot","Time_is_in_the_wrong_format_":"Czas został podany w nieprawidłowym formacie.","Rise/Fall":"Wzrost/spadek","Higher/Lower":"Wyższy/niższy","Matches/Differs":"Zgadza się/Różni się","Even/Odd":"Parzysta/nieparzysta","Over/Under":"Ponad/poniżej","High-Close":"Zamknięcia-Wysoka","Close-Low":"Zamknięcia-Niska","High-Low":"Wysoka-Niska","Up/Down":"Góra/dół","In/Out":"Zakłady w/poza","Select_Trade_Type":"Wybierz rodzaj zakładu","seconds":"sekundy","hours":"godziny","ticks":"najmniejsze zmiany ceny","tick":"najmniejsza zmiana ceny","second":"sekunda","hour":"godzina","Duration":"Czas trwania","Purchase_request_sent":"Zgłoszono chęć zakupu","High":"Wysoka","Close":"Zamknięcia","Low":"Niska","Select_Asset":"Wybór aktywa","Search___":"Wyszukaj...","Maximum_multiplier_of_1000_":"Mnożnik maksymalny wynoszący 1000.","Stake":"Stawka","Payout":"Wypłata","Multiplier":"Mnożnik","Trading_is_unavailable_at_this_time_":"Handlowanie nie jest dostępne w tym czasie.","Please_reload_the_page":"Załaduj stronę ponownie","Try_our_[_1]Volatility_Indices[_2]_":"Wypróbuj nasze [_1]wskaźniki płynności[_2].","Try_our_other_markets_":"Wypróbuj nasze inne rynki.","Contract_Confirmation":"Potwierdzenie kontraktu","Your_transaction_reference_is":"Kod referencyjny Twojej transakcji to","Total_Cost":"Całkowity koszt","Potential_Payout":"Możliwa wypłata","Maximum_Payout":"Maksymalna wypłata","Maximum_Profit":"Maksymalny zysk","Potential_Profit":"Możliwy zysk","View":"Widok","This_contract_won":"Ten kontrakt wygrał","This_contract_lost":"Ten kontrakt przegrał","Tick_[_1]_is_the_highest_tick":"Zmiana ceny: [_1] jest największą zmianą","Tick_[_1]_is_not_the_highest_tick":"Zmiana ceny: [_1] nie jest największą zmianą","Tick_[_1]_is_the_lowest_tick":"Zmiana ceny: [_1] jest najmniejszą zmianą","Tick_[_1]_is_not_the_lowest_tick":"Zmiana ceny: [_1] nie jest najmniejszą zmianą","Tick":"Zmiana ceny","The_reset_time_is_[_1]":"Czas resetowania to [_1]","Now":"Teraz","Tick_[_1]":"Najmniejsza zmiana ceny [_1]","Average":"Średnia","Buy_price":"Cena kupna","Final_price":"Cena ostateczna","Loss":"Strata","Profit":"Zysk","Account_balance:":"Saldo konta:","Reverse_Side":"Tylna strona","Front_Side":"Przednia strona","Pending":"Oczekujące","Submitting":"Wysyłanie","Submitted":"Wysłano","Failed":"Zakończone niepowodzeniem","Compressing_Image":"Kompresja obrazu","Checking":"Sprawdzanie","Checked":"Sprawdzono","Unable_to_read_file_[_1]":"Nie można odczytać pliku [_1]","Passport":"Paszport","Identity_card":"Dowód osobisty","Driving_licence":"Prawo jazdy","Invalid_document_format_":"Nieprawidłowy format dokumentu.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Rozmiar pliku ([_1]) przekracza dozwolony limit. Maksymalny dozwolony rozmiar pliku: [_2]","ID_number_is_required_for_[_1]_":"Numer dowodu jest wymagany w przypadku [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"W przypadku numeru ID ([_1]) akceptowane są wyłącznie litery, cyfry, znak spacji i podkreślenia oraz łącznik.","Expiry_date_is_required_for_[_1]_":"Data wygaśnięcia jest wymagana w przypadku [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Wymagane jest zdjęcie przedniej i tylnej strony [_1].","Current_password":"Aktualne hasło","New_password":"Nowe hasło","Please_enter_a_valid_Login_ID_":"Proszę podać poprawny login.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Twój wniosek o przelanie [_2] [_1] z [_3] na [_4] został zrealizowany.","Resale_not_offered":"Brak możliwości odsprzedaży","Your_account_has_no_trading_activity_":"NA Twoim koncie nie odnotowano żadnej aktywności handlowej.","Date":"Data","Ref_":"Nr ref.","Contract":"Kontrakt","Purchase_Price":"Cena zakupu","Sale_Date":"Data sprzedaży","Sale_Price":"Cena sprzedaży","Profit/Loss":"Zysk/Strata","Details":"Szczegóły","Total_Profit/Loss":"Całkowity zysk/ całkowita strata","Only_[_1]_are_allowed_":"Dozwolone są tylko [_1].","letters":"litery","numbers":"liczby","space":"spacja","Please_select_at_least_one_scope":"Proszę wybrać przynajmniej jeden zakres","New_token_created_":"Utworzono nowy token.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Maksymalna liczba tokenów ([_1]) została osiągnięta.","Name":"Nazwisko","Scopes":"Zakresy","Last_Used":"Ostatnio używane","Action":"Czynności","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Czy na pewno chcesz trwale usunąć token","Delete":"Usuń","Never_Used":"Nigdy nie użyte","You_have_not_granted_access_to_any_applications_":"Nie przyznano Ci dostępu do żadnej aplikacji.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Czy na pewno chcesz na stałe wyłączyć dostęp do aplikacji","Revoke_access":"Zablokowanie dostępu","Payments":"Płatności","Read":"Odczyt","Trade":"Handluj","Never":"Nigdy","Permissions":"Pozwolenia","Last_Login":"Ostatnie logowanie","Unlock_Cashier":"Odblokuj sekcję Kasjer","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Sekcja Kasjer została zablokowana na Twoją prośbę - jeśli chcesz ją odblokować, prosimy o podanie hasła.","Lock_Cashier":"Zablokuj sekcję Kasjer","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Dodatkowe hasło może być wykorzystane do ograniczania dostępu do sekcji Kasjer.","Update":"Aktualizuj","Sorry,_you_have_entered_an_incorrect_cashier_password":"Przepraszamy, wpisano nieprawidłowe hasło do kasjera","Your_settings_have_been_updated_successfully_":"Twoje ustawienia zostały pomyślnie zaktualizowane.","You_did_not_change_anything_":"Nic nie zostało zmienione.","Sorry,_an_error_occurred_while_processing_your_request_":"Przepraszamy, podczas przetwarzania Twojego żądania wystąpił błąd.","Your_changes_have_been_updated_successfully_":"Zmiany zostały wprowadzone.","Successful":"Zakończono powodzeniem","Date_and_Time":"Data i godzina transakcji","Browser":"Przeglądarka","IP_Address":"Adres IP","Your_account_has_no_Login/Logout_activity_":"Na Twoim koncie nie odnotowano żadnej aktywności związanej z logowaniem/wylogowywaniem.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Twoje konto jest w pełni zweryfikowane, a Twój limit wypłat został zwiększony.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Twój [_1]-dniowy limit wypłat wynosi obecnie [_3] [_2] (lub jego równowartość w innej walucie).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Łączny ekwiwalent [_2] [_1] został już wypłacony w ciągu ostatnich [_3] dni.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Dlatego w chwili obecnej Twoja maksymalna natychmiastowa wypłata (o ile posiadasz na koncie wystarczające środki) wynosi [_2] [_1] (lub równowartość tej kwoty w innej walucie).","Your_withdrawal_limit_is_[_1]_[_2]_":"Twój limit wypłat wynosi [_2] [_1].","You_have_already_withdrawn_[_1]_[_2]_":"Wypłacono już [_2] [_1].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Dlatego w chwili obecnej Twoja maksymalna natychmiastowa wypłata (o ile posiadasz na koncie wystarczające środki) wynosi [_2] [_1].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Twój limit wypłat to [_2] [_1] (lub jego ekwiwalent w innej walucie).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Już wypłaciłeś/aś ekwiwalent [_2] [_1].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Proszę potwierdzić, że wszystkie powyższe informacje są kompletne i prawdziwe.","Sorry,_an_error_occurred_while_processing_your_account_":"Przepraszamy, wystąpił błąd podczas operacji na Twoim koncie.","Please_select_a_country":"Proszę wybrać kraj","Timed_out_until":"Okres wyłączenia do","Excluded_from_the_website_until":"Wyłączono z portalu do dnia","Session_duration_limit_cannot_be_more_than_6_weeks_":"Limit czasu sesji nie może przekroczyć 6 tygodni.","Time_out_must_be_after_today_":"Okres wyłączenia musi się rozpoczynać jutro lub później.","Time_out_cannot_be_more_than_6_weeks_":"Czas wyłączenia nie może przekraczać 6 tygodni.","Time_out_cannot_be_in_the_past_":"Czas wyłączenia nie może być datą przeszłą.","Please_select_a_valid_time_":"Proszę wybrać poprawny czas.","Exclude_time_cannot_be_less_than_6_months_":"Czas wyłączenia nie może być krótszy niż 6 miesięcy.","Exclude_time_cannot_be_for_more_than_5_years_":"Czas wyłączenia nie może być dłuższy niż 5 lat.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Po kliknięciu przycisku „OK” handlowanie na portalu nie będzie możliwe aż do wybranej daty.","Your_changes_have_been_updated_":"Twoje zmiany zostały wprowadzone.","Disable":"Wyłącz","Enable":"Włącz","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Uwierzytelnianie dwuskładnikowe na Twoim koncie zostało włączone.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Uwierzytelnianie dwuskładnikowe na Twoim koncie zostało wyłączone.","You_are_categorised_as_a_professional_client_":"Zaklasyfikowano Cię jako klienta profesjonalnego.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Twój wniosek o uznanie za klienta profesjonalnego jest przetwarzany.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Zaklasyfikowano Cię jako klienta detalicznego. Złóż wniosek o uznanie za profesjonalnego gracza.","Bid":"Oferta kupna","Closed_Bid":"Zamknięte oferty","Reference_ID":"ID referencyjne","Description":"Opis","Credit/Debit":"Winien/Ma","Balance":"Saldo","Financial_Account":"Konto finansowe","Real_Account":"Prawdziwe konto","Counterparty":"Kontrahent","Jurisdiction":"Jurysdykcja","Create":"Utwórz","This_account_is_disabled":"To konto jest wyłączone","This_account_is_excluded_until_[_1]":"To konto jest wyłączone z handlowania do [_1]","Set_Currency":"Ustaw walutę","Commodities":"Towary","Indices":"Wskaźniki","Stocks":"Akcje","Volatility_Indices":"Zmienne wskaźniki","Please_check_your_email_for_the_password_reset_link_":"Sprawdź swoją skrzynkę e-mailową, na którą przesłaliśmy łącze do zresetowania hasła.","Standard":"Standardowe","Advanced":"Zaawansowane","Demo_Standard":"Demo standardowe","Real_Standard":"Wysoki standard","Demo_Advanced":"Demo zaawansowane","Real_Advanced":"Prawdziwe zaawansowane","MAM_Advanced":"MAM zaawansowane","Demo_Volatility_Indices":"Wsk. zmienności demo","Real_Volatility_Indices":"Prawdziwe wsk. zmienności","MAM_Volatility_Indices":"Wskaźniki zmienności MAM","Sign_up":"Zarejestruj się","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Handel Wskaźnikami zmienności opartymi na kontraktach na różnice kursowe (CFD) może nie być odpowiedni dla każdego. Upewnij się, że w pełni rozumiesz ryzyko z nim związane, w tym możliwość utraty wszystkich środków zgromadzonych na Twoim koncie MT5. Hazard może uzależniać – prosimy o rozsądną grę.","Do_you_wish_to_continue?":"Chcesz kontynuować?","Acknowledge":"Rozumiem","Change_Password":"Zmień hasło","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Hasło [_1] do konta o numerze [_2] zostało zmienione.","Reset_Password":"Zresetuj hasło","Verify_Reset_Password":"Zweryfikuj zresetowane hasło","Please_check_your_email_for_further_instructions_":"Sprawdź wiadomość e-mail z dalszymi informacjami.","Revoke_MAM":"Odwołaj MAM","Manager_successfully_revoked":"Menedżer został odwołany","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Dokonano wpłaty [_1] na konto o numerze [_3]. Identyfikator transakcji: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Sekcja Kasjer została zablokowana na Twoją prośbę - jeśli chcesz ją odblokować, prosimy kliknąć tutaj.","You_have_reached_the_limit_":"Osiągnięto limit.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Dokonano wypłaty [_1] z konta o numerze [_2] na konto [_3]. Identyfikator transakcji: [_4]","Main_password":"Hasło główne","Investor_password":"Hasło inwestora","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Masz niewystarczające środki na swoim koncie Binary. Dodaj środki.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Nasza usługa MT5 jest obecnie niedostępna dla mieszkańców EU, gdyż oczekujemy na zgodę regulacyjną.","Demo_Accounts":"Konta Demo","MAM_Accounts":"Konta MAM","Real-Money_Accounts":"Konta z prawdziwymi pieniędzmi","Demo_Account":"Konto Demo","Real-Money_Account":"Konto z prawdziwymi pieniędzmi","for_account_[_1]":"dla konta [_1]","[_1]_Account_[_2]":"[_1] Konto [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Twój token wygasł lub jest nieprawidłowy. Kliknij tutaj, aby ponownie rozpocząć proces weryfikacyjny.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Podany adres e-mail jest już w użyciu. Jeżeli nie pamiętasz hasła, skorzystaj z opcji odzyskiwania hasła lub skontaktuj się z obsługą klienta.","Password_is_not_strong_enough_":"Hasło jest za słabe.","Upgrade_now":"Uaktualnij teraz","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] dni [_2] godz. [_3] min","Your_trading_statistics_since_[_1]_":"Twoje statystyki handlowe od [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Aby ponownie rozpocząć proces odzyskiwania konta, kliknij poniższe łącze.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Twoje hasło zostało zresetowane. Zaloguj się na swoje konto, używając swojego nowego hasła.","Please_choose_a_currency":"Proszę wybrać walutę","Asian_Up":"Azjatyckie – Wzrost","Asian_Down":"Azjatyckie – Spadek","Higher_or_equal":"Wyższe lub równe","Lower_or_equal":"Niższe lub równe","Digit_Matches":"Cyfra zgadza się","Digit_Differs":"Cyfra nie zgadza się","Digit_Odd":"Cyfra nieparzysta","Digit_Even":"Cyfra parzysta","Digit_Over":"Cyfra większa","Digit_Under":"Cyfra mniejsza","Call_Spread":"Spread zakupu","Put_Spread":"Spread sprzedaży","High_Tick":"Duże zmiany ceny","Low_Tick":"Mała zmiana ceny","Equals":"Równa się","Not":"Nie","Buy":"Kup","Sell":"Sprzedaj","Contract_has_not_started_yet":"Kontrakt jeszcze się nie rozpoczął","Contract_Result":"Wynik kontraktu","Close_Time":"Czas zamknięcia","Highest_Tick_Time":"Czas największej zmiany ceny","Lowest_Tick_Time":"Czas najmniejszej zmiany ceny","Exit_Spot_Time":"Czas punktu wyjściowego","Audit":"Audyt","View_Chart":"Zobacz wykres","Audit_Page":"Strona audytowa","Spot":"Cena aktualna","Spot_Time_(GMT)":"Czas Spot (GMT)","Contract_Starts":"Kontrakt zaczyna się","Contract_Ends":"Kontrakt kończy się","Target":"Cel","Contract_Information":"Informacje o kontrakcie","Contract_Type":"Rodzaj kontraktu","Transaction_ID":"ID transakcji","Remaining_Time":"Pozostały czas","Maximum_payout":"Maksymalna wypłata","Barrier_Change":"Zmiana limitu","Current":"Obecne","Spot_Time":"Czas spot","Current_Time":"Obecny czas","Indicative":"Orientacyjny","You_can_close_this_window_without_interrupting_your_trade_":"Możesz zamknąć te okno; nie będzie to miało żadnego wpływu na zakład.","There_was_an_error":"Wystąpił błąd","Sell_at_market":"Sprzedawaj na rynku","Note":"Uwaga","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Kontrakty będą sprzedawane po obowiązującej cenie rynkowej po dotarciu wniosku na nasze serwery. Cena może różnić się od podanej ceny.","You_have_sold_this_contract_at_[_1]_[_2]":"Sprzedano ten kontrakt po cenie [_2] [_1]","Your_transaction_reference_number_is_[_1]":"Numer referencyjny Twojej transakcji to [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Dziękujemy za rejestrację! Sprawdź swoją skrzynkę e-mailową, aby ukończyć proces rejestracji.","All_markets_are_closed_now__Please_try_again_later_":"Wszystkie rynki są obecnie zamknięte. Prosimy spróbować później.","Withdrawal":"Wypłata","virtual_money_credit_to_account":"wirtualne pieniądze zostały zaksięgowane na koncie","login":"logowanie","logout":"Wyloguj","Asians":"Azjatyckie","Call_Spread/Put_Spread":"Spread zakupu/Spread sprzedaży","Digits":"Cyfry","Ends_Between/Ends_Outside":"Zakończy się w/ Zakończy się poza","High/Low_Ticks":"Duże/małe zmiany ceny","Lookbacks":"Opcje wsteczne","Stays_Between/Goes_Outside":"Pozostanie pomiędzy/ Przekroczy","Touch/No_Touch":"Osiągnie/Nie osiągnie","Christmas_Day":"Boże Narodzenie","Closes_early_(at_18:00)":"Zamykane wcześnie (o 18:00)","Closes_early_(at_21:00)":"Zamykane wcześnie (o 21:00)","Fridays":"piątki","New_Year's_Day":"Nowy Rok","today":"dziś","today,_Fridays":"dziś, piątki","There_was_a_problem_accessing_the_server_":"Wystąpił błąd podczas uzyskiwania dostępu do serwera.","There_was_a_problem_accessing_the_server_during_purchase_":"Wystąpił błąd podczas uzyskiwania dostępu do serwera w trakcie zakupu."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/pt.js b/src/javascript/_autogenerated/pt.js
index 59338d0691cde..9021707948b87 100644
--- a/src/javascript/_autogenerated/pt.js
+++ b/src/javascript/_autogenerated/pt.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['PT'] = {"Day":"Dia","Month":"Mês","Year":"Ano","Sorry,_an_error_occurred_while_processing_your_request_":"Lamentamos, ocorreu um erro durante o processamento do seu pedido.","Click_here_to_open_a_Real_Account":"Clique aqui para abrir uma conta real","Open_a_Real_Account":"Abrir uma conta de dinheiro real","Click_here_to_open_a_Financial_Account":"Clique aqui para abrir uma conta financeira","Open_a_Financial_Account":"Abrir uma conta financeira","Network_status":"Status da rede","Connecting_to_server":"Conectando ao servidor","Virtual_Account":"Conta Virtual","Real_Account":"Conta Real","Investment_Account":"Conta de Investimento","Gaming_Account":"Conta de Jogos","Sunday":"Domingo","Monday":"Segunda-feira","Tuesday":"Terça-feira","Wednesday":"Quarta-feira","Thursday":"Quinta-feira","Friday":"Sexta-feira","Saturday":"Sábado","Su":"Dom","Mo":"Seg","Tu":"Qui","We":"Qua","Th":"Qui","Fr":"Sex","Sa":"Sáb","January":"Janeiro","February":"Fevereiro","March":"Março","April":"Abril","May":"Maio","June":"Junho","July":"Julho","August":"Agosto","September":"Setembro","October":"Outubro","November":"Novembro","December":"Dezembro","Feb":"Fev","Apr":"Abr","Aug":"Ago","Sep":"Set","Oct":"Out","Dec":"Dez","Next":"Próximo","Previous":"Anterior","Hour":"Hora","Minute":"Minuto","Time_is_in_the_wrong_format_":"A hora está no formato incorreto.","Purchase_Time":"Hora da Compra","Charting_for_this_underlying_is_delayed":"Os gráficos para esta base estão com atraso","Reset_Time":"Hora de redefinição","Chart_is_not_available_for_this_underlying_":"Não há nenhum gráfico disponível para este ativo subjacente.","year":"ano","month":"mês","week":"semana","day":"dia","days":"dias","hour":"hora","hours":"horas","minute":"minuto","minutes":"minutos","second":"segundo","seconds":"segundos","tick":"tique-taque","ticks":"tique-taques","Loss":"Perda","Profit":"Lucro","Payout":"Prêmio","Units":"Unidades","Stake":"Aposta","Duration":"Duração","End_Time":"Hora final","Net_profit":"Lucro líquido","Return":"Prêmio","Now":"Agora","Contract_Confirmation":"Confirmação de Contrato","Your_transaction_reference_is":"A referência da sua transação é","Rise/Fall":"Sobe/Desce","Higher/Lower":"Superior/Inferior","In/Out":"Dentro/Fora","Matches/Differs":"Combina/Difere","Even/Odd":"Par/Ímpar","Over/Under":"Acima/Abaixo","Up/Down":"Acima/Abaixo","Ends_Between/Ends_Outside":"Termina entre/Termina fora","Touch/No_Touch":"Toca/Não Toca","Stays_Between/Goes_Outside":"Fica entre/Sai fora","Asians":"Asiáticas","Reset_Call/Reset_Put":"Redefinição — Compra/Venda","High/Low_Ticks":"Tique-taques Altos/Baixos","Call_Spread/Put_Spread":"Spread de compra/venda","Potential_Payout":"Possível Prêmio","Total_Cost":"Custo Total","Potential_Profit":"Lucro Potencial","View":"Ver","Tick":"Tique-taque","Buy_price":"Preço de compra","Final_price":"Preço final","Long":"Longo","Short":"Curto","Chart":"Gráfico","Portfolio":"Portfólio","Explanation":"Explicação","Last_Digit_Stats":"Estatísticas do último dígito","Waiting_for_entry_tick_":"Aguardando tick de entrada.","Waiting_for_exit_tick_":"Aguardando tique-taque de saída.","Please_log_in_":"Por favor, conecte-se.","All_markets_are_closed_now__Please_try_again_later_":"Todos os mercados estão agora fechados. Tente novamente mais tarde.","Account_balance:":"Saldo da conta:","Try_our_[_1]Volatility_Indices[_2]_":"Descubra os nossos [_1]índices Volatility[_2].","Try_our_other_markets_":"Experimente os nossos outros mercados.","Session":"Sessão","Crypto":"Cripto","Fiat":"Fiduciária","High":"Alta","Low":"Baixa","Close":"Fechar","Payoff":"Recompensa","High-Close":"Fechar-Alto","Close-Low":"Fechar-Baixo","High-Low":"Fechar-Baixo","Search___":"Pesquisar...","Select_Asset":"Selecionar ativo","Purchase":"Comprar","Purchase_request_sent":"Solicitação de compra enviada","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Acrescente +/- para definir uma deslocação de barreira. Por exemplo, +0.005 significa uma barreira que está 0.005 acima do preço de entrada.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"A sua conta está totalmente autenticada e os seus limites de retirada de fundos foram aumentados.","Your_withdrawal_limit_is_[_1]_[_2]_":"O seu limite de retiradas é [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"O seu limite de retiradas é [_1] [_2] (ou equivalente em outra moeda).","You_have_already_withdrawn_[_1]_[_2]_":"Você já retirou [_1] [_2].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Você já retirou o equivalente a [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Portanto, a sua retirada máxima imediata atual (sujeita à existência de fundos suficientes na sua conta) é [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Portanto, a sua retirada máxima imediata atual (sujeito à existência de fundos suficientes na sua conta) é [_1] [_2] (ou equivalente em outra moeda).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"O seu limite de retiradas de [_1] dia(s) é atualmente [_2] [_3] (ou equivalente em outra moeda).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Você já retirou o equivalente a [_1] [_2] em agregado durante os últimos [_3] dias.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Contratos onde a barreira seja igual ao preço de entrada.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Contratos onde a barreira seja diferente do preço de entrada.","Non-ATM":"Non-ATM (At The Money)","Duration_up_to_7_days":"Duração até 7 dias","Duration_above_7_days":"Duração superior a 7 dias","Major_Pairs":"Pares Principais","Forex":"Forex (Mercado de Câmbio)","This_field_is_required_":"Este campo é obrigatório.","Please_select_the_checkbox_":"Selecione a caixa de seleção","Please_accept_the_terms_and_conditions_":"Por favor aceite os termos e condições.","Only_[_1]_are_allowed_":"Apenas [_1] são permitidos.","letters":"caracteres","numbers":"números","space":"espaço","Sorry,_an_error_occurred_while_processing_your_account_":"Lamentamos, ocorreu um erro durante o processamento da sua conta.","Your_changes_have_been_updated_successfully_":"As suas alterações foram atualizadas com sucesso.","Your_settings_have_been_updated_successfully_":"As suas configurações foram atualizadas com sucesso.","Female":"Feminino","Male":"Masculino","Please_select_a_country":"Selecione um país","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Certifique-se de que as informações acima são verdadeiras e estão completas.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"O seu token expirou ou é inválido. Clique aqui para reiniciar o processo de verificação.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"O endereço de e-mail que forneceu já está em uso. Caso você tenha esquecido a sua senha, experimente usar a nossa ferramenta de recuperação de senha ou contate o nosso serviço de apoio ao cliente.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"A senha deve conter letras minúsculas, maiúsculas e números.","Password_is_not_strong_enough_":"A senha não é forte o suficiente.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"O limite de duração da sua sessão terminará em [_1] segundos.","Invalid_email_address_":"Endereço de e-mail inválido.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Obrigado por se cadastrar! Verifique a sua caixa de entrada para completar o processo de registro.","Financial_Account":"Conta financeira","Upgrade_now":"Atualize já","Please_select":"Selecione","Minimum_of_[_1]_characters_required_":"Um mínimo de [_1] caracteres é necessário.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Confirme que você não é uma pessoa politicamente exposta.","Asset":"Ativos","Opens":"Abre","Closes":"Fecha","Settles":"Liquida","Upcoming_Events":"Próximos Eventos","Closes_early_(at_21:00)":"Fecha cedo (às 21:00)","Closes_early_(at_18:00)":"Fecha cedo (às 18:00)","New_Year's_Day":"Dia de Ano Novo","Christmas_Day":"Dia de Natal","Fridays":"Sexta-feira","today":"hoje","today,_Fridays":"hoje, sextas-feiras","Please_select_a_payment_agent":"Selecione um agente de pagamentos","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Os serviços de agente de pagamentos não estão atualmente disponíveis no seu país ou na sua moeda preferida.","Invalid_amount,_minimum_is":"Valor inválido, o mínimo é","Invalid_amount,_maximum_is":"Valor inválido, o máximo é","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"O seu pedido para levantar [_1] [_2] da sua conta [_3] para a conta [_4] do Agente de Pagamentos foi processado com sucesso.","Up_to_[_1]_decimal_places_are_allowed_":"Até [_1] casas decimais são permitidas.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"O seu token expirou ou é inválido. Clique [_1]aqui[_2] para reiniciar o processo de verificação.","New_token_created_":"Novo token criado.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"O número máximo de tokens ([_1]) foi atingido.","Name":"Nome","Last_Used":"Última utilização","Scopes":"Âmbitos","Never_Used":"Nunca utilizado","Delete":"Excluir","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Tem certeza que deseja excluir permanentemente o token","Please_select_at_least_one_scope":"Selecione pelo menos um escopo","Guide":"Guia","Finish":"Terminar","Step":"Etapa","Select_your_market_and_underlying_asset":"Selecione o mercado e o seu ativo subjacente","Select_your_trade_type":"Selecione o tipo de negociação","Adjust_trade_parameters":"Ajustar parâmetros de negociação","Predict_the_directionand_purchase":"Preveja a direção e compre","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Lamentamos, este recurso está disponível somente para contas virtuais.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] foram creditadas na sua conta de dinheiro virtual : [_3].","years":"anos","months":"meses","weeks":"semanas","Your_changes_have_been_updated_":"As suas alterações foram atualizadas.","Please_enter_an_integer_value":"Insira um valor inteiro","Session_duration_limit_cannot_be_more_than_6_weeks_":"O limite de duração de sessões não pode ser superior a 6 semanas.","You_did_not_change_anything_":"Você não alterou nada.","Please_select_a_valid_date_":"Selecione uma data válida.","Please_select_a_valid_time_":"Selecione uma hora válida.","Time_out_cannot_be_in_the_past_":"A hora não pode ser no passado.","Time_out_must_be_after_today_":"O limite de tempo deve ser depois de hoje.","Time_out_cannot_be_more_than_6_weeks_":"O limite de tempo não pode ser superior a 6 semanas.","Exclude_time_cannot_be_less_than_6_months_":"O tempo de exclusão não pode ser inferior a seis meses.","Exclude_time_cannot_be_for_more_than_5_years_":"O tempo de exclusão não pode ser superior a 5 anos.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Quando você clicar em \"OK\" será excluído de poder negociar no site até a data selecionada.","Timed_out_until":"Bloqueado até","Excluded_from_the_website_until":"Excluído deste site até","Resale_not_offered":"A revenda não está disponivel","Date":"Data","Action":"Ação","Contract":"Contrato","Sale_Date":"Data de Venda","Sale_Price":"Preço de venda","Total_Profit/Loss":"Lucro/Perda Total","Your_account_has_no_trading_activity_":"A sua conta não tem nenhuma atividade de negociação.","Today":"Hoje","Details":"Dados","Sell":"Vender","Buy":"Comprar","Virtual_money_credit_to_account":"Crédito de dinheiro virtual na conta","This_feature_is_not_relevant_to_virtual-money_accounts_":"Este recurso não é relevante para as contas de dinheiro virtual.","Japan":"Japão","Questions":"Perguntas","True":"Verdadeiro","There_was_some_invalid_character_in_an_input_field_":"Houve algum caractere inválido no campo de entradas.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Siga o padrão: 3 números, um hífen, seguidos por 4 números.","Score":"Classificação","Weekday":"Dia de semana","Processing_your_request___":"Processado o seu pedido...","Please_check_the_above_form_for_pending_errors_":"Consulte o formulário acima para erros subsistentes.","Asian_Up":"Asiático acima","Asian_Down":"Asiático abaixo","Digit_Matches":"Dígito Combina","Digit_Differs":"Dígito Difere","Digit_Odd":"Dígito Ímpar","Digit_Even":"Dígito Par","Digit_Over":"Dígito Acima","Digit_Under":"Dígito Abaixo","Call_Spread":"Spread de compra","Put_Spread":"Spead de venda","High_Tick":"Tique-taque Alto","Low_Tick":"Tique-taque Baixo","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] for estritamente superior ou igual à Barreira no fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] for estritamente inferior à Barreira no fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] não tocar na Barreira antes do fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] tocar na Barreira antes do fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] terminar em ou entre os valores baixo e alto da Barreira no fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] terminar fora dos valores baixo e alto da Barreira no fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] ficar entre os valores baixo e alto da Barreira até ao fechamento em [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] sair fora dos valores baixo e alto da Barreira antes do fechamento em [_4].","Higher":"Superior","Higher_or_equal":"Superior ou igual","Lower":"Inferior","Touches":"Toca","Does_Not_Touch":"Não toca","Ends_Between":"Termina entre","Ends_Outside":"Termina fora","Stays_Between":"Fica entre","Goes_Outside":"Sai fora","All_barriers_in_this_trading_window_are_expired":"Todas as barreiras nesta janela de negociação já expiraram","Remaining_time":"Tempo restante","Market_is_closed__Please_try_again_later_":"O mercado está fechado. Tente novamente mais tarde.","This_symbol_is_not_active__Please_try_another_symbol_":"Este símbolo não está ativo. Experimente outro símbolo.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Lamentamos, a sua conta não está autorizada a mais compras de contratos.","Lots":"Lotes","Payout_per_lot_=_1,000":"Pagamento de prêmios por lote = 1.000","This_page_is_not_available_in_the_selected_language_":"Esta página não está disponível no idioma selecionado.","Trading_Window":"Janela de negociação","Percentage":"Porcentagem","Digit":"Dígito","Amount":"Quantia","Deposit":"Depositar","Withdrawal":"Retirada","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"O seu pedido para transferir [_1] [_2] de [_3] para [_4] foi processado com sucesso.","Date_and_Time":"Data e hora","Browser":"Navegador","IP_Address":"Endereço IP","Status":"Estado","Successful":"Bem-sucedido","Failed":"Falhou","Your_account_has_no_Login/Logout_activity_":"A sua conta não tem nenhuma atividade de login/sair.","logout":"sair","Please_enter_a_number_between_[_1]_":"Digite um número entre [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] dias [_2] horas [_3] minutos","Your_trading_statistics_since_[_1]_":"As suas estatísticas de negociação desde [_1].","Unlock_Cashier":"Desbloquear o Caixa","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"O seu caixa está bloqueado conforme pedido - para desbloqueá-lo, digite a senha.","Lock_Cashier":"Bloquear Caixa","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Uma senha adicional pode ser usada para restringir acesso ao caixa.","Update":"Atualização","Sorry,_you_have_entered_an_incorrect_cashier_password":"Lamentamos, introduziu uma senha de caixa incorreta","You_have_reached_the_withdrawal_limit_":"Você já alcançou o limite de retiradas.","Start_Time":"Hora de Início","Entry_Spot":"Preço de entrada","Low_Barrier":"Barreira Baixa","High_Barrier":"Barreira Alta","Average":"Média","This_contract_won":"Esse contrato ganhou","This_contract_lost":"Esse contrato perdeu","Spot":"Preço atual","Barrier":"Barreira","Target":"Alvo","Equals":"Igual","Not":"Não","Description":"Descrição","Credit/Debit":"Crédito/Débito","Balance":"Saldo","Purchase_Price":"Preço de Compra","Profit/Loss":"Lucro/Perda","Contract_Information":"Informação do contrato","Contract_Result":"Resultado do contrato","Current":"Atual","Open":"Abrir","Closed":"Fechado","Contract_has_not_started_yet":"O contrato ainda não foi iniciado","Spot_Time":"Hora do preço à vista","Spot_Time_(GMT)":"Hora do preço à vista (GMT)","Current_Time":"Hora atual","Exit_Spot_Time":"Hora do preço de saída","Exit_Spot":"Preço de saída","Indicative":"Indicativo","There_was_an_error":"Houve um erro","Sell_at_market":"Venda no mercado","You_have_sold_this_contract_at_[_1]_[_2]":"Você vendeu este contrato por [_1] [_2]","Your_transaction_reference_number_is_[_1]":"O número de referência da sua transação é [_1]","Note":"Nota","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"O contrato será vendido ao preço prevalecente do mercado no momento em que o pedido for recebido pelos nossos servidores. Esse preço pode ser diferente do preço indicado.","Contract_Type":"Tipo de contrato","Transaction_ID":"ID da transação","Remaining_Time":"Tempo restante","Barrier_Change":"Alteração de barreira","Audit":"Auditoria","Audit_Page":"Página de auditoria","View_Chart":"Ver gráfico","Contract_Starts":"Contrato começa","Contract_Ends":"Contrato termina","Start_Time_and_Entry_Spot":"Hora de início e preço de entrada","Exit_Time_and_Exit_Spot":"Tempo de saída e preço de saída","You_can_close_this_window_without_interrupting_your_trade_":"É possível fechar esta janela sem interromper a sua negociação.","Highest_Tick":"Tique-taque mais alto","Highest_Tick_Time":"Hora do tique-taque mais alto","Close_Time":"Hora de fechamento","Please_select_a_value":"Selecione um valor","You_have_not_granted_access_to_any_applications_":"Você não concedeu acesso a nenhum aplicativo.","Permissions":"Permissões","Never":"Nunca","Revoke_access":"Revogar acesso","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Tem certeza que deseja revogar permanentemente acesso ao aplicativo","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transação executada por [_1] (App ID: [_2])","Admin":"Administração","Read":"Ler","Payments":"Pagamentos","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Clique no link abaixo para reiniciar o processo de recuperação de senha.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"A sua senha foi redefinida com sucesso. Por favor, inicie sessão na sua conta, usando a sua nova senha.","Please_check_your_email_for_the_password_reset_link_":"Por favor, confira a sua conta de e-mail para o link de redefinição de senha.","details":"detalhes","Withdraw":"Retirar","Insufficient_balance_":"Saldo insuficiente.","This_is_a_staging_server_-_For_testing_purposes_only":"Este é um servidor temporário - apenas para testes","The_server_endpoint_is:_[_2]":"O terminal do 1servidor 2 é: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Lamentamos, mas o registro de contas não está disponível no seu país.","There_was_a_problem_accessing_the_server_":"Ocorreu um problema ao aceder ao servidor.","There_was_a_problem_accessing_the_server_during_purchase_":"Ocorreu um problema ao aceder ao servidor durante a aquisição.","Should_be_a_valid_number_":"Deve ser um número válido.","Should_be_more_than_[_1]":"Deve ser mais do que [_1]","Should_be_less_than_[_1]":"Deve ser menos do que [_1]","Should_be_between_[_1]_and_[_2]":"Deve ser entre [_1] e [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Apenas letras, números, espaços, hífenes, pontos e apóstrofes são permitidos.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Apenas letras, espaços, pontos e apóstrofes são permitidos.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Apenas letras, números e o hífen são permitidos.","Only_numbers,_space,_and_hyphen_are_allowed_":"Apenas números, espaços e hífenes são permitidos.","Only_numbers_and_spaces_are_allowed_":"Apenas números e espaços são permitidos.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Apenas números, letras, espaços e estes caracteres especiais: - . ' # ; : ( ) , @ / são permitidos","The_two_passwords_that_you_entered_do_not_match_":"As palavras-chave que introduziu não coincidem.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] e [_2] não podem ser iguais.","You_should_enter_[_1]_characters_":"Você dever inserir [_1] caracteres.","Indicates_required_field":"Indica campo obrigatórios","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"O código de verificação está errado. Use o link enviado ao seu e-mail.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"A senha que você inseriu é uma das senhas mais comuns do mundo. Você não devia estar usando esta senha.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Dica: Iria levar aproximadamente [_1][_2] para decifrar esta senha.","thousand":"mil","million":"milhões","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Deve começar com uma letra ou um número e pode conter um hífen e sublinhado.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Não foi possível validar o seu endereço com o nosso sistema automatizado. Você pode proceder mas certifique-se de que o seu endereço esteja completo.","Validate_address":"Validar endereço","Congratulations!_Your_[_1]_Account_has_been_created_":"Parabéns! A sua conta [_1] foi criada.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"A senha [_1] da conta número [_2] foi alterada.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Depósito de [_1] da conta [_2] para a conta [_3] está concluída. ID de transação: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"retirada de [_1] da conta [_2] para a conta [_3] está concluída. ID de transação: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"O seu caixa está bloqueado conforme solicitado - para desbloqueá-lo, clique aqui.","Your_cashier_is_locked_":"O seu caixa está bloqueado.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Você não tem fundos suficientes na sua conta Binary, adicione fundos.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Lamentamos, este recurso não está disponível na sua jurisdição.","You_have_reached_the_limit_":"Você já alcançou o limite.","Main_password":"Senha principal","Investor_password":"Senha de investidor","Current_password":"Senha atual","New_password":"Nova senha","Demo_Standard":"Demo padrão","Standard":"Padrão","Demo_Advanced":"Demo avançada","Advanced":"Avançado","Demo_Volatility_Indices":"Demo de índices \"Volatility\"","Real_Standard":"Padrão real","Real_Advanced":"Demo avançada","Real_Volatility_Indices":"Índices Volatility reais","MAM_Advanced":"Gestor multi-contas avançado","MAM_Volatility_Indices":"Índices Volatility do gestor multi-contas","Change_Password":"Alterar Senha","Demo_Accounts":"Contas demo","Demo_Account":"Conta demo","Real-Money_Accounts":"Contas de dinheiro real","MAM_Accounts":"Contas gestor multi-contas","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"O nosso serviço MT5 está atualmente indisponível para residentes da UE devido a aprovação regulamentar pendente.","[_1]_Account_[_2]":"Conta [_1] [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"A negociação de contratos por diferenças (CFDs) em índices Volatility pode não ser adequada para todos. Certifique-se de que compreenda totalmente os riscos envolvidos, incluindo a possibilidade de perder todos os fundos na sua conta MT5. Os jogos de azar podem ser viciantes – jogue responsavelmente.","Do_you_wish_to_continue?":"Deseja continuar?","for_account_[_1]":"da conta [_1]","Verify_Reset_Password":"Verificar senha redefinida","Reset_Password":"Redefinir senha","Please_check_your_email_for_further_instructions_":"Por favor, confira a sua conta de e-mail para mais instruções.","Revoke_MAM":"Revogar gestor multi-contas","Manager_successfully_revoked":"Gestor revogado com sucesso","Min":"Mín","Max":"Máx.","Current_balance":"Saldo atual","Withdrawal_limit":"Limite de retirada","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Autentique a sua conta[_2] já para tirar o máximo proveito de todas as métodos de pagamento disponíveis.","Please_set_the_[_1]currency[_2]_of_your_account_":"Defina a [_1]moeda[_2] da sua conta.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Defina o seu limite de volume de negócios de 30 dias no nosso [_1]recursos de auto-exclusão[_2] para remover os limites de depósito.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Defina o seu [_1]país de residência[_2] antes de atualizar para uma conta de dinheiro real.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor complete o [_1]formulário de avaliação financeira[_2] para aumentar os seus limites de retirada e negociação.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor [_1]complete o perfil de conta[_2] para aumentar os seus limites de retirada e negociação.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor [_1]aceite os termos e condições[_2] atualizados para aumentar os seus limites de retirada e negociação.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"A sua conta está restrita. Contate o [_1]apoio ao cliente[_2] para mais informações","Connection_error:_Please_check_your_internet_connection_":"Erro de conexão: verifique a sua conexão com a internet.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Você já atingiu o limite de taxa de solicitações por segundo. Tenta novamente mais tarde.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"A [_1] requer que o armazenamento na Web do seu navegador esteja habilitado para poder funcionar corretamente. Por favor, habilite-o ou saia do modo de navegação privada.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Estamos analisando os seus documentos. Para mais informações [_1]contate-nos[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Depósitos e retiradas foram desativados na sua conta. Confira o seu e-mail para mais detalhes.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Negociações e depósitos foram desativados na sua conta. Entre em contato com o [_1]suporte ao cliente[_2] para receber assistência.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Retiradas foram desativadas na sua conta. Confira o seu e-mail para mais detalhes.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Preencha os seus [_1]dados pessoais[_2] antes de proceder.","Account_Authenticated":"Conta autenticada","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"O seu navegador web ([_1]) está desatualizado e pode afetar a sua experiência de negociação. Prossiga por sua conta e risco. [_2]Atualize navegador[_3]","Bid":"Lance","Closed_Bid":"Lance fechado.","Create":"Criar","Commodities":"Matérias-primas","Indices":"Índices","Stocks":"Ações","Volatility_Indices":"Índices Volatility","Set_Currency":"Definir moeda","Please_choose_a_currency":"Escolha uma moeda","Create_Account":"Criar conta","Accounts_List":"Lista de contas","[_1]_Account":"Conta [_1]","Investment":"Investimento","Gaming":"Apostas","Counterparty":"Contraparte","This_account_is_disabled":"Esta conta está desativada","This_account_is_excluded_until_[_1]":"Esta conta está excluída até [_1]","Ether":"Ethereum","Ether_Classic":"Ethereum Classic","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"O arquivo ([_1]) excede o limite de tamanho permitido. Tamanho de arquivo máximo permitido: [_2]","ID_number_is_required_for_[_1]_":"Número de identificação é necessário para [_1].","Expiry_date_is_required_for_[_1]_":"A data de vencimento é necessária para [_1].","Passport":"Passaporte","ID_card":"Cartão de identificação","Driving_licence":"Carteira de habilitação","Front_Side":"Frente","Reverse_Side":"Verso","Front_and_reverse_side_photos_of_[_1]_are_required_":"Fotos frente e verso de [_1] são necessárias.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]O seu comprovante de identidade ou de endereço[_2] não cumpriu os nossos requisitos. Confira o seu e-mail para mais instruções.","Following_file(s)_were_already_uploaded:_[_1]":"Os seguintes arquivos foram carregados: [_1]","Checking":"Verificando","Checked":"Verificado","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Você será redirecionado para um site de terceiros que não pertence à Binary.com.","Click_OK_to_proceed_":"Clique em OK para avançar.","Enable":"Habilitar","Disable":"Desabilitar"};
\ No newline at end of file
+texts_json['PT'] = {"Investment":"Investimento","Gaming":"Apostas","Ether":"Ethereum","Ether_Classic":"Ethereum Classic","Connecting_to_server":"Conectando ao servidor","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"A senha que você inseriu é uma das senhas mais comuns do mundo. Você não devia estar usando esta senha.","million":"milhões","thousand":"mil","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Dica: Iria levar aproximadamente [_1][_2] para decifrar esta senha.","years":"anos","days":"dias","Validate_address":"Validar endereço","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Você será redirecionado para um site de terceiros que não pertence à Binary.com.","Click_OK_to_proceed_":"Clique em OK para avançar.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"A [_1] requer que o armazenamento na Web do seu navegador esteja habilitado para poder funcionar corretamente. Por favor, habilite-o ou saia do modo de navegação privada.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"[_1]Conecte-se[_2] ou [_3]inscreva-se[_4] para ver esta página.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Lamentamos, este recurso está disponível somente para contas virtuais.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Este recurso não é relevante para as contas de dinheiro virtual.","[_1]_Account":"Conta [_1]","Click_here_to_open_a_Financial_Account":"Clique aqui para abrir uma conta financeira","Click_here_to_open_a_Real_Account":"Clique aqui para abrir uma conta real","Open_a_Financial_Account":"Abrir uma conta financeira","Open_a_Real_Account":"Abrir uma conta de dinheiro real","Create_Account":"Criar conta","Accounts_List":"Lista de contas","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]Autentique a sua conta[_2] já para tirar o máximo proveito de todas as métodos de pagamento disponíveis.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Depósitos e retiradas foram desativados na sua conta. Confira o seu e-mail para mais detalhes.","Please_set_the_[_1]currency[_2]_of_your_account_":"Defina a [_1]moeda[_2] da sua conta.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]O seu comprovante de identidade ou de endereço[_2] não cumpriu os nossos requisitos. Confira o seu e-mail para mais instruções.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Estamos analisando os seus documentos. Para mais informações [_1]contate-nos[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"A sua conta está restrita. Contate o [_1]apoio ao cliente[_2] para mais informações","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Retiradas da MT5 foram desativadas na sua conta. Confira o seu e-mail para mais detalhes.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Preencha os seus [_1]dados pessoais[_2] antes de proceder.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Defina o seu [_1]país de residência[_2] antes de atualizar para uma conta de dinheiro real.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor complete o [_1]formulário de avaliação financeira[_2] para aumentar os seus limites de retirada e negociação.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Por favor [_1]complete o perfil de conta[_2] para aumentar os seus limites de retirada e negociação.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Negociações e depósitos foram desativados na sua conta. Entre em contato com o [_1]suporte ao cliente[_2] para receber assistência.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Retiradas foram desativadas na sua conta. Confira o seu e-mail para mais detalhes.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Por favor [_1]aceite os termos e condições[_2] atualizados para aumentar os seus limites de depósito e negociação.","Account_Authenticated":"Conta autenticada","Connection_error:_Please_check_your_internet_connection_":"Erro de conexão: verifique a sua conexão com a internet.","Network_status":"Status da rede","This_is_a_staging_server_-_For_testing_purposes_only":"Este é um servidor temporário - apenas para testes","The_server_endpoint_is:_[_2]":"O terminal do 1servidor 2 é: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"O seu navegador web ([_1]) está desatualizado e pode afetar a sua experiência de negociação. Prossiga por sua conta e risco. [_2]Atualize navegador[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Você já atingiu o limite de taxa de solicitações por segundo. Tenta novamente mais tarde.","Please_select":"Selecione","There_was_some_invalid_character_in_an_input_field_":"Houve algum caractere inválido no campo de entradas.","Please_accept_the_terms_and_conditions_":"Por favor aceite os termos e condições.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Confirme que você não é uma pessoa politicamente exposta.","Today":"Hoje","Barrier":"Barreira","End_Time":"Hora final","Entry_Spot":"Preço de entrada","Exit_Spot":"Preço de saída","Charting_for_this_underlying_is_delayed":"Os gráficos para esta base estão com atraso","Highest_Tick":"Tique-taque mais alto","Lowest_Tick":"Tique-taque mais baixo","Payout_Range":"Intervalo do pagamento de prêmios","Purchase_Time":"Hora da Compra","Reset_Barrier":"Barreira de redefinição","Reset_Time":"Hora de redefinição","Selected_Tick":"Tique-taque selecionado","Start_Time":"Hora de Início","Fiat":"Fiduciária","Crypto":"Cripto","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"O código de verificação está errado. Use o link enviado ao seu e-mail.","Indicates_required_field":"Indica campo obrigatórios","Please_select_the_checkbox_":"Selecione a caixa de seleção","This_field_is_required_":"Este campo é obrigatório.","Should_be_a_valid_number_":"Deve ser um número válido.","Up_to_[_1]_decimal_places_are_allowed_":"Até [_1] casas decimais são permitidas.","Should_be_[_1]":"Deve ser [_1]","Should_be_between_[_1]_and_[_2]":"Deve ser entre [_1] e [_2]","Should_be_more_than_[_1]":"Deve ser mais do que [_1]","Should_be_less_than_[_1]":"Deve ser menos do que [_1]","Invalid_email_address_":"Endereço de e-mail inválido.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"A senha deve conter letras minúsculas, maiúsculas e números.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Apenas letras, números, espaços, hífenes, pontos e apóstrofes são permitidos.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Apenas são permitidos números, letras, espaços e estes caracteres especiais: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Apenas letras, espaços, pontos e apóstrofes são permitidos.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Apenas letras, números, espaços e o hífen são permitidos.","The_two_passwords_that_you_entered_do_not_match_":"As palavras-chave que introduziu não coincidem.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] e [_2] não podem ser iguais.","Minimum_of_[_1]_characters_required_":"Um mínimo de [_1] caracteres é necessário.","You_should_enter_[_1]_characters_":"Você dever inserir [_1] caracteres.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Deve começar com uma letra ou um número e pode conter um hífen e sublinhado.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Transação executada por [_1] (App ID: [_2])","Guide":"Guia","Next":"Próximo","Finish":"Terminar","Step":"Etapa","Select_your_market_and_underlying_asset":"Selecione o mercado e o seu ativo subjacente","Select_your_trade_type":"Selecione o tipo de negociação","Adjust_trade_parameters":"Ajustar parâmetros de negociação","Predict_the_directionand_purchase":"Preveja a direção e compre","Your_session_duration_limit_will_end_in_[_1]_seconds_":"O limite de duração da sua sessão terminará em [_1] segundos.","January":"Janeiro","February":"Fevereiro","March":"Março","April":"Abril","May":"Maio","June":"Junho","July":"Julho","August":"Agosto","September":"Setembro","October":"Outubro","November":"Novembro","December":"Dezembro","Feb":"Fev","Apr":"Abr","Aug":"Ago","Sep":"Set","Oct":"Out","Dec":"Dez","Sunday":"Domingo","Monday":"Segunda-feira","Tuesday":"Terça-feira","Wednesday":"Quarta-feira","Thursday":"Quinta-feira","Friday":"Sexta-feira","Saturday":"Sábado","Su":"Dom","Mo":"Seg","Tu":"Qui","We":"Qua","Th":"Qui","Fr":"Sex","Sa":"Sáb","Previous":"Anterior","Hour":"Hora","Minute":"Minuto","Min":"Mín","Max":"Máx.","Current_balance":"Saldo atual","Withdrawal_limit":"Limite de retirada","Withdraw":"Retirar","Deposit":"Depositar","State/Province":"Estado/Província","Town/City":"Vila/Cidade","First_line_of_home_address":"Primeira linha do endereço residencial","Telephone":"Telefone","Email_address":"Endereço de e-mail","details":"detalhes","Your_cashier_is_locked_":"O seu caixa está bloqueado.","You_have_reached_the_withdrawal_limit_":"Você já alcançou o limite de retiradas.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Os serviços de agente de pagamentos não estão atualmente disponíveis no seu país ou na sua moeda preferida.","Please_select_a_payment_agent":"Selecione um agente de pagamentos","Amount":"Quantia","Insufficient_balance_":"Saldo insuficiente.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"O seu pedido para levantar [_1] [_2] da sua conta [_3] para a conta [_4] do Agente de Pagamentos foi processado com sucesso.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"O seu token expirou ou é inválido. Clique [_1]aqui[_2] para reiniciar o processo de verificação.","Please_[_1]deposit[_2]_to_your_account_":"Por favor, [_1]deposite[_2] na sua conta.","minute":"minuto","minutes":"minutos","day":"dia","week":"semana","weeks":"semanas","month":"mês","months":"meses","year":"ano","Month":"Mês","Day":"Dia","Higher":"Superior","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] for estritamente superior ou igual à Barreira no fechamento em [_4].","Lower":"Inferior","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] for estritamente inferior à Barreira no fechamento em [_4].","Touches":"Toca","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] tocar na Barreira antes do fechamento em [_4].","Does_Not_Touch":"Não toca","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] não tocar na Barreira antes do fechamento em [_4].","Ends_Between":"Termina entre","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] terminar em ou entre os valores baixo e alto da Barreira no fechamento em [_4].","Ends_Outside":"Termina fora","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] terminar fora dos valores baixo e alto da Barreira no fechamento em [_4].","Stays_Between":"Fica entre","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] ficar entre os valores baixo e alto da Barreira até ao fechamento em [_4].","Goes_Outside":"Sai fora","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Prêmio de [_2] [_1] se [_3] sair fora dos valores baixo e alto da Barreira antes do fechamento em [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Lamentamos, a sua conta não está autorizada a mais compras de contratos.","Please_log_in_":"Por favor, conecte-se.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Lamentamos, este recurso não está disponível na sua jurisdição.","This_symbol_is_not_active__Please_try_another_symbol_":"Este símbolo não está ativo. Experimente outro símbolo.","Market_is_closed__Please_try_again_later_":"O mercado está fechado. Tente novamente mais tarde.","All_barriers_in_this_trading_window_are_expired":"Todas as barreiras nesta janela de negociação já expiraram","Sorry,_account_signup_is_not_available_in_your_country_":"Lamentamos, mas o registro de contas não está disponível no seu país.","Asset":"Ativos","Opens":"Abre","Closes":"Fecha","Settles":"Liquida","Upcoming_Events":"Próximos Eventos","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Acrescente +/- para definir uma deslocação de barreira. Por exemplo, +0.005 significa uma barreira que está 0.005 acima do preço de entrada.","Digit":"Dígito","Percentage":"Porcentagem","Waiting_for_entry_tick_":"Aguardando tick de entrada.","High_Barrier":"Barreira Alta","Low_Barrier":"Barreira Baixa","Waiting_for_exit_tick_":"Aguardando tique-taque de saída.","Ticks_history_returned_an_empty_array_":"O histórico de tique-taques devolveu uma série vazia.","Chart_is_not_available_for_this_underlying_":"Não há nenhum gráfico disponível para este ativo subjacente.","Purchase":"Comprar","Net_profit":"Lucro líquido","Return":"Prêmio","Time_is_in_the_wrong_format_":"A hora está no formato incorreto.","Rise/Fall":"Sobe/Desce","Higher/Lower":"Superior/Inferior","Matches/Differs":"Combina/Difere","Even/Odd":"Par/Ímpar","Over/Under":"Acima/Abaixo","High-Close":"Fechar-Alto","Close-Low":"Fechar-Baixo","High-Low":"Fechar-Baixo","Reset_Call":"Redefinição - Compra","Reset_Put":"Redefinição - Venda","Up/Down":"Acima/Abaixo","In/Out":"Dentro/Fora","seconds":"segundos","hours":"horas","ticks":"tique-taques","tick":"tique-taque","second":"segundo","hour":"hora","Duration":"Duração","Purchase_request_sent":"Solicitação de compra enviada","High":"Alta","Close":"Fechar","Low":"Baixa","Select_Asset":"Selecionar ativo","Search___":"Pesquisar...","Stake":"Aposta","Payout":"Prêmio","Multiplier":"Multiplicador","Please_reload_the_page":"Recarregue a página","Try_our_[_1]Volatility_Indices[_2]_":"Descubra os nossos [_1]índices Volatility[_2].","Try_our_other_markets_":"Experimente os nossos outros mercados.","Contract_Confirmation":"Confirmação de Contrato","Your_transaction_reference_is":"A referência da sua transação é","Total_Cost":"Custo Total","Potential_Payout":"Possível Prêmio","Maximum_Payout":"Prêmio máximo","Maximum_Profit":"Lucro máximo","Potential_Profit":"Lucro Potencial","View":"Ver","This_contract_won":"Esse contrato ganhou","This_contract_lost":"Esse contrato perdeu","Tick_[_1]_is_the_highest_tick":"Tique-taque [_1] é o tique-taque mais alto","Tick_[_1]_is_not_the_highest_tick":"Tique-taque [_1] não é o tique-taque mais alto","Tick_[_1]_is_the_lowest_tick":"Tique-taque [_1] é o tique-taque mais baixo","Tick_[_1]_is_not_the_lowest_tick":"Tique-taque [_1] não é o tique-taque mais baixo","Tick":"Tique-taque","The_reset_time_is_[_1]":"O momento de redefinição é [_1]","Now":"Agora","Tick_[_1]":"Tique-taque [_1]","Average":"Média","Buy_price":"Preço de compra","Final_price":"Preço final","Loss":"Perda","Profit":"Lucro","Account_balance:":"Saldo da conta:","Reverse_Side":"Verso","Front_Side":"Frente","Pending":"Pendente","Submitting":"Enviando","Submitted":"Enviado","Failed":"Falhou","Checking":"Verificando","Checked":"Verificado","Passport":"Passaporte","Identity_card":"Cartão de identificação","Driving_licence":"Carteira de habilitação","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"O arquivo ([_1]) excede o limite de tamanho permitido. Tamanho de arquivo máximo permitido: [_2]","ID_number_is_required_for_[_1]_":"Número de identificação é necessário para [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Apenas letras, números, espaços, sublinhados e hífenes são permitidos no número de identificação ([_1]).","Expiry_date_is_required_for_[_1]_":"A data de vencimento é necessária para [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Fotos frente e verso de [_1] são necessárias.","Current_password":"Senha atual","New_password":"Nova senha","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"O seu pedido para transferir [_1] [_2] de [_3] para [_4] foi processado com sucesso.","Resale_not_offered":"A revenda não está disponivel","Your_account_has_no_trading_activity_":"A sua conta não tem nenhuma atividade de negociação.","Date":"Data","Contract":"Contrato","Purchase_Price":"Preço de Compra","Sale_Date":"Data de Venda","Sale_Price":"Preço de venda","Profit/Loss":"Lucro/Perda","Details":"Dados","Total_Profit/Loss":"Lucro/Perda Total","Only_[_1]_are_allowed_":"Apenas [_1] são permitidos.","letters":"caracteres","numbers":"números","space":"espaço","Please_select_at_least_one_scope":"Selecione pelo menos um escopo","New_token_created_":"Novo token criado.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"O número máximo de tokens ([_1]) foi atingido.","Name":"Nome","Scopes":"Âmbitos","Last_Used":"Última utilização","Action":"Ação","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Tem certeza que deseja excluir permanentemente o token","Delete":"Excluir","Never_Used":"Nunca utilizado","You_have_not_granted_access_to_any_applications_":"Você não concedeu acesso a nenhum aplicativo.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Tem certeza que deseja revogar permanentemente acesso ao aplicativo","Revoke_access":"Revogar acesso","Admin":"Administração","Payments":"Pagamentos","Read":"Ler","Trade":"Negociar","Never":"Nunca","Permissions":"Permissões","Unlock_Cashier":"Desbloquear o Caixa","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"O seu caixa está bloqueado conforme pedido - para desbloqueá-lo, digite a senha.","Lock_Cashier":"Bloquear Caixa","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Uma senha adicional pode ser usada para restringir acesso ao caixa.","Update":"Atualização","Sorry,_you_have_entered_an_incorrect_cashier_password":"Lamentamos, introduziu uma senha de caixa incorreta","Your_settings_have_been_updated_successfully_":"As suas configurações foram atualizadas com sucesso.","You_did_not_change_anything_":"Você não alterou nada.","Sorry,_an_error_occurred_while_processing_your_request_":"Lamentamos, ocorreu um erro durante o processamento do seu pedido.","Your_changes_have_been_updated_successfully_":"As suas alterações foram atualizadas com sucesso.","Successful":"Bem-sucedido","Date_and_Time":"Data e hora","Browser":"Navegador","IP_Address":"Endereço IP","Status":"Estado","Your_account_has_no_Login/Logout_activity_":"A sua conta não tem nenhuma atividade de login/sair.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"A sua conta está totalmente autenticada e os seus limites de retirada de fundos foram aumentados.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"O seu limite de retiradas de [_1] dia(s) é atualmente [_2] [_3] (ou equivalente em outra moeda).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Você já retirou o equivalente a [_1] [_2] em agregado durante os últimos [_3] dias.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Portanto, a sua retirada máxima imediata atual (sujeito à existência de fundos suficientes na sua conta) é [_1] [_2] (ou equivalente em outra moeda).","Your_withdrawal_limit_is_[_1]_[_2]_":"O seu limite de retiradas é [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Você já retirou [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Portanto, a sua retirada máxima imediata atual (sujeita à existência de fundos suficientes na sua conta) é [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"O seu limite de retiradas é [_1] [_2] (ou equivalente em outra moeda).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Você já retirou o equivalente a [_1] [_2].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Certifique-se de que as informações acima são verdadeiras e estão completas.","Sorry,_an_error_occurred_while_processing_your_account_":"Lamentamos, ocorreu um erro durante o processamento da sua conta.","Please_select_a_country":"Selecione um país","Timed_out_until":"Bloqueado até","Excluded_from_the_website_until":"Excluído deste site até","Session_duration_limit_cannot_be_more_than_6_weeks_":"O limite de duração de sessões não pode ser superior a 6 semanas.","Time_out_must_be_after_today_":"O limite de tempo deve ser depois de hoje.","Time_out_cannot_be_more_than_6_weeks_":"O limite de tempo não pode ser superior a 6 semanas.","Time_out_cannot_be_in_the_past_":"A hora não pode ser no passado.","Please_select_a_valid_time_":"Selecione uma hora válida.","Exclude_time_cannot_be_less_than_6_months_":"O tempo de exclusão não pode ser inferior a seis meses.","Exclude_time_cannot_be_for_more_than_5_years_":"O tempo de exclusão não pode ser superior a 5 anos.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Quando você clicar em \"OK\" será excluído de poder negociar no site até a data selecionada.","Your_changes_have_been_updated_":"As suas alterações foram atualizadas.","Disable":"Desabilitar","Enable":"Habilitar","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Você habilitou com sucesso a autenticação de dois fatores na sua conta.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Você desabilitou com sucesso a autenticação de dois fatores na sua conta.","You_are_categorised_as_a_professional_client_":"Você está categorizado como um cliente profissional.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"O seu requerimento para ser tratado como um cliente profissional está sendo processado.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Você está categorizado como um cliente particular. Faça o requerimento para ser tratado como um cliente profissional.","Bid":"Lance","Closed_Bid":"Lance fechado.","Description":"Descrição","Credit/Debit":"Crédito/Débito","Balance":"Saldo","Financial_Account":"Conta financeira","Real_Account":"Conta Real","Counterparty":"Contraparte","Create":"Criar","This_account_is_disabled":"Esta conta está desativada","This_account_is_excluded_until_[_1]":"Esta conta está excluída até [_1]","Set_Currency":"Definir moeda","Commodities":"Matérias-primas","Forex":"Forex (Mercado de Câmbio)","Indices":"Índices","Stocks":"Ações","Volatility_Indices":"Índices Volatility","Please_check_your_email_for_the_password_reset_link_":"Por favor, confira a sua conta de e-mail para o link de redefinição de senha.","Standard":"Padrão","Advanced":"Avançado","Demo_Standard":"Demo padrão","Real_Standard":"Padrão real","Demo_Advanced":"Demo avançada","Real_Advanced":"Demo avançada","MAM_Advanced":"Gestor multi-contas avançado","Demo_Volatility_Indices":"Demo de índices \"Volatility\"","Real_Volatility_Indices":"Índices Volatility reais","MAM_Volatility_Indices":"Índices Volatility do gestor multi-contas","Sign_up":"Inscreva-se","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"A negociação de contratos por diferenças (CFDs) em índices Volatility pode não ser adequada para todos. Certifique-se de que compreenda totalmente os riscos envolvidos, incluindo a possibilidade de perder todos os fundos na sua conta MT5. Os jogos de azar podem ser viciantes – jogue responsavelmente.","Do_you_wish_to_continue?":"Deseja continuar?","Change_Password":"Alterar Senha","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"A senha [_1] da conta número [_2] foi alterada.","Reset_Password":"Redefinir senha","Verify_Reset_Password":"Verificar senha redefinida","Please_check_your_email_for_further_instructions_":"Por favor, confira a sua conta de e-mail para mais instruções.","Revoke_MAM":"Revogar gestor multi-contas","Manager_successfully_revoked":"Gestor revogado com sucesso","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Depósito de [_1] da conta [_2] para a conta [_3] está concluída. ID de transação: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"O seu caixa está bloqueado conforme solicitado - para desbloqueá-lo, clique aqui.","You_have_reached_the_limit_":"Você já alcançou o limite.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"retirada de [_1] da conta [_2] para a conta [_3] está concluída. ID de transação: [_4]","Main_password":"Senha principal","Investor_password":"Senha de investidor","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Você não tem fundos suficientes na sua conta Binary, adicione fundos.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"O nosso serviço MT5 está atualmente indisponível para residentes da UE devido a aprovação regulamentar pendente.","Demo_Accounts":"Contas demo","MAM_Accounts":"Contas gestor multi-contas","Real-Money_Accounts":"Contas de dinheiro real","Demo_Account":"Conta demo","Real-Money_Account":"Conta de dinheiro real","for_account_[_1]":"da conta [_1]","[_1]_Account_[_2]":"Conta [_1] [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"O seu token expirou ou é inválido. Clique aqui para reiniciar o processo de verificação.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"O endereço de e-mail que forneceu já está em uso. Caso você tenha esquecido a sua senha, experimente usar a nossa ferramenta de recuperação de senha ou contate o nosso serviço de apoio ao cliente.","Password_is_not_strong_enough_":"A senha não é forte o suficiente.","Upgrade_now":"Atualize já","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] dias [_2] horas [_3] minutos","Your_trading_statistics_since_[_1]_":"As suas estatísticas de negociação desde [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Clique no link abaixo para reiniciar o processo de recuperação de senha.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"A sua senha foi redefinida com sucesso. Por favor, inicie sessão na sua conta, usando a sua nova senha.","Please_choose_a_currency":"Escolha uma moeda","Asian_Up":"Asiático acima","Asian_Down":"Asiático abaixo","Higher_or_equal":"Superior ou igual","Lower_or_equal":"Inferior ou igual","Digit_Matches":"Dígito Combina","Digit_Differs":"Dígito Difere","Digit_Odd":"Dígito Ímpar","Digit_Even":"Dígito Par","Digit_Over":"Dígito Acima","Digit_Under":"Dígito Abaixo","Call_Spread":"Spread de compra","Put_Spread":"Spead de venda","High_Tick":"Tique-taque Alto","Low_Tick":"Tique-taque Baixo","Equals":"Igual","Not":"Não","Buy":"Comprar","Sell":"Vender","Contract_has_not_started_yet":"O contrato ainda não foi iniciado","Contract_Result":"Resultado do contrato","Close_Time":"Hora de fechamento","Highest_Tick_Time":"Hora do tique-taque mais alto","Lowest_Tick_Time":"Hora do tique-taque mais baixo","Exit_Spot_Time":"Hora do preço de saída","Audit":"Auditoria","View_Chart":"Ver gráfico","Audit_Page":"Página de auditoria","Spot":"Preço atual","Spot_Time_(GMT)":"Hora do preço à vista (GMT)","Contract_Starts":"Contrato começa","Contract_Ends":"Contrato termina","Target":"Alvo","Contract_Information":"Informação do contrato","Contract_Type":"Tipo de contrato","Transaction_ID":"ID da transação","Remaining_Time":"Tempo restante","Barrier_Change":"Alteração de barreira","Current":"Atual","Spot_Time":"Hora do preço à vista","Current_Time":"Hora atual","Indicative":"Indicativo","You_can_close_this_window_without_interrupting_your_trade_":"É possível fechar esta janela sem interromper a sua negociação.","There_was_an_error":"Houve um erro","Sell_at_market":"Venda no mercado","Note":"Nota","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"O contrato será vendido ao preço prevalecente do mercado no momento em que o pedido for recebido pelos nossos servidores. Esse preço pode ser diferente do preço indicado.","You_have_sold_this_contract_at_[_1]_[_2]":"Você vendeu este contrato por [_1] [_2]","Your_transaction_reference_number_is_[_1]":"O número de referência da sua transação é [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Obrigado por se cadastrar! Verifique a sua caixa de entrada para completar o processo de registro.","All_markets_are_closed_now__Please_try_again_later_":"Todos os mercados estão agora fechados. Tente novamente mais tarde.","Withdrawal":"Retirada","login":"conectar","logout":"sair","Asians":"Asiáticas","Call_Spread/Put_Spread":"Spread de compra/venda","Digits":"Dígitos","Ends_Between/Ends_Outside":"Termina entre/Termina fora","High/Low_Ticks":"Tique-taques Altos/Baixos","Lookbacks":"Retrospectivos","Reset_Call/Reset_Put":"Redefinição - Compra/Redefinição - Venda","Stays_Between/Goes_Outside":"Fica entre/Sai fora","Touch/No_Touch":"Toca/Não Toca","Christmas_Day":"Dia de Natal","Closes_early_(at_18:00)":"Fecha cedo (às 18:00)","Closes_early_(at_21:00)":"Fecha cedo (às 21:00)","Fridays":"Sexta-feira","New_Year's_Day":"Dia de Ano Novo","today":"hoje","today,_Fridays":"hoje, sextas-feiras","There_was_a_problem_accessing_the_server_":"Ocorreu um problema ao aceder ao servidor.","There_was_a_problem_accessing_the_server_during_purchase_":"Ocorreu um problema ao aceder ao servidor durante a aquisição."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/ru.js b/src/javascript/_autogenerated/ru.js
index 1a60c1b80c5f1..d7aef13fdf0d2 100644
--- a/src/javascript/_autogenerated/ru.js
+++ b/src/javascript/_autogenerated/ru.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['RU'] = {"Day":"День","Month":"Месяц","Year":"год","Sorry,_an_error_occurred_while_processing_your_request_":"Извините, при обработке Вашего запроса произошла ошибка.","Click_here_to_open_a_Real_Account":"Нажмите здесь для открытия Реального счёта","Open_a_Real_Account":"Открыть Реальный счёт","Click_here_to_open_a_Financial_Account":"Нажмите здесь для открытия Финансового счёта","Open_a_Financial_Account":"Открыть Финансовый счёт","Network_status":"Статус сети","Online":"Онлайн","Offline":"Не в сети","Connecting_to_server":"Соединение с сервером","Virtual_Account":"Демо-счет","Real_Account":"Реальный счет","Investment_Account":"Инвестиционный счет","Gaming_Account":"Игровой счет","Sunday":"Воскресенье","Monday":"Понедельник","Tuesday":"Вторник","Wednesday":"Среда","Thursday":"Четверг","Friday":"пятница","Saturday":"Суббота","Su":"Вс","Mo":"Пн","Tu":"Вт","We":"Ср","Th":"Чт","Fr":"Пт","Sa":"Сб","January":"Январь","February":"Февраль","March":"Март","April":"Апрель","May":"Май","June":"Июнь","July":"Июль","August":"Август","September":"Сентябрь","October":"Октябрь","November":"Ноябрь","December":"Декабрь","Jan":"Янв","Feb":"Фев","Mar":"Мар","Apr":"Апр","Jun":"Июн","Jul":"Июл","Aug":"Авг","Sep":"Сен","Oct":"Окт","Nov":"Ноя","Dec":"Дек","Next":"Далее","Previous":"Предыдущ.","Hour":"Час.","Minute":"Мин.","AM":"утра","PM":"вечера","Time_is_in_the_wrong_format_":"Неправильный формат времени.","Purchase_Time":"Время покупки","Charting_for_this_underlying_is_delayed":"Графики для этого инструмента рисуются с задержкой","Reset_Time":"Время Reset","year":"год(а)/лет","month":"мес.","week":"нед.","day":"дн.","days":"дн.","h":"ч.","hour":"час.","hours":"час.","min":"мин.","minute":"мин.","minutes":"мин.","second":"сек.","seconds":"сек.","tick":"тик.","ticks":"тик.","Loss":"Потери","Profit":"Прибыль","Payout":"Выплата","Units":"Единицы","Stake":"Ставка","Duration":"Длительность","End_Time":"Окончание","Net_profit":"Чистая прибыль","Return":"Прибыль","Now":"Сейчас","Contract_Confirmation":"Подтверждение контракта","Your_transaction_reference_is":"Ссылка на Вашу сделку","Rise/Fall":"Повышение/Падение","Higher/Lower":"Выше/Ниже","In/Out":"Внутри/Вне","Matches/Differs":"Совпадение/Отличие","Even/Odd":"Чётное/Нечётное","Over/Under":"Над/Под","Up/Down":"Вверх/Вниз","Ends_Between/Ends_Outside":"Закончится внутри/вне","Touch/No_Touch":"Касание/Нет касания","Stays_Between/Goes_Outside":"Останется внутри/вне","Asians":"Азиатские","Reset_Call/Reset_Put":"Reset колл/Reset пут","High/Low_Ticks":"Наибольший/наименьший тик","Call_Spread/Put_Spread":"Колл спред/Пут спред","Potential_Payout":"Потенциальная выплата","Maximum_Payout":"Макс. выплата","Total_Cost":"Общая стоимость","Potential_Profit":"Потенциальная прибыль","Maximum_Profit":"Макс. прибыль","View":"Просмотр","Tick":"Тики","Buy_price":"Цена покупки","Final_price":"Итоговая цена","Long":"Длинная позиция","Short":"Короткая позиция","Chart":"График","Portfolio":"Портфель","Explanation":"Объяснение","Last_Digit_Stats":"Статистика последних тиков","Waiting_for_entry_tick_":"В ожидании входного тика...","Waiting_for_exit_tick_":"В ожидании выходного тика.","Please_log_in_":"Пожалуйста, войдите в систему.","All_markets_are_closed_now__Please_try_again_later_":"В данное время все рынки закрыты. Пожалуйста, попробуйте позже.","Account_balance:":"Баланс счета:","Try_our_[_1]Volatility_Indices[_2]_":"Попробуйте наши [_1]Индексы волатильности[_2].","Try_our_other_markets_":"Вы можете торговать на других активах.","Session":"Сессия","Crypto":"Крипто","Fiat":"Фидуциарные","High":"Макс.","Low":"Мин.","Close":"Закрытие","Payoff":"Выигрыш","High-Close":"Макс.-Закрытие","Close-Low":"Закрытие-Мин.","High-Low":"Макс.-Мин.","Reset_Call":"Reset Колл","Reset_Put":"Reset Пут","Search___":"Поиск...","Select_Asset":"Выберите актив","The_reset_time_is_[_1]":"Время Reset: [_1]","Purchase":"Покупка","Purchase_request_sent":"Запрос на покупку отправлен","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Добавьте +/–, чтобы определить границы барьера. Например, +0.005 означает, что барьер будет на 0.005 выше входной спот-котировки.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Ваш счет полностью авторизован, и лимит на вывод был снят.","Your_withdrawal_limit_is_[_1]_[_2]_":"Ваш лимит на вывод составляет [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Ваш лимит на вывод составляет [_1] [_2] (или эквивалентную сумму в другой валюте).","You_have_already_withdrawn_[_1]_[_2]_":"Вы уже вывели со счета [_1] [_2].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Вы уже вывели со счета сумму, эквивалентную [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Следовательно, Ваш максимальный лимит на вывод на данный момент составляет [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Поэтому максимально возможная сумма к выводу на данный момент (если на счету есть средства) составляет [_1] [_2] (или эквивалентную сумму в другой валюте).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Ваш дневной [_1] лимит на вывод в настоящее время составляет [_2] [_3] (или эквивалентную сумму в другой валюте).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Вы уже в целом вывели сумму, эквивалентную [_1] [_2] за последние [_3] суток.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Контракты, где барьер совпадает с котировкой на входе.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Контракты, где барьер отличается от котировки на входе.","Non-ATM":"Не ATM","Duration_up_to_7_days":"Длительность до 7 дней","Duration_above_7_days":"Длительность более 7 дней","Major_Pairs":"Основные пары","Forex":"Форекс","This_field_is_required_":"Данное поле является необходимым.","Please_select_the_checkbox_":"Пожалуйста, выберите нужный ответ.","Please_accept_the_terms_and_conditions_":"Пожалуйста, примите правила и условия.","Only_[_1]_are_allowed_":"Разрешены только [_1] и латинские буквы.","letters":"буквы","numbers":"цифры","space":"пробел","Sorry,_an_error_occurred_while_processing_your_account_":"Извините, произошла ошибка.","Your_changes_have_been_updated_successfully_":"Ваши изменения успешно обновлены.","Your_settings_have_been_updated_successfully_":"Ваши настройки обновлены успешно.","Please_select_a_country":"Выберите страну","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Пожалуйста, подтвердите, что вся информация, указанная выше, является точной и достоверной.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Ваша заявка на квалификацию профессионального клиента находится на рассмотрении.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Вы относитесь к категории индивидуальных клиентов. Станьте профессиональным клиентом.","You_are_categorised_as_a_professional_client_":"Вы относитесь к категории профессиональных клиентов.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Срок действия Вашего ключа истёк. Пожалуйста, нажмите здесь, чтобы повторно запустить процесс проверки.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Указанный Вами электронный адрес уже используется для другого счёта. Если Вы забыли пароль к своему счету, пожалуйста, воспользуйтесь инструментом восстановления пароля или свяжитесь с нашей службой поддержки.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Пароль должен содержать заглавные и строчные буквы и цифры.","Password_is_not_strong_enough_":"Пароль недостаточно надёжный.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Ограничение на длительность сессии закончится через [_1] сек.","Invalid_email_address_":"Неправильный e-mail.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Спасибо за регистрацию! Теперь проверьте электронную почту, чтобы завершить процесс.","Financial_Account":"Финансовый счёт","Upgrade_now":"Обновить сейчас","Please_select":"Выберите","Minimum_of_[_1]_characters_required_":"Необходимо минимум [_1] знака(ов).","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Пожалуйста подтвердите, что Вы не являетесь политически-значимым лицом.","Asset":"Актив","Opens":"Открывается","Closes":"Закрывается","Settles":"Заканчивается","Upcoming_Events":"Ближайшие события","Closes_early_(at_21:00)":"Закрывается рано (в 21:00)","Closes_early_(at_18:00)":"Закрывается рано (в 18:00)","New_Year's_Day":"Новый год","Christmas_Day":"Рождество","Fridays":"пятница","today":"сегодня","today,_Fridays":"сегодня, по пятницам","Please_select_a_payment_agent":"Пожалуйста, выберите платежного агента","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Услуги платёжного агента недоступны в Вашей стране или в выбранной Вами валюте.","Invalid_amount,_minimum_is":"Неправильная сумма. Минимум:","Invalid_amount,_maximum_is":"Неправильная сумма. Максимум:","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Ваш запрос на вывод [_1] [_2] с Вашего счета [_3] на счет платежного агента [_4] был выполнен успешно.","Up_to_[_1]_decimal_places_are_allowed_":"Разрешенное количество десятичных: до [_1].","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Срок действия Вашего ключа истёк. Пожалуйста, нажмите [_1]здесь,[_2] чтобы повторно запустить процесс проверки.","New_token_created_":"Создан новый ключ.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Достигнуто максимальное число ключей ([_1]).","Name":"Имя и фамилия","Token":"Ключ","Last_Used":"Последние","Scopes":"Сфера действия","Never_Used":"Никогда не использовался","Delete":"Удалить","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Вы уверены, что хотите навсегда удалить ключ?","Please_select_at_least_one_scope":"Пожалуйста, выберите минимум один параметр","Guide":"Экскурс","Finish":"Завершить","Step":"Шаг","Select_your_market_and_underlying_asset":"Выберите рынок и основной актив","Select_your_trade_type":"Выбрать тип контракта","Adjust_trade_parameters":"Изменить параметры контракта","Predict_the_directionand_purchase":"Предскажите направление движения и купите","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Извините, эта опция доступна только для демо-счетов.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] зачислено на Ваш демо-счет: [_3].","years":"год(а)/лет","months":"мес.","weeks":"нед.","Your_changes_have_been_updated_":"Ваши изменения внесены успешно.","Please_enter_an_integer_value":"Пожалуйста, введите целое число","Session_duration_limit_cannot_be_more_than_6_weeks_":"Лимит на длительность сессии не может превышать 6 недель.","You_did_not_change_anything_":"Вы не внесли никаких изменений.","Please_select_a_valid_date_":"Пожалуйста, выберите правильную дату.","Please_select_a_valid_time_":"Пожалуйста, выберите правильное время.","Time_out_cannot_be_in_the_past_":"Перерыв не может быть в прошлом.","Time_out_must_be_after_today_":"Перерыв должен быть позднее сегодняшней даты.","Time_out_cannot_be_more_than_6_weeks_":"Перерыв не может превышать 6 недель.","Exclude_time_cannot_be_less_than_6_months_":"Период ограничения не может быть менее 6 месяцев.","Exclude_time_cannot_be_for_more_than_5_years_":"Период ограничения не может быть больше 5 лет.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Когда Вы нажмёте \"ОК\", Вы будете отстранены от работы на сайте до окончания выбранной даты.","Timed_out_until":"Ограничение до","Excluded_from_the_website_until":"Доступ к сайту закрыт до","Ref_":"Ном.","Resale_not_offered":"Продажа не предлагается","Date":"Дата","Action":"Акт","Contract":"Контракт","Sale_Date":"Дата продажи","Sale_Price":"Цена продажи","Total_Profit/Loss":"Общая прибыль/убыток","Your_account_has_no_trading_activity_":"На Вашем счету нет торговой деятельности.","Today":"Cегодня","Details":"Подробности","Sell":"Продажа","Buy":"Покупка","Virtual_money_credit_to_account":"Виртуальный кредит на счёт","This_feature_is_not_relevant_to_virtual-money_accounts_":"Данная функция недоступна на демо-счетах.","Japan":"Япония","Questions":"Вопросы","True":"Верно","There_was_some_invalid_character_in_an_input_field_":"Неразрешённый символ в поле ввода.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Пожалуйста, следуйте данной схеме: 3 цифры, тире, а затем 4 цифры.","Weekday":"День недели","Processing_your_request___":"Обработка Вашего запроса...","Please_check_the_above_form_for_pending_errors_":"Пожалуйста, исправьте указанные ошибки в форме выше.","Asian_Up":"Азиатские вверх","Asian_Down":"Азиатские вниз","Digit_Matches":"Совпадение цифр","Digit_Differs":"Несовпадение цифр","Digit_Odd":"Нечётная цифра","Digit_Even":"Чётная цифра","Digit_Over":"Цифра выше","Digit_Under":"Цифра ниже","Call_Spread":"Колл спред","Put_Spread":"Пут спред","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] будет находиться строго выше или на заданном барьере на момент окончания [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] будет находиться строго ниже заданного ценового барьера на момент закрытия [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] не коснётся заданного барьера на момент закрытия [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] коснётся заданного барьера к моменту закрытия [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] завершит контракт на или между верхним или нижним барьером на момент закрытия [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] завершит торговлю вне верхнего и нижнего барьера на момент закрытия [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] останется между заданным верхним и нижним барьером на момент закрытия [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] выйдет за пределы верхнего и нижнего барьера на момент закрытия [_4].","M":"М","D":"Д","Higher":"Выше","Higher_or_equal":"Выше или равно","Lower":"Ниже","Lower_or_equal":"Ниже или равно","Touches":"Коснётся","Does_Not_Touch":"не коснется","Ends_Between":"закончится внутри","Ends_Outside":"закончится вне","Stays_Between":"Останется внутри","Goes_Outside":"выйдет за пределы","All_barriers_in_this_trading_window_are_expired":"Все барьеры в данном торговом окне истекли","Remaining_time":"Оставшееся время","Market_is_closed__Please_try_again_later_":"В данное время рынок закрыт. Пожалуйста, попробуйте позже.","This_symbol_is_not_active__Please_try_another_symbol_":"Данный символ неактивен. Воспользуйтесь другим символом.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Извините, Ваш счет не авторизован для дальнейшей покупки контрактов.","Lots":"Лоты","Payout_per_lot_=_1,000":"Выплата за лот = 1 000","This_page_is_not_available_in_the_selected_language_":"Данная страница недоступна на выбранном языке.","Trading_Window":"Торговое окно","Percentage":"Проценты","Digit":"Десятичн.","Amount":"Количество","Deposit":"Пополнение","Withdrawal":"Вывод","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Ваш запрос на перевод [_1] [_2] с [_3] на [_4] был выполнен успешно.","Date_and_Time":"Дата и время","Browser":"Браузер","IP_Address":"IP-адрес","Status":"Статус","Successful":"Успешно","Failed":"Возникла ошибка","Your_account_has_no_Login/Logout_activity_":"На Вашем счету нет активности входов/выходов.","logout":"выход","Please_enter_a_number_between_[_1]_":"Пожалуйста, введите цифру между [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] дн. [_2] ч. [_3] мин.","Your_trading_statistics_since_[_1]_":"Ваша торговая статистика с [_1].","Unlock_Cashier":"Открыть кассу","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Ваша касса закрыта по Вашему запросу – для открытия, пожалуйста, введите пароль.","Lock_Cashier":"Закрыть кассу паролем","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Можно использовать дополнительный пароль для ограничения доступа к кассе.","Update":"Обновить","Sorry,_you_have_entered_an_incorrect_cashier_password":"Извините, Вы ввели неверный пароль для раздела Касса","You_have_reached_the_withdrawal_limit_":"Вы достигли лимита на вывод.","Start_Time":"Время начала","Entry_Spot":"Входная котировка","Low_Barrier":"Нижний Барьер","High_Barrier":"Верхний барьер","Reset_Barrier":"Барьер Reset","Average":"Среднее","This_contract_won":"Вы выиграли","This_contract_lost":"Вы проиграли","Spot":"Спот-котировка","Barrier":"Барьер","Target":"Цель","Equals":"Равно","Not":"Не","Description":"Описание","Credit/Debit":"Кредит/Дебет","Balance":"Баланс","Purchase_Price":"Цена покупки","Profit/Loss":"Плюс/Минус","Contract_Information":"Детали контракта","Contract_Result":"Результат контракта","Current":"Текущие","Open":"Значение при открытии","Closed":"Закрыто","Contract_has_not_started_yet":"Контракт ещё не начался","Spot_Time":"Спот-время","Spot_Time_(GMT)":"Спот (GMT)","Current_Time":"Текущее время","Exit_Spot_Time":"Время выходной котировки","Exit_Spot":"Выходная котировка","Indicative":"Ориентировочная цена","There_was_an_error":"Произошла ошибка","Sell_at_market":"Продать по текущей цене","You_have_sold_this_contract_at_[_1]_[_2]":"Вы продали данный контракт по цене [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Номер Вашей сделки [_1]","Tick_[_1]_is_the_highest_tick":"Тик [_1] является наибольшим","Tick_[_1]_is_not_the_highest_tick":"Тик [_1] не является наибольшим","Tick_[_1]_is_the_lowest_tick":"Тик [_1] является наименьшим","Tick_[_1]_is_not_the_lowest_tick":"Тик [_1] не является наименьшим","Note":"Примечание","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Контракт будет продан по цене, действующей на момент получения запроса нашими серверами. Эта цена может отличаться от указанной в настоящее время.","Contract_Type":"Вид контракта","Transaction_ID":"Номер контракта","Remaining_Time":"Оставшееся время","Barrier_Change":"Изменение барьера","Audit":"Аудит","Audit_Page":"Страница аудита","View_Chart":"Просмотр графика","Contract_Starts":"Начало контракта","Contract_Ends":"Окончание контракта","Start_Time_and_Entry_Spot":"Время и котировка на входе","Exit_Time_and_Exit_Spot":"Время и котировка на выходе","You_can_close_this_window_without_interrupting_your_trade_":"Вы можете закрыть данное окно без ущерба Вашей торговле.","Selected_Tick":"Выбранный тик","Highest_Tick":"Наибольший тик","Highest_Tick_Time":"Время наибольшего тика","Lowest_Tick":"Наименьший тик","Lowest_Tick_Time":"Время наименьшего тика","Please_select_a_value":"Пожалуйста, выберите значение","You_have_not_granted_access_to_any_applications_":"У Вас нет доступа к приложениям.","Permissions":"Разрешения","Never":"Никогда","Revoke_access":"Отмена доступа","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Вы уверены, что хотите навсегда отказаться от доступа к приложению","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Транзакция проведена [_1] (App ID: [_2])","Admin":"Администратор","Read":"Читать","Payments":"Платежи","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Пожалуйста, нажмите на ссылку ниже для повторного восстановления пароля.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Ваш пароль был изменен. Пожалуйста, зайдите на счет, используя новый пароль.","Please_check_your_email_for_the_password_reset_link_":"Пожалуйста, проверьте свой email. Вам должна прийти ссылка для восстановления пароля.","details":"подробности","Withdraw":"Вывод","Insufficient_balance_":"Недостаточно средств на счете.","This_is_a_staging_server_-_For_testing_purposes_only":"Это вспомогательный сервер, применяемый лишь для тестирования","The_server_endpoint_is:_[_2]":"Конечная точка сервера: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Простите, регистрация счёта не доступна в Вашей стране.","There_was_a_problem_accessing_the_server_":"Возникла проблема с доступом к серверу.","There_was_a_problem_accessing_the_server_during_purchase_":"Возникла проблема с доступом к серверу во время процесса покупки.","Should_be_a_valid_number_":"Введите правильное число.","Should_be_more_than_[_1]":"Значение должно быть больше [_1]","Should_be_less_than_[_1]":"Значение должно быть меньше [_1]","Should_be_between_[_1]_and_[_2]":"Допустимые значения: от [_1] до [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Разрешены только буквы, цифры, пробелы, дефис, точки и апостроф.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Допускаются только буквы латинского алфавита, пробелы, дефисы, точки или апострофы.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Разрешены только буквы, цифры и дефис.","Only_numbers,_space,_and_hyphen_are_allowed_":"Разрешены только цифры, пробелы и дефисы.","Only_numbers_and_spaces_are_allowed_":"Разрешены только цифры и пробелы.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Разрешены только буквы, цифры, пробел и следующие символы: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Введенные пароли не совпадают.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] и [_2] не могут совпадать.","You_should_enter_[_1]_characters_":"Вы должны ввести [_1] символов.","Indicates_required_field":"Обозначает поле, которое является обязательным","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Неправильный проверочный код. Пожалуйста, воспользуйтесь ссылкой, отправленной на Ваш email.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Введённый Вами пароль является одним из самых популярных в мире. Не пользуйтесь данным паролем.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Подсказка: на взламывание этого пароля уйдёт примерно [_1][_2].","thousand":"тыс.","million":"млн.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Должно начинаться с буквы или цифры; может содержать дефис и нижнее подчёркивание.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Не удалось проверить Ваш адрес с помощью автоматизированной системы. Вы можете продолжить, но предварительно проверьте точность адреса.","Validate_address":"Проверка адреса","Congratulations!_Your_[_1]_Account_has_been_created_":"Поздравляем! Ваш счёт [_1] успешно открыт.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Изменён пароль [_1] для счёта [_2].","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Вы успешно перевели средства [_1] со счёта [_2] на счёт [_3]. Номер транзакции: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Вывод средств [_1] со счёта [_2] на счёт [_3] завершен. Номер транзакции: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Ваша касса закрыта по Вашему запросу - для открытия, пожалуйста, нажмите сюда.","Your_cashier_is_locked_":"Ваша касса заблокирована.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"На Вашем счету Binary недостаточно средств. Пожалуйста, пополните счёт.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Извините, данная функция недоступна в Вашей юрисдикции.","You_have_reached_the_limit_":"Вы достигли лимита.","Main_password":"Основной пароль","Investor_password":"Пароль инвестора","Current_password":"Текущий пароль","New_password":"Новый пароль","Demo_Standard":"Демо стандартный","Standard":"Стандартный","Demo_Advanced":"Демо расширенный","Advanced":"Расширенный","Demo_Volatility_Indices":"Демо–Инд.волатильн.","Real_Standard":"Реальный стандартный","Real_Advanced":"Реальный расширенный","Real_Volatility_Indices":"Реальный–Инд. волатильн","MAM_Advanced":"Расширенные ММС","MAM_Volatility_Indices":"Индексы волатильности ММС","Change_Password":"Сменить пароль","Demo_Accounts":"Демо-счета","Demo_Account":"Демо-счёт","Real-Money_Accounts":"Реальный–Валютные счета","Real-Money_Account":"Реальный счёт","MAM_Accounts":"Счета ММС","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"В настоящее время наш сервис MT5 недоступен для жителей ЕС, так как мы ждём официального разрешения.","[_1]_Account_[_2]":"[_1] Счёт [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Торговля контрактами на разницу (CFD) на Индексах волатильности подходит далеко не для всех. Пожалуйста, убедитесь, что Вы хорошо осознаёте все сопряженные риски, включая возможность потерять все средства на счету MT5. Торговая деятельность может вызвать привыкание, поэтому, пожалуйста, торгуйте ответственно.","Do_you_wish_to_continue?":"Хотите продолжить?","for_account_[_1]":"для счёта [_1]","Verify_Reset_Password":"Подтвердите изменение пароля","Reset_Password":"Изменить пароль","Please_check_your_email_for_further_instructions_":"Проверьте свою электронную почту. Вам должны прийти инструкции.","Revoke_MAM":"Отозвать ММС","Manager_successfully_revoked":"Менеджер успешно отозван","Min":"Мин","Max":"Макс","Current_balance":"Текущий баланс","Withdrawal_limit":"Лимит на вывод","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]пройдите аутентификацию счёта[_2]сейчас, чтобы в полной мере воспользоваться всеми способами оплаты.","Please_set_the_[_1]currency[_2]_of_your_account_":"Пожалуйста установите [_1]валюту[_2] на своём счету.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Пожалуйста, укажите 30-дневный лимит на объём покупок в настройках [_1]самоисключения,[_2] чтобы снять лимит на депозит.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Пожалуйста, укажите [_1]страну проживания[_2] до перехода на реальный счёт.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Прежде, чем продолжить, пожалуйста, заполните следующую [_1]форму финансовой оценки[_2].","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Пожалуйста, [_1]заполните свой профайл,[_2] чтобы снять торговые лимиты и ограничения на вывод.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Пожалуйста, [_1]примите Правила и условия,[_2] чтобы снять ограничения на торговые лимиты и вывод средств.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Ваш счёт заблокирован. Пожалуйста, свяжитесь с нашей [_1]cлужбой поддержки[_2] для получения дальнейшей помощи.","Connection_error:_Please_check_your_internet_connection_":"Проблема со связью: пожалуйста, проверьте Ваше подключение к интернету.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Вы достигли лимита курса или количества запросов в секунду. Пожалуйста, повторите попытку позже.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"Для полноценной работы [_1] необходимо разрешение использовать веб-хранилище Вашего браузера. Пожалуйста, включите данную функцию или отключите режим приватности.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Мы рассматриваем Ваши документы. для получения более подробной информации, [_1]cвяжитесь с нами[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Пополнение счёта и вывод средств отключены на Вашем счету. Проверьте свою электронную почту для получения более подробной информации.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"На Вашем счету заблокирована торговля и пополнение. Пожалуйста, свяжитесь со [_1]службой поддержки[_2] для получения помощи.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Вывод средств отключен на Вашем счету. Провертье свою электронную почту для получения более подробной информации.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Чтобы продолжить, введите Ваши [_1]личные данные[_2].","Account_Authenticated":"Аутентификация пройдена","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Ваш веб браузер ([_1]) устарел, что может повлиять на результаты Вашей торговли. Рекомендуем [_2]обновить браузер[_3]","Bid":"Ставка","Closed_Bid":"Закрытая ставка","Create":"Открыть","Commodities":"Сырьевые товары","Indices":"Индексы","Stocks":"Акции","Volatility_Indices":"Индексы волатильности","Set_Currency":"Укажите валюту","Please_choose_a_currency":"Пожалуйста, выберите валюту","Create_Account":"Открыть счёт","Accounts_List":"Список счетов","[_1]_Account":"Счёт [_1]","Investment":"Инвестиции","Gaming":"Игры","Virtual":"Виртуальный","Real":"Реальный","Counterparty":"Контрагент","This_account_is_disabled":"Данный счёт неактивен","This_account_is_excluded_until_[_1]":"Данный счёт исключён до [_1]","Bitcoin_Cash":"Монеты Bitcoin","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Размер файла ([_1]) превышает разрешенный лимит. Максимальный допустимый размер: [_2]","ID_number_is_required_for_[_1]_":"Номер ID необходим для [_1].","Expiry_date_is_required_for_[_1]_":"Срок истечения необходим для [_1].","Passport":"Паспорт","ID_card":"ID-карта","Driving_licence":"Водительское удостоверение","Front_Side":"Лицевая сторона","Reverse_Side":"Обратная сторона","Front_and_reverse_side_photos_of_[_1]_are_required_":"Необходимы фотографии лицевой и обратной стороны [_1].","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Ваше подтверждение личности и адреса[_2] не соответствует нашим требованиям. Пожалуйста, проверьте свою электронную почту. Мы отправили Вам дальнейшие инструкции.","Following_file(s)_were_already_uploaded:_[_1]":"Следующий файл(ы) уже загружен: [_1]","Checking":"Проверка","Checked":"Проверено","Pending":"Ожидающ.","Submitting":"Отправка","Submitted":"Отправлено","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Вы будете перенаправлены на сайт третьей стороны, который не принадлежит Binary.com.","Click_OK_to_proceed_":"Нажмите OK, чтобы продолжить.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Вы успешно включили двухступенчатую аутентификацию на Вашем счету.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Вы успешно отключили двухступенчатую аутентификацию на Вашем счету.","Enable":"Активировать","Disable":"Отключить"};
\ No newline at end of file
+texts_json['RU'] = {"Real":"Реальный","Investment":"Инвестиции","Gaming":"Игры","Virtual":"Виртуальный","Bitcoin_Cash":"Монеты Bitcoin","Online":"Онлайн","Offline":"Не в сети","Connecting_to_server":"Соединение с сервером","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Введённый Вами пароль является одним из самых популярных в мире. Не пользуйтесь данным паролем.","million":"млн.","thousand":"тыс.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Подсказка: на взламывание этого пароля уйдёт примерно [_1][_2].","years":"год(а)/лет","days":"дн.","Validate_address":"Проверка адреса","Unknown_OS":"Незнакомая операционная система","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Вы будете перенаправлены на сайт третьей стороны, который не принадлежит Binary.com.","Click_OK_to_proceed_":"Нажмите OK, чтобы продолжить.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"Для полноценной работы [_1] необходимо разрешение использовать веб-хранилище Вашего браузера. Пожалуйста, включите данную функцию или отключите режим приватности.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Чтобы просмотреть эту страницу, пожалуйста [_1]войдите на сайт[_2] или [_3]зарегистрируйтесь[_4].","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Извините, эта опция доступна только для демо-счетов.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Данная функция недоступна на демо-счетах.","[_1]_Account":"Счёт [_1]","Click_here_to_open_a_Financial_Account":"Нажмите здесь для открытия Финансового счёта","Click_here_to_open_a_Real_Account":"Нажмите здесь для открытия Реального счёта","Open_a_Financial_Account":"Открыть Финансовый счёт","Open_a_Real_Account":"Открыть Реальный счёт","Create_Account":"Открыть счёт","Accounts_List":"Список счетов","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]пройдите аутентификацию счёта[_2]сейчас, чтобы в полной мере воспользоваться всеми способами оплаты.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Пополнение счёта и вывод средств отключены на Вашем счету. Проверьте свою электронную почту для получения более подробной информации.","Please_set_the_[_1]currency[_2]_of_your_account_":"Пожалуйста установите [_1]валюту[_2] на своём счету.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Ваше подтверждение личности и адреса[_2] не соответствует нашим требованиям. Пожалуйста, проверьте свою электронную почту. Мы отправили Вам дальнейшие инструкции.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Мы рассматриваем Ваши документы. Для получения более подробной информации, [_1]cвяжитесь с нами[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Ваш счёт заблокирован. Пожалуйста, свяжитесь с нашей [_1]cлужбой поддержки[_2] для получения дальнейшей помощи.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Пожалуйста, установите [_1]30-дневный лимит на объём покупок[_2], чтобы устранить лимиты на пополнение.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"На Вашем счету заблокирована торговля бинарными опционами. Пожалуйста, свяжитесь со [_1]службой поддержки[_2] для получения помощи.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Вывод средств отключен на Вашем счету MT5. Проверьте свою электронную почту для получения более подробной информации.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Чтобы продолжить, введите Ваши [_1]личные данные[_2].","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Пожалуйста, укажите [_1]страну проживания[_2] до перехода на реальный счёт.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Прежде, чем продолжить, пожалуйста, заполните следующую [_1]форму финансовой оценки[_2].","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Пожалуйста, [_1]заполните свой профайл,[_2] чтобы снять торговые лимиты и ограничения на вывод.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"На Вашем счету заблокирована торговля и пополнение. Пожалуйста, свяжитесь со [_1]службой поддержки[_2] для получения помощи.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Вывод средств отключен на Вашем счету. Проверьте свою электронную почту для получения более подробной информации.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Пожалуйста, [_1]примите обновлённые Правила и условия[_1].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Пожалуйста, [_1]примите Правила и условия,[_2] чтобы снять ограничения на торговые лимиты и пополнение средств.","Account_Authenticated":"Аутентификация пройдена","Connection_error:_Please_check_your_internet_connection_":"Проблема со связью: пожалуйста, проверьте Ваше подключение к интернету.","Network_status":"Статус сети","This_is_a_staging_server_-_For_testing_purposes_only":"Это вспомогательный сервер, применяемый лишь для тестирования","The_server_endpoint_is:_[_2]":"Конечная точка сервера: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Ваш веб браузер ([_1]) устарел, что может повлиять на результаты Вашей торговли. Рекомендуем [_2]обновить браузер[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Вы достигли лимита курса или количества запросов в секунду. Пожалуйста, повторите попытку позже.","Please_select":"Выберите","There_was_some_invalid_character_in_an_input_field_":"Неразрешённый символ в поле ввода.","Please_accept_the_terms_and_conditions_":"Пожалуйста, примите правила и условия.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Пожалуйста подтвердите, что Вы не являетесь политически-значимым лицом.","Today":"Cегодня","Barrier":"Барьер","End_Time":"Окончание","Entry_Spot":"Входная котировка","Exit_Spot":"Выходная котировка","Charting_for_this_underlying_is_delayed":"Графики для этого инструмента рисуются с задержкой","Highest_Tick":"Наибольший тик","Lowest_Tick":"Наименьший тик","Payout_Range":"Диапазон выплат","Purchase_Time":"Время покупки","Reset_Barrier":"Барьер Reset","Reset_Time":"Время Reset","Selected_Tick":"Выбранный тик","Start_Time":"Время начала","Fiat":"Фидуциарные","Crypto":"Крипто","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Неправильный проверочный код. Пожалуйста, воспользуйтесь ссылкой, отправленной на Ваш email.","Indicates_required_field":"Обозначает поле, которое является обязательным","Please_select_the_checkbox_":"Пожалуйста, выберите нужный ответ.","This_field_is_required_":"Данное поле является необходимым.","Should_be_a_valid_number_":"Введите правильное число.","Up_to_[_1]_decimal_places_are_allowed_":"Разрешенное количество десятичных: до [_1].","Should_be_between_[_1]_and_[_2]":"Допустимые значения: от [_1] до [_2]","Should_be_more_than_[_1]":"Значение должно быть больше [_1]","Should_be_less_than_[_1]":"Значение должно быть меньше [_1]","Invalid_email_address_":"Неправильный e-mail.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Пароль должен содержать заглавные и строчные буквы и цифры.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Разрешены только буквы, цифры, пробелы, дефис, точки и апостроф.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Разрешены только буквы, цифры, пробел и следующие символы: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Допускаются только буквы латинского алфавита, пробелы, дефисы, точки или апострофы.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Разрешены только буквы, цифры, пробелы и дефисы.","The_two_passwords_that_you_entered_do_not_match_":"Введенные пароли не совпадают.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] и [_2] не могут совпадать.","Minimum_of_[_1]_characters_required_":"Необходимо минимум [_1] знака(ов).","You_should_enter_[_1]_characters_":"Вы должны ввести [_1] символов.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Должно начинаться с буквы или цифры; может содержать дефис и нижнее подчёркивание.","Invalid_verification_code_":"Неправильный код подтверждения.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Транзакция проведена [_1] (App ID: [_2])","Guide":"Экскурс","Next":"Далее","Finish":"Завершить","Step":"Шаг","Select_your_market_and_underlying_asset":"Выберите рынок и основной актив","Select_your_trade_type":"Выбрать тип контракта","Adjust_trade_parameters":"Изменить параметры контракта","Predict_the_directionand_purchase":"Предскажите направление движения и купите","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Ограничение на длительность сессии закончится через [_1] сек.","January":"Январь","February":"Февраль","March":"Март","April":"Апрель","May":"Май","June":"Июнь","July":"Июль","August":"Август","September":"Сентябрь","October":"Октябрь","November":"Ноябрь","December":"Декабрь","Jan":"Янв","Feb":"Фев","Mar":"Мар","Apr":"Апр","Jun":"Июн","Jul":"Июл","Aug":"Авг","Sep":"Сен","Oct":"Окт","Nov":"Ноя","Dec":"Дек","Sunday":"Воскресенье","Monday":"Понедельник","Tuesday":"Вторник","Wednesday":"Среда","Thursday":"Четверг","Friday":"пятница","Saturday":"Суббота","Su":"Вс","Mo":"Пн","Tu":"Вт","We":"Ср","Th":"Чт","Fr":"Пт","Sa":"Сб","Previous":"Предыдущ.","Hour":"Час.","Minute":"Мин.","AM":"утра","PM":"вечера","Min":"Мин","Max":"Макс","Current_balance":"Текущий баланс","Withdrawal_limit":"Лимит на вывод","Withdraw":"Вывод","Deposit":"Пополнение","State/Province":"Штат/провинция/область","Country":"Страна","Town/City":"Город","First_line_of_home_address":"Адрес (улица, дом, кв.)","Postal_Code_/_ZIP":"Почтовый код/ индекс","Telephone":"Номер телефона","Email_address":"Эл. адрес","details":"подробности","Your_cashier_is_locked_":"Ваша касса заблокирована.","You_have_reached_the_withdrawal_limit_":"Вы достигли лимита на вывод.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Услуги платёжного агента недоступны в Вашей стране или в выбранной Вами валюте.","Please_select_a_payment_agent":"Пожалуйста, выберите платежного агента","Amount":"Количество","Insufficient_balance_":"Недостаточно средств на счете.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Ваш запрос на вывод [_1] [_2] с Вашего счета [_3] на счет платежного агента [_4] был выполнен успешно.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Срок действия Вашего ключа истёк. Пожалуйста, нажмите [_1]здесь,[_2] чтобы повторно запустить процесс проверки.","Please_[_1]deposit[_2]_to_your_account_":"Пожалуйста, [_1]пополните[_2] счёт.","minute":"мин.","minutes":"мин.","h":"ч.","day":"дн.","week":"нед.","weeks":"нед.","month":"мес.","months":"мес.","year":"год(а)/лет","Month":"Месяц","Months":"Мес.","Day":"День","Days":"Дни","Hours":"Час.","Minutes":"Мин.","Seconds":"Сек.","Higher":"Выше","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] будет находиться строго выше или на заданном барьере на момент окончания [_4].","Lower":"Ниже","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] будет находиться строго ниже заданного ценового барьера на момент закрытия [_4].","Touches":"Коснётся","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] коснётся заданного барьера к моменту закрытия [_4].","Does_Not_Touch":"не коснется","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] не коснётся заданного барьера на момент закрытия [_4].","Ends_Between":"закончится внутри","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] завершит контракт на или между верхним или нижним барьером на момент закрытия [_4].","Ends_Outside":"закончится вне","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] завершит торговлю вне верхнего и нижнего барьера на момент закрытия [_4].","Stays_Between":"Останется внутри","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] останется между заданным верхним и нижним барьером на момент закрытия [_4].","Goes_Outside":"выйдет за пределы","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"Получите выплату [_1] [_2], если [_3] выйдет за пределы верхнего и нижнего барьера на момент закрытия [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Извините, Ваш счет не авторизован для дальнейшей покупки контрактов.","Please_log_in_":"Пожалуйста, войдите в систему.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Извините, данная функция недоступна в Вашей юрисдикции.","This_symbol_is_not_active__Please_try_another_symbol_":"Данный символ неактивен. Воспользуйтесь другим символом.","Market_is_closed__Please_try_again_later_":"В данное время рынок закрыт. Пожалуйста, попробуйте позже.","All_barriers_in_this_trading_window_are_expired":"Все барьеры в данном торговом окне истекли","Sorry,_account_signup_is_not_available_in_your_country_":"Простите, регистрация счёта не доступна в Вашей стране.","Asset":"Актив","Opens":"Открывается","Closes":"Закрывается","Settles":"Заканчивается","Upcoming_Events":"Ближайшие события","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Добавьте +/–, чтобы определить границы барьера. Например, +0.005 означает, что барьер будет на 0.005 выше входной спот-котировки.","Digit":"Десятичн.","Percentage":"Проценты","Waiting_for_entry_tick_":"В ожидании входного тика...","High_Barrier":"Верхний барьер","Low_Barrier":"Нижний Барьер","Waiting_for_exit_tick_":"В ожидании выходного тика.","Chart_is_not_available_for_this_underlying_":"График для данного актива не доступен.","Purchase":"Покупка","Net_profit":"Чистая прибыль","Return":"Прибыль","Time_is_in_the_wrong_format_":"Неправильный формат времени.","Rise/Fall":"Повышение/Падение","Higher/Lower":"Выше/Ниже","Matches/Differs":"Совпадение/Отличие","Even/Odd":"Чётное/Нечётное","Over/Under":"Над/Под","High-Close":"Макс.-Закрытие","Close-Low":"Закрытие-Мин.","High-Low":"Макс.-Мин.","Reset_Call":"Reset Колл","Reset_Put":"Reset Пут","Up/Down":"Вверх/Вниз","In/Out":"Внутри/Вне","Select_Trade_Type":"Выберите вид контракта","seconds":"сек.","hours":"час.","ticks":"тик.","tick":"тик.","second":"сек.","hour":"час.","Duration":"Длительность","Purchase_request_sent":"Запрос на покупку отправлен","High":"Макс.","Close":"Закрытие","Low":"Мин.","Select_Asset":"Выберите актив","Search___":"Поиск...","Stake":"Ставка","Payout":"Выплата","Multiplier":"Множитель","Please_reload_the_page":"Пожалуйста, перезагрузите страницу","Try_our_[_1]Volatility_Indices[_2]_":"Попробуйте наши [_1]Индексы волатильности[_2].","Try_our_other_markets_":"Вы можете торговать на других активах.","Contract_Confirmation":"Подтверждение контракта","Your_transaction_reference_is":"Ссылка на Вашу сделку","Total_Cost":"Общая стоимость","Potential_Payout":"Потенциальная выплата","Maximum_Payout":"Макс. выплата","Maximum_Profit":"Макс. прибыль","Potential_Profit":"Потенциальная прибыль","View":"Просмотр","This_contract_won":"Вы выиграли","This_contract_lost":"Вы проиграли","Tick_[_1]_is_the_highest_tick":"Тик [_1] является наибольшим","Tick_[_1]_is_not_the_highest_tick":"Тик [_1] не является наибольшим","Tick_[_1]_is_the_lowest_tick":"Тик [_1] является наименьшим","Tick_[_1]_is_not_the_lowest_tick":"Тик [_1] не является наименьшим","Tick":"Тики","The_reset_time_is_[_1]":"Время Reset: [_1]","Now":"Сейчас","Tick_[_1]":"Тик [_1]","Average":"Среднее","Buy_price":"Цена покупки","Final_price":"Итоговая цена","Loss":"Потери","Profit":"Прибыль","Account_balance:":"Баланс счета:","Reverse_Side":"Обратная сторона","Front_Side":"Лицевая сторона","Pending":"Ожидающ.","Submitting":"Отправка","Submitted":"Отправлено","Failed":"Возникла ошибка","Compressing_Image":"Уменьшение изображения","Checking":"Проверка","Checked":"Проверено","Unable_to_read_file_[_1]":"Не удалось прочитать файл [_1]","Passport":"Паспорт","Identity_card":"Удостоверение личности","Driving_licence":"Водительское удостоверение","Invalid_document_format_":"Недопустимый формат документа.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Размер файла ([_1]) превышает разрешенный лимит. Максимальный допустимый размер: [_2]","ID_number_is_required_for_[_1]_":"Номер ID необходим для [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Для номера ID разрешены только буквы, цифры, пробел, нижнее подчёркивание, и дефис ([_1]).","Expiry_date_is_required_for_[_1]_":"Срок истечения необходим для [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"Необходимы фотографии лицевой и обратной стороны [_1].","Current_password":"Текущий пароль","New_password":"Новый пароль","Please_enter_a_valid_Login_ID_":"Пожалуйста, введите правильное имя пользователя.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Ваш запрос на перевод [_1] [_2] с [_3] на [_4] был выполнен успешно.","Resale_not_offered":"Продажа не предлагается","Your_account_has_no_trading_activity_":"На Вашем счету нет торговой деятельности.","Date":"Дата","Ref_":"Ном.","Contract":"Контракт","Purchase_Price":"Цена покупки","Sale_Date":"Дата продажи","Sale_Price":"Цена продажи","Profit/Loss":"Плюс/Минус","Details":"Подробности","Total_Profit/Loss":"Общая прибыль/убыток","Only_[_1]_are_allowed_":"Разрешены только [_1] и латинские буквы.","letters":"буквы","numbers":"цифры","space":"пробел","Please_select_at_least_one_scope":"Пожалуйста, выберите минимум один параметр","New_token_created_":"Создан новый ключ.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Достигнуто максимальное число ключей ([_1]).","Name":"Имя и фамилия","Token":"Ключ","Scopes":"Сфера действия","Last_Used":"Последние","Action":"Акт","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Вы уверены, что хотите навсегда удалить ключ?","Delete":"Удалить","Never_Used":"Никогда не использовался","You_have_not_granted_access_to_any_applications_":"У Вас нет доступа к приложениям.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Вы уверены, что хотите навсегда отказаться от доступа к приложению","Revoke_access":"Отмена доступа","Admin":"Администратор","Payments":"Платежи","Read":"Читать","Trade":"Торговля","Never":"Никогда","Permissions":"Разрешения","Last_Login":"Последний вход","Unlock_Cashier":"Открыть кассу","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Ваша касса закрыта по Вашему запросу – для открытия, пожалуйста, введите пароль.","Lock_Cashier":"Закрыть кассу паролем","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Можно использовать дополнительный пароль для ограничения доступа к кассе.","Update":"Обновить","Sorry,_you_have_entered_an_incorrect_cashier_password":"Извините, Вы ввели неверный пароль для раздела Касса","Your_settings_have_been_updated_successfully_":"Ваши настройки обновлены успешно.","You_did_not_change_anything_":"Вы не внесли никаких изменений.","Sorry,_an_error_occurred_while_processing_your_request_":"Извините, при обработке Вашего запроса произошла ошибка.","Your_changes_have_been_updated_successfully_":"Ваши изменения успешно обновлены.","Successful":"Успешно","Date_and_Time":"Дата и время","Browser":"Браузер","IP_Address":"IP-адрес","Status":"Статус","Your_account_has_no_Login/Logout_activity_":"На Вашем счету нет активности входов/выходов.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Ваш счет полностью авторизован, и лимит на вывод был снят.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Ваш дневной [_1] лимит на вывод в настоящее время составляет [_2] [_3] (или эквивалентную сумму в другой валюте).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Вы уже вывели общую сумму, эквивалентную [_1] [_2] за последние [_3] суток.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Поэтому максимально возможная сумма к выводу на данный момент (если на счету есть средства) составляет [_1] [_2] (или эквивалентную сумму в другой валюте).","Your_withdrawal_limit_is_[_1]_[_2]_":"Ваш лимит на вывод составляет [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Вы уже вывели со счета [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Следовательно, Ваш максимальный лимит на вывод на данный момент составляет [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Ваш лимит на вывод составляет [_1] [_2] (или эквивалентную сумму в другой валюте).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Вы уже вывели со счета сумму, эквивалентную [_1] [_2].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Пожалуйста, подтвердите, что вся информация, указанная выше, является точной и достоверной.","Sorry,_an_error_occurred_while_processing_your_account_":"Извините, произошла ошибка.","Please_select_a_country":"Выберите страну","Timed_out_until":"Ограничение до","Excluded_from_the_website_until":"Доступ к сайту закрыт до","Session_duration_limit_cannot_be_more_than_6_weeks_":"Лимит на длительность сессии не может превышать 6 недель.","Time_out_must_be_after_today_":"Перерыв должен быть позднее сегодняшней даты.","Time_out_cannot_be_more_than_6_weeks_":"Перерыв не может превышать 6 недель.","Time_out_cannot_be_in_the_past_":"Перерыв не может быть в прошлом.","Please_select_a_valid_time_":"Пожалуйста, выберите правильное время.","Exclude_time_cannot_be_less_than_6_months_":"Период ограничения не может быть менее 6 месяцев.","Exclude_time_cannot_be_for_more_than_5_years_":"Период ограничения не может быть больше 5 лет.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Когда Вы нажмёте \"ОК\", Вы будете отстранены от работы на сайте до окончания выбранной даты.","Your_changes_have_been_updated_":"Ваши изменения внесены успешно.","Disable":"Отключить","Enable":"Активировать","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Вы успешно включили двухступенчатую аутентификацию на Вашем счету.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Вы успешно отключили двухступенчатую аутентификацию на Вашем счету.","You_are_categorised_as_a_professional_client_":"Вы относитесь к категории профессиональных клиентов.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Ваша заявка на квалификацию профессионального клиента находится на рассмотрении.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Вы относитесь к категории индивидуальных клиентов. Станьте профессиональным клиентом.","Bid":"Ставка","Closed_Bid":"Закрытая ставка","Reference_ID":"Номер","Description":"Описание","Credit/Debit":"Кредит/Дебет","Balance":"Баланс","Financial_Account":"Финансовый счёт","Real_Account":"Реальный счет","Counterparty":"Контрагент","Jurisdiction":"Юрисдикция","Create":"Открыть","This_account_is_disabled":"Данный счёт неактивен","This_account_is_excluded_until_[_1]":"Данный счёт исключён до [_1]","Set_Currency":"Укажите валюту","Commodities":"Сырьевые товары","Forex":"Форекс","Indices":"Индексы","Stocks":"Акции","Volatility_Indices":"Индексы волатильности","Please_check_your_email_for_the_password_reset_link_":"Пожалуйста, проверьте свой email. Вам должна прийти ссылка для восстановления пароля.","Standard":"Стандартный","Advanced":"Расширенный","Demo_Standard":"Демо стандартный","Real_Standard":"Реальный стандартный","Demo_Advanced":"Демо расширенный","Real_Advanced":"Реальный расширенный","MAM_Advanced":"Расширенные ММС","Demo_Volatility_Indices":"Демо–Инд.волатильн.","Real_Volatility_Indices":"Реальный–Инд. волатильн","MAM_Volatility_Indices":"Индексы волатильности ММС","Sign_up":"Зарегистрируйтесь","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Торговля контрактами на разницу (CFD) на Индексах волатильности подходит далеко не для всех. Пожалуйста, убедитесь, что Вы хорошо осознаёте все сопряженные риски, включая возможность потерять все средства на счету MT5. Торговая деятельность может вызвать привыкание, поэтому, пожалуйста, торгуйте ответственно.","Do_you_wish_to_continue?":"Хотите продолжить?","Acknowledge":"Подтвердить","Change_Password":"Сменить пароль","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Изменён пароль [_1] для счёта [_2].","Reset_Password":"Изменить пароль","Verify_Reset_Password":"Подтвердите изменение пароля","Please_check_your_email_for_further_instructions_":"Проверьте свою электронную почту. Вам должны прийти инструкции.","Revoke_MAM":"Отозвать ММС","Manager_successfully_revoked":"Менеджер успешно отозван","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"Вы успешно перевели средства [_1] со счёта [_2] на счёт [_3]. Номер транзакции: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Ваша касса закрыта по Вашему запросу - для открытия, пожалуйста, нажмите сюда.","You_have_reached_the_limit_":"Вы достигли лимита.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"Вывод средств [_1] со счёта [_2] на счёт [_3] завершен. Номер транзакции: [_4]","Main_password":"Основной пароль","Investor_password":"Пароль инвестора","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"На Вашем счету Binary недостаточно средств. Пожалуйста, пополните счёт.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"В настоящее время наш сервис MT5 недоступен для жителей ЕС, так как мы ждём официального разрешения.","Demo_Accounts":"Демо-счета","MAM_Accounts":"Счета ММС","Real-Money_Accounts":"Реальный–Валютные счета","Demo_Account":"Демо-счёт","Real-Money_Account":"Реальный счёт","for_account_[_1]":"для счёта [_1]","[_1]_Account_[_2]":"[_1] Счёт [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Срок действия Вашего ключа истёк. Пожалуйста, нажмите здесь, чтобы повторно запустить процесс проверки.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Указанный Вами электронный адрес уже используется для другого счёта. Если Вы забыли пароль к своему счету, пожалуйста, воспользуйтесь инструментом восстановления пароля или свяжитесь с нашей службой поддержки.","Password_is_not_strong_enough_":"Пароль недостаточно надёжный.","Upgrade_now":"Обновить сейчас","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] дн. [_2] ч. [_3] мин.","Your_trading_statistics_since_[_1]_":"Ваша торговая статистика с [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] Пожалуйста, нажмите на ссылку ниже для повторного восстановления пароля.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Ваш пароль был изменен. Пожалуйста, зайдите на счет, используя новый пароль.","Please_choose_a_currency":"Пожалуйста, выберите валюту","Asian_Up":"Азиатские вверх","Asian_Down":"Азиатские вниз","Higher_or_equal":"Выше или равно","Lower_or_equal":"Ниже или равно","Digit_Matches":"Совпадение цифр","Digit_Differs":"Несовпадение цифр","Digit_Odd":"Нечётная цифра","Digit_Even":"Чётная цифра","Digit_Over":"Цифра выше","Digit_Under":"Цифра ниже","Call_Spread":"Колл спред","Put_Spread":"Пут спред","High_Tick":"Высокий тик","Low_Tick":"Низкий тик","Equals":"Равно","Not":"Не","Buy":"Покупка","Sell":"Продажа","Contract_has_not_started_yet":"Контракт ещё не начался","Contract_Result":"Результат контракта","Close_Time":"Время закрытия","Highest_Tick_Time":"Время наибольшего тика","Lowest_Tick_Time":"Время наименьшего тика","Exit_Spot_Time":"Время выходной котировки","Audit":"Аудит","View_Chart":"Просмотр графика","Audit_Page":"Страница аудита","Spot":"Спот-котировка","Spot_Time_(GMT)":"Спот (GMT)","Contract_Starts":"Начало контракта","Contract_Ends":"Окончание контракта","Target":"Цель","Contract_Information":"Детали контракта","Contract_Type":"Вид контракта","Transaction_ID":"Номер контракта","Remaining_Time":"Оставшееся время","Maximum_payout":"Макс. выплата","Barrier_Change":"Изменение барьера","Current":"Текущие","Spot_Time":"Спот-время","Current_Time":"Текущее время","Indicative":"Ориентировочная цена","You_can_close_this_window_without_interrupting_your_trade_":"Вы можете закрыть данное окно без ущерба Вашей торговле.","There_was_an_error":"Произошла ошибка","Sell_at_market":"Продать по текущей цене","Note":"Примечание","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Контракт будет продан по цене, действующей на момент получения запроса нашими серверами. Эта цена может отличаться от указанной в настоящее время.","You_have_sold_this_contract_at_[_1]_[_2]":"Вы продали данный контракт по цене [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Номер Вашей сделки [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Спасибо за регистрацию! Теперь проверьте электронную почту, чтобы завершить процесс.","All_markets_are_closed_now__Please_try_again_later_":"В данное время все рынки закрыты. Пожалуйста, попробуйте позже.","Withdrawal":"Вывод","login":"вход","logout":"выход","Asians":"Азиатские","Call_Spread/Put_Spread":"Колл спред/Пут спред","Digits":"Цифровые","Ends_Between/Ends_Outside":"Закончится внутри/вне","High/Low_Ticks":"Наибольший/наименьший тик","Lookbacks":"Oпционы Lookback","Reset_Call/Reset_Put":"Reset колл/Reset пут","Stays_Between/Goes_Outside":"Останется внутри/вне","Touch/No_Touch":"Касание/Нет касания","Christmas_Day":"Рождество","Closes_early_(at_18:00)":"Закрывается рано (в 18:00)","Closes_early_(at_21:00)":"Закрывается рано (в 21:00)","Fridays":"пятница","New_Year's_Day":"Новый год","today":"сегодня","today,_Fridays":"сегодня, по пятницам","There_was_a_problem_accessing_the_server_":"Возникла проблема с доступом к серверу.","There_was_a_problem_accessing_the_server_during_purchase_":"Возникла проблема с доступом к серверу во время процесса покупки."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/th.js b/src/javascript/_autogenerated/th.js
index 5a48c208a80bc..ace97b3660091 100644
--- a/src/javascript/_autogenerated/th.js
+++ b/src/javascript/_autogenerated/th.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['TH'] = {"Day":"วัน","Month":"เดือน","Year":"ปี","Sorry,_an_error_occurred_while_processing_your_request_":"ขออภัย มีความผิดพลาดเกิดขึ้นขณะที่ประมวลผลความประสงค์ของท่าน","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"โปรด [_1] ลงชื่อเข้าใช้ [_2] หรือ [_3] ลงทะเบียน [_4] เพื่อเข้าชมหน้านี้","Click_here_to_open_a_Real_Account":"คลิกที่นี่ เพื่อเปิดบัญชีจริง","Open_a_Real_Account":"เปิดบัญชีจริง","Click_here_to_open_a_Financial_Account":"คลิกที่นี่ เพื่อเปิดบัญชีการเงิน","Open_a_Financial_Account":"เปิดบัญชีทางการเงิน","Network_status":"สถานะของเครือข่าย","Online":"ออนไลน์","Offline":"ออฟไลน์","Connecting_to_server":"กำลังเชื่อมต่อกับเซิร์ฟเวอร์","Virtual_Account":"บัญชีทดลองใช้","Real_Account":"บัญชีจริง","Investment_Account":"บัญชีเพื่อการลงทุน","Gaming_Account":"บัญชีการพนัน","Sunday":"วันอาทิตย์","Monday":"วันจันทร์","Tuesday":"วันอังคาร","Wednesday":"วันพุธ","Thursday":"วันพฤหัสบดี","Friday":"วันศุกร์","Saturday":"วันเสาร์","Su":"อา","Mo":"จ","Tu":"อัง","We":"พวกเรา","Th":"พฤ","Fr":"ศ","Sa":"ส","January":"มกราคม","February":"กุมภาพันธ์","March":"มีนาคม","April":"เมษายน","May":"พฤษภาคม","June":"มิถุนายน","July":"กรกฎาคม","August":"สิงหาคม","September":"กันยายน","October":"ตุลาคม","November":"พฤศจิกายน","December":"ธันวาคม","Jan":"ม.ค.","Feb":"ก.พ.","Mar":"มี.ค.","Apr":"เม.ย.","Jun":"มิ.ย.","Jul":"ก.ค.","Aug":"ส.ค.","Sep":"ก.ย.","Oct":"ต.ค.","Nov":"พ.ย.","Dec":"ธ.ค.","Next":"ถัดไป","Previous":"ก่อนหน้า","Hour":"ชั่วโมง","Minute":"นาที","AM":"น.","PM":"น.","Time_is_in_the_wrong_format_":"เวลาอยู่ในรูปแบบที่ไม่ถูกต้อง","Purchase_Time":"เวลาซื้อ","Charting_for_this_underlying_is_delayed":"กราฟของผลิตภัณฑ์อ้างอิงนี้ล่าช้า","Payout_Range":"ช่วงการชำระเงิน","Tick_[_1]":"ช่วงราคา [_1]","Ticks_history_returned_an_empty_array_":"ประวัติช่วงราคาถูกส่งกลับมาเป็นแถวลำดับว่างเปล่า","Chart_is_not_available_for_this_underlying_":"ไม่มีแผนภูมิสำหรับผลิตภัณฑ์อ้างอิงนี้","year":"ปี","month":"เดือน","week":"สัปดาห์","day":"วัน","days":"วัน","h":"ชม.","hour":"ชั่วโมง","hours":"ชั่วโมง","min":"นาที","minute":"นาที","minutes":"นาที","second":"วินาที","seconds":"วินาที","tick":"ช่วงห่างของราคา","ticks":"ช่วงห่างของราคา","Loss":"ขาดทุน","Profit":"กำไร","Payout":"การชำระเงิน","Units":"หน่วย","Stake":"วางเงิน","Duration":"ระยะเวลา","End_Time":"เวลาสิ้นสุด","Net_profit":"กำไรสุทธิ","Return":"ผลตอบแทน","Now":"ขณะนี้","Contract_Confirmation":"การยืนยันสัญญา","Your_transaction_reference_is":"เลขที่อ้างอิงของธุรกรรมของท่าน คือ","Even/Odd":"คู่/คี่","Ends_Between/Ends_Outside":"สิ้นสุดระหว่าง/สิ้นสุดนอกขอบเขต","Stays_Between/Goes_Outside":"อยู่ใน/นอกขอบเขต","High/Low_Ticks":"ช่วงราคา สูง/ต่ำ","Potential_Payout":"ประมาณการจำนวนเงินที่ชำระ","Maximum_Payout":"ยอดเงินที่ได้รับสูงสุด","Total_Cost":"ราคารวม","Potential_Profit":"ประมาณการกำไร","Maximum_Profit":"กำไรสูงสุด","View":"ดู","Tick":"ช่วงห่างของราคา","Buy_price":"ราคาซื้อ","Final_price":"ราคาสุดท้าย","Chart":"แผนภูมิ","Portfolio":"พอร์ตโฟลิโอ","Explanation":"คำอธิบาย","Last_Digit_Stats":"สถิติตัวเลขสุดท้าย","Waiting_for_entry_tick_":"กำลังรองช่วงราคาเริ่มต้น","Waiting_for_exit_tick_":"กำลังรอช่วงราคาสุดท้าย","Please_log_in_":"โปรดเข้าสู่ระบบ","All_markets_are_closed_now__Please_try_again_later_":"ตลาดได้ปิดทำการแล้ว โปรดทำรายการใหม่ภายหลัง","Account_balance:":"ยอดคงเหลือในบัญชี:","Try_our_[_1]Volatility_Indices[_2]_":"ลองดัชนีผันผวน [_1][_2] ของเรา","Try_our_other_markets_":"ลองตลาดอื่นๆ ของเรา","Session":"เซสชัน","Crypto":"การเข้ารหัสลับ","Fiat":"เงินกระดาษ","High":"สูง","Low":"ต่ำ","Close":"ปิด","Payoff":"ผลตอบแทน","High-Close":"สูง-ปิด","Close-Low":"ปิด-ต่ำ","High-Low":"สูง-ต่ำ","Search___":"ค้นหา...","Select_Asset":"เลือกสินทรัพย์","The_reset_time_is_[_1]":"เวลารีเซ็ตเป็น [_1]","Purchase":"ซื้อ","Purchase_request_sent":"คำขอสั่งซื้อได้ถูกส่งแล้ว","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"เพิ่ม +/ – เพื่อกำหนด Barrier Offset เช่น +0.005 หมายถึง อุปสรรคที่อยู่สูงกว่าสปอตเริ่มต้นอยู่ 0.005","Please_reload_the_page":"โปรดโหลดหน้านี้อีกครั้ง","Trading_is_unavailable_at_this_time_":"ไม่สามารถทำการซื้อขายได้ในขณะนี้","Maximum_multiplier_of_1000_":"ตัวคูณสูงสุด 1000 เท่า","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"บัญชีของท่านได้รับการยืนยันตัวตนอย่างสมบูรณ์แล้ว และวงเงินการถอนเงินของท่านได้รับการยกระดับโดยการเพิ่มวงเงินแล้ว","Your_withdrawal_limit_is_[_1]_[_2]_":"วงเงินการถอนของท่าน คือ [_1] [_2]","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"วงเงินการถอนของท่าน คือ [_1] [_2] (หรือเทียบเท่าในสกุลเงินอื่น)","You_have_already_withdrawn_[_1]_[_2]_":"ท่านได้ถอน [_1] [_2] เรียบร้อยแล้ว","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"ท่านได้ถอน [_1] [_2] หรือเทียบเท่า","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"ดังนั้น วงเงินการถอนมากที่สุดของท่านขณะนี้ (หากบัญชีท่านมีวงเงินเพียงพอ) คือ [_1] [_2]","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"ดังนั้น วงเงินการถอนมากที่สุดของท่านขณะนี้ (หากบัญชีท่านมีวงเงินเพียงพอ) คือ [_1] [_2] (หรือเทียบเท่าในสกุลเงินอื่น)","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"วงเงินการถอนเงินต่อวันของท่าน [_1] ในปัจจุบัน คือ [_2] [_3] (หรือเทียบเท่าในสกุลเงินอื่น)","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"ท่านได้ถอน [_1] [_2] หรือเทียบเท่า ในช่วง [_3] วันที่ผ่านมา","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"สัญญาซึ่งมีค่า Barrier ที่เหมือนกับค่าเริ่มต้น","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"สัญญาซึ่งมีค่า Barrier ที่แตกต่างจากค่าเริ่มต้น","ATM":"เอทีเอ็ม","Duration_up_to_7_days":"ระยะเวลาไม่เกิน 7 วัน","Duration_above_7_days":"ระยะเวลามากกว่า 7 วัน","Major_Pairs":"คู่หลัก","Forex":"ฟอเร็กซ์","This_field_is_required_":"ข้อมูลในช่องนี้จำเป็นต้องมี","Please_select_the_checkbox_":"โปรดระบุค่าจากตัวเลือก","Please_accept_the_terms_and_conditions_":"โปรดยอมรับข้อตกลงและเงื่อนไข","Only_[_1]_are_allowed_":"มีเพียง [_1] ที่อนุญาตให้ใช้","letters":"ตัวอักษร","numbers":"Numbers","space":"ช่องว่าง","Sorry,_an_error_occurred_while_processing_your_account_":"ขออภัย มีความผิดพลาดเกิดขึ้นขณะที่ประมวลผลบัญชีของท่าน","Your_changes_have_been_updated_successfully_":"การแก้ไขของท่านถูกดำเนินการเรียบร้อยแล้ว","Your_settings_have_been_updated_successfully_":"การตั้งค่าของท่านถูกดำเนินการเรียบร้อยแล้ว","Female":"เพศหญิง","Male":"เพศชาย","Please_select_a_country":"โปรดระบุประเทศ","Please_confirm_that_all_the_information_above_is_true_and_complete_":"โปรดยืนยันว่า ข้อมูลทั้งหมดข้างต้นถูกต้อง และครบถ้วน","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"ใบสมัครของท่านเพื่อปรับสถานะเป็นลูกค้าผู้เชี่ยวชาญ (Professional Client) กำลังถูกดำเนินการ","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"ท่านอยู่ในกลุ่มลูกค้ารายย่อย (Retail Client) สมัครเพื่อเลื่อนขั้นเป็นลูกค้าผู้มีความเชี่ยวชาญ (Professional Client)","You_are_categorised_as_a_professional_client_":"ท่านอยู่ในกลุ่มลูกค้าผู้เชี่ยวชาญ (Professional Client)","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"โทเค่นของท่านหมดอายุแล้ว โปรดคลิกที่นี่ เพื่อดำเนินกระบวนการตรวจสอบ","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"อีเมล์ของท่านถูกลงทะเบียนไว้กับผู้ใช้งานอีกบัญชีหนึ่ง หากท่านลืมรหัสผ่านของบัญชีที่ท่านมีอยู่ โปรด เรียกใช้การกู้คืนรหัสผ่าน หรือ ติดต่อเจ้าหน้าที่บริการลูกค้า","Password_should_have_lower_and_uppercase_letters_with_numbers_":"รหัสผ่านควรประกอบด้วยอักษรตัวเล็ก อักษรตัวใหญ่ และตัวเลข","Password_is_not_strong_enough_":"รหัสผ่านไม่ปลอดภัยเท่าที่ควร","Your_session_duration_limit_will_end_in_[_1]_seconds_":"เวลาการซื้อขายของท่านจะสิ้นสุดภายใน [_1] วินาที","Invalid_email_address_":"อีเมล์ไม่ถูกต้อง","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"ขอขอบคุณสำหรับการลงทะเบียน! โปรดตรวจสอบอีเมล์ของท่านเพื่อดำเนินการลงทะเบียนให้แล้วเสร็จ","Financial_Account":"บัญชีการเงิน","Upgrade_now":"อัพเกรดเดี๋ยวนี้","Please_select":"โปรดระบุ","Minimum_of_[_1]_characters_required_":"จำนวนตัวอักขระน้อยที่สุดที่ต้องการ คือ [_1]","Please_confirm_that_you_are_not_a_politically_exposed_person_":"โปรดยืนยันว่า ท่านไม่ใช่บุคคลที่เกี่ยวข้องกับการเมือง","Asset":"สินทรัพย์","Opens":"เปิด","Closes":"ปิด","Settles":"ชำระเงิน","Upcoming_Events":"กิจกรรมในอนาคต","Closes_early_(at_21:00)":"ปิดก่อนเวลา (เมื่อเวลา 21.00 น.)","Closes_early_(at_18:00)":"ปิดก่อนเวลา (เมื่อเวลา 18.00 น.)","New_Year's_Day":"วันปีใหม่","Christmas_Day":"วันคริสต์มาส","Fridays":"วันศุกร์","today":"วันนี้","today,_Fridays":"วันนี้วันศุกร์","Please_select_a_payment_agent":"โปรดระบุตัวแทนรับชำระเงิน","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"ไม่มีบริการตัวแทนการชำระเงินในประเทศของท่าน หรือ ในสกุลเงินที่ท่านต้องการ","Invalid_amount,_minimum_is":"จำนวนไม่ถูกต้อง ค่าต่ำสุด คือ","Invalid_amount,_maximum_is":"จำนวนไม่ถูกต้อง ค่าสูงสุด คือ","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"คำสั่งของท่านเพื่อถอน [_1] [_2] จากบัญชีของท่าน [_3] ให้ตัวแทนรับชำระเงิน [_4] บัญชีได้รับการประมวลผลสำเร็จ","Up_to_[_1]_decimal_places_are_allowed_":"ตำแหน่งทศนิยมถึง [_1] หลักเท่านั้น","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"โทเค่นของท่านหมดอายุแล้ว หรือ โทเค่นไม่ถูกต้อง โปรดคลิก [_1]ที่นี่[_2] เพื่อดำเนินกระบวนการตรวจสอบ","New_token_created_":"สร้างโทเค่นใหม่แล้ว","The_maximum_number_of_tokens_([_1])_has_been_reached_":"จำนวนมากที่สุดของโทเค่น ([_1]) ถูกใช้หมดแล้ว","Name":"ชื่อ","Token":"โทเค่น","Last_Used":"ใช้ครั้งสุดท้าย","Scopes":"ขอบเขต","Never_Used":"ไม่เคยใช้","Delete":"ลบ","Are_you_sure_that_you_want_to_permanently_delete_the_token":"ท่านแน่ใจใช่ไหมที่จะลบโทเค่นถาวร","Please_select_at_least_one_scope":"โปรดระบุค่าอย่างน้อยหนึ่งขอบเขต","Guide":"คำแนะนำ","Finish":"เสร็จสิ้น","Step":"ขั้น","Select_your_market_and_underlying_asset":"เลือกตลาดที่ท่านต้องการ และ ผลิตภัณฑ์อ้างอิงของท่าน","Select_your_trade_type":"กำหนด ประเภทการเทรดของท่าน","Adjust_trade_parameters":"ปรับแต่งตัวแปรของการเทรด","Predict_the_directionand_purchase":"พยากรณ์ทิศทาง และซื้อ","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"ขออภัย ฟังก์ชันนี้มีให้ใช้งานเฉพาะบัญชีทดลองใช้เท่านั้น","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] ได้ถูกเพิ่มเข้าในบัญชีทดลองของท่านแล้ว: [_3]","years":"ปี","months":"เดือน","weeks":"สัปดาห์","Your_changes_have_been_updated_":"การเปลี่ยนแปลงของท่านได้ถูกดำเนินการแล้ว","Please_enter_an_integer_value":"โปรดป้อนจำนวนเต็ม","Session_duration_limit_cannot_be_more_than_6_weeks_":"รอบระยะเวลาการซื้อขายไม่สามารถมากกว่า 6 สัปดาห์","You_did_not_change_anything_":"ท่านไม่ได้แก้ไขค่าใดๆ","Please_select_a_valid_date_":"โปรดระบุวันที่ที่ถูกต้อง","Please_select_a_valid_time_":"โปรดระบุเวลาที่ถูกต้อง","Time_out_cannot_be_in_the_past_":"ช่วงเวลาที่ใช้อ้างอิงไม่สามารถเป็นเวลาในอดีต","Time_out_must_be_after_today_":"ช่วงเวลาอ้างอิงต้องเริ่มในวันพรุ่งนี้","Time_out_cannot_be_more_than_6_weeks_":"ช่วงระยะเวลาอ้างอิงไม่สามารถมากกว่า 6 สัปดาห์","Exclude_time_cannot_be_less_than_6_months_":"เวลาพักไม่น้อยกว่า 6 เดือน","Exclude_time_cannot_be_for_more_than_5_years_":"เวลาพักไม่เกิน 5 ปี","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"เมื่อท่านเลือก \"OK\" ท่านจะถูกพักจากระบบซื้อขายกระทั่งวันที่ที่ท่านระบุ","Timed_out_until":"หมดเวลากระทั่ง","Excluded_from_the_website_until":"ถูกพักการใช้งานจากเว็บไซต์จนถึง","Ref_":"อ้างอิง","Resale_not_offered":"การขายสัญญาไม่ได้ถูกนำเสนอ","Date":"วันที่","Action":"การกระทำ","Contract":"สัญญา","Sale_Date":"วันที่ขาย","Sale_Price":"ราคาขาย","Total_Profit/Loss":"รวมกำไร/ขาดทุน","Your_account_has_no_trading_activity_":"บัญชีของท่านไม่มีประวัติการซื้อขาย","Today":"วันนี้","Details":"รายละเอียด","Sell":"ขาย","Buy":"ซื้อ","Virtual_money_credit_to_account":"เครดิตเงินเสมือนไปยังบัญชี","This_feature_is_not_relevant_to_virtual-money_accounts_":"ฟังก์ชันนี้ไม่สัมพันธ์กับบัญชีเงินเสมือน","Japan":"ประเทศญี่ปุ่น","Questions":"คำถาม","True":"จริง","False":"ผิด","There_was_some_invalid_character_in_an_input_field_":"จากข้อมูลที่ป้อนเข้ามา มีบางอักขระไม่ถูกต้อง","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"โปรดป้อนข้อมูลในรูปแบบ ตัวเลข 3 หลัก ขีดกลาง และตามด้วย ตัวเลข 4 หลักสุดท้าย","Score":"คะแนน","Weekday":"วันธรรมดาที่ไม่ใช่วันเสาร์อาทิตย์","Processing_your_request___":"กำลังดำเนินการตามความประสงค์ของท่าน","Please_check_the_above_form_for_pending_errors_":"โปรดตรวจสอบแบบฟอร์มข้างต้นสำหรับรายการข้อผิดพลาด","Digit_Matches":"ดิจิตตรงกัน (Digit Matches)","Digit_Differs":"ดิจิตไม่ตรงกัน (Digit Differs)","Digit_Odd":"ดิจิตคี่ (Digit Odd)","Digit_Even":"ดิจิตคู่ (Digit Even)","Digit_Over":"ดิจิตสูงกว่า (Digit Over)","Digit_Under":"ดิจิตต่ำกว่า (Digit Under)","Call_Spread":"คอลสเปรด","Put_Spread":"พุทสเปรด","High_Tick":"ราคาสูง","Low_Tick":"ราคาต่ำสุด","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] มีมูลค่าเท่ากันหรือสูงกว่า Barrier ที่สิ้นสุดเมื่อ [_4]","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] มีมูลค่าเท่ากันหรือต่ำกว่า Barrier ที่สิ้นสุด ณ [_4]","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] ไม่แตะ Barrier กระทั่งสิ้นสุดที่ [_4]","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] แตะ Barrier กระทั่งสิ้นสุดที่ [_4]","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] สิ้นสุดหรืออยู่ระหว่างค่าต่ำสุดและค่าสูงสุดของ Barrier ณ เวลาปิดที่ [_4]","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] สิ้นสุดนอกขอบเขต Barrier ต่ำสุดและสูงสุดและสิ้นสุดที่ [_4]","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] อยู่ระหว่างค่าต่ำและสูงของ Barrier กระทั่งสิ้นสุดเมื่อ [_4]","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] ออกนอกขอบเขตของ Barrier ต่ำและสูง กระทั่งสิ้นสุดที่ [_4]","M":"ด","Higher":"สูงกว่า","Higher_or_equal":"สูงกว่า หรือ เท่ากับ","Lower":"ต่ำกว่า","Lower_or_equal":"ต่ำกว่า หรือ เท่ากับ","Touches":"แตะ","Does_Not_Touch":"ไม่แตะ","Ends_Between":"สิ้นสุดระหว่าง","Ends_Outside":"สิ้นสุดภายนอก","Stays_Between":"อยู่ระหว่าง","Goes_Outside":"ออกนอกขอบเขต","All_barriers_in_this_trading_window_are_expired":"รายการ Barrier ทั้งหมดในหน้าต่างซื้อขายนี้หมดอายุ","Remaining_time":"เวลาที่เหลืออยู่","Market_is_closed__Please_try_again_later_":"ตลาดได้ปิดทำการแล้ว โปรดทำรายการใหม่ภายหลัง","This_symbol_is_not_active__Please_try_another_symbol_":"ไม่มีสัญลักษณ์นี้ โปรดลองสัญลักษณ์อื่น","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"ขออภัย บัญชีของท่านไม่ได้รับอนุญาตในการซื้อสัญญาเพิ่ม","Lots":"ล็อต","Payout_per_lot_=_1,000":"จ่ายต่อล็อต = 1,000","This_page_is_not_available_in_the_selected_language_":"หน้านี้ไม่ได้ถูกจัดทำในภาษาที่ท่านเลือก","Trading_Window":"หน้าต่างซื้อขาย","Percentage":"ร้อยละ","Digit":"ตัวเลข (Digits)","Amount":"จำนวน","Deposit":"ฝาก","Withdrawal":"ถอนเงิน","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"คำสั่งของท่านในการโอน [_1] [_2] จาก [_3] ไป [_4] ได้ดำเนินการสำเร็จแล้ว","Date_and_Time":"วันที่และเวลา","Browser":"เบราเซอร์","IP_Address":"ไอพีแอดเดรส","Status":"สถานะ","Successful":"เรียบร้อยแล้ว","Failed":"ล้มเหลว","Your_account_has_no_Login/Logout_activity_":"บัญชีของท่านไม่มีประวัติ การเข้าใช้งานระบบ/การออกจากระบบ","logout":"ออกจากระบบ","Please_enter_a_number_between_[_1]_":"โปรดป้อนตัวเลขระหว่าง [_1]","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] วัน [_2] ชั่วโมง [_3] นาที","Your_trading_statistics_since_[_1]_":"สถิติการซื้อขายของท่านตั้งแต่ [_1]","Unlock_Cashier":"ปลดล็อกแคชเชียร์","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"การรับ/ชำระเงินของท่านถูกล็อกตามความประสงค์ของท่าน - หากประสงค์ปลดล็อก โปรดป้อนรหัสผ่าน","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"รหัสผ่านเพิ่มนี้สามารถใช้เพื่อเข้าถึงส่วนของแคชเชียร์","Update":"การปรับปรุง","Sorry,_you_have_entered_an_incorrect_cashier_password":"ขออภัยค่ะ ท่านป้อนรหัสผ่านแคชเชียร์ไม่ถูกต้อง","You_have_reached_the_withdrawal_limit_":"ท่านถอนเกินวงเงิน","Start_Time":"เวลาเริ่ม","Entry_Spot":"สปอตเริ่มต้น","Low_Barrier":"Barrier ต่ำ","High_Barrier":"Barrier สูง","Average":"ค่าเฉลี่ย","This_contract_won":"สัญญานี้ได้กำไร","This_contract_lost":"สัญญานี้ขาดทุน","Spot":"สปอต","Target":"เป้าหมาย","Equals":"เท่ากับ","Not":"ไม่","Description":"รายละเอียด","Credit/Debit":"เครดิต/เดบิต","Balance":"คงเหลือ","Purchase_Price":"ราคาซื้อ","Profit/Loss":"กำไร/ขาดทุน","Contract_Information":"ข้อมูลสัญญา","Contract_Result":"ผลลัพธ์ของสัญญา","Current":"ปัจจุบัน","Open":"เปิด","Closed":"ปิด","Contract_has_not_started_yet":"สัญญายังไม่เริ่ม","Spot_Time":"เวลาสปอต","Spot_Time_(GMT)":"เวลาสปอต (GMT)","Current_Time":"เวลาปัจจุบัน","Exit_Spot_Time":"เวลาที่สปอตสิ้นสุด","Exit_Spot":"สปอตสิ้นสุด","Indicative":"อินดิเคทีฟ","There_was_an_error":"มีความผิดพลาดเกิดขึ้น","Sell_at_market":"ขายที่ราคาตลาด","You_have_sold_this_contract_at_[_1]_[_2]":"ท่านได้ขายสัญญานี้ที่ [_1] [_2]","Your_transaction_reference_number_is_[_1]":"หมายเลขอ้างอิงของธุรกรรมของท่าน คือ [_1]","Tick_[_1]_is_the_highest_tick":"ช่วงราคา [_1] เป็นราคาสูงสุด","Tick_[_1]_is_not_the_highest_tick":"ช่วงราคา [_1] ไม่ใช่ราคาสูงสุด","Tick_[_1]_is_the_lowest_tick":"ช่วงราคา [_1] เป็นราคาต่ำสุด","Tick_[_1]_is_not_the_lowest_tick":"ช่วงราคา [_1] ไม่ใช่ราคาต่ำสุด","Note":"หมายเหตุ","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"สัญญาจะถูกจำหน่ายที่ราคาทั่วไปของตลาดเมื่อระบบซื้อขายได้รับการแจ้งความจำนง ราคานี้อาจจะแตกต่างจากราคาที่ระบุ","Contract_Type":"ประเภทของสัญญา","Remaining_Time":"เวลาที่เหลืออยู่","Barrier_Change":"ค่า Barrier เปลี่ยนแปลง","Audit":"ตรวจสอบ","Audit_Page":"หน้าตรวจสอบ","View_Chart":"ดูแผนภูมิ","Contract_Starts":"เริ่มต้นสัญญา","Contract_Ends":"สิ้นสุดสัญญา","Start_Time_and_Entry_Spot":"เวลาเริ่มต้นและสปอตเริ่มต้น","Exit_Time_and_Exit_Spot":"เวลาสิ้นสุดและจุดสิ้นสุด","You_can_close_this_window_without_interrupting_your_trade_":"ท่านสามารถปิดหน้าต่างนี้ได้โดยไม่ขัดจังหวะการซื้อขายของท่าน","Selected_Tick":"เลือก ช่วงราคา","Highest_Tick":"ราคาสูงสุด","Highest_Tick_Time":"เวลาของราคาสูงสุด","Lowest_Tick":"ราคาต่ำสุด","Lowest_Tick_Time":"เวลาของราคาต่ำสุด","Close_Time":"เวลาปิด","Please_select_a_value":"โปรดระบุค่า","You_have_not_granted_access_to_any_applications_":"ท่านไม่ได้รับอนุญาตให้เข้าใช้งานระบบใดๆ","Permissions":"สิทธิ์","Never":"ไม่เคย","Revoke_access":"การเพิกถอนการเข้าถึง","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"ท่านแน่ใจใช่ไหมที่จะยกเลิกการเข้าใช้ระบบถาวร","Transaction_performed_by_[_1]_(App_ID:_[_2])":"ดำเนินธุรกรรมโดย [_1] (App ID: [_2])","Admin":"แอดมิน","Read":"อ่าน","Payments":"การชำระเงิน","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] โปรดคลิกลิงก์ด้านล่างเพื่อเริ่มต้นกระบวนการกู้คืนรหัสผ่าน","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"รหัสผ่านของท่านได้ถูกกำหนดใหม่เรียบร้อยแล้ว โปรดเข้าสู่ระบบโดยการใช้รหัสผ่านใหม่ของท่าน","Please_check_your_email_for_the_password_reset_link_":"โปรดตรวจสอบอีเมล์ของท่านสำหรับลิงค์การตั้งค่ารหัสผ่านใหม่","details":"รายละเอียด","Withdraw":"ถอนเงิน","Insufficient_balance_":"ยอดคงเหลือไม่เพียงพอ","This_is_a_staging_server_-_For_testing_purposes_only":"นี่คือ เครื่องแม่ข่ายสำหรับพักงานระหว่างพัฒนาระบบ ซึ่งใช้เพื่อในการทดสอบเท่านั้น","The_server_endpoint_is:_[_2]":"เซิร์ฟเวอร์ จุดสิ้นสุด คือ: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"ขออภัย ไม่สามารถเปิดบัญชีในประเทศของท่าน","There_was_a_problem_accessing_the_server_":"มีปัญหาในการเข้าถึงเครื่องแม่ข่าย","There_was_a_problem_accessing_the_server_during_purchase_":"มีปัญหาเกิดขึ้นในการเข้าถึงเซิร์ฟเวอร์ขณะส่งคำสั่งซื้อ","Should_be_a_valid_number_":"ควรเป็นตัวเลขที่ถูกต้อง","Should_be_more_than_[_1]":"ควรมีค่ามากกว่า [_1]","Should_be_less_than_[_1]":"ควรมีค่าน้อยกว่า [_1]","Should_be_[_1]":"ควรเป็น [_1]","Should_be_between_[_1]_and_[_2]":"ต้องมีค่าระหว่าง [_1] และ [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"ตัวอักษร ตัวเลข ช่องว่าง ขีดกลาง จุด และ เครื่องหมายอัญประกาศ ( ' ) เท่านั้น ที่สามารถใช้ได้","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"ตัวอักษร ช่องว่าง ขีดกลาง จุด และ เครื่องหมายอัญประกาศ ( ' ) เท่านั้น ที่สามารถใช้ได้","Only_letters,_numbers,_and_hyphen_are_allowed_":"ตัวอักษร ตัวเลข และเครื่องหมายขีดกลางเท่านั้นที่อนุญาต","Only_numbers,_space,_and_hyphen_are_allowed_":"ตัวเลข ช่องว่าง และเครื่องหมายขีดกลางเท่านั้นที่อนุญาต","Only_numbers_and_spaces_are_allowed_":"ตัวเลข และช่องว่างเท่านั้นที่อนุญาต","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"เฉพาะตัวอักษร ตัวเลข ช่องว่าง และอักขระพิเศษเหล่านี้เท่านั้น - ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"รหัสผ่านที่ท่านป้อนสองครั้งไม่เหมือนกัน","[_1]_and_[_2]_cannot_be_the_same_":"[_1] และ [_2] ไม่สามารถเป็นค่าเดียวกัน","You_should_enter_[_1]_characters_":"ท่านควรป้อนข้อมูล [_1] อักขระ","Indicates_required_field":"ระบุฟิลด์ข้อมูลที่ต้องมีข้อมูล","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"รหัสยืนยันไม่ถูกต้อง โปรดใช้ลิงค์ที่ส่งไปยังอีเมล์ของท่าน","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"รหัสผ่านที่ท่านใส่เป็นหนึ่งในรหัสผ่านที่พบบ่อยที่สุดในโลก เพื่อความปลอดภัย ท่านควรไม่จะใช้รหัสผ่านนี้","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"คำแนะนำ: จะใช้เวลาประมาณ [_1][_2] เพื่อเจาะรหัสผ่านนี้","thousand":"พัน","million":"ล้าน","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"ควรเริ่มต้นด้วยอักษร หรือ ตัวเลข และอาจประกอบด้วยเครื่องหมายขีดกลาง และขีดล่าง","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"ระบบอัตโนมัติของเราไม่สามารถตรวจสอบที่อยู่ของท่านได้ โปรดแน่ใจว่า ที่อยู่ของท่านมีรายละเอียดครบถ้วนสมบูรณ์","Validate_address":"ตรวจสอบที่อยู่","Congratulations!_Your_[_1]_Account_has_been_created_":"ขอแสดงความยินดี! บัญชีของท่าน [_1] ได้ถูกสร้างเรียบร้อยแล้ว","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"[_1]รหัสผ่านของเลขที่บัญชี [_2] ได้มีการเปลี่ยนแปลงเรียบร้อยแล้ว","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] ได้ฝากเงินจาก [_2] ไปยังเลขที่บัญชี [_3] เรียบร้อยแล้ว หมายเลขอ้างอิงธุรกรรม: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"[_1] ได้ถอนเงินจากเลขที่บัญชี [_2] ไปยัง [_3] เรียบร้อยแล้ว หมายเลขอ้างอิงธุรกรรม: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"การรับ/ชำระเงินของท่านถูกล็อก - หากประสงค์ปลดล็อก โปรดคลิก ที่นี่","Your_cashier_is_locked_":"แคชเชียร์ของท่านถูกล็อก","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"เงินทุนของท่านในบัญชี Binary ไม่เพียงพอ โปรด ฝากเงิน","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"ขออภัย ฟังก์ชันนี้ไม่พร้อมใช้งานในพื้นที่ของท่าน","You_have_reached_the_limit_":"เกินวงเงินของท่าน","Main_password":"รหัสผ่านหลัก","Investor_password":"รหัสผ่านของผู้ลงทุน","Current_password":"รหัสผ่านปัจจุบัน","New_password":"รหัสผ่านใหม่","Demo_Standard":"การสาธิตตามมาตรฐาน","Standard":"มาตรฐาน","Demo_Advanced":"การสาธิตขั้นสูง","Advanced":"ขั้นสูง","Demo_Volatility_Indices":"จำลองดัชนีความผันผวน","Real_Standard":"มาตรฐานจริง","Real_Advanced":"จริงขั้นสูง","Real_Volatility_Indices":"ดัชนีผันผวนจริง","MAM_Advanced":"MAM ขั้นสูง","MAM_Volatility_Indices":"ดัชนีความผันผวน MAM","Change_Password":"เปลี่ยนรหัสผ่าน","Demo_Accounts":"บัญชีทดลองใช้","Demo_Account":"บัญชีทดลองใช้","Real-Money_Accounts":"บัญชีเงินจริง","Real-Money_Account":"บัญชีเงินจริง","MAM_Accounts":"บัญชี MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"เรายังไม่เปิด บริการ MT5 สำหรับผู้ที่อยู่อาศัยในสหภาพยุโรป เนื่องจากอยู่ในระหว่างการขออนุมัติจากเจ้าหน้าที่ภาครัฐที่เกี่ยวข้อง","[_1]_Account_[_2]":"[_1] บัญชี [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"ซื้อขายสัญญาส่วนต่าง (CFDs) ดัชนีผันผวนอาจะไม่เหมาะสมสำหรับทุกคน โปรดแน่ใจว่า ท่านเข้าใจถึงความเสี่ยงที่เกี่ยวข้องอย่างแท้จริง รวมถึงความเป็นไปได้ที่จะสูญเสียเงินทุนในบัญชี MT5 ของท่าน การพนันสามารถเสพติดได้ กรุณามีความรับผิดชอบในการดำเนินธุรกรรมซื้อขาย","Do_you_wish_to_continue?":"ท่านต้องการดำเนินการต่อหรือไม่?","for_account_[_1]":"สำหรับบัญชี [_1]","Verify_Reset_Password":"ตรวจสอบรหัสผ่านใหม่","Reset_Password":"ตั้งรหัสผ่านใหม่","Please_check_your_email_for_further_instructions_":"โปรดตรวจสอบอีเมล์ของท่านเพื่อติดตามการแนะนำวิธีการใช้งานขั้นต่อไป","Revoke_MAM":"ยกเลิก MAM","Manager_successfully_revoked":"ได้เพิกถอนผู้จัดการเรียบร้อยแล้ว","Min":"ค่าต่ำสุด","Max":"ค่าสูงสุด","Current_balance":"ยอดคงเหลือ","Withdrawal_limit":"วงเงินในการถอน","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]ยืนยันบัญชีของท่าน[_2]เดี๋ยวนี้ เพื่อใช้ประโยชน์จากวิธีการชำระเงินที่มีทั้งหมด","Please_set_the_[_1]currency[_2]_of_your_account_":"โปรดตั้งค่า [_1]สกุลเงิน[_2] ของบัญชีของท่าน","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"โปรดตั้งค่าวงเงินการซื้อขาย 30 วันของท่านจาก [_1]ตัวเลือกพักการซื้อขาย[_2] เพื่อลบวงเงินการฝากเงิน","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"โปรดตั้งค่า [_1]ประเทศที่พำนัก[_2] ก่อนอัพเกรดเป็นบัญชีจริง","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"โปรดบันทึกผล [_1]แบบฟอร์มการประเมินทางการเงิน[_2] เพื่อเพิ่มวงเงินการซื้อขายและการถอนเงินของท่าน","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"โปรด [_1]ปรับปรุงประวัติของท่าน[_2] เพื่อเพิ่มวงเงินการซื้อขายและการถอนเงินของท่าน","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"โปรด [_1]ยอมรับข้อตกลงและเงื่อนไข[_2] เพื่อเพิ่มวงเงินการซื้อขายและการถอนเงินของท่าน","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"บัญชีของท่านถูกระงับ โปรด [_1]ติดต่อฝ่ายลูกค้าสัมพันธ์[_2] เพื่อดำเนินการต่อไป","Connection_error:_Please_check_your_internet_connection_":"การเชื่อมต่อมีความผิดพลาด: โปรดตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของท่าน","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"ท่านได้ใช้อัตราการส่งคำสั่งต่อวินาทีเกินที่กำหนด โปรดลองใหม่ภายหลัง","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] กำหนดให้เปิดใช้งานที่จัดเก็บข้อมูลบนเว็บของเบราเซอร์ของท่าน เพื่อที่จะได้ทำงานได้อย่างถูกต้อง โปรดเปิดการใช้งาน หรือ ออกจากโหมดส่วนตัว","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"เรากำลังตรวจสอบเอกสารของท่าน สำหรับรายละเอียดเพิ่มเติม โปรดติดต่อ [_1]ติดต่อเรา[_2]","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"ได้มีการปิดการใช้งานการฝากและถอนเงินในบัญชีของท่าน โปรดตรวจสอบอีเมล์เพื่อศึกษารายละเอียดเพิ่มเติม","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"ได้มีการปิดการใช้งานในการซื้อขายและฝากเงินในบัญชีของท่าน โปรด[_1]ติดต่อฝ่ายบริการลูกค้า[_2]เพื่อดำเนินการต่อไป","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"ได้มีการปิดการใช้งานการซื้อขายไบนารีออปชั่นในบัญชีของท่าน โปรด[_1]ติดต่อฝ่ายบริการลูกค้า[_2] เพื่อดำเนินการต่อไป","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"ได้มีการปิดการใช้งานการถอนเงินในบัญชีของท่าน กรุณาตรวจสอบอีเมล์เพื่อศึกษารายละเอียดเพิ่มเติม","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"ได้มีการปิดการใช้งานการถอนเงิน MT5 ในบัญชีของท่าน โปรดตรวจสอบอีเมล์เพื่อศึกษารายละเอียดเพิ่มเติม","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"โปรดกรอก [_1]รายละเอียดส่วนบุคคลของท่าน[_2] ก่อนที่จะดำเนินการต่อ","Account_Authenticated":"บัญชีได้รับการยืนยันแล้ว","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"ในสหภาพยุโรป ผลิตภัณฑ์ทางการเงินไบนารีออปชันมีให้ไว้สำหรับนักลงทุนผู้เชี่ยวชาญเท่านั้น","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"เว็บเบราเซอร์ของท่าน ([_1]) ไม่ได้ปรับปรุงให้ทันสมัย ซึ่งส่งผลต่อการใช้งานในการซื้อขายของท่าน โปรดดำเนินการเพื่อแก้ไขความเสี่ยงนี้โดยตัวท่านเองสามารถ [_2] ปรับปรุงเบราเซอร์ให้เหมาะกับการใช้งาน [_3]","Bid":"ประมูล","Closed_Bid":"ปิดการประมูล","Create":"สร้าง","Commodities":"สินค้าโภคภัณฑ์","Indices":"ดัชนี","Stocks":"หลักทรัพย์","Volatility_Indices":"ดัชนีความผันผวน","Set_Currency":"ตั้งค่าสกุลเงิน","Please_choose_a_currency":"โปรดเลือกสกุลเงิน","Create_Account":"สร้างบัญชี","Accounts_List":"รายการบัญชี","[_1]_Account":"[_1] บัญชี","Investment":"การลงทุน","Gaming":"การพนัน","Virtual":"เสมือน","Real":"จริง","Counterparty":"คู่สัญญา","This_account_is_disabled":"บัญชีนี้ถูกปิดใช้งาน","This_account_is_excluded_until_[_1]":"บัญชีนี้จะถูกพักการใช้งาน จนกระทั่ง [_1]","Bitcoin":"บิทคอยน์","Bitcoin_Cash":"เงินสดบิทคอยน์","Ether":"อีเธอร์","Ether_Classic":"อีเธอร์คลาสสิก","Litecoin":"ไลท์คอยน์","Invalid_document_format_":"รูปแบบเอกสารไม่ถูกต้อง","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"ขนาดไฟล์ ([_1]) เกินกว่าที่อนุญาต ขนาดไฟล์ใหญ่สุดที่อนุญาต: [_2]","ID_number_is_required_for_[_1]_":"เลขบัตรประชาชนจำเป็นสำหรับ [_1]","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"เฉพาะตัวอักษร ตัวเลข เว้นวรรค ขีดล่าง และขีดกลางเท่านั้นที่อนุญาตให้ใช้ได้สำหรับหมายเลขประจำตัว ([_1])","Expiry_date_is_required_for_[_1]_":"วันหมดอายุจำเป็นสำหรับ [_1]","Passport":"หนังสือเดินทาง","ID_card":"บัตรประจำตัวประชาชน","Driving_licence":"ใบขับขี่","Front_Side":"ด้านหน้า","Reverse_Side":"อีกด้านหนึ่ง","Front_and_reverse_side_photos_of_[_1]_are_required_":"ต้องใช้ภาพถ่ายด้านหน้าและภาพกลับด้านของ [_1]","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]หลักฐานแสดงตัวบุคคล หรือ หลักฐานที่อยู่ของท่าน[_2] ไม่เป็นไปตามข้อกำหนดของเรา โปรดตรวจสอบอีเมล์ของท่านสำหรับคำแนะนำเพิ่มเติม","Following_file(s)_were_already_uploaded:_[_1]":"ได้มีการอัพโหลดไฟล์ดังต่อไปนี้แล้ว: [_1]","Checking":"กำลังตรวจสอบ","Checked":"ตรวจสอบแล้ว","Pending":"ค้างอยู่","Submitting":"กำลังส่ง","Submitted":"ส่งแล้ว","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"ท่านกำลังจะเปลี่ยนเส้นทางไปยังเว็บไซต์อื่นซึ่งไม่ใช่เป็นของ Binary.com","Click_OK_to_proceed_":"คลิก OK เพื่อดำเนินการต่อไป","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"ระบบได้เปิดการใช้งานการรับรองโดยใช้ 2 ตัวแปรผูกกับบัญชีของท่านเรียบร้อยแล้ว","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"ระบบได้ปิดการใช้งานการรับรองโดยใช้ 2 ตัวแปรผูกกับบัญชีของท่านเรียบร้อยแล้ว","Enable":"เปิดใช้งาน","Disable":"ปิดใช้งาน"};
\ No newline at end of file
+texts_json['TH'] = {"Real":"จริง","Investment":"การลงทุน","Gaming":"การพนัน","Virtual":"เสมือน","Bitcoin":"บิทคอยน์","Bitcoin_Cash":"เงินสดบิทคอยน์","Ether":"อีเธอร์","Ether_Classic":"อีเธอร์คลาสสิก","Litecoin":"ไลท์คอยน์","Online":"ออนไลน์","Offline":"ออฟไลน์","Connecting_to_server":"กำลังเชื่อมต่อกับเซิร์ฟเวอร์","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"รหัสผ่านที่ท่านใส่เป็นหนึ่งในรหัสผ่านที่พบบ่อยที่สุดในโลก เพื่อความปลอดภัย ท่านควรไม่จะใช้รหัสผ่านนี้","million":"ล้าน","thousand":"พัน","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"คำแนะนำ: จะใช้เวลาประมาณ [_1][_2] เพื่อเจาะรหัสผ่านนี้","years":"ปี","days":"วัน","Validate_address":"ตรวจสอบที่อยู่","Unknown_OS":"ระบบปฏิบัติการที่ไม่รู้จัก","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"ท่านกำลังจะเปลี่ยนเส้นทางไปยังเว็บไซต์อื่นซึ่งไม่ใช่เป็นของ Binary.com","Click_OK_to_proceed_":"คลิก OK เพื่อดำเนินการต่อไป","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"โปรดตรวจให้แน่ใจว่า ท่านมีแอพพลิเคชัน Telegram ติดตั้งในอุปกรณ์ที่ท่านใช้งาน","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] กำหนดให้เปิดใช้งานที่จัดเก็บข้อมูลบนเว็บของเบราเซอร์ของท่าน เพื่อที่จะได้ทำงานได้อย่างถูกต้อง โปรดเปิดการใช้งาน หรือ ออกจากโหมดส่วนตัว","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"โปรด [_1] ลงชื่อเข้าใช้ [_2] หรือ [_3] ลงทะเบียน [_4] เพื่อเข้าชมหน้านี้","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"ขออภัย ฟังก์ชันนี้มีให้ใช้งานเฉพาะบัญชีทดลองใช้เท่านั้น","This_feature_is_not_relevant_to_virtual-money_accounts_":"ฟังก์ชันนี้ไม่สัมพันธ์กับบัญชีเงินเสมือน","[_1]_Account":"[_1] บัญชี","Click_here_to_open_a_Financial_Account":"คลิกที่นี่ เพื่อเปิดบัญชีการเงิน","Click_here_to_open_a_Real_Account":"คลิกที่นี่ เพื่อเปิดบัญชีจริง","Open_a_Financial_Account":"เปิดบัญชีทางการเงิน","Open_a_Real_Account":"เปิดบัญชีจริง","Create_Account":"สร้างบัญชี","Accounts_List":"รายการบัญชี","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1]ยืนยันบัญชีของท่าน[_2]เดี๋ยวนี้ เพื่อใช้ประโยชน์จากวิธีการชำระเงินที่มีทั้งหมด","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"ได้มีการปิดการใช้งานการฝากและถอนเงินในบัญชีของท่าน โปรดตรวจสอบอีเมล์เพื่อศึกษารายละเอียดเพิ่มเติม","Please_set_the_[_1]currency[_2]_of_your_account_":"โปรดตั้งค่า [_1]สกุลเงิน[_2] ของบัญชีของท่าน","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]หลักฐานแสดงตัวบุคคล หรือ หลักฐานที่อยู่ของท่าน[_2] ไม่เป็นไปตามข้อกำหนดของเรา โปรดตรวจสอบอีเมล์ของท่านสำหรับคำแนะนำเพิ่มเติม","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"เรากำลังตรวจสอบเอกสารของท่าน สำหรับรายละเอียดเพิ่มเติม โปรดติดต่อ [_1]ติดต่อเรา[_2]","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"บัญชีของท่านถูกระงับ โปรด [_1]ติดต่อฝ่ายลูกค้าสัมพันธ์[_2] เพื่อดำเนินการต่อไป","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"โปรดตั้งค่าวงเงินซื้อขายต่อวัน [_1]30 ของท่าน [_2] เพื่อลบวงเงินฝาก","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"ได้มีการปิดการใช้งานการซื้อขายไบนารีออปชั่นในบัญชีของท่าน โปรด[_1]ติดต่อฝ่ายบริการลูกค้า[_2] เพื่อดำเนินการต่อไป","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"ได้มีการปิดการใช้งานการถอนเงิน MT5 ในบัญชีของท่าน โปรดตรวจสอบอีเมล์เพื่อศึกษารายละเอียดเพิ่มเติม","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"โปรดกรอก [_1]รายละเอียดส่วนบุคคลของท่าน[_2] ก่อนที่จะดำเนินการต่อ","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"โปรดตั้งค่า [_1]ประเทศที่พำนัก[_2] ก่อนอัพเกรดเป็นบัญชีจริง","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"โปรดบันทึกผล [_1]แบบฟอร์มการประเมินทางการเงิน[_2] เพื่อเพิ่มวงเงินการซื้อขายและการถอนเงินของท่าน","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"โปรด [_1]ปรับปรุงประวัติของท่าน[_2] เพื่อเพิ่มวงเงินการซื้อขายและการถอนเงินของท่าน","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"ได้มีการปิดการใช้งานในการซื้อขายและฝากเงินในบัญชีของท่าน โปรด[_1]ติดต่อฝ่ายบริการลูกค้า[_2]เพื่อดำเนินการต่อไป","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"ได้มีการปิดการใช้งานการถอนเงินในบัญชีของท่าน กรุณาตรวจสอบอีเมล์เพื่อศึกษารายละเอียดเพิ่มเติม","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"โปรด [_1] ยอมรับข้อตกลงและเงื่อนไข [_2] ที่แก้ไขแล้ว","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"โปรด [_1]ยอมรับข้อตกลงและเงื่อนไข[_2] เพื่อเพิ่มวงเงินการซื้อขายและหลักประกันของท่าน","Account_Authenticated":"บัญชีได้รับการยืนยันแล้ว","Connection_error:_Please_check_your_internet_connection_":"การเชื่อมต่อมีความผิดพลาด: โปรดตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของท่าน","Network_status":"สถานะของเครือข่าย","This_is_a_staging_server_-_For_testing_purposes_only":"นี่คือ เครื่องแม่ข่ายสำหรับพักงานระหว่างพัฒนาระบบ ซึ่งใช้เพื่อในการทดสอบเท่านั้น","The_server_endpoint_is:_[_2]":"เซิร์ฟเวอร์ จุดสิ้นสุด คือ: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"เว็บเบราเซอร์ของท่าน ([_1]) ไม่ได้ปรับปรุงให้ทันสมัย ซึ่งส่งผลต่อการใช้งานในการซื้อขายของท่าน โปรดดำเนินการเพื่อแก้ไขความเสี่ยงนี้โดยตัวท่านเองสามารถ [_2] ปรับปรุงเบราเซอร์ให้เหมาะกับการใช้งาน [_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"ท่านได้ใช้อัตราการส่งคำสั่งต่อวินาทีเกินที่กำหนด โปรดลองใหม่ภายหลัง","Please_select":"โปรดระบุ","There_was_some_invalid_character_in_an_input_field_":"จากข้อมูลที่ป้อนเข้ามา มีบางอักขระไม่ถูกต้อง","Please_accept_the_terms_and_conditions_":"โปรดยอมรับข้อตกลงและเงื่อนไข","Please_confirm_that_you_are_not_a_politically_exposed_person_":"โปรดยืนยันว่า ท่านไม่ใช่บุคคลที่เกี่ยวข้องกับการเมือง","Today":"วันนี้","End_Time":"เวลาสิ้นสุด","Entry_Spot":"สปอตเริ่มต้น","Exit_Spot":"สปอตสิ้นสุด","Charting_for_this_underlying_is_delayed":"กราฟของผลิตภัณฑ์อ้างอิงนี้ล่าช้า","Highest_Tick":"ราคาสูงสุด","Lowest_Tick":"ราคาต่ำสุด","Payout_Range":"ช่วงการชำระเงิน","Purchase_Time":"เวลาซื้อ","Start/End_Time":"เวลาเริ่มต้น/สิ้นสุด","Selected_Tick":"เลือก ช่วงราคา","Start_Time":"เวลาเริ่ม","Fiat":"เงินกระดาษ","Crypto":"การเข้ารหัสลับ","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"รหัสยืนยันไม่ถูกต้อง โปรดใช้ลิงค์ที่ส่งไปยังอีเมล์ของท่าน","Indicates_required_field":"ระบุฟิลด์ข้อมูลที่ต้องมีข้อมูล","Please_select_the_checkbox_":"โปรดระบุค่าจากตัวเลือก","This_field_is_required_":"ข้อมูลในช่องนี้จำเป็นต้องมี","Should_be_a_valid_number_":"ควรเป็นตัวเลขที่ถูกต้อง","Up_to_[_1]_decimal_places_are_allowed_":"ตำแหน่งทศนิยมถึง [_1] หลักเท่านั้น","Should_be_[_1]":"ควรเป็น [_1]","Should_be_between_[_1]_and_[_2]":"ต้องมีค่าระหว่าง [_1] และ [_2]","Should_be_more_than_[_1]":"ควรมีค่ามากกว่า [_1]","Should_be_less_than_[_1]":"ควรมีค่าน้อยกว่า [_1]","Invalid_email_address_":"อีเมล์ไม่ถูกต้อง","Password_should_have_lower_and_uppercase_letters_with_numbers_":"รหัสผ่านควรประกอบด้วยอักษรตัวเล็ก อักษรตัวใหญ่ และตัวเลข","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"ตัวอักษร ตัวเลข ช่องว่าง ขีดกลาง จุด และ เครื่องหมายอัญประกาศ ( ' ) เท่านั้น ที่สามารถใช้ได้","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"เฉพาะตัวอักษร ตัวเลข ช่องว่าง และอักขระพิเศษเหล่านี้เท่านั้นที่อนุญาต [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"ตัวอักษร ช่องว่าง ขีดกลาง จุด และ เครื่องหมายอัญประกาศ ( ' ) เท่านั้น ที่สามารถใช้ได้","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"ตัวอักษร ตัวเลข ช่องว่าง และเครื่องหมายขีดกลางเท่านั้นที่อนุญาต","The_two_passwords_that_you_entered_do_not_match_":"รหัสผ่านที่ท่านป้อนสองครั้งไม่เหมือนกัน","[_1]_and_[_2]_cannot_be_the_same_":"[_1] และ [_2] ไม่สามารถเป็นค่าเดียวกัน","Minimum_of_[_1]_characters_required_":"จำนวนตัวอักขระน้อยที่สุดที่ต้องการ คือ [_1]","You_should_enter_[_1]_characters_":"ท่านควรป้อนข้อมูล [_1] อักขระ","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"ควรเริ่มต้นด้วยอักษร หรือ ตัวเลข และอาจประกอบด้วยเครื่องหมายขีดกลาง และขีดล่าง","Invalid_verification_code_":"รหัสยืนยันไม่ถูกต้อง","Transaction_performed_by_[_1]_(App_ID:_[_2])":"ดำเนินธุรกรรมโดย [_1] (App ID: [_2])","Guide":"คำแนะนำ","Next":"ถัดไป","Finish":"เสร็จสิ้น","Step":"ขั้น","Select_your_market_and_underlying_asset":"เลือกตลาดที่ท่านต้องการ และ ผลิตภัณฑ์อ้างอิงของท่าน","Select_your_trade_type":"กำหนด ประเภทการเทรดของท่าน","Adjust_trade_parameters":"ปรับแต่งตัวแปรของการเทรด","Predict_the_directionand_purchase":"พยากรณ์ทิศทาง และซื้อ","Your_session_duration_limit_will_end_in_[_1]_seconds_":"เวลาการซื้อขายของท่านจะสิ้นสุดภายใน [_1] วินาที","January":"มกราคม","February":"กุมภาพันธ์","March":"มีนาคม","April":"เมษายน","May":"พฤษภาคม","June":"มิถุนายน","July":"กรกฎาคม","August":"สิงหาคม","September":"กันยายน","October":"ตุลาคม","November":"พฤศจิกายน","December":"ธันวาคม","Jan":"ม.ค.","Feb":"ก.พ.","Mar":"มี.ค.","Apr":"เม.ย.","Jun":"มิ.ย.","Jul":"ก.ค.","Aug":"ส.ค.","Sep":"ก.ย.","Oct":"ต.ค.","Nov":"พ.ย.","Dec":"ธ.ค.","Sunday":"วันอาทิตย์","Monday":"วันจันทร์","Tuesday":"วันอังคาร","Wednesday":"วันพุธ","Thursday":"วันพฤหัสบดี","Friday":"วันศุกร์","Saturday":"วันเสาร์","Su":"อา","Mo":"จ","Tu":"อัง","We":"พวกเรา","Th":"พฤ","Fr":"ศ","Sa":"ส","Previous":"ก่อนหน้า","Hour":"ชั่วโมง","Minute":"นาที","AM":"น.","PM":"น.","Min":"ค่าต่ำสุด","Max":"ค่าสูงสุด","Current_balance":"ยอดคงเหลือ","Withdrawal_limit":"วงเงินในการถอน","Withdraw":"ถอนเงิน","Deposit":"ฝาก","State/Province":"รัฐ/จังหวัด","Country":"ประเทศ","Town/City":"เมือง","First_line_of_home_address":"บรรทัดแรกของที่อยู่","Postal_Code_/_ZIP":"รหัสไปรษณีย์","Telephone":"โทรศัพท์","Email_address":"อีเมล์","details":"รายละเอียด","Your_cashier_is_locked_":"แคชเชียร์ของท่านถูกล็อก","You_have_reached_the_withdrawal_limit_":"ท่านถอนเกินวงเงิน","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"ไม่มีบริการตัวแทนการชำระเงินในประเทศของท่าน หรือ ในสกุลเงินที่ท่านต้องการ","Please_select_a_payment_agent":"โปรดระบุตัวแทนรับชำระเงิน","Amount":"จำนวน","Insufficient_balance_":"ยอดคงเหลือไม่เพียงพอ","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"คำสั่งของท่านเพื่อถอน [_1] [_2] จากบัญชีของท่าน [_3] ให้ตัวแทนรับชำระเงิน [_4] บัญชีได้รับการประมวลผลสำเร็จ","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"โทเค่นของท่านหมดอายุแล้ว หรือ โทเค่นไม่ถูกต้อง โปรดคลิก [_1]ที่นี่[_2] เพื่อดำเนินกระบวนการตรวจสอบ","Please_[_1]deposit[_2]_to_your_account_":"โปรดฝาก% [_2] ยังบัญชีของท่าน","minute":"นาที","minutes":"นาที","h":"ชม.","day":"วัน","week":"สัปดาห์","weeks":"สัปดาห์","month":"เดือน","months":"เดือน","year":"ปี","Month":"เดือน","Months":"เดือน","Day":"วัน","Days":"วัน","Hours":"ชั่วโมง","Minutes":"นาที","Second":"วินาที","Seconds":"วินาที","Higher":"สูงกว่า","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] มีมูลค่าเท่ากันหรือสูงกว่า Barrier ที่สิ้นสุดเมื่อ [_4]","Lower":"ต่ำกว่า","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] มีมูลค่าเท่ากันหรือต่ำกว่า Barrier ที่สิ้นสุด ณ [_4]","Touches":"แตะ","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] แตะ Barrier กระทั่งสิ้นสุดที่ [_4]","Does_Not_Touch":"ไม่แตะ","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] ไม่แตะ Barrier กระทั่งสิ้นสุดที่ [_4]","Ends_Between":"สิ้นสุดระหว่าง","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] สิ้นสุด หรือ อยู่ระหว่างค่าต่ำสุดและค่าสูงสุดของ Barrier ณ เวลาปิดที่ [_4]","Ends_Outside":"สิ้นสุดภายนอก","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] สิ้นสุดนอกขอบเขต Barrier ต่ำสุดและสูงสุดและสิ้นสุดที่ [_4]","Stays_Between":"อยู่ระหว่าง","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] อยู่ระหว่างค่าต่ำและสูงของ Barrier กระทั่งสิ้นสุดเมื่อ [_4]","Goes_Outside":"ออกนอกขอบเขต","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] ชำระเงิน เมื่อ [_3] ออกนอกขอบเขตของ Barrier ต่ำและสูง กระทั่งสิ้นสุดที่ [_4]","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"ขออภัย บัญชีของท่านไม่ได้รับอนุญาตในการซื้อสัญญาเพิ่ม","Please_log_in_":"โปรดเข้าสู่ระบบ","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"ขออภัย ฟังก์ชันนี้ไม่พร้อมใช้งานในพื้นที่ของท่าน","This_symbol_is_not_active__Please_try_another_symbol_":"ไม่มีสัญลักษณ์นี้ โปรดลองสัญลักษณ์อื่น","Market_is_closed__Please_try_again_later_":"ตลาดได้ปิดทำการแล้ว โปรดทำรายการใหม่ภายหลัง","All_barriers_in_this_trading_window_are_expired":"รายการ Barrier ทั้งหมดในหน้าต่างซื้อขายนี้หมดอายุ","Sorry,_account_signup_is_not_available_in_your_country_":"ขออภัย ไม่สามารถเปิดบัญชีในประเทศของท่าน","Asset":"สินทรัพย์","Opens":"เปิด","Closes":"ปิด","Settles":"ชำระเงิน","Upcoming_Events":"กิจกรรมในอนาคต","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"เพิ่ม +/ – เพื่อกำหนด Barrier Offset เช่น +0.005 หมายถึง อุปสรรคที่อยู่สูงกว่าสปอตเริ่มต้นอยู่ 0.005","Digit":"ตัวเลข (Digits)","Percentage":"ร้อยละ","Waiting_for_entry_tick_":"กำลังรองช่วงราคาเริ่มต้น","High_Barrier":"Barrier สูง","Low_Barrier":"Barrier ต่ำ","Waiting_for_exit_tick_":"กำลังรอช่วงราคาสุดท้าย","Ticks_history_returned_an_empty_array_":"ประวัติช่วงราคาถูกส่งกลับมาเป็นแถวลำดับว่างเปล่า","Chart_is_not_available_for_this_underlying_":"ไม่มีแผนภูมิสำหรับผลิตภัณฑ์อ้างอิงนี้","Purchase":"ซื้อ","Net_profit":"กำไรสุทธิ","Return":"ผลตอบแทน","Time_is_in_the_wrong_format_":"เวลาอยู่ในรูปแบบที่ไม่ถูกต้อง","Even/Odd":"คู่/คี่","High-Close":"สูง-ปิด","Close-Low":"ปิด-ต่ำ","High-Low":"สูง-ต่ำ","Select_Trade_Type":"เลือกประเภทของการซื้อขาย","seconds":"วินาที","hours":"ชั่วโมง","ticks":"ช่วงห่างของราคา","tick":"ช่วงห่างของราคา","second":"วินาที","hour":"ชั่วโมง","Duration":"ระยะเวลา","Purchase_request_sent":"คำขอสั่งซื้อได้ถูกส่งแล้ว","High":"สูง","Close":"ปิด","Low":"ต่ำ","Select_Asset":"เลือกสินทรัพย์","Search___":"ค้นหา...","Maximum_multiplier_of_1000_":"ตัวคูณสูงสุด 1000 เท่า","Stake":"วางเงิน","Payout":"การชำระเงิน","Multiplier":"ตัวคูณ","Trading_is_unavailable_at_this_time_":"ไม่สามารถทำการซื้อขายได้ในขณะนี้","Please_reload_the_page":"โปรดโหลดหน้านี้อีกครั้ง","Try_our_[_1]Volatility_Indices[_2]_":"ลองดัชนีผันผวน [_1][_2] ของเรา","Try_our_other_markets_":"ลองตลาดอื่นๆ ของเรา","Contract_Confirmation":"การยืนยันสัญญา","Your_transaction_reference_is":"เลขที่อ้างอิงของธุรกรรมของท่าน คือ","Total_Cost":"ราคารวม","Potential_Payout":"ประมาณการจำนวนเงินที่ชำระ","Maximum_Payout":"ยอดเงินที่ได้รับสูงสุด","Maximum_Profit":"กำไรสูงสุด","Potential_Profit":"ประมาณการกำไร","View":"ดู","This_contract_won":"สัญญานี้ได้กำไร","This_contract_lost":"สัญญานี้ขาดทุน","Tick_[_1]_is_the_highest_tick":"ช่วงราคา [_1] เป็นราคาสูงสุด","Tick_[_1]_is_not_the_highest_tick":"ช่วงราคา [_1] ไม่ใช่ราคาสูงสุด","Tick_[_1]_is_the_lowest_tick":"ช่วงราคา [_1] เป็นราคาต่ำสุด","Tick_[_1]_is_not_the_lowest_tick":"ช่วงราคา [_1] ไม่ใช่ราคาต่ำสุด","Tick":"ช่วงห่างของราคา","The_reset_time_is_[_1]":"เวลารีเซ็ตเป็น [_1]","Now":"ขณะนี้","Tick_[_1]":"ช่วงราคา [_1]","Average":"ค่าเฉลี่ย","Buy_price":"ราคาซื้อ","Final_price":"ราคาสุดท้าย","Loss":"ขาดทุน","Profit":"กำไร","Account_balance:":"ยอดคงเหลือในบัญชี:","Reverse_Side":"อีกด้านหนึ่ง","Front_Side":"ด้านหน้า","Pending":"ค้างอยู่","Submitting":"กำลังส่ง","Submitted":"ส่งแล้ว","Failed":"ล้มเหลว","Compressing_Image":"ภาพที่ถูกย่อขนาด","Checking":"กำลังตรวจสอบ","Checked":"ตรวจสอบแล้ว","Unable_to_read_file_[_1]":"ไม่สามารถอ่านแฟ้ม [_1]","Passport":"หนังสือเดินทาง","Identity_card":"บัตรแสดงตัวบุคคล","Driving_licence":"ใบขับขี่","Invalid_document_format_":"รูปแบบเอกสารไม่ถูกต้อง","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"ขนาดไฟล์ ([_1]) เกินกว่าที่อนุญาต ขนาดไฟล์ใหญ่สุดที่อนุญาต: [_2]","ID_number_is_required_for_[_1]_":"เลขบัตรประชาชนจำเป็นสำหรับ [_1]","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"เฉพาะตัวอักษร ตัวเลข เว้นวรรค ขีดล่าง และขีดกลางเท่านั้นที่อนุญาตให้ใช้ได้สำหรับหมายเลขประจำตัว ([_1])","Expiry_date_is_required_for_[_1]_":"วันหมดอายุจำเป็นสำหรับ [_1]","Front_and_reverse_side_photos_of_[_1]_are_required_":"ต้องใช้ภาพถ่ายด้านหน้าและภาพกลับด้านของ [_1]","Current_password":"รหัสผ่านปัจจุบัน","New_password":"รหัสผ่านใหม่","Please_enter_a_valid_Login_ID_":"โปรดป้อนรหัสผู้ใช้งานที่ถูกต้อง","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"คำสั่งของท่านในการโอน [_1] [_2] จาก [_3] ไป [_4] ได้ดำเนินการสำเร็จแล้ว","Resale_not_offered":"การขายสัญญาไม่ได้ถูกนำเสนอ","Your_account_has_no_trading_activity_":"บัญชีของท่านไม่มีประวัติการซื้อขาย","Date":"วันที่","Ref_":"อ้างอิง","Contract":"สัญญา","Purchase_Price":"ราคาซื้อ","Sale_Date":"วันที่ขาย","Sale_Price":"ราคาขาย","Profit/Loss":"กำไร/ขาดทุน","Details":"รายละเอียด","Total_Profit/Loss":"รวมกำไร/ขาดทุน","Only_[_1]_are_allowed_":"มีเพียง [_1] ที่อนุญาตให้ใช้","letters":"ตัวอักษร","numbers":"Numbers","space":"ช่องว่าง","Please_select_at_least_one_scope":"โปรดระบุค่าอย่างน้อยหนึ่งขอบเขต","New_token_created_":"สร้างโทเค่นใหม่แล้ว","The_maximum_number_of_tokens_([_1])_has_been_reached_":"จำนวนมากที่สุดของโทเค่น ([_1]) ถูกใช้หมดแล้ว","Name":"ชื่อ","Token":"โทเค่น","Scopes":"ขอบเขต","Last_Used":"ใช้ครั้งสุดท้าย","Action":"การกระทำ","Are_you_sure_that_you_want_to_permanently_delete_the_token":"ท่านแน่ใจใช่ไหมที่จะลบโทเค่นถาวร","Delete":"ลบ","Never_Used":"ไม่เคยใช้","You_have_not_granted_access_to_any_applications_":"ท่านไม่ได้รับอนุญาตให้เข้าใช้งานระบบใดๆ","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"ท่านแน่ใจใช่ไหมที่จะยกเลิกการเข้าใช้ระบบถาวร","Revoke_access":"การเพิกถอนการเข้าถึง","Admin":"แอดมิน","Payments":"การชำระเงิน","Read":"อ่าน","Trade":"เทรด","Never":"ไม่เคย","Permissions":"สิทธิ์","Last_Login":"การเข้าระบบครั้งล่าสุด","Unlock_Cashier":"ปลดล็อกแคชเชียร์","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"การรับ/ชำระเงินของท่านถูกล็อกตามความประสงค์ของท่าน - หากประสงค์ปลดล็อก โปรดป้อนรหัสผ่าน","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"รหัสผ่านเพิ่มนี้สามารถใช้เพื่อเข้าถึงส่วนของแคชเชียร์","Update":"การปรับปรุง","Sorry,_you_have_entered_an_incorrect_cashier_password":"ขออภัยค่ะ ท่านป้อนรหัสผ่านแคชเชียร์ไม่ถูกต้อง","Your_settings_have_been_updated_successfully_":"การตั้งค่าของท่านถูกดำเนินการเรียบร้อยแล้ว","You_did_not_change_anything_":"ท่านไม่ได้แก้ไขค่าใดๆ","Sorry,_an_error_occurred_while_processing_your_request_":"ขออภัย มีความผิดพลาดเกิดขึ้นขณะที่ประมวลผลความประสงค์ของท่าน","Your_changes_have_been_updated_successfully_":"การแก้ไขของท่านถูกดำเนินการเรียบร้อยแล้ว","Successful":"เรียบร้อยแล้ว","Date_and_Time":"วันที่และเวลา","Browser":"เบราเซอร์","IP_Address":"ไอพีแอดเดรส","Status":"สถานะ","Your_account_has_no_Login/Logout_activity_":"บัญชีของท่านไม่มีประวัติ การเข้าใช้งานระบบ/การออกจากระบบ","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"บัญชีของท่านได้รับการยืนยันตัวตนอย่างสมบูรณ์แล้ว และวงเงินการถอนเงินของท่านได้รับการยกระดับโดยการเพิ่มวงเงินแล้ว","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"วงเงินการถอนเงินต่อวันของท่าน [_1] ในปัจจุบัน คือ [_2] [_3] (หรือเทียบเท่าในสกุลเงินอื่น)","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"ท่านได้ถอน [_1] [_2] หรือเทียบเท่า ในช่วง [_3] วันที่ผ่านมา","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"ดังนั้น วงเงินการถอนมากที่สุดของท่านขณะนี้ (หากบัญชีท่านมีวงเงินเพียงพอ) คือ [_1] [_2] (หรือเทียบเท่าในสกุลเงินอื่น)","Your_withdrawal_limit_is_[_1]_[_2]_":"วงเงินการถอนของท่าน คือ [_1] [_2]","You_have_already_withdrawn_[_1]_[_2]_":"ท่านได้ถอน [_1] [_2] เรียบร้อยแล้ว","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"ดังนั้น วงเงินการถอนมากที่สุดของท่านขณะนี้ (หากบัญชีท่านมีวงเงินเพียงพอ) คือ [_1] [_2]","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"วงเงินการถอนของท่าน คือ [_1] [_2] (หรือเทียบเท่าในสกุลเงินอื่น)","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"ท่านได้ถอน [_1] [_2] หรือเทียบเท่า","Please_confirm_that_all_the_information_above_is_true_and_complete_":"โปรดยืนยันว่า ข้อมูลทั้งหมดข้างต้นถูกต้อง และครบถ้วน","Sorry,_an_error_occurred_while_processing_your_account_":"ขออภัย มีความผิดพลาดเกิดขึ้นขณะที่ประมวลผลบัญชีของท่าน","Please_select_a_country":"โปรดระบุประเทศ","Timed_out_until":"หมดเวลากระทั่ง","Excluded_from_the_website_until":"ถูกพักการใช้งานจากเว็บไซต์จนถึง","Session_duration_limit_cannot_be_more_than_6_weeks_":"รอบระยะเวลาการซื้อขายไม่สามารถมากกว่า 6 สัปดาห์","Time_out_must_be_after_today_":"ช่วงเวลาอ้างอิงต้องเริ่มในวันพรุ่งนี้","Time_out_cannot_be_more_than_6_weeks_":"ช่วงระยะเวลาอ้างอิงไม่สามารถมากกว่า 6 สัปดาห์","Time_out_cannot_be_in_the_past_":"ช่วงเวลาที่ใช้อ้างอิงไม่สามารถเป็นเวลาในอดีต","Please_select_a_valid_time_":"โปรดระบุเวลาที่ถูกต้อง","Exclude_time_cannot_be_less_than_6_months_":"เวลาพักไม่น้อยกว่า 6 เดือน","Exclude_time_cannot_be_for_more_than_5_years_":"เวลาพักไม่เกิน 5 ปี","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"เมื่อท่านเลือก \"OK\" ท่านจะถูกพักจากระบบซื้อขายกระทั่งวันที่ที่ท่านระบุ","Your_changes_have_been_updated_":"การเปลี่ยนแปลงของท่านได้ถูกดำเนินการแล้ว","Disable":"ปิดใช้งาน","Enable":"เปิดใช้งาน","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"ระบบได้เปิดการใช้งานการรับรองโดยใช้ 2 ตัวแปรผูกกับบัญชีของท่านเรียบร้อยแล้ว","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"ระบบได้ปิดการใช้งานการรับรองโดยใช้ 2 ตัวแปรผูกกับบัญชีของท่านเรียบร้อยแล้ว","You_are_categorised_as_a_professional_client_":"ท่านอยู่ในกลุ่มลูกค้าผู้เชี่ยวชาญ (Professional Client)","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"ใบสมัครของท่านเพื่อปรับสถานะเป็นลูกค้าผู้เชี่ยวชาญ (Professional Client) กำลังถูกดำเนินการ","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"ท่านอยู่ในกลุ่มลูกค้ารายย่อย (Retail Client) สมัครเพื่อเลื่อนขั้นเป็นลูกค้าผู้มีความเชี่ยวชาญ (Professional Client)","Bid":"ประมูล","Closed_Bid":"ปิดการประมูล","Description":"รายละเอียด","Credit/Debit":"เครดิต/เดบิต","Balance":"คงเหลือ","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] ได้ถูกเพิ่มเข้าในบัญชีเสมือนของคุณแล้ว: [_2]","Financial_Account":"บัญชีการเงิน","Real_Account":"บัญชีจริง","Counterparty":"คู่สัญญา","Jurisdiction":"เขตอำนาจศาล","Create":"สร้าง","This_account_is_disabled":"บัญชีนี้ถูกปิดใช้งาน","This_account_is_excluded_until_[_1]":"บัญชีนี้จะถูกพักการใช้งาน จนกระทั่ง [_1]","Set_Currency":"ตั้งค่าสกุลเงิน","Commodities":"สินค้าโภคภัณฑ์","Forex":"ฟอเร็กซ์","Indices":"ดัชนี","Stocks":"หลักทรัพย์","Volatility_Indices":"ดัชนีความผันผวน","Please_check_your_email_for_the_password_reset_link_":"โปรดตรวจสอบอีเมล์ของท่านสำหรับลิงค์การตั้งค่ารหัสผ่านใหม่","Standard":"มาตรฐาน","Advanced":"ขั้นสูง","Demo_Standard":"การสาธิตตามมาตรฐาน","Real_Standard":"มาตรฐานจริง","Demo_Advanced":"การสาธิตขั้นสูง","Real_Advanced":"จริงขั้นสูง","MAM_Advanced":"MAM ขั้นสูง","Demo_Volatility_Indices":"จำลองดัชนีความผันผวน","Real_Volatility_Indices":"ดัชนีผันผวนจริง","MAM_Volatility_Indices":"ดัชนีความผันผวน MAM","Sign_up":"ลงทะเบียน","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"ซื้อขายสัญญาส่วนต่าง (CFDs) ดัชนีผันผวนอาจะไม่เหมาะสมสำหรับทุกคน โปรดแน่ใจว่า ท่านเข้าใจถึงความเสี่ยงที่เกี่ยวข้องอย่างแท้จริง รวมถึงความเป็นไปได้ที่จะสูญเสียเงินทุนในบัญชี MT5 ของท่าน การพนันสามารถเสพติดได้ กรุณามีความรับผิดชอบในการดำเนินธุรกรรมซื้อขาย","Do_you_wish_to_continue?":"ท่านต้องการดำเนินการต่อหรือไม่?","Acknowledge":"รับทราบ","Change_Password":"เปลี่ยนรหัสผ่าน","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"[_1]รหัสผ่านของเลขที่บัญชี [_2] ได้มีการเปลี่ยนแปลงเรียบร้อยแล้ว","Reset_Password":"ตั้งรหัสผ่านใหม่","Verify_Reset_Password":"ตรวจสอบรหัสผ่านใหม่","Please_check_your_email_for_further_instructions_":"โปรดตรวจสอบอีเมล์ของท่านเพื่อติดตามการแนะนำวิธีการใช้งานขั้นต่อไป","Revoke_MAM":"ยกเลิก MAM","Manager_successfully_revoked":"ได้เพิกถอนผู้จัดการเรียบร้อยแล้ว","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"[_1] ได้ฝากเงินจาก [_2] ไปยังเลขที่บัญชี [_3] เรียบร้อยแล้ว หมายเลขอ้างอิงธุรกรรม: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"การรับ/ชำระเงินของท่านถูกล็อก - หากประสงค์ปลดล็อก โปรดคลิก ที่นี่","You_have_reached_the_limit_":"เกินวงเงินของท่าน","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"[_1] ได้ถอนเงินจากเลขที่บัญชี [_2] ไปยัง [_3] เรียบร้อยแล้ว หมายเลขอ้างอิงธุรกรรม: [_4]","Main_password":"รหัสผ่านหลัก","Investor_password":"รหัสผ่านของผู้ลงทุน","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"เงินทุนของท่านในบัญชี Binary ไม่เพียงพอ โปรด ฝากเงิน","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"เรายังไม่เปิด บริการ MT5 สำหรับผู้ที่อยู่อาศัยในสหภาพยุโรป เนื่องจากอยู่ในระหว่างการขออนุมัติจากเจ้าหน้าที่ภาครัฐที่เกี่ยวข้อง","Demo_Accounts":"บัญชีทดลองใช้","MAM_Accounts":"บัญชี MAM","Real-Money_Accounts":"บัญชีเงินจริง","Demo_Account":"บัญชีทดลองใช้","Real-Money_Account":"บัญชีเงินจริง","for_account_[_1]":"สำหรับบัญชี [_1]","[_1]_Account_[_2]":"[_1] บัญชี [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"โทเค่นของท่านหมดอายุแล้ว โปรดคลิกที่นี่ เพื่อดำเนินกระบวนการตรวจสอบ","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"อีเมล์ของท่านถูกลงทะเบียนไว้กับผู้ใช้งานอีกบัญชีหนึ่ง หากท่านลืมรหัสผ่านของบัญชีที่ท่านมีอยู่ โปรด เรียกใช้การกู้คืนรหัสผ่าน หรือ ติดต่อเจ้าหน้าที่บริการลูกค้า","Password_is_not_strong_enough_":"รหัสผ่านไม่ปลอดภัยเท่าที่ควร","Upgrade_now":"อัพเกรดเดี๋ยวนี้","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] วัน [_2] ชั่วโมง [_3] นาที","Your_trading_statistics_since_[_1]_":"สถิติการซื้อขายของท่านตั้งแต่ [_1]","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] โปรดคลิกลิงก์ด้านล่างเพื่อเริ่มต้นกระบวนการกู้คืนรหัสผ่าน","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"รหัสผ่านของท่านได้ถูกกำหนดใหม่เรียบร้อยแล้ว โปรดเข้าสู่ระบบโดยการใช้รหัสผ่านใหม่ของท่าน","Please_choose_a_currency":"โปรดเลือกสกุลเงิน","Higher_or_equal":"สูงกว่า หรือ เท่ากับ","Lower_or_equal":"ต่ำกว่า หรือ เท่ากับ","Digit_Matches":"ดิจิตตรงกัน (Digit Matches)","Digit_Differs":"ดิจิตไม่ตรงกัน (Digit Differs)","Digit_Odd":"ดิจิตคี่ (Digit Odd)","Digit_Even":"ดิจิตคู่ (Digit Even)","Digit_Over":"ดิจิตสูงกว่า (Digit Over)","Digit_Under":"ดิจิตต่ำกว่า (Digit Under)","Call_Spread":"คอลสเปรด","Put_Spread":"พุทสเปรด","High_Tick":"ราคาสูง","Low_Tick":"ราคาต่ำสุด","Equals":"เท่ากับ","Not":"ไม่","Buy":"ซื้อ","Sell":"ขาย","Contract_has_not_started_yet":"สัญญายังไม่เริ่ม","Contract_Result":"ผลลัพธ์ของสัญญา","Close_Time":"เวลาปิด","Highest_Tick_Time":"เวลาของราคาสูงสุด","Lowest_Tick_Time":"เวลาของราคาต่ำสุด","Exit_Spot_Time":"เวลาที่สปอตสิ้นสุด","Audit":"ตรวจสอบ","View_Chart":"ดูแผนภูมิ","Audit_Page":"หน้าตรวจสอบ","Spot":"สปอต","Spot_Time_(GMT)":"เวลาสปอต (GMT)","Contract_Starts":"เริ่มต้นสัญญา","Contract_Ends":"สิ้นสุดสัญญา","Target":"เป้าหมาย","Contract_Information":"ข้อมูลสัญญา","Contract_Type":"ประเภทของสัญญา","Remaining_Time":"เวลาที่เหลืออยู่","Maximum_payout":"ยอดเงินที่ได้รับสูงสุด","Barrier_Change":"ค่า Barrier เปลี่ยนแปลง","Current":"ปัจจุบัน","Spot_Time":"เวลาสปอต","Current_Time":"เวลาปัจจุบัน","Indicative":"อินดิเคทีฟ","You_can_close_this_window_without_interrupting_your_trade_":"ท่านสามารถปิดหน้าต่างนี้ได้โดยไม่ขัดจังหวะการซื้อขายของท่าน","There_was_an_error":"มีความผิดพลาดเกิดขึ้น","Sell_at_market":"ขายที่ราคาตลาด","Note":"หมายเหตุ","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"สัญญาจะถูกจำหน่ายที่ราคาทั่วไปของตลาดเมื่อระบบซื้อขายได้รับการแจ้งความจำนง ราคานี้อาจจะแตกต่างจากราคาที่ระบุ","You_have_sold_this_contract_at_[_1]_[_2]":"ท่านได้ขายสัญญานี้ที่ [_1] [_2]","Your_transaction_reference_number_is_[_1]":"หมายเลขอ้างอิงของธุรกรรมของท่าน คือ [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"ขอขอบคุณสำหรับการลงทะเบียน! โปรดตรวจสอบอีเมล์ของท่านเพื่อดำเนินการลงทะเบียนให้แล้วเสร็จ","All_markets_are_closed_now__Please_try_again_later_":"ตลาดได้ปิดทำการแล้ว โปรดทำรายการใหม่ภายหลัง","Withdrawal":"ถอนเงิน","virtual_money_credit_to_account":"เครดิตเงินเสมือนไปยังบัญชี","login":"เข้าสู่ระบบ","logout":"ออกจากระบบ","Digits":"ตัวเลข (Digits)","Ends_Between/Ends_Outside":"สิ้นสุดระหว่าง/สิ้นสุดนอกขอบเขต","High/Low_Ticks":"ช่วงราคา สูง/ต่ำ","Stays_Between/Goes_Outside":"อยู่ใน/นอกขอบเขต","Christmas_Day":"วันคริสต์มาส","Closes_early_(at_18:00)":"ปิดก่อนเวลา (เมื่อเวลา 18.00 น.)","Closes_early_(at_21:00)":"ปิดก่อนเวลา (เมื่อเวลา 21.00 น.)","Fridays":"วันศุกร์","New_Year's_Day":"วันปีใหม่","today":"วันนี้","today,_Fridays":"วันนี้วันศุกร์","There_was_a_problem_accessing_the_server_":"มีปัญหาในการเข้าถึงเครื่องแม่ข่าย","There_was_a_problem_accessing_the_server_during_purchase_":"มีปัญหาเกิดขึ้นในการเข้าถึงเซิร์ฟเวอร์ขณะส่งคำสั่งซื้อ"};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/vi.js b/src/javascript/_autogenerated/vi.js
index 1edd1fd9739f7..59b3fc5fb1aec 100644
--- a/src/javascript/_autogenerated/vi.js
+++ b/src/javascript/_autogenerated/vi.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['VI'] = {"Day":"Ngày","Month":"Tháng","Year":"Năm","Sorry,_an_error_occurred_while_processing_your_request_":"Rất tiếc, đã xảy ra lỗi khi đang xử lý yêu cầu của bạn.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Xin vui lòng [_1]đăng nhập[_2] hoặc [_3]đăng ký[_4] để xem trang này.","Click_here_to_open_a_Real_Account":"Nhấp vào đây để mở một Tài Khoản Thực","Open_a_Real_Account":"Mở một Tài Khoản Thực","Click_here_to_open_a_Financial_Account":"Nhấp vào đây để mở một Tài Khoản Tài Chính","Open_a_Financial_Account":"Mở một Tài Khoản Tài Chính","Network_status":"Tình Trạng Mạng","Online":"Trực tuyến","Offline":"Ngoại tuyến","Connecting_to_server":"Đang kết nối với máy chủ","Virtual_Account":"Tài Khoản Ảo","Real_Account":"Tài khoản Thực","Investment_Account":"Tài Khoản Đầu Tư","Gaming_Account":"Tài Khoản Cá Cược","Sunday":"Chủ nhật","Monday":"Thứ Hai","Tuesday":"Thứ Ba","Wednesday":"Thứ Tư","Thursday":"Thứ Năm","Friday":"Thứ Sáu","Saturday":"Thứ Bảy","Su":"Chủ Nhật","Mo":"Thứ 2","Tu":"Thứ 3","We":"Thứ 4","Th":"Thứ 5","Fr":"Thứ 6","Sa":"Thứ 7","January":"Tháng Một","February":"Tháng Hai","March":"Tháng Ba","April":"Tháng 4","May":"Tháng Năm","June":"Tháng Sáu","July":"Tháng Bảy","August":"Tháng 8","September":"Tháng Chín","October":"Tháng Mười","November":"Tháng Mười Một","December":"Tháng 12","Jan":"Tháng Một","Feb":"Tháng Hai","Mar":"Tháng Ba","Apr":"Tháng 4","Jun":"Tháng Sáu","Jul":"Tháng Bảy","Aug":"Tháng 8","Sep":"Tháng Chín","Oct":"Tháng Mười","Nov":"Tháng Mười Một","Dec":"Tháng 12","Next":"Tiếp theo","Previous":"Trước","Hour":"Giờ","Minute":"Phút","Time_is_in_the_wrong_format_":"Sai định dạng thời gian.","Purchase_Time":"Thời Gian Mua","Charting_for_this_underlying_is_delayed":"Biểu đồ cho tài sản cơ sở này bị hoãn","Reset_Time":"Thời gian đặt lại","Payout_Range":"Phạm vi thanh toán","Ticks_history_returned_an_empty_array_":"Lịch sử Ticks trả về một mảng trống.","Chart_is_not_available_for_this_underlying_":"Biểu đồ không phải là có sẵn cho cơ sở này.","year":"năm","month":"tháng","week":"tuần","day":"ngày","days":"ngày","hour":"giờ","hours":"giờ","min":"tối thiểu","minute":"phút","minutes":"phút","second":"giây","seconds":"giây","ticks":"tick","Loss":"Thua lỗ","Profit":"Lợi nhuận","Payout":"Khoảng được trả","Units":"Đơn vị","Stake":"Vốn đầu tư","Duration":"Khoảng thời gian","End_Time":"Thời Gian Kết Thúc","Net_profit":"Lợi nhuận ròng","Return":"Doanh thu","Now":"Hiện tại","Contract_Confirmation":"Xác nhận Hợp đồng","Your_transaction_reference_is":"Tham chiếu giao dịch của bạn là","Rise/Fall":"Tăng/Giảm","Higher/Lower":"Cao Hơn/Thấp Hơn","In/Out":"Trong/Ngoài","Matches/Differs":"Khớp/Khác nhau","Even/Odd":"Hòa vốn/ Số dư","Over/Under":"Trên/Dưới","Up/Down":"Lên/Xuống","Ends_Between/Ends_Outside":"Kết Thúc Giữa / Kết Thúc Ra Ngoài","Touch/No_Touch":"Chạm/Không Chạm","Stays_Between/Goes_Outside":"Nằm Giữa/ Ra Ngoài","Asians":"Châu Á","Reset_Call/Reset_Put":"Đặt lại Call/ Đặt lại Put","High/Low_Ticks":"Tick Cao/Thấp","Potential_Payout":"Khoảng Được Trả Tiềm Năng","Maximum_Payout":"Thanh toán tối đa","Total_Cost":"Tổng Chi Phí","Potential_Profit":"Lợi Nhuận Tiềm Năng","Maximum_Profit":"Lợi nhuận tối đa","View":"Xem","Buy_price":"Giá mua","Final_price":"Giá cuối cùng","Long":"Lên","Short":"Xuống","Chart":"Biểu đồ","Portfolio":"Hồ sơ","Explanation":"Giải thích","Last_Digit_Stats":"Dữ Liệu Chữ Số Cuối Cùng","Waiting_for_entry_tick_":"Vui lòng đợi dấu tick gia nhập.","Waiting_for_exit_tick_":"Vui lòng đợi dấu tick thoát.","Please_log_in_":"Vui lòng đăng nhập.","All_markets_are_closed_now__Please_try_again_later_":"Tất cả các thị trường đều đã đóng cửa. Vui lòng thử lại sau.","Account_balance:":"Số Dư Tài Khoản:","Try_our_[_1]Volatility_Indices[_2]_":"Thử [_1]Chỉ Số Biến Động[_2] của chúng tôi.","Try_our_other_markets_":"Thử các thị trường khác.","Session":"Phiên","High":"Cao","Low":"Thấp","Close":"Đóng","Payoff":"Thanh toán","High-Close":"Cao-đóng","Close-Low":"Đóng-Thấp","High-Low":"Cao thấp","Reset_Call":"Đặt lại Gọi Biên","Reset_Put":"Đặt lại Đặt Biên","Search___":"Tìm kiếm...","Select_Asset":"Lựa chọn tài sản","The_reset_time_is_[_1]":"Thời gian thiết lập lại là [_1]","Purchase":"Mua","Purchase_request_sent":"Yêu cầu mua hàng được gửi","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Thêm /-để xác định một độ lệch giới hạn. Ví dụ, +0.005 có nghĩa là một giới hạn mà cao hơn 0,005 so với điểm khởi đầu.","Please_reload_the_page":"Xin vui lòng tải lại trang","Trading_is_unavailable_at_this_time_":"Giao dịch không khả dụng tại thời điểm này.","Maximum_multiplier_of_1000_":"Hệ số tối đa 1000.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Tài khoản của bạn được xác thực đầy đủ và mức giới hạn rút tiền của bạn đã được nâng lên.","Your_withdrawal_limit_is_[_1]_[_2]_":"Giới hạn rút tiền của bạn là [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Giới hạn rút tiền của bạn là [_1] [_2] (hoặc với đồng tiền tương đương khác).","You_have_already_withdrawn_[_1]_[_2]_":"Bạn vừa rút [_1] [_2].","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Bạn đã rút số tiền tương đương [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Vì vậy khoản tiền rút tối đa hiện giờ của bạn (tùy thuộc vào tài khoản đang có đủ tiền để rút hay không) là [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Vì vậy khoản tiền rút tối đa hiện giờ của bạn (tùy thuộc vào tài khoản đang có đủ tiền để rút hay không) là [_1] [_2] (hoặc đồng tiền khác có giá trị tương đương).","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Giới hạn rút tiền ngày [_1] của bạn hiện là [_2] [_3] (hoặc với đồng tiền tương đương khác).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Bạn đã rút tổng số tiền tương đương với [_1] [_2] trong [_3] ngày qua.","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"Hợp đồng nơi các giới hạn sẽ giống với điểm khởi đầu.","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"Hợp đồng nơi các giới hạn sẽ khác với điểm khởi đầu.","ATM":"MÁY ATM","Non-ATM":"Ngoài ATM","Duration_up_to_7_days":"Thời hạn lên đến 7 ngày","Duration_above_7_days":"Thời hạn trên 7 ngày","Major_Pairs":"Cặp tiền tệ lớn","Forex":"Thị trường ngoại hối","This_field_is_required_":"Trường này là bắt buộc.","Please_select_the_checkbox_":"Vui lòng chọn hộp đánh dấu.","Please_accept_the_terms_and_conditions_":"Xin vui lòng chấp nhận các điều khoản và điều kiện.","Only_[_1]_are_allowed_":"Chỉ có [_1] được cho phép.","letters":"ký tự","numbers":"số","space":"khoảng trắng","Sorry,_an_error_occurred_while_processing_your_account_":"Rất tiêt, Lỗi xảy ra trong khi đang xử lý tài khoản của bạn.","Your_changes_have_been_updated_successfully_":"Các thay đổi của bạn đã được cập nhật thành công.","Your_settings_have_been_updated_successfully_":"Thiết lập của bạn đã được cập nhật thành công.","Female":"Nữ","Male":"Nam","Please_select_a_country":"Xin vui lòng chọn quốc gia","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Xin vui lòng xác nhận rằng tất cả các thông tin trên là đúng sự thật và đầy đủ.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Đơn xét duyệt để được thành một khách hàng chuyên nghiệp của bạn đang được xử lý.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Bạn được phân loại như là một khách hàng bán lẻ. Nộp đơn xét duyệt để được là một khách hàng chuyên nghiệp.","You_are_categorised_as_a_professional_client_":"Bạn được phân loại như là một khách hàng chuyên nghiệp.","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Chuỗi xác nhận của bạn đã hết hiệu lực hoặc hết hạn. Xin vui lòng nhấp chuột vào đây để khởi động lại quá trình xác minh.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Địa chỉ email cung cấp đang đã được sử dụng. Nếu bạn quên mật khẩu của bạn, hãy thử công cụ phục hồi mật khẩu của chúng tôi hoặc liên hệ với dịch vụ khách hàng của chúng tôi.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Mật khẩu nên bao gồm cả chữ hoa, chữ thường và con số.","Password_is_not_strong_enough_":"Mật khẩu không đủ mạnh.","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Thời khoảng phiên giao dịch của bạn sẽ kết thúc trong [_1] giây nữa.","Invalid_email_address_":"Địa chỉ email không hợp lệ.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Cảm ơn bạn đã đăng ký! Vui lòng kiểm tra email của bạn để hoàn tất quá trình đăng ký.","Financial_Account":"Tài Khoản Tài Chính","Upgrade_now":"Nâng cấp ngay bây giờ","Please_select":"Vui lòng chọn","Minimum_of_[_1]_characters_required_":"Tối thiểu [_1] các kí tự cần thiết.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Xin vui lòng xác nhận rằng bạn không là một người tiếp xúc với chính trị.","Asset":"Tài sản","Opens":"Mở","Closes":"Kết thúc","Settles":"Quyết toán","Upcoming_Events":"Sự kiện sắp diễn ra","Closes_early_(at_21:00)":"Kết thúc sớm (lúc 21:00)","Closes_early_(at_18:00)":"Kết thúc sớm (lúc 18:00)","New_Year's_Day":"Ngày của năm mới","Christmas_Day":"Lễ Giáng Sinh","Fridays":"Thứ Sáu","today":"hôm nay","today,_Fridays":"hôm nay, Thứ Sáu","Please_select_a_payment_agent":"Vui lòng chọn một đại lý thanh toán","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Dịch vụ Đại Lý Thanh Toán không có sẵn trong quốc gia của bạn hoặc trong đơn vị tiền tệ ưa thích.","Invalid_amount,_minimum_is":"Số tiền không hợp lệ, tối thiểu là","Invalid_amount,_maximum_is":"Số tiền không hợp lệ, tối đa là","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Yêu cầu rút tiền [_1] [_2] từ tài khoản [_3] của bạn và chuyển tới tài khoản Đại lý Thanh toán [_4] đã được xử lý thành công.","Up_to_[_1]_decimal_places_are_allowed_":"Lên đến [_1] chữ số thập phân sau dấu phẩy được cho phép.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Chuỗi xác nhận của bạn đã hết hạn. Xin vui lòng nhấp chuột vào [_1]đây[_2] để khởi động lại quá trình xác minh.","New_token_created_":"Token mới đã được tạo.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Đã đạt đến độ dài tối đa của mã token ([_1]).","Name":"Tên","Token":"Mã Token","Last_Used":"Lần Sử Dụng Gần Đây","Scopes":"Phạm vi","Never_Used":"Chưa bao giờ sử dụng","Delete":"Xóa","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Bạn có chắc chắn muốn xóa vĩnh viễn token","Please_select_at_least_one_scope":"Vui lòng chọn ít nhất một phạm vi","Guide":"Hướng dẫn","Finish":"Kết thúc","Step":"Bước","Select_your_market_and_underlying_asset":"Chọn thị trường và các tài sản cơ sở của bạn","Select_your_trade_type":"Chọn loại giao dịch của bạn","Adjust_trade_parameters":"Điều giới hạn giao dịch","Predict_the_directionand_purchase":"Dự đoán khuynh hướng và thu mua","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Rất tiếc, tính năng này chỉ khả dụng với tài khoản tiền ảo.","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] vừa được cộng thêm vào tài khoản ảo: [_3] của bạn.","years":"năm","months":"tháng","weeks":"tuần","Your_changes_have_been_updated_":"Những thay đổi của bạn đã được cập nhật.","Please_enter_an_integer_value":"Vui lòng nhập giá trị số nguyên","Session_duration_limit_cannot_be_more_than_6_weeks_":"Giới hạn thời hạn phiên không thể nhiều hơn 6 tuần.","You_did_not_change_anything_":"Bạn chưa thay đổi bất cứ nội dung nào.","Please_select_a_valid_date_":"Vui lòng chọn một ngày hợp lệ.","Please_select_a_valid_time_":"Vui lòng chọn một thời gian hợp lệ.","Time_out_cannot_be_in_the_past_":"Thời hạn kết thúc không thể tồn tại trong quá khứ.","Time_out_must_be_after_today_":"Thời hạn kết thúc phải sau hôm nay.","Time_out_cannot_be_more_than_6_weeks_":"Thời hạn không thể nhiều hơn 6 tuần.","Exclude_time_cannot_be_less_than_6_months_":"Thời gian loại trừ không thể ít hơn 6 tháng.","Exclude_time_cannot_be_for_more_than_5_years_":"Thời gian loại trừ không thể nhiều hơn 5 năm.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Khi bạn nhấp vào \"OK\" bạn sẽ bị loại bỏ khỏi giao dịch trên trang web tới ngày được chọn.","Timed_out_until":"Tạm ngưng cho đến khi","Excluded_from_the_website_until":"Loại trừ từ các trang web cho đến khi","Ref_":"Tham khảo.","Resale_not_offered":"Không được bán lại","Date":"Ngày","Action":"Hành động","Contract":"Hợp đồng","Sale_Date":"Ngày bán hàng","Sale_Price":"Giá bán hàng","Total_Profit/Loss":"Tổng Lợi Nhuận/Thua Lỗ","Your_account_has_no_trading_activity_":"Không có hoạt động giao dịch nào trên tài khoản của bạn.","Today":"Hôm nay","Details":"Chi tiết","Sell":"Bán","Buy":"Mua","Virtual_money_credit_to_account":"Tín dụng tiền ảo cho tài khoản","This_feature_is_not_relevant_to_virtual-money_accounts_":"Chức năng này này không liên quan tới tài khoản tiền ảo.","Japan":"Nhật Bản","Questions":"Câu hỏi","True":"Đúng","False":"Sai","There_was_some_invalid_character_in_an_input_field_":"Có một vài ký tự không hợp lệ trong dữ liệu nhập vào.","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"Vui lòng tuân theo cấu trúc 3 số, dấu gạch ngang, tiếp theo là 4 số.","Score":"Điểm số","{JAPAN_ONLY}Knowledge_Test_Result":"{CHỈ DÀNH CHO THỊ TRƯỜNG NHẬT BẢN}Kết quả Bài Kiểm tra Kiến thức","{JAPAN_ONLY}Please_complete_the_following_questions_":"{CHỈ DÀNH CHO THỊ TRƯỜNG NHẬT BẢN}Vui lòng hoàn thành những câu hỏi sau đây.","Weekday":"Ngày trong tuần","{JAPAN_ONLY}Your_Application_has_Been_Processed__Please_Re-Login_to_Access_Your_Real-Money_Account_":"{CHỈ ĐỐI VỚI NHẬT BẢN} Ứng dụng của bạn đã xử lý. Xin vui lòng đăng nhập lại để truy cập vào tài khoản tiền thực của bạn.","Processing_your_request___":"Đang xử lý yêu cầu của bạn...","Please_check_the_above_form_for_pending_errors_":"Vui lòng kiểm tra các mục nêu trên cho những lỗi đang chờ xử lý.","Asian_Up":"Châu á tăng","Asian_Down":"Châu Á Giảm","Digit_Matches":"Số phù hợp","Digit_Differs":"Số khác","Digit_Odd":"Số lẻ","Digit_Even":"Số chẵn","Digit_Over":"Số vượt quá","Digit_Under":"Số dưới","Call_Spread":"Gọi biên","Put_Spread":"Đặt biên lãi","High_Tick":"Tick cao","Low_Tick":"Tick thấp","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] là nghiêm chỉnh cao hơn hoặc bằng Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] là nghiêm chỉnh thấp hơn so với Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] không chạm vào Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] chạm Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] kết thúc vào hoặc giữa giá trị cao và thấp của các Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] kết thúc bên ngoài giá trị cao và thấp của Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] vẫn ở giữa giá trị cao và thấp của Giới Hạn lúc đóng trên [_4].","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] vượt rangoài giá trị thấp và cao của Giới Hạn lúc đóng trên [_4].","D":"Ngày","Higher":"Cao Hơn","Higher_or_equal":"Cao Hơn hoặc Bằng","Lower":"Thấp hơn","Lower_or_equal":"Thấp hơn hoặc bằng","Touches":"Chạm","Does_Not_Touch":"Không Chạm","Ends_Between":"Kết Thúc Giữa","Ends_Outside":"Kết Thúc Ra Ngoài","Stays_Between":"Nằm Giữa","Goes_Outside":"Ra Ngoài","All_barriers_in_this_trading_window_are_expired":"Tất cả các rào cản trong cửa sổ giao dịch này đã hết hạn","Remaining_time":"Thời gian còn lại","Market_is_closed__Please_try_again_later_":"Thị trường đã đóng cửa. Vui lòng thử lại sau.","This_symbol_is_not_active__Please_try_another_symbol_":"Ký hiệu này là không hoạt động. Hãy thử một ký hiệu khác.","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Rất tiếc, tài khoản của bạn không có quyền mua thêm hợp đồng.","Lots":"Các lô","Payout_per_lot_=_1,000":"Khoảng được trả cho mỗi lô = 1000","This_page_is_not_available_in_the_selected_language_":"Trang này là không khả dụng với ngôn ngữ đã chọn.","Trading_Window":"Cửa Sổ Giao Dịch","Percentage":"Tỷ lệ phần trăm","Digit":"Chữ số","Amount":"Số tiền","Deposit":"Gửi tiền","Withdrawal":"Rút tiền","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Yêu cầu chuyển [_1] [_2] từ [_3] sang [_4] đã được xử lý thành công.","Date_and_Time":"Ngày và Thời gian","Browser":"Duyệt tìm","IP_Address":"Địa chỉ IP","Status":"Tình trạng","Successful":"Thành công","Failed":"Thất bại","Your_account_has_no_Login/Logout_activity_":"Không có hoạt động Đăng nhập/Đăng xuất nào trên tài khoản của bạn.","logout":"đăng xuất","Please_enter_a_number_between_[_1]_":"Vui lòng nhập một số giữa [_1].","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] ngày [_2] giờ [_3] phút","Your_trading_statistics_since_[_1]_":"Số liệu thống kê giao dịch của bạn kể từ [_1].","Unlock_Cashier":"Mở Khóa Thu Ngân","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Thu Ngân đã bị khóa theo yêu cầu của bạn - để mở khóa, vui lòng điền mật khẩu.","Lock_Cashier":"Khóa quầy Thu Ngân","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Mật khẩu phụ có thể dùng để hạn chế truy cập vào khu thu ngân.","Update":"Cập nhật","Sorry,_you_have_entered_an_incorrect_cashier_password":"Rất tiếc, bạn đã nhập sai mật khẩu thu ngân","You_have_reached_the_withdrawal_limit_":"Bạn đã đạt đến giới hạn rút tiền.","Start_Time":"Thời gian bắt đầu","Entry_Spot":"Điểm khởi đầu","Low_Barrier":"Giới Hạn Dưới","High_Barrier":"Rào cản Cao","Reset_Barrier":"Đặt lại Giới Hạn","Average":"Trung bình","This_contract_won":"Hợp đồng này đã thắng","This_contract_lost":"Hợp đồng này đã thua lỗ","Spot":"Giao ngay","Barrier":"Giới hạn","Target":"Mục tiêu","Equals":"Bằng nhau","Not":"Không","Description":"Mô tả","Credit/Debit":"Tín dụng/Ghi nợ","Balance":"Số Dư Tài Khoản","Purchase_Price":"Giá Mua","Profit/Loss":"Lợi Nhuận/Thua Lỗ","Contract_Information":"Thông tin của Hợp đồng","Contract_Result":"Kết quả hợp đồng","Current":"Hiện tại","Open":"Mở","Closed":"Đã đóng","Contract_has_not_started_yet":"Hợp đồng chưa được bắt đầu","Spot_Time":"Thời điểm làm giá","Spot_Time_(GMT)":"Thời điểm làm giá (GMT)","Current_Time":"Thời gian hiện tại","Exit_Spot_Time":"Thời gian chốt","Exit_Spot":"Điểm chốt","Indicative":"Chỉ thị","There_was_an_error":"Đã có lỗi xảy ra","Sell_at_market":"Bán tại thị trường","You_have_sold_this_contract_at_[_1]_[_2]":"Bạn đã bán hợp đồng này với mức [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Số tham chiếu giao dịch của bạn là [_1]","Tick_[_1]_is_the_highest_tick":"Tick [_1] là tick cao nhất","Tick_[_1]_is_not_the_highest_tick":"Tick [_1] không là tick cao nhất","Tick_[_1]_is_the_lowest_tick":"Tick [_1] là tick thấp nhất","Tick_[_1]_is_not_the_lowest_tick":"Tick [_1] không là tick thấp nhất","Note":"Lưu ý","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Hợp đồng sẽ được bán ở giá thị trường hiện hành khi máy chủ nhận được yêu cầu. Giá này có thể khác với giá đã được chỉ định.","Contract_Type":"Loại hợp đồng","Transaction_ID":"ID Giao Dịch","Remaining_Time":"Thời gian còn lại","Barrier_Change":"Giới hạn Thay đổi","Audit":"Kiểm toán","Audit_Page":"Kiểm tra trang","View_Chart":"Xem biểu đồ","Contract_Starts":"Hợp đồng bắt đầu","Contract_Ends":"Kết thúc hợp đồng","Start_Time_and_Entry_Spot":"Thời gian bắt đầu và điểm khởi đầu","Exit_Time_and_Exit_Spot":"Thời gian chốt và điểm chốt","You_can_close_this_window_without_interrupting_your_trade_":"Bạn có thể đóng cửa sổ này mà không gián đoạn giao dịch của bạn.","Selected_Tick":"Tick đã chọn","Highest_Tick":"Tick cao nhất","Highest_Tick_Time":"Thời gian tick cao nhất","Lowest_Tick":"Tick thấp nhất","Lowest_Tick_Time":"Thời gian tick thấp nhất","Close_Time":"Thời gian đóng","Please_select_a_value":"Vui lòng chọn một giá trị","You_have_not_granted_access_to_any_applications_":"Bạn không được phép truy cập bất kỳ một ứng dụng nào.","Permissions":"Quyền hạn","Never":"Chưa bao giờ","Revoke_access":"Hủy bỏ truy cập","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Bạn có chắc chắn muốn thu hồi quyền truy cập vào ứng dụng vĩnh viễn","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Giao dịch thực hiện bởi [_1] (ID ứng dụng: [_2])","Admin":"Quản trị viên","Read":"Đọc","Payments":"Thanh toán","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] xin vui lòng nhấp vào liên kết dưới đây để khởi động lại quá trình phục hồi mật khẩu.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Mật khẩu của bạn đã được đổi thành công. Vui lòng dùng mật khẩu mới đăng nhập vào tài khoản của bạn.","Please_check_your_email_for_the_password_reset_link_":"Xin vui lòng kiểm tra email của bạn để có liên kết đổi mật khẩu.","details":"chi tiết","Withdraw":"Rút tiền","Insufficient_balance_":"Số dư tài khoản không đủ.","This_is_a_staging_server_-_For_testing_purposes_only":"Đây là một máy chủ dàn dựng - chỉ cho mục đích chỉ thử nghiệm","The_server_endpoint_is:_[_2]":"Máy chủ điểm kết thúc là: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"Rất tiếc, không thể thực hiện đăng ký tài khoản ở quốc gia của bạn.","There_was_a_problem_accessing_the_server_":"Có lỗi khi truy cập máy chủ.","There_was_a_problem_accessing_the_server_during_purchase_":"Có lỗi trung cập vào máy chủ khi mua.","Should_be_a_valid_number_":"Nên là một số hợp lệ.","Should_be_more_than_[_1]":"Nên là nhiều hơn [_1]","Should_be_less_than_[_1]":"Nên là ít hơn [_1]","Should_be_[_1]":"Nên là [_1]","Should_be_between_[_1]_and_[_2]":"Nên ở giữa [_1] và [_2]","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Chỉ chữ cái, số, khoảng trắng, dấu nối, dấu chấm, và dấu nháy đơn được cho phép.","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Chỉ chữ cái, khoảng trắng, dấu nối, dấu chấm hết và dấu nháy đơn được cho phép.","Only_letters,_numbers,_and_hyphen_are_allowed_":"Chỉ có chữ cái, số và dấu nối là được phép.","Only_numbers,_space,_and_hyphen_are_allowed_":"Chỉ được phép điền số, khoảng trắng và dấu nối.","Only_numbers_and_spaces_are_allowed_":"Chỉ được phép điền số và khoảng trắng.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"Chỉ chữ cái, số, khoảng trắng, và các ký tự đặc biệt sau là được phép:-. ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"Hai mật khẩu bạn vừa nhập không khớp với nhau.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] và [_2] không thể giống nhau.","You_should_enter_[_1]_characters_":"Bạn nên nhập vào [_1] ký tự.","Indicates_required_field":"Biểu thị trường bắt buộc","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Mã xác minh sai rồi. Xin vui lòng sử dụng liên kết được gửi tới email của bạn.","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Mật khẩu bạn nhập vào là một trong những mật khẩu được sử dụng phổ biến nhất trên thế giới. Bạn không nên sử dụng mật khẩu này.","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Gợi ý: nó sẽ mất khoảng [_1][_2] để crack mật khẩu này.","thousand":"nghìn","million":"triệu","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Nên bắt đầu bằng chữ hoặc số, và có thể chứa các gạch nối và gạch ngang dưới.","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"Địa chỉ của bạn không thể được kiểm chứng bởi hệ thống tự động của chúng tôi. Bạn có thể tiếp tục, nhưng hãy đảm bảo rằng địa chỉ của bạn được bổ sung đầy đủ.","Validate_address":"Xác nhận địa chỉ","Congratulations!_Your_[_1]_Account_has_been_created_":"Xin chúc mừng! Tài khoản [_1] của bạn đã được tạo.","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Mật khẩu [_1] của tài khoản số [_2] đã được thay đổi.","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"tiền gửi [_1] từ [_2] đến tài khoản số [_3] được thực hiện. Giao dịch ID: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"% 1 rút khỏi số tài khoản% 2 đến% 3 được thực hiện. ID giao dịch:% 4","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Thu Ngân đã bị khóa theo yêu cầu của bạn - để mở khóa, vui lòng nhấn vào đây .","Your_cashier_is_locked_":"Thu ngân của bạn bị khóa.","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Bạn không có đủ tiền trong tài khoản Binary, xin vui lòng thêm quỹ.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Xin lỗi, tính năng này không có sẵn trong thẩm quyền của bạn.","You_have_reached_the_limit_":"Bạn đã đạt đến giới hạn.","Main_password":"Mật khẩu chính","Investor_password":"Mật khẩu của chủ đầu tư","Current_password":"Mật khẩu hiện tại","New_password":"Mật khẩu mới","Demo_Standard":"Giới thiệu tiêu chuẩn","Standard":"Tiêu chuẩn","Demo_Advanced":"Demo nâng cao","Advanced":"Nâng cao","Demo_Volatility_Indices":"Chỉ Số Biến Động Demo","Real_Standard":"Tiêu chuẩn thực","Real_Advanced":"Tài khoản thực cao cấp","Real_Volatility_Indices":"Chỉ Số Biến Động Thực","MAM_Advanced":"MAM Nâng Cao","MAM_Volatility_Indices":"Chỉ Số Biến Động MAM","Change_Password":"Thay Đổi Mật Khẩu","Demo_Accounts":"Tài khoản demo","Demo_Account":"Tài khoản Demo","Real-Money_Accounts":"Tài khoản tiền thật","Real-Money_Account":"Tài khoản tiền thật","MAM_Accounts":"Tài Khoản MAM","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Dịch vụ MT5 của chúng tôi hiện không có sẵn cho cư dân EU do đang chờ phê duyệt quy định.","[_1]_Account_[_2]":"[_1] tài khoản [_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Giao dịch các hợp đồng cho sự khác biệt (CFDs) Chỉ Số Biến Động có thể không phù hợp cho tất cả mọi người. Hãy đảm bảo rằng bạn hoàn toàn hiểu những rủi ro liên quan, bao gồm cả khả năng mất tất cả các khoản tiền trong tài khoản MT5. Cờ bạc có thể gây nghiện - hãy chơi có trách nhiệm.","Do_you_wish_to_continue?":"Bạn có muốn tiếp tục?","for_account_[_1]":"cho tài khoản [_1]","Verify_Reset_Password":"Xác minh thiết lập lại mật khẩu","Reset_Password":"Đổi Mật Khẩu","Please_check_your_email_for_further_instructions_":"Vui lòng kiểm tra email của bạn để được hướng dẫn thêm.","Revoke_MAM":"Hủy MAM","Manager_successfully_revoked":"Thu hồi quyền quản lý thành công","Min":"Tối thiểu","Max":"Tối đa","Current_balance":"Số dư hiện tại","Withdrawal_limit":"Giới hạn rút tiền","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1] Xác thực tài khoản [_2] của bạn bây giờ để tận dụng đầy đủ của tất cả các phương thức thanh toán có sẵn.","Please_set_the_[_1]currency[_2]_of_your_account_":"Vui lòng đặt [_1]tiền tệ[_2] của tài khoản bạn.","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"Xin vui lòng thiết lập giới hạn 30 ngày doanh thu của bạn trong [_1]công cụ tự loại trừ[_2] của chúng tôi để loại bỏ giới hạn tiền gửi.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Xin vui lòng thiết lập [_1]quốc gia cư trú[_2] trước khi nâng cấp lên tài khoản tiền thật.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Xin vui lòng hoàn tất mẫu đánh giá tài chính[_1] [_2] để nâng giới hạn rút tiền và giao dịch của bạn.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Xin [_1] vui lòng hoàn thành hồ sơ tài khoản [_2] của bạn để nâng mức rút tiền và các giới hạn giao dịch.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"Xin [_1] vui lòng chấp nhận cập nhật các Điều Khoản và Điều Kiện [_2] để nâng mức tiền rút và giới hạn giao dịch.","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Tài khoản của bạn bị hạn chế. [_1] vui lòng liên hệ hỗ trợ khách hàng [_2] để được hỗ trợ.","Connection_error:_Please_check_your_internet_connection_":"Lỗi kết nối: xin vui lòng kiểm tra kết nối internet của bạn.","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Bạn đã đạt đến giới hạn số lượng lệnh có thể mỗi giây. Xin vui lòng thử lại sau.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] yêu cầu lưu trữ web của trình duyệt của bạn để được kích hoạt để hoạt động đúng. Xin vui lòng cho phép nó hoặc thoát ra khỏi chế độ duyệt web riêng tư.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Chúng tôi đang xem xét các tài liệu của bạn. Để biết thêm chi tiết [_1]liên hệ[_2].","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Gửi tiền và rút tiền đã bị vô hiệu hoá trên tài khoản của bạn. Vui lòng kiểm tra email của bạn để biết chi tiết.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Giao dịch và gửi tiền đã bị khóa trên tài khoản của bạn. Xin vui lòng [_1]liên hệ hỗ trợ khách hàng[_2] để được trợ giúp.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Giao dịch Binary Options đã bị khóa trên tài khoản của bạn. Xin vui lòng [_1]liên hệ hỗ trợ khách hàng[_2] để được trợ giúp.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Rút tiền đã bị vô hiệu hoá trên tài khoản của bạn. Vui lòng kiểm tra email của bạn để biết chi tiết.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Rút tiền MT5 đã bị vô hiệu hoá trên tài khoản của bạn. Vui lòng kiểm tra email của bạn để biết chi tiết.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Xin vui lòng điền [_1]thông tin cá nhân[_2] trước khi bạn tiếp tục.","Account_Authenticated":"Xác thực tài khoản","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"Trong khối EU, binary options chỉ có sẵn cho các nhà đầu tư chuyên nghiệp.","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Trình duyệt web ([_1]) của bạn đã hết hạn và có thể ảnh hưởng đến trải nghiệm giao dịch của bạn. Nếu tiếp tục bạn sẽ có thể gặp một vài rắc rối. [_2]Nâng cấp trình duyệt[_3]","Bid":"Giá thầu","Closed_Bid":"Đóng thầu","Create":"Tạo","Commodities":"Hàng hóa","Indices":"Chỉ số","Stocks":"Chứng khoáng","Volatility_Indices":"Chỉ Số Biến Động","Set_Currency":"Thiết lập tiền tệ","Please_choose_a_currency":"Hãy chọn một loại tiền tệ","Create_Account":"Tạo Tài Khoản","Accounts_List":"Danh sách tài khoản","[_1]_Account":"[_1] tài khoản","Investment":"Sự đầu tư","Gaming":"Chơi Game","Virtual":"Ảo","Real":"Thực","This_account_is_disabled":"Tài khoản này bị vô hiệu hoá","This_account_is_excluded_until_[_1]":"Tài khoản này bị loại trừ cho đến khi [_1]","Bitcoin_Cash":"Bitcoin tiền mặt","Invalid_document_format_":"Định dạng tài liệu không hợp lệ.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Kích thước tập tin ([_1]) vượt quá giới hạn cho phép. Kích thước tập tin tối đa cho phép: [_2]","ID_number_is_required_for_[_1]_":"Số ID là cần thiết cho [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Chỉ chữ cái, số, space, gạch dưới và dấu nối được phép dành cho mã số ID ([_1]).","Expiry_date_is_required_for_[_1]_":"Hạn sử dụng cần thiết cho [_1].","Passport":"Hộ chiếu","ID_card":"ID thẻ","Driving_licence":"Giấy phép lái xe","Front_Side":"Mặt trước","Reverse_Side":"Mặt sau","Front_and_reverse_side_photos_of_[_1]_are_required_":"[_1] yêu cầu phải có ảnh mặt trước và mặt sau của chứng minh thư.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Chứng minh danh tính của bạn hoặc chứng minh địa chỉ của bạn[_2] không đáp ứng yêu cầu của chúng tôi. Vui lòng kiểm tra email của bạn để được hướng dẫn thêm.","Following_file(s)_were_already_uploaded:_[_1]":"(Các) tệp sau đây đã được tải lên: [_1]","Checking":"Đang kiểm tra","Checked":"Đã kiểm tra","Pending":"Đang chờ xử lý","Submitting":"Đang gửi","Submitted":"Đã gửi","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Bạn sẽ được chuyển hướng đến một trang web bên thứ ba mà không thuộc sở hữu của Binary.com.","Click_OK_to_proceed_":"Nhấp vào OK để tiến tục.","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Bạn đã kích hoạt thành công xác thực 2 yếu tố cho tài khoản của mình.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Bạn đã vô hiệu hoá thành công xác thực 2 yếu tố cho tài khoản của mình.","Enable":"Kích hoạt","Disable":"Vô hiệu hoá"};
\ No newline at end of file
+texts_json['VI'] = {"Real":"Thực","Investment":"Sự đầu tư","Gaming":"Chơi Game","Virtual":"Ảo","Bitcoin_Cash":"Bitcoin tiền mặt","Online":"Trực tuyến","Offline":"Ngoại tuyến","Connecting_to_server":"Đang kết nối với máy chủ","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"Mật khẩu bạn nhập vào là một trong những mật khẩu được sử dụng phổ biến nhất trên thế giới. Bạn không nên sử dụng mật khẩu này.","million":"triệu","thousand":"nghìn","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"Gợi ý: nó sẽ mất khoảng [_1][_2] để crack mật khẩu này.","years":"năm","days":"ngày","Validate_address":"Xác nhận địa chỉ","Unknown_OS":"Hệ điều hành không rõ","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"Bạn sẽ được chuyển hướng đến một trang web bên thứ ba mà không thuộc sở hữu của Binary.com.","Click_OK_to_proceed_":"Nhấp vào OK để tiến tục.","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"[_1] yêu cầu lưu trữ web của trình duyệt của bạn để được kích hoạt để hoạt động đúng. Xin vui lòng cho phép nó hoặc thoát ra khỏi chế độ duyệt web riêng tư.","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"Xin vui lòng [_1]đăng nhập[_2] hoặc [_3]đăng ký[_4] để xem trang này.","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"Rất tiếc, tính năng này chỉ khả dụng với tài khoản tiền ảo.","This_feature_is_not_relevant_to_virtual-money_accounts_":"Chức năng này này không liên quan tới tài khoản tiền ảo.","[_1]_Account":"[_1] tài khoản","Click_here_to_open_a_Financial_Account":"Nhấp vào đây để mở một Tài Khoản Tài Chính","Click_here_to_open_a_Real_Account":"Nhấp vào đây để mở một Tài Khoản Thực","Open_a_Financial_Account":"Mở một Tài Khoản Tài Chính","Open_a_Real_Account":"Mở một Tài Khoản Thực","Create_Account":"Tạo Tài Khoản","Accounts_List":"Danh sách tài khoản","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"[_1] Xác thực tài khoản [_2] của bạn bây giờ để tận dụng đầy đủ của tất cả các phương thức thanh toán có sẵn.","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Gửi tiền và rút tiền đã bị vô hiệu hoá trên tài khoản của bạn. Vui lòng kiểm tra email của bạn để biết chi tiết.","Please_set_the_[_1]currency[_2]_of_your_account_":"Vui lòng đặt [_1]tiền tệ[_2] của tài khoản bạn.","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]Chứng minh danh tính của bạn hoặc chứng minh địa chỉ của bạn[_2] không đáp ứng yêu cầu của chúng tôi. Vui lòng kiểm tra email của bạn để được hướng dẫn thêm.","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"Chúng tôi đang xem xét các tài liệu của bạn. Để biết thêm chi tiết [_1]liên hệ[_2].","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Tài khoản của bạn bị hạn chế. [_1] vui lòng liên hệ hỗ trợ khách hàng [_2] để được hỗ trợ.","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"Xin vui lòng thiết lập [_1]30 ngày giới hạn doanh thu[_2] của bạn để loại bỏ giới hạn tiền gửi.","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Giao dịch Binary Options đã bị khóa trên tài khoản của bạn. Xin vui lòng [_1]liên hệ hỗ trợ khách hàng[_2] để được trợ giúp.","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Rút tiền MT5 đã bị vô hiệu hoá trên tài khoản của bạn. Vui lòng kiểm tra email của bạn để biết chi tiết.","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"Xin vui lòng điền [_1]thông tin cá nhân[_2] trước khi bạn tiếp tục.","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"Xin vui lòng thiết lập [_1]quốc gia cư trú[_2] trước khi nâng cấp lên tài khoản tiền thật.","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"Xin vui lòng hoàn tất mẫu đánh giá tài chính[_1] [_2] để nâng giới hạn rút tiền và giao dịch của bạn.","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"Xin [_1] vui lòng hoàn thành hồ sơ tài khoản [_2] của bạn để nâng mức rút tiền và các giới hạn giao dịch.","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"Giao dịch và gửi tiền đã bị khóa trên tài khoản của bạn. Xin vui lòng [_1]liên hệ hỗ trợ khách hàng[_2] để được trợ giúp.","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"Rút tiền đã bị vô hiệu hoá trên tài khoản của bạn. Vui lòng kiểm tra email của bạn để biết chi tiết.","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"Xin [_1]vui lòng chấp nhận cập nhật các Điều Khoản và Điều Kiện[_2].","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"Xin [_1]vui lòng chấp nhận cập nhật các Điều Khoản và Điều Kiện[_2] để nâng mức tiền gửi và giới hạn giao dịch.","Account_Authenticated":"Xác thực tài khoản","Connection_error:_Please_check_your_internet_connection_":"Lỗi kết nối: xin vui lòng kiểm tra kết nối internet của bạn.","Network_status":"Tình Trạng Mạng","This_is_a_staging_server_-_For_testing_purposes_only":"Đây là một máy chủ dàn dựng - chỉ cho mục đích chỉ thử nghiệm","The_server_endpoint_is:_[_2]":"Máy chủ điểm kết thúc là: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"Trình duyệt web ([_1]) của bạn đã hết hạn và có thể ảnh hưởng đến trải nghiệm giao dịch của bạn. Nếu tiếp tục bạn sẽ có thể gặp một vài rắc rối. [_2]Nâng cấp trình duyệt[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"Bạn đã đạt đến giới hạn số lượng lệnh có thể mỗi giây. Xin vui lòng thử lại sau.","Please_select":"Vui lòng chọn","There_was_some_invalid_character_in_an_input_field_":"Có một vài ký tự không hợp lệ trong dữ liệu nhập vào.","Please_accept_the_terms_and_conditions_":"Xin vui lòng chấp nhận các điều khoản và điều kiện.","Please_confirm_that_you_are_not_a_politically_exposed_person_":"Xin vui lòng xác nhận rằng bạn không là một người tiếp xúc với chính trị.","Today":"Hôm nay","Barrier":"Giới hạn","End_Time":"Thời Gian Kết Thúc","Entry_Spot":"Điểm khởi đầu","Exit_Spot":"Điểm chốt","Charting_for_this_underlying_is_delayed":"Biểu đồ cho tài sản cơ sở này bị hoãn","Highest_Tick":"Tick cao nhất","Lowest_Tick":"Tick thấp nhất","Payout_Range":"Phạm vi thanh toán","Purchase_Time":"Thời Gian Mua","Reset_Barrier":"Đặt lại Giới Hạn","Reset_Time":"Thời gian đặt lại","Start/End_Time":"Thời gian bắt đầu/ kết thúc","Selected_Tick":"Tick đã chọn","Start_Time":"Thời gian bắt đầu","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"Mã xác minh sai rồi. Xin vui lòng sử dụng liên kết được gửi tới email của bạn.","Indicates_required_field":"Biểu thị trường bắt buộc","Please_select_the_checkbox_":"Vui lòng chọn hộp đánh dấu.","This_field_is_required_":"Trường này là bắt buộc.","Should_be_a_valid_number_":"Nên là một số hợp lệ.","Up_to_[_1]_decimal_places_are_allowed_":"Lên đến [_1] chữ số thập phân sau dấu phẩy được cho phép.","Should_be_[_1]":"Nên là [_1]","Should_be_between_[_1]_and_[_2]":"Nên ở giữa [_1] và [_2]","Should_be_more_than_[_1]":"Nên là nhiều hơn [_1]","Should_be_less_than_[_1]":"Nên là ít hơn [_1]","Invalid_email_address_":"Địa chỉ email không hợp lệ.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"Mật khẩu nên bao gồm cả chữ hoa, chữ thường và con số.","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Chỉ chữ cái, số, khoảng trắng, dấu nối, dấu chấm, và dấu nháy đơn được cho phép.","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"Chỉ ký tự, số lượng, không gian, và các ký tự đặc biệt được phép: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"Chỉ chữ cái, khoảng trắng, dấu nối, dấu chấm hết và dấu nháy đơn được cho phép.","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"Chỉ các chữ cái, số, dấu cách và dấu nối là được phép.","The_two_passwords_that_you_entered_do_not_match_":"Hai mật khẩu bạn vừa nhập không khớp với nhau.","[_1]_and_[_2]_cannot_be_the_same_":"[_1] và [_2] không thể giống nhau.","Minimum_of_[_1]_characters_required_":"Tối thiểu [_1] các kí tự cần thiết.","You_should_enter_[_1]_characters_":"Bạn nên nhập vào [_1] ký tự.","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"Nên bắt đầu bằng chữ hoặc số, và có thể chứa các gạch nối và gạch ngang dưới.","Invalid_verification_code_":"Mã xác minh không hợp lệ.","Transaction_performed_by_[_1]_(App_ID:_[_2])":"Giao dịch thực hiện bởi [_1] (ID ứng dụng: [_2])","Guide":"Hướng dẫn","Next":"Tiếp theo","Finish":"Kết thúc","Step":"Bước","Select_your_market_and_underlying_asset":"Chọn thị trường và các tài sản cơ sở của bạn","Select_your_trade_type":"Chọn loại giao dịch của bạn","Adjust_trade_parameters":"Điều giới hạn giao dịch","Predict_the_directionand_purchase":"Dự đoán khuynh hướng và thu mua","Your_session_duration_limit_will_end_in_[_1]_seconds_":"Thời khoảng phiên giao dịch của bạn sẽ kết thúc trong [_1] giây nữa.","January":"Tháng Một","February":"Tháng Hai","March":"Tháng Ba","April":"Tháng 4","May":"Tháng Năm","June":"Tháng Sáu","July":"Tháng Bảy","August":"Tháng 8","September":"Tháng Chín","October":"Tháng Mười","November":"Tháng Mười Một","December":"Tháng 12","Jan":"Tháng Một","Feb":"Tháng Hai","Mar":"Tháng Ba","Apr":"Tháng 4","Jun":"Tháng Sáu","Jul":"Tháng Bảy","Aug":"Tháng 8","Sep":"Tháng Chín","Oct":"Tháng Mười","Nov":"Tháng Mười Một","Dec":"Tháng 12","Sunday":"Chủ nhật","Monday":"Thứ Hai","Tuesday":"Thứ Ba","Wednesday":"Thứ Tư","Thursday":"Thứ Năm","Friday":"Thứ Sáu","Saturday":"Thứ Bảy","Su":"Chủ Nhật","Mo":"Thứ 2","Tu":"Thứ 3","We":"Thứ 4","Th":"Thứ 5","Fr":"Thứ 6","Sa":"Thứ 7","Previous":"Trước","Hour":"Giờ","Minute":"Phút","Min":"Tối thiểu","Max":"Tối đa","Current_balance":"Số dư hiện tại","Withdrawal_limit":"Giới hạn rút tiền","Withdraw":"Rút tiền","Deposit":"Gửi tiền","State/Province":"Quốc gia/Tỉnh","Country":"Quốc gia","Town/City":"Thành phố/Tỉnh thành","First_line_of_home_address":"Dòng đầu tiên của địa chỉ nhà","Postal_Code_/_ZIP":"Mã Bưu điện/ ZIP","Telephone":"Điện thoại","Email_address":"Địa chỉ Email","details":"chi tiết","Your_cashier_is_locked_":"Thu ngân của bạn bị khóa.","You_have_reached_the_withdrawal_limit_":"Bạn đã đạt đến giới hạn rút tiền.","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"Dịch vụ Đại Lý Thanh Toán không có sẵn trong quốc gia của bạn hoặc trong đơn vị tiền tệ ưa thích.","Please_select_a_payment_agent":"Vui lòng chọn một đại lý thanh toán","Amount":"Số tiền","Insufficient_balance_":"Số dư tài khoản không đủ.","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"Yêu cầu rút tiền [_1] [_2] từ tài khoản [_3] của bạn và chuyển tới tài khoản Đại lý Thanh toán [_4] đã được xử lý thành công.","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"Chuỗi xác nhận của bạn đã hết hạn. Xin vui lòng nhấp chuột vào [_1]đây[_2] để khởi động lại quá trình xác minh.","Please_[_1]deposit[_2]_to_your_account_":"Xin vui lòng [_1]gửi tiền[_2] vào tài khoản của bạn.","minute":"phút","minutes":"phút","day":"ngày","week":"tuần","weeks":"tuần","month":"tháng","months":"tháng","year":"năm","Month":"Tháng","Months":"Tháng","Day":"Ngày","Days":"Ngày","Hours":"Giờ","Minutes":"Phút","Second":"Giây","Seconds":"Giây","Higher":"Cao Hơn","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] là nghiêm chỉnh cao hơn hoặc bằng Giới Hạn lúc đóng trên [_4].","Lower":"Thấp hơn","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] là nghiêm chỉnh thấp hơn so với Giới Hạn lúc đóng trên [_4].","Touches":"Chạm","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] chạm Giới Hạn lúc đóng trên [_4].","Does_Not_Touch":"Không Chạm","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] không chạm vào Giới Hạn lúc đóng trên [_4].","Ends_Between":"Kết Thúc Giữa","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] kết thúc vào hoặc giữa giá trị cao và thấp của các Giới Hạn lúc đóng trên [_4].","Ends_Outside":"Kết Thúc Ra Ngoài","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] kết thúc bên ngoài giá trị cao và thấp của Giới Hạn lúc đóng trên [_4].","Stays_Between":"Nằm Giữa","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] vẫn ở giữa giá trị cao và thấp của Giới Hạn lúc đóng trên [_4].","Goes_Outside":"Ra Ngoài","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_1] [_2] được trả nếu [_3] vượt rangoài giá trị thấp và cao của Giới Hạn lúc đóng trên [_4].","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"Rất tiếc, tài khoản của bạn không có quyền mua thêm hợp đồng.","Please_log_in_":"Vui lòng đăng nhập.","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"Xin lỗi, tính năng này không có sẵn trong thẩm quyền của bạn.","This_symbol_is_not_active__Please_try_another_symbol_":"Ký hiệu này là không hoạt động. Hãy thử một ký hiệu khác.","Market_is_closed__Please_try_again_later_":"Thị trường đã đóng cửa. Vui lòng thử lại sau.","All_barriers_in_this_trading_window_are_expired":"Tất cả các rào cản trong cửa sổ giao dịch này đã hết hạn","Sorry,_account_signup_is_not_available_in_your_country_":"Rất tiếc, không thể thực hiện đăng ký tài khoản ở quốc gia của bạn.","Asset":"Tài sản","Opens":"Mở","Closes":"Kết thúc","Settles":"Quyết toán","Upcoming_Events":"Sự kiện sắp diễn ra","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"Thêm /-để xác định một độ lệch giới hạn. Ví dụ, +0.005 có nghĩa là một giới hạn mà cao hơn 0,005 so với điểm khởi đầu.","Digit":"Chữ số","Percentage":"Tỷ lệ phần trăm","Waiting_for_entry_tick_":"Vui lòng đợi dấu tick gia nhập.","High_Barrier":"Rào cản Cao","Low_Barrier":"Giới Hạn Dưới","Waiting_for_exit_tick_":"Vui lòng đợi dấu tick thoát.","Ticks_history_returned_an_empty_array_":"Lịch sử Ticks trả về một mảng trống.","Chart_is_not_available_for_this_underlying_":"Biểu đồ không phải là có sẵn cho cơ sở này.","Purchase":"Mua","Net_profit":"Lợi nhuận ròng","Return":"Doanh thu","Time_is_in_the_wrong_format_":"Sai định dạng thời gian.","Rise/Fall":"Tăng/Giảm","Higher/Lower":"Cao Hơn/Thấp Hơn","Matches/Differs":"Khớp/Khác nhau","Even/Odd":"Hòa vốn/ Số dư","Over/Under":"Trên/Dưới","High-Close":"Cao-đóng","Close-Low":"Đóng-Thấp","High-Low":"Cao thấp","Reset_Call":"Đặt lại Gọi Biên","Reset_Put":"Đặt lại Đặt Biên","Up/Down":"Lên/Xuống","In/Out":"Trong/Ngoài","Select_Trade_Type":"Chọn loại hình giao dịch","seconds":"giây","hours":"giờ","ticks":"tick","second":"giây","hour":"giờ","Duration":"Khoảng thời gian","Purchase_request_sent":"Yêu cầu mua hàng được gửi","High":"Cao","Close":"Đóng","Low":"Thấp","Select_Asset":"Lựa chọn tài sản","Search___":"Tìm kiếm...","Maximum_multiplier_of_1000_":"Hệ số tối đa 1000.","Stake":"Vốn đầu tư","Payout":"Khoảng được trả","Multiplier":"Số nhân","Trading_is_unavailable_at_this_time_":"Giao dịch không khả dụng tại thời điểm này.","Please_reload_the_page":"Xin vui lòng tải lại trang","Try_our_[_1]Volatility_Indices[_2]_":"Thử [_1]Chỉ Số Biến Động[_2] của chúng tôi.","Try_our_other_markets_":"Thử các thị trường khác.","Contract_Confirmation":"Xác nhận Hợp đồng","Your_transaction_reference_is":"Tham chiếu giao dịch của bạn là","Total_Cost":"Tổng Chi Phí","Potential_Payout":"Khoảng Được Trả Tiềm Năng","Maximum_Payout":"Thanh toán tối đa","Maximum_Profit":"Lợi nhuận tối đa","Potential_Profit":"Lợi Nhuận Tiềm Năng","View":"Xem","This_contract_won":"Hợp đồng này đã thắng","This_contract_lost":"Hợp đồng này đã thua lỗ","Tick_[_1]_is_the_highest_tick":"Tick [_1] là tick cao nhất","Tick_[_1]_is_not_the_highest_tick":"Tick [_1] không là tick cao nhất","Tick_[_1]_is_the_lowest_tick":"Tick [_1] là tick thấp nhất","Tick_[_1]_is_not_the_lowest_tick":"Tick [_1] không là tick thấp nhất","The_reset_time_is_[_1]":"Thời gian thiết lập lại là [_1]","Now":"Hiện tại","Average":"Trung bình","Buy_price":"Giá mua","Final_price":"Giá cuối cùng","Loss":"Thua lỗ","Profit":"Lợi nhuận","Account_balance:":"Số Dư Tài Khoản:","Reverse_Side":"Mặt sau","Front_Side":"Mặt trước","Pending":"Đang chờ xử lý","Submitting":"Đang gửi","Submitted":"Đã gửi","Failed":"Thất bại","Compressing_Image":"Nén hình ảnh","Checking":"Đang kiểm tra","Checked":"Đã kiểm tra","Unable_to_read_file_[_1]":"Không thể đọc tập tin [_1]","Passport":"Hộ chiếu","Identity_card":"Thẻ nhận dạng","Driving_licence":"Giấy phép lái xe","Invalid_document_format_":"Định dạng tài liệu không hợp lệ.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"Kích thước tập tin ([_1]) vượt quá giới hạn cho phép. Kích thước tập tin tối đa cho phép: [_2]","ID_number_is_required_for_[_1]_":"Số ID là cần thiết cho [_1].","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"Chỉ chữ cái, số, space, gạch dưới và dấu nối được phép dành cho mã số ID ([_1]).","Expiry_date_is_required_for_[_1]_":"Hạn sử dụng cần thiết cho [_1].","Front_and_reverse_side_photos_of_[_1]_are_required_":"[_1] yêu cầu phải có ảnh mặt trước và mặt sau của chứng minh thư.","Current_password":"Mật khẩu hiện tại","New_password":"Mật khẩu mới","Please_enter_a_valid_Login_ID_":"Vui lòng nhập một ID đăng kí hợp lệ.","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"Yêu cầu chuyển [_1] [_2] từ [_3] sang [_4] đã được xử lý thành công.","Resale_not_offered":"Không được bán lại","Your_account_has_no_trading_activity_":"Không có hoạt động giao dịch nào trên tài khoản của bạn.","Date":"Ngày","Ref_":"Tham khảo.","Contract":"Hợp đồng","Purchase_Price":"Giá Mua","Sale_Date":"Ngày bán hàng","Sale_Price":"Giá bán hàng","Profit/Loss":"Lợi Nhuận/Thua Lỗ","Details":"Chi tiết","Total_Profit/Loss":"Tổng Lợi Nhuận/Thua Lỗ","Only_[_1]_are_allowed_":"Chỉ có [_1] được cho phép.","letters":"ký tự","numbers":"số","space":"khoảng trắng","Please_select_at_least_one_scope":"Vui lòng chọn ít nhất một phạm vi","New_token_created_":"Token mới đã được tạo.","The_maximum_number_of_tokens_([_1])_has_been_reached_":"Đã đạt đến độ dài tối đa của mã token ([_1]).","Name":"Tên","Token":"Mã Token","Scopes":"Phạm vi","Last_Used":"Lần Sử Dụng Gần Đây","Action":"Hành động","Are_you_sure_that_you_want_to_permanently_delete_the_token":"Bạn có chắc chắn muốn xóa vĩnh viễn token","Delete":"Xóa","Never_Used":"Chưa bao giờ sử dụng","You_have_not_granted_access_to_any_applications_":"Bạn không được phép truy cập bất kỳ một ứng dụng nào.","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"Bạn có chắc chắn muốn thu hồi quyền truy cập vào ứng dụng vĩnh viễn","Revoke_access":"Hủy bỏ truy cập","Admin":"Quản trị viên","Payments":"Thanh toán","Read":"Đọc","Trade":"Giao dịch","Never":"Chưa bao giờ","Permissions":"Quyền hạn","Last_Login":"Lần đăng nhập cuối","Unlock_Cashier":"Mở Khóa Thu Ngân","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"Thu Ngân đã bị khóa theo yêu cầu của bạn - để mở khóa, vui lòng điền mật khẩu.","Lock_Cashier":"Khóa quầy Thu Ngân","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"Mật khẩu phụ có thể dùng để hạn chế truy cập vào khu thu ngân.","Update":"Cập nhật","Sorry,_you_have_entered_an_incorrect_cashier_password":"Rất tiếc, bạn đã nhập sai mật khẩu thu ngân","Your_settings_have_been_updated_successfully_":"Thiết lập của bạn đã được cập nhật thành công.","You_did_not_change_anything_":"Bạn chưa thay đổi bất cứ nội dung nào.","Sorry,_an_error_occurred_while_processing_your_request_":"Rất tiếc, đã xảy ra lỗi khi đang xử lý yêu cầu của bạn.","Your_changes_have_been_updated_successfully_":"Các thay đổi của bạn đã được cập nhật thành công.","Successful":"Thành công","Date_and_Time":"Ngày và Thời gian","Browser":"Duyệt tìm","IP_Address":"Địa chỉ IP","Status":"Tình trạng","Your_account_has_no_Login/Logout_activity_":"Không có hoạt động Đăng nhập/Đăng xuất nào trên tài khoản của bạn.","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"Tài khoản của bạn được xác thực đầy đủ và mức giới hạn rút tiền của bạn đã được nâng lên.","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"Giới hạn rút tiền ngày [_1] của bạn hiện là [_2] [_3] (hoặc với đồng tiền tương đương khác).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"Bạn đã rút tổng số tiền tương đương với [_1] [_2] trong [_3] ngày qua.","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Vì vậy khoản tiền rút tối đa hiện giờ của bạn (tùy thuộc vào tài khoản đang có đủ tiền để rút hay không) là [_1] [_2] (hoặc đồng tiền khác có giá trị tương đương).","Your_withdrawal_limit_is_[_1]_[_2]_":"Giới hạn rút tiền của bạn là [_1] [_2].","You_have_already_withdrawn_[_1]_[_2]_":"Bạn vừa rút [_1] [_2].","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"Vì vậy khoản tiền rút tối đa hiện giờ của bạn (tùy thuộc vào tài khoản đang có đủ tiền để rút hay không) là [_1] [_2].","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"Giới hạn rút tiền của bạn là [_1] [_2] (hoặc với đồng tiền tương đương khác).","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"Bạn đã rút số tiền tương đương [_1] [_2].","Please_confirm_that_all_the_information_above_is_true_and_complete_":"Xin vui lòng xác nhận rằng tất cả các thông tin trên là đúng sự thật và đầy đủ.","Sorry,_an_error_occurred_while_processing_your_account_":"Rất tiêt, Lỗi xảy ra trong khi đang xử lý tài khoản của bạn.","Please_select_a_country":"Xin vui lòng chọn quốc gia","Timed_out_until":"Tạm ngưng cho đến khi","Excluded_from_the_website_until":"Loại trừ từ các trang web cho đến khi","Session_duration_limit_cannot_be_more_than_6_weeks_":"Giới hạn thời hạn phiên không thể nhiều hơn 6 tuần.","Time_out_must_be_after_today_":"Thời hạn kết thúc phải sau hôm nay.","Time_out_cannot_be_more_than_6_weeks_":"Thời hạn không thể nhiều hơn 6 tuần.","Time_out_cannot_be_in_the_past_":"Thời hạn kết thúc không thể tồn tại trong quá khứ.","Please_select_a_valid_time_":"Vui lòng chọn một thời gian hợp lệ.","Exclude_time_cannot_be_less_than_6_months_":"Thời gian loại trừ không thể ít hơn 6 tháng.","Exclude_time_cannot_be_for_more_than_5_years_":"Thời gian loại trừ không thể nhiều hơn 5 năm.","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"Khi bạn nhấp vào \"OK\" bạn sẽ bị loại bỏ khỏi giao dịch trên trang web tới ngày được chọn.","Your_changes_have_been_updated_":"Những thay đổi của bạn đã được cập nhật.","Disable":"Vô hiệu hoá","Enable":"Kích hoạt","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"Bạn đã kích hoạt thành công xác thực 2 yếu tố cho tài khoản của mình.","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"Bạn đã vô hiệu hoá thành công xác thực 2 yếu tố cho tài khoản của mình.","You_are_categorised_as_a_professional_client_":"Bạn được phân loại như là một khách hàng chuyên nghiệp.","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"Đơn xét duyệt để được thành một khách hàng chuyên nghiệp của bạn đang được xử lý.","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"Bạn được phân loại như là một khách hàng bán lẻ. Nộp đơn xét duyệt để được là một khách hàng chuyên nghiệp.","Bid":"Giá thầu","Closed_Bid":"Đóng thầu","Reference_ID":"ID tham khảo","Description":"Mô tả","Credit/Debit":"Tín dụng/Ghi nợ","Balance":"Số Dư Tài Khoản","Financial_Account":"Tài Khoản Tài Chính","Real_Account":"Tài khoản Thực","Jurisdiction":"Thẩm quyền","Create":"Tạo","This_account_is_disabled":"Tài khoản này bị vô hiệu hoá","This_account_is_excluded_until_[_1]":"Tài khoản này bị loại trừ cho đến khi [_1]","Set_Currency":"Thiết lập tiền tệ","Commodities":"Hàng hóa","Forex":"Thị trường ngoại hối","Indices":"Chỉ số","Stocks":"Chứng khoáng","Volatility_Indices":"Chỉ Số Biến Động","Please_check_your_email_for_the_password_reset_link_":"Xin vui lòng kiểm tra email của bạn để có liên kết đổi mật khẩu.","Standard":"Tiêu chuẩn","Advanced":"Nâng cao","Demo_Standard":"Giới thiệu tiêu chuẩn","Real_Standard":"Tiêu chuẩn thực","Demo_Advanced":"Demo nâng cao","Real_Advanced":"Tài khoản thực cao cấp","MAM_Advanced":"MAM Nâng Cao","Demo_Volatility_Indices":"Chỉ Số Biến Động Demo","Real_Volatility_Indices":"Chỉ Số Biến Động Thực","MAM_Volatility_Indices":"Chỉ Số Biến Động MAM","Sign_up":"Đăng kí","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"Giao dịch các hợp đồng cho sự khác biệt (CFDs) Chỉ Số Biến Động có thể không phù hợp cho tất cả mọi người. Hãy đảm bảo rằng bạn hoàn toàn hiểu những rủi ro liên quan, bao gồm cả khả năng mất tất cả các khoản tiền trong tài khoản MT5. Cờ bạc có thể gây nghiện - hãy chơi có trách nhiệm.","Do_you_wish_to_continue?":"Bạn có muốn tiếp tục?","Acknowledge":"Sự thừa nhận","Change_Password":"Thay Đổi Mật Khẩu","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"Mật khẩu [_1] của tài khoản số [_2] đã được thay đổi.","Reset_Password":"Đổi Mật Khẩu","Verify_Reset_Password":"Xác minh thiết lập lại mật khẩu","Please_check_your_email_for_further_instructions_":"Vui lòng kiểm tra email của bạn để được hướng dẫn thêm.","Revoke_MAM":"Hủy MAM","Manager_successfully_revoked":"Thu hồi quyền quản lý thành công","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"tiền gửi [_1] từ [_2] đến tài khoản số [_3] được thực hiện. Giao dịch ID: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"Thu Ngân đã bị khóa theo yêu cầu của bạn - để mở khóa, vui lòng nhấn vào đây .","You_have_reached_the_limit_":"Bạn đã đạt đến giới hạn.","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"% 1 rút khỏi số tài khoản% 2 đến% 3 được thực hiện. ID giao dịch:% 4","Main_password":"Mật khẩu chính","Investor_password":"Mật khẩu của chủ đầu tư","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"Bạn không có đủ tiền trong tài khoản Binary, xin vui lòng thêm quỹ.","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"Dịch vụ MT5 của chúng tôi hiện không có sẵn cho cư dân EU do đang chờ phê duyệt quy định.","Demo_Accounts":"Tài khoản demo","MAM_Accounts":"Tài Khoản MAM","Real-Money_Accounts":"Tài khoản tiền thật","Demo_Account":"Tài khoản Demo","Real-Money_Account":"Tài khoản tiền thật","for_account_[_1]":"cho tài khoản [_1]","[_1]_Account_[_2]":"[_1] tài khoản [_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"Chuỗi xác nhận của bạn đã hết hiệu lực hoặc hết hạn. Xin vui lòng nhấp chuột vào đây để khởi động lại quá trình xác minh.","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"Địa chỉ email cung cấp đang đã được sử dụng. Nếu bạn quên mật khẩu của bạn, hãy thử công cụ phục hồi mật khẩu của chúng tôi hoặc liên hệ với dịch vụ khách hàng của chúng tôi.","Password_is_not_strong_enough_":"Mật khẩu không đủ mạnh.","Upgrade_now":"Nâng cấp ngay bây giờ","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] ngày [_2] giờ [_3] phút","Your_trading_statistics_since_[_1]_":"Số liệu thống kê giao dịch của bạn kể từ [_1].","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] xin vui lòng nhấp vào liên kết dưới đây để khởi động lại quá trình phục hồi mật khẩu.","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"Mật khẩu của bạn đã được đổi thành công. Vui lòng dùng mật khẩu mới đăng nhập vào tài khoản của bạn.","Please_choose_a_currency":"Hãy chọn một loại tiền tệ","Asian_Up":"Châu á tăng","Asian_Down":"Châu Á Giảm","Higher_or_equal":"Cao Hơn hoặc Bằng","Lower_or_equal":"Thấp hơn hoặc bằng","Digit_Matches":"Số phù hợp","Digit_Differs":"Số khác","Digit_Odd":"Số lẻ","Digit_Even":"Số chẵn","Digit_Over":"Số vượt quá","Digit_Under":"Số dưới","Call_Spread":"Gọi biên","Put_Spread":"Đặt biên lãi","High_Tick":"Tick cao","Low_Tick":"Tick thấp","Equals":"Bằng nhau","Not":"Không","Buy":"Mua","Sell":"Bán","Contract_has_not_started_yet":"Hợp đồng chưa được bắt đầu","Contract_Result":"Kết quả hợp đồng","Close_Time":"Thời gian đóng","Highest_Tick_Time":"Thời gian tick cao nhất","Lowest_Tick_Time":"Thời gian tick thấp nhất","Exit_Spot_Time":"Thời gian chốt","Audit":"Kiểm toán","View_Chart":"Xem biểu đồ","Audit_Page":"Kiểm tra trang","Spot":"Giao ngay","Spot_Time_(GMT)":"Thời điểm làm giá (GMT)","Contract_Starts":"Hợp đồng bắt đầu","Contract_Ends":"Kết thúc hợp đồng","Target":"Mục tiêu","Contract_Information":"Thông tin của Hợp đồng","Contract_Type":"Loại hợp đồng","Transaction_ID":"ID Giao Dịch","Remaining_Time":"Thời gian còn lại","Maximum_payout":"Thanh toán tối đa","Barrier_Change":"Giới hạn Thay đổi","Current":"Hiện tại","Spot_Time":"Thời điểm làm giá","Current_Time":"Thời gian hiện tại","Indicative":"Chỉ thị","You_can_close_this_window_without_interrupting_your_trade_":"Bạn có thể đóng cửa sổ này mà không gián đoạn giao dịch của bạn.","There_was_an_error":"Đã có lỗi xảy ra","Sell_at_market":"Bán tại thị trường","Note":"Lưu ý","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"Hợp đồng sẽ được bán ở giá thị trường hiện hành khi máy chủ nhận được yêu cầu. Giá này có thể khác với giá đã được chỉ định.","You_have_sold_this_contract_at_[_1]_[_2]":"Bạn đã bán hợp đồng này với mức [_1] [_2]","Your_transaction_reference_number_is_[_1]":"Số tham chiếu giao dịch của bạn là [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"Cảm ơn bạn đã đăng ký! Vui lòng kiểm tra email của bạn để hoàn tất quá trình đăng ký.","All_markets_are_closed_now__Please_try_again_later_":"Tất cả các thị trường đều đã đóng cửa. Vui lòng thử lại sau.","Withdrawal":"Rút tiền","virtual_money_credit_to_account":"tín dụng tiền ảo vào tài khoản","login":"đăng nhập","logout":"đăng xuất","Asians":"Châu Á","Digits":"Chữ số","Ends_Between/Ends_Outside":"Kết Thúc Giữa / Kết Thúc Ra Ngoài","High/Low_Ticks":"Tick Cao/Thấp","Reset_Call/Reset_Put":"Đặt lại Call/ Đặt lại Put","Stays_Between/Goes_Outside":"Nằm Giữa/ Ra Ngoài","Touch/No_Touch":"Chạm/Không Chạm","Christmas_Day":"Lễ Giáng Sinh","Closes_early_(at_18:00)":"Kết thúc sớm (lúc 18:00)","Closes_early_(at_21:00)":"Kết thúc sớm (lúc 21:00)","Fridays":"Thứ Sáu","New_Year's_Day":"Ngày của năm mới","today":"hôm nay","today,_Fridays":"hôm nay, Thứ Sáu","There_was_a_problem_accessing_the_server_":"Có lỗi khi truy cập máy chủ.","There_was_a_problem_accessing_the_server_during_purchase_":"Có lỗi trung cập vào máy chủ khi mua."};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/zh_cn.js b/src/javascript/_autogenerated/zh_cn.js
index ab8e63570c29d..a07ae4cb3b71f 100644
--- a/src/javascript/_autogenerated/zh_cn.js
+++ b/src/javascript/_autogenerated/zh_cn.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['ZH_CN'] = {"Day":"天","Month":"月份","Year":"年","Sorry,_an_error_occurred_while_processing_your_request_":"对不起,您的请求处理发生错误。","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"要查看本页,请 [_1]登录[_2] 或 %注册[_4] 。","Click_here_to_open_a_Real_Account":"单击此处开立真实账户","Open_a_Real_Account":"开立真实账户","Click_here_to_open_a_Financial_Account":"单击此处开立财务账户","Open_a_Financial_Account":"开立金融账户","Network_status":"网络状态","Online":"在线","Offline":"离线","Connecting_to_server":"连接服务器","Virtual_Account":"虚拟账户","Real_Account":"真实账户","Investment_Account":"投资账户","Gaming_Account":"博彩账户","Sunday":"周日","Monday":"星期一","Tuesday":"星期二","Wednesday":"星期三","Thursday":"星期四","Friday":"星期五","Saturday":"周六","Su":"星期日","Mo":"星期一","Tu":"星期二","We":"星期三","Th":"星期四","Fr":"星期五","Sa":"星期六","January":"一月","February":"二月","March":"三月","April":"四月","May":"五月","June":"六月","July":"七月","August":"八月","September":"九月","October":"十月","November":"十一月","December":"十二月","Jan":"一月","Feb":"二月","Mar":"三月","Apr":"四月","Jun":"六月","Jul":"七月","Aug":"八月","Sep":"九月","Oct":"十月","Nov":"十一月","Dec":"十二月","Next":"下一页","Previous":"之前","Hour":"小时","Minute":"分钟","AM":"上午","PM":"下午","Time_is_in_the_wrong_format_":"时间格式错误。","Purchase_Time":"买入时间","Charting_for_this_underlying_is_delayed":"此标的资产的图表数据存在延迟","Reset_Time":"重设时间","Payout_Range":"赔付范围","Tick_[_1]":"勾选 [_1]","Ticks_history_returned_an_empty_array_":"跳动点历史返回空数组","Chart_is_not_available_for_this_underlying_":"此标的工具图表不可用。","year":"年","month":"月份","week":"周","day":"天","days":"天","h":"小时","hour":"小时","hours":"小时","min":"最小","minute":"分钟","minutes":"分钟","second":"秒","seconds":"秒","tick":"跳动点","ticks":"跳动点","Loss":"亏损","Profit":"利润","Payout":"赔付","Units":"单位","Stake":"投注资金","Duration":"期限","End_Time":"结束时间","Net_profit":"净收益","Return":"回报","Now":"现在","Contract_Confirmation":"合约确认","Your_transaction_reference_is":"您的交易参考号是","Rise/Fall":"上涨/下跌","Higher/Lower":"“高于/低于”","In/Out":"“范围之内/之外”","Matches/Differs":"符合/相差","Even/Odd":"偶/奇","Over/Under":"大于/小于","Up/Down":"涨/跌","Ends_Between/Ends_Outside":"到期时价格处于某个范围之内/之外","Touch/No_Touch":"触及/未触及","Stays_Between/Goes_Outside":"“保持在范围之内/超出范围之外”","Asians":"亚洲期权","Reset_Call/Reset_Put":"重设买/卖权","High/Low_Ticks":"高/低跳动点","Call_Spread/Put_Spread":"买权价差/卖权价差","Potential_Payout":"可能的赔付额","Maximum_Payout":"最大赔付","Total_Cost":"成本总计","Potential_Profit":"潜在利润","Maximum_Profit":"最大利润","View":"查看","Tick":"跳动点","Buy_price":"买入价","Final_price":"最终价格","Long":"长仓","Short":"短仓","Chart":"图表","Portfolio":"投资组合","Explanation":"说明","Last_Digit_Stats":"最后数字的统计数据","Waiting_for_entry_tick_":"正在等待进场跳动点。","Waiting_for_exit_tick_":"正在等待退场跳动点。","Please_log_in_":"请登录。","All_markets_are_closed_now__Please_try_again_later_":"所有市场现已关闭。请稍后重试。","Account_balance:":"账户余额:","Try_our_[_1]Volatility_Indices[_2]_":"请试试[_1]波动率指数[_2]。","Try_our_other_markets_":"请尝试我们其他的市场。","Session":"会话","Crypto":"加密","High":"最高值","Low":"最低值","Close":"收盘","Payoff":"回报","High-Close":"最高值-收盘","Close-Low":"收盘-最低值","High-Low":"最高值-最低值","Reset_Call":"重设买权","Reset_Put":"重设卖权","Search___":"搜索...","Select_Asset":"选择资产","The_reset_time_is_[_1]":"重设时间为 [_1]","Purchase":"买入","Purchase_request_sent":"采购请求已发送","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"透过添加+/-给障碍偏移量定义。例如, +0.005 表示比入市现价高0.005 的障碍。","Please_reload_the_page":"请重新加载页面","Trading_is_unavailable_at_this_time_":"此时无法交易。","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"您的账户已经得到完全验证,且您的取款限额已经取消。","Your_withdrawal_limit_is_[_1]_[_2]_":"您的取款限额是 [_1] [_2]。","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"您的取款限额为 [_1] [_2] (或其他货币的等值 )。","You_have_already_withdrawn_[_1]_[_2]_":"您已提取[_1] [_2]。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"您已提取 [_1] [_2] 的等值。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"因此,您当前可即时提取的最大金额(要求您的帐户有足够资金)为 [_1] [_2]。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"因此您当前的即时最高取款额(要求您的账户有充足资金)为[_1] [_2](或其他等值货币)。","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"您的 [_1] 天取款限额目前为 [_2] [_3] (或其他货币的等值)。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"过去 [_3] 天里您已累计提取 [_1] [_2] 的等值。","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"障碍水平与现货价格相同的合约。","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"障碍水平与现货价格相差的合约。","ATM":"自动取款机","Non-ATM":"非自动取款机","Duration_up_to_7_days":"持续时间不超过7天","Duration_above_7_days":"持续时间超过7天","Major_Pairs":"主要货币对","Forex":"外汇","This_field_is_required_":"此字段为必填项。","Please_select_the_checkbox_":"请选择复选框。","Please_accept_the_terms_and_conditions_":"请接受条款和条件。","Only_[_1]_are_allowed_":"只允许 [_1] 。","letters":"信件","numbers":"号码","space":"空间","Sorry,_an_error_occurred_while_processing_your_account_":"对不起,您的账户处理发生错误。","Your_changes_have_been_updated_successfully_":"您的更改已成功更新。","Your_settings_have_been_updated_successfully_":"您的设置已成功更新。","Female":"女","Please_select_a_country":"请选择国家","Please_confirm_that_all_the_information_above_is_true_and_complete_":"请确认以上所有信息是真实和完整的。","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"您要求成为专业客户的申请正在处理中。","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"您被归类为零售客户。申请成为专业交易者。","You_are_categorised_as_a_professional_client_":"您被归类为专业客户。","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"您的代币已过期或失效。请点击此处重启验证程序。","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"所提供的电子邮件地址已经在使用。如果忘了密码,请尝试使用我们的密码恢复工具或联系客服部。","Password_should_have_lower_and_uppercase_letters_with_numbers_":"密码须包含大小写字母与数字。","Password_is_not_strong_enough_":"密码安全度不够。","Your_session_duration_limit_will_end_in_[_1]_seconds_":"交易期持续时间限制将于[_1]秒内结束。","Invalid_email_address_":"无效的电子邮件地址。","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"谢谢您的注册!请查看邮件以完成注册程序。","Financial_Account":"金融账户","Upgrade_now":"立即升级","Please_select":"请选择","Minimum_of_[_1]_characters_required_":"需至少[_1] 个字符。","Please_confirm_that_you_are_not_a_politically_exposed_person_":"请确认您不是政治公众人士。","Asset":"资产","Opens":"开盘","Closes":"收盘","Settles":"结算","Upcoming_Events":"未来事件","Closes_early_(at_21:00)":"收盘提前(至21:00)","Closes_early_(at_18:00)":"收盘提前(至18:00)","New_Year's_Day":"元旦","Christmas_Day":"圣诞节","Fridays":"星期五","today":"今天","today,_Fridays":"今天、周五","Please_select_a_payment_agent":"请选择支付代理","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"您的国家或您的首选币种不可使用付款代理服务。","Invalid_amount,_minimum_is":"无效金额,最小金额是","Invalid_amount,_maximum_is":"无效金额,最大金额是","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"您从 [_3] 账户提取 [_1] [_2] 到支付代理 [_4]账户的请求已成功处理。","Up_to_[_1]_decimal_places_are_allowed_":"允许 % 个小数位。","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"您的代币已过期或失效。请点击[_1]此处[_2]重启验证程序。","New_token_created_":"已创建新代币。","The_maximum_number_of_tokens_([_1])_has_been_reached_":"已达代币 ([_1]) 最大限数。","Name":"姓名","Token":"代币","Last_Used":"上一次使用","Scopes":"范围","Never_Used":"从未使用过","Delete":"删除","Are_you_sure_that_you_want_to_permanently_delete_the_token":"确定要永久删除令牌吗","Please_select_at_least_one_scope":"请选择至少一个范围","Guide":"指南","Finish":"完成","Step":"步骤","Select_your_market_and_underlying_asset":"选择您的市场和基础资产","Select_your_trade_type":"选择交易类型","Adjust_trade_parameters":"调整交易参数","Predict_the_directionand_purchase":"预测价格走向 并购入","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"对不起,此功能仅适用虚拟账户。","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2] 已记入您的虚拟账户: [_3]。","years":"年","months":"月份","weeks":"周","Your_changes_have_been_updated_":"您的更改已成功更新。","Please_enter_an_integer_value":"请输入整数","Session_duration_limit_cannot_be_more_than_6_weeks_":"交易期持续时间限制不能大于 6周。","You_did_not_change_anything_":"您没作任何更改。","Please_select_a_valid_date_":"请选择ั有效日期。","Please_select_a_valid_time_":"请选择ั有效时间。","Time_out_cannot_be_in_the_past_":"到期时间不可为过去式。","Time_out_must_be_after_today_":"到期时间必须在今日之后。","Time_out_cannot_be_more_than_6_weeks_":"到期时间不能大于 6周。","Exclude_time_cannot_be_less_than_6_months_":"禁止时间不能少于6个月。","Exclude_time_cannot_be_for_more_than_5_years_":"禁止时间不能超过5年。","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"当您点选“OK”后,您将被禁止在此网站交易,直到选定期限结束为止。","Timed_out_until":"时间已过。下次开启时间为","Excluded_from_the_website_until":"已被禁止访问本网站直到","Ref_":"参考","Resale_not_offered":"不提供转售","Date":"日期","Action":"操作","Contract":"合约","Sale_Date":"卖出日期","Sale_Price":"卖出价格","Total_Profit/Loss":"利润/亏损合计","Your_account_has_no_trading_activity_":"您的账户无交易活动。","Today":"今天","Details":"详情","Sell":"卖出","Buy":"买入","Virtual_money_credit_to_account":"虚拟资金进入账户","This_feature_is_not_relevant_to_virtual-money_accounts_":"此功能不适用于虚拟资金账户。","Japan":"日本","Questions":"问题","There_was_some_invalid_character_in_an_input_field_":"某字段的输入字符无效。","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"请按照以下格式填写:3个数字,1个短划线,加上4个数字。","Weekday":"交易日","Processing_your_request___":"您的请求在处理中...","Please_check_the_above_form_for_pending_errors_":"请检查以上表格是否有待定错误。","Asian_Up":"亚洲上涨","Asian_Down":"亚洲下跌","Digit_Matches":"数字匹配","Digit_Differs":"数字差异","Digit_Odd":"数字为奇数","Digit_Even":"数字为偶数","Digit_Over":"数字超过限额","Digit_Under":"数字低于限额","Call_Spread":"买权价差","Put_Spread":"卖权价差","High_Tick":"高跳动点","Low_Tick":"低跳动点","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]严格高于或相等于障碍价格,可获取[_1] [_2] 赔付额。","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]严格低于障碍价格,可获取[_1] [_2] 赔付额。","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]未触及障碍价格,可获取[_1] [_2]的赔付额。","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]触及障碍价格,可获取[_1] [_2] 赔付额。","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]平仓价相等于或介于障碍价格最低和最高价位间,可获取[_1] [_2] 赔付额。","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]平仓价在障碍价格最低和最高价位范围外,可获取[_1] [_2] 赔付额。","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]在障碍价格最低和最高价位范围内,可获取[_1] [_2] 赔付额。","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]价在障碍价格最低和最高价位范围外,可获取[_1] [_2] 赔付额。","Higher":"高于","Higher_or_equal":"高于或等于","Lower":"低于","Lower_or_equal":"低于或等值","Touches":"触及","Does_Not_Touch":"未触及","Ends_Between":"区间之内结束","Ends_Outside":"区间之外结束","Stays_Between":"位于区间之内","Goes_Outside":"处于区间之外","All_barriers_in_this_trading_window_are_expired":"此交易窗口的所有障碍已过期","Remaining_time":"剩余时间","Market_is_closed__Please_try_again_later_":"市场已关闭。请稍后重试。","This_symbol_is_not_active__Please_try_another_symbol_":"这是个非活跃符号。请试另一符号。","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"对不起,您的账户无权进一步买入任何合约。","Lots":"手数","Payout_per_lot_=_1,000":"每手赔付额 = 1,000","This_page_is_not_available_in_the_selected_language_":"所选语言不适用于此页面。","Trading_Window":"交易窗口","Percentage":"百分比","Digit":"数字期权","Amount":"金额","Deposit":"存款","Withdrawal":"提款","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"您从 [_3] 转账 [_1][_2] 到 [_4] 的请求已成功处理。","Date_and_Time":"日期和时间","Browser":"浏览器","IP_Address":"IP 地址","Status":"统计","Successful":"成功","Failed":"失败","Your_account_has_no_Login/Logout_activity_":"您的账户无交易活动。","logout":"注销","Please_enter_a_number_between_[_1]_":"请输入[_1]之间的数字。","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] 天 [_2] 小时 [_3] 分钟","Your_trading_statistics_since_[_1]_":"您自 [_1] 至今的交易统计。","Unlock_Cashier":"解锁收银台","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"根据您的请求,您的收银台已被锁定 - 如需解除锁定,请输入密码。","Lock_Cashier":"锁定收银台","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"可使用额外密码来限制对收银台的访问。","Update":"更新","Sorry,_you_have_entered_an_incorrect_cashier_password":"对不起,您输入的收银台密码不正确","You_have_reached_the_withdrawal_limit_":"您已达最大提款限额。","Start_Time":"开始时间","Entry_Spot":"入市现价","Low_Barrier":"低障碍","High_Barrier":"高障碍","Reset_Barrier":"重设障碍","Average":"平均","This_contract_won":"此合约获利","This_contract_lost":"此合约亏损","Spot":"现价","Barrier":"障碍","Target":"目标","Equals":"等于","Not":"不","Description":"说明","Credit/Debit":"借方/贷方","Balance":"余额","Purchase_Price":"买入价格","Profit/Loss":"利润/亏损","Contract_Information":"合约信息","Contract_Result":"合约结果","Current":"当前","Open":"开盘","Closed":"收盘","Contract_has_not_started_yet":"合约还未开始","Spot_Time":"现货时间","Spot_Time_(GMT)":"现货时间 (GMT)","Current_Time":"当前时间","Exit_Spot_Time":"退市现价时间","Exit_Spot":"退市现价","Indicative":"指示性","There_was_an_error":"出现错误","Sell_at_market":"按市价卖出","You_have_sold_this_contract_at_[_1]_[_2]":"您已经以 [_1] [_2] 卖出此合约","Your_transaction_reference_number_is_[_1]":"您的交易参考号是 [_1]","Tick_[_1]_is_the_highest_tick":"跳动点 [_1] 是最高跳动点","Tick_[_1]_is_not_the_highest_tick":"跳动点 [_1] 不是最高跳动点","Tick_[_1]_is_the_lowest_tick":"跳动点 [_1] 是最低跳动点","Tick_[_1]_is_not_the_lowest_tick":"跳动点 [_1] 不是最低跳动点","Note":"附注","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"合约将在我们服务器收到请求时,以当时的市场价格卖出。此价格可能与报价有差异。","Contract_Type":"合约类型","Transaction_ID":"交易ID","Remaining_Time":"剩余时间","Barrier_Change":"障碍变更","Audit":"审计","Audit_Page":"审核页面","View_Chart":"查看图表","Contract_Starts":"合约开始时间","Contract_Ends":"合同结束","Start_Time_and_Entry_Spot":"开始时间和进入点","Exit_Time_and_Exit_Spot":"退出时间和退出点","You_can_close_this_window_without_interrupting_your_trade_":"您可以在不中断交易的情况下关闭此窗口。","Selected_Tick":"选定跳动点","Highest_Tick":"最高跳动点","Highest_Tick_Time":"最高跳动点时间","Lowest_Tick":"最低跳动点","Lowest_Tick_Time":"最低跳动点时间","Close_Time":"收盘时间","Please_select_a_value":"请选择一个数值","You_have_not_granted_access_to_any_applications_":"您没有访问任何应用程序的权限。","Permissions":"权限","Never":"从未","Revoke_access":"撤销访问权限","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"确定要永久废除应用程序访问权限吗","Transaction_performed_by_[_1]_(App_ID:_[_2])":"交易执行者为[_1] (应用程序 ID: [_2])","Admin":"管理中心","Read":"阅读","Payments":"支付","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] 请点击下方的链接,重新启动密码恢复过程。","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"您的密码已成功重置。请用新密码登录您的账户。","Please_check_your_email_for_the_password_reset_link_":"请检查您的电子邮件领取密码重设链接.","details":"详情","Withdraw":"取款","Insufficient_balance_":"余额不足。","This_is_a_staging_server_-_For_testing_purposes_only":"这是分期服务器 -仅用于测试目的","The_server_endpoint_is:_[_2]":"服务器终端是: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"对不起,您的所在国内不可注册账户。","There_was_a_problem_accessing_the_server_":"服务器访问发生问题。","There_was_a_problem_accessing_the_server_during_purchase_":"买入时服务器访问发生问题。","Should_be_a_valid_number_":"必须是有效号码。","Should_be_more_than_[_1]":"必须大于 [_1]","Should_be_less_than_[_1]":"必须少于[_1]","Should_be_[_1]":"必须为[_1]","Should_be_between_[_1]_and_[_2]":"须在[_1] 与 [_2]之间","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允许使用字母、数字、空格、连字符、句点和省略号。","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允许字母、空格、连字符、句号和省略号。","Only_letters,_numbers,_and_hyphen_are_allowed_":"只允许字母、数字和连字符。","Only_numbers,_space,_and_hyphen_are_allowed_":"只允许数字、空格和连字符。","Only_numbers_and_spaces_are_allowed_":"只允许数字和空格。","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"仅允许字母、数字、空格和这些特殊字符: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"两次输入的密码不一致。","[_1]_and_[_2]_cannot_be_the_same_":"[_1] 和 [_2] 不可相同。","You_should_enter_[_1]_characters_":"您必须输入[_1]个字符。","Indicates_required_field":"表示必填字段","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"验证码错误。请使用以下链接发送到您的电子邮件。","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"您输入的密码是世界上最常用的密码之一。您不应该使用此密码。","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"提示: 破解这个密码需要大约 [_1][_2] 。","thousand":"千","million":"百万","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"应以字母或数字开始,可包含连字符和下划线。","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"我们的自动化系统无法验证您的地址。您可以继续操作, 但请确保您提供完整地址。","Validate_address":"地址验证","Congratulations!_Your_[_1]_Account_has_been_created_":"恭喜! 您已成功开立[_1]账户。","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"[_2]账号的[_1]密码已更改。","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"已完成从[_2]至账号[_3]的[_1]存款。交易编号: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"已完成从账号[_2]至[_3]的[_1]提款。交易编号: [_4]交易编号:[_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"根据您的请求,您的收银台已被锁定 - 如需解除锁定,请点击此处。","Your_cashier_is_locked_":"您的收银台已锁定。","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"您的Binary账户资金不足,请添加资金。","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"对不起,您的管辖权内无法使用此功能。","You_have_reached_the_limit_":"您已达到最高限额。","Main_password":"主密码","Investor_password":"投资者密码","Current_password":"当前密码","New_password":"新密码","Demo_Standard":"演示标准","Standard":"标准","Demo_Advanced":"模拟高级账户","Advanced":"高级","Demo_Volatility_Indices":"演示波动率指数","Real_Standard":"真实标准","Real_Advanced":"真实高级账户","Real_Volatility_Indices":"真实波动率指数","MAM_Advanced":"MAM 高级","MAM_Volatility_Indices":"MAM波动率指数","Change_Password":"更改密码","Demo_Accounts":"模拟账户","Demo_Account":"模拟账户","Real-Money_Accounts":"真实资金账户","Real-Money_Account":"真实资金账户","MAM_Accounts":"MAM账户","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"我们的 MT5平台正在等待监管机构批准,目前无法向欧盟居民提供服务 。","[_1]_Account_[_2]":"[_1]账户[_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"差价合约 (CFD) 的波动性指数交易并不适合所有人。请确保您完全明白有关的风险。您的亏损可能会超越您 MT5 账户的所有资金。博彩活动可能会上瘾,请提醒自己要承担责任。","Do_you_wish_to_continue?":"是否继续?","for_account_[_1]":"用于账户[_1]","Verify_Reset_Password":"重置密码验证","Reset_Password":"重置密码","Please_check_your_email_for_further_instructions_":"请检查您的电子邮件收取详细说明。","Revoke_MAM":"MAM撤销","Manager_successfully_revoked":"经理已成功撤销","Min":"最小","Max":"最大","Current_balance":"当前余额","Withdrawal_limit":"取款限额","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"立刻进行[_1]账户验证[_2],以获得付款选项的所有优惠。","Please_set_the_[_1]currency[_2]_of_your_account_":"请设置账户的[_1]币种[_2]。","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"请到[_1]自我禁止工具[_2]设置30天交易限额,以移除存款限额。","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"升级到真实资金账户前请先设置[_1]居住国[_2]。","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"请完成[_1]财务评估表格[_2],以便提升您的取款和交易限额 。","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"请[_1]完成账户资料[_2],以提高取款和交易限额。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"请[_1]接受更新条款和条件[_2],以提高存取款限额。","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的账户已被限制。请[_1]联系客服部[_2],以获得帮助。","Connection_error:_Please_check_your_internet_connection_":"连接错误:请检查您网络连接。","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"您已达每秒钟提呈请求的最高限率。请稍后重试。","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"您必须启用浏览器的web存储,[_1]才能正常工作。请启用它或退出私人浏览模式。","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"我们正在审阅您的文件。若要取得详细信息, 请 [_1]联系我们[_2]。","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的账户已被禁存款和提款。请检查您的电子邮件, 以了解更多详情。","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的账户已被禁交易和存款。请 [_1]联系客服部[_2]寻求帮助。","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的账户已被禁进行二元期权交易。请 [_1]联系客服部[_2]寻求帮助。","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的账户已被禁提款。请检查您的电子邮件, 以了解更多详情。","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的MT5账户已被禁提款。请检查您的电子邮件, 以了解更多详情。","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"继续操作前请填写您的[_1]个人资料[_2]。","Account_Authenticated":"账户验证","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"欧盟的金融二元期权仅供专业投资者使用。","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"您的网络浏览器 ([_1]) 已过时,并可能会影响您的交易操作。继续操作须自行承担风险。[_2]更新浏览器[_3]","Bid":"出价","Closed_Bid":"密封出价","Create":"创建","Commodities":"大宗商品","Indices":"指数","Stocks":"股票","Volatility_Indices":"波动率指数","Set_Currency":"设置货币","Please_choose_a_currency":"请选择一种货币","Create_Account":"开立账户","Accounts_List":"账户列表","[_1]_Account":"[_1]账户","Investment":"投资","Gaming":"游戏","Virtual":"虚拟","Real":"真实","Counterparty":"相对方","This_account_is_disabled":"此账户已禁用","This_account_is_excluded_until_[_1]":"此账户已被隔离, 直到[_1]","Bitcoin":"比特币","Bitcoin_Cash":"比特币现金","Ether":"以太币","Ether_Classic":"古典以太币","Litecoin":"莱特币","Invalid_document_format_":"无效的文档格式.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"文件 ([_1]) 大小超过允许限额。允许的最大文件大小: [_2]","ID_number_is_required_for_[_1]_":"[_1] 需要身份证号。","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"ID 号([_1]) 只允许字母、数字、空格、下划线和连字符。","Expiry_date_is_required_for_[_1]_":"[_1] 需要有失效期日。","Passport":"护照","ID_card":"身分证","Driving_licence":"驾驶执照","Front_Side":"前侧","Reverse_Side":"反面","Front_and_reverse_side_photos_of_[_1]_are_required_":"[_1] 的照片正反面是必需的。","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]您的身份证明或地址证明[_2] 不符合我们的要求。请检查您的电子邮件收取进一步指示。","Following_file(s)_were_already_uploaded:_[_1]":"以下文件已上载: [_1]","Checking":"检查中","Checked":"已检查","Pending":"待定","Submitting":"正在提交","Submitted":"已提交","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"您将被转到不是Binary.com拥有的第三方网站。","Click_OK_to_proceed_":"单击 \"确定\" 继续。","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"您已成功漆用账户的双因素身份验证。","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"您已成功禁用账户的双因素身份验证。","Enable":"启用","Disable":"禁用"};
\ No newline at end of file
+texts_json['ZH_CN'] = {"Real":"真实","Investment":"投资","Gaming":"游戏","Virtual":"虚拟","Bitcoin":"比特币","Bitcoin_Cash":"比特币现金","Ether":"以太币","Ether_Classic":"古典以太币","Litecoin":"莱特币","Online":"在线","Offline":"离线","Connecting_to_server":"连接服务器","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"您输入的密码是世界上最常用的密码之一。您不应该使用此密码。","million":"百万","thousand":"千","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"提示: 破解这个密码需要大约 [_1][_2] 。","years":"年","days":"天","Validate_address":"地址验证","Unknown_OS":"未知 OS","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"您将被转到不是Binary.com拥有的第三方网站。","Click_OK_to_proceed_":"单击 \"确定\" 继续。","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"请确保您的设备已安装了电报应用程序。","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"您必须启用浏览器的web存储,[_1]才能正常工作。请启用它或退出私人浏览模式。","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"要查看本页,请 [_1]登录[_2] 或 %注册[_4] 。","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"对不起,此功能仅适用虚拟账户。","This_feature_is_not_relevant_to_virtual-money_accounts_":"此功能不适用于虚拟资金账户。","[_1]_Account":"[_1]账户","Click_here_to_open_a_Financial_Account":"单击此处开立财务账户","Click_here_to_open_a_Real_Account":"单击此处开立真实账户","Open_a_Financial_Account":"开立金融账户","Open_a_Real_Account":"开立真实账户","Create_Account":"开立账户","Accounts_List":"账户列表","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"立刻进行[_1]账户验证[_2],以获得付款选项的所有优惠。","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的账户已被禁存款和提款。请检查您的电子邮件, 以了解更多详情。","Please_set_the_[_1]currency[_2]_of_your_account_":"请设置账户的[_1]币种[_2]。","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]您的身份证明或地址证明[_2] 不符合我们的要求。请检查您的电子邮件收取进一步指示。","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"我们正在审阅您的文件。若要取得详细信息, 请 [_1]联系我们[_2]。","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的账户已被限制。请[_1]联系客服部[_2],以获得帮助。","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"请将 [_1]30 天交易额限制[_2] 设置为删除存款限额。","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的账户已被禁进行二元期权交易。请 [_1]联系客服部[_2]寻求帮助。","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的MT5账户已被禁提款。请检查您的电子邮件, 以了解更多详情。","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"继续操作前请填写您的[_1]个人资料[_2]。","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"升级到真实资金账户前请先设置[_1]居住国[_2]。","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"请完成[_1]财务评估表格[_2],以便提升您的取款和交易限额 。","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"请[_1]完成账户资料[_2],以提高取款和交易限额。","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的账户已被禁交易和存款。请 [_1]联系客服部[_2]寻求帮助。","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的账户已被禁提款。请检查您的电子邮件, 以了解更多详情。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"请[_1]接受更新条款和条件[_2]。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"请[_1]接受更新条款和条件[_2],以提高存款和交易限额。","Account_Authenticated":"账户验证","Connection_error:_Please_check_your_internet_connection_":"连接错误:请检查您网络连接。","Network_status":"网络状态","This_is_a_staging_server_-_For_testing_purposes_only":"这是分期服务器 -仅用于测试目的","The_server_endpoint_is:_[_2]":"服务器终端是: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"您的网络浏览器 ([_1]) 已过时,并可能会影响您的交易操作。继续操作须自行承担风险。[_2]更新浏览器[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"您已达每秒钟提呈请求的最高限率。请稍后重试。","Please_select":"请选择","There_was_some_invalid_character_in_an_input_field_":"某字段的输入字符无效。","Please_accept_the_terms_and_conditions_":"请接受条款和条件。","Please_confirm_that_you_are_not_a_politically_exposed_person_":"请确认您不是政治公众人士。","Today":"今天","Barrier":"障碍","End_Time":"结束时间","Entry_Spot":"入市现价","Exit_Spot":"退市现价","Charting_for_this_underlying_is_delayed":"此标的资产的图表数据存在延迟","Highest_Tick":"最高跳动点","Lowest_Tick":"最低跳动点","Payout_Range":"赔付范围","Purchase_Time":"买入时间","Reset_Barrier":"重设障碍","Reset_Time":"重设时间","Start/End_Time":"开始/结束时间","Selected_Tick":"选定跳动点","Start_Time":"开始时间","Crypto":"加密","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"验证码错误。请使用以下链接发送到您的电子邮件。","Indicates_required_field":"表示必填字段","Please_select_the_checkbox_":"请选择复选框。","This_field_is_required_":"此字段为必填项。","Should_be_a_valid_number_":"必须是有效号码。","Up_to_[_1]_decimal_places_are_allowed_":"允许 % 个小数位。","Should_be_[_1]":"必须为[_1]","Should_be_between_[_1]_and_[_2]":"须在[_1] 与 [_2]之间","Should_be_more_than_[_1]":"必须大于 [_1]","Should_be_less_than_[_1]":"必须少于[_1]","Invalid_email_address_":"无效的电子邮件地址。","Password_should_have_lower_and_uppercase_letters_with_numbers_":"密码须包含大小写字母与数字。","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允许使用字母、数字、空格、连字符、句点和省略号。","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"仅允许字母、数字、空格和这些特殊字符:[_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允许字母、空格、连字符、句号和省略号。","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"只允许字母、数字、空格和连字符。","The_two_passwords_that_you_entered_do_not_match_":"两次输入的密码不一致。","[_1]_and_[_2]_cannot_be_the_same_":"[_1] 和 [_2] 不可相同。","Minimum_of_[_1]_characters_required_":"需至少[_1] 个字符。","You_should_enter_[_1]_characters_":"您必须输入[_1]个字符。","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"应以字母或数字开始,可包含连字符和下划线。","Invalid_verification_code_":"无效的验证代码。","Transaction_performed_by_[_1]_(App_ID:_[_2])":"交易执行者为[_1] (应用程序 ID: [_2])","Guide":"指南","Next":"下一页","Finish":"完成","Step":"步骤","Select_your_market_and_underlying_asset":"选择您的市场和基础资产","Select_your_trade_type":"选择交易类型","Adjust_trade_parameters":"调整交易参数","Predict_the_directionand_purchase":"预测价格走向 并购入","Your_session_duration_limit_will_end_in_[_1]_seconds_":"交易期持续时间限制将于[_1]秒内结束。","January":"一月","February":"二月","March":"三月","April":"四月","May":"五月","June":"六月","July":"七月","August":"八月","September":"九月","October":"十月","November":"十一月","December":"十二月","Jan":"一月","Feb":"二月","Mar":"三月","Apr":"四月","Jun":"六月","Jul":"七月","Aug":"八月","Sep":"九月","Oct":"十月","Nov":"十一月","Dec":"十二月","Sunday":"周日","Monday":"星期一","Tuesday":"星期二","Wednesday":"星期三","Thursday":"星期四","Friday":"星期五","Saturday":"周六","Su":"星期日","Mo":"星期一","Tu":"星期二","We":"星期三","Th":"星期四","Fr":"星期五","Sa":"星期六","Previous":"之前","Hour":"小时","Minute":"分钟","AM":"上午","PM":"下午","Min":"最小","Max":"最大","Current_balance":"当前余额","Withdrawal_limit":"取款限额","Withdraw":"取款","Deposit":"存款","State/Province":"州/省","Country":"国家","Town/City":"城镇/城市","First_line_of_home_address":"家庭地址第一行","Postal_Code_/_ZIP":"邮政编码","Telephone":"电话","Email_address":"电子邮件地址","details":"详情","Your_cashier_is_locked_":"您的收银台已锁定。","You_have_reached_the_withdrawal_limit_":"您已达最大提款限额。","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"您的国家或您的首选币种不可使用付款代理服务。","Please_select_a_payment_agent":"请选择支付代理","Amount":"金额","Insufficient_balance_":"余额不足。","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"您从 [_3] 账户提取 [_1] [_2] 到支付代理 [_4]账户的请求已成功处理。","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"您的代币已过期或失效。请点击[_1]此处[_2]重启验证程序。","Please_[_1]deposit[_2]_to_your_account_":"请[_1]存[_2]入您的账户。","minute":"分钟","minutes":"分钟","h":"小时","day":"天","week":"周","weeks":"周","month":"月份","months":"月份","year":"年","Month":"月份","Months":"月份","Day":"天","Days":"日","Hours":"小时","Minutes":"分钟","Second":"秒","Seconds":"秒","Higher":"高于","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]严格高于或相等于障碍价格,可获取[_1] [_2] 赔付额。","Lower":"低于","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]严格低于障碍价格,可获取[_1] [_2] 赔付额。","Touches":"触及","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]触及障碍价格,可获取[_1] [_2] 赔付额。","Does_Not_Touch":"未触及","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]未触及障碍价格,可获取[_1] [_2]的赔付额。","Ends_Between":"区间之内结束","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]平仓价相等于或介于障碍价格最低和最高价位间,可获取[_1] [_2] 赔付额。","Ends_Outside":"区间之外结束","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]闭市时如果[_3]平仓价在障碍价格最低和最高价位范围外,可获取[_1] [_2] 赔付额。","Stays_Between":"位于区间之内","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]在障碍价格最低和最高价位范围内,可获取[_1] [_2] 赔付额。","Goes_Outside":"处于区间之外","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]闭市时如果[_3]价在障碍价格最低和最高价位范围外,可获取[_1] [_2] 赔付额。","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"对不起,您的账户无权进一步买入任何合约。","Please_log_in_":"请登录。","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"对不起,您的管辖权内无法使用此功能。","This_symbol_is_not_active__Please_try_another_symbol_":"这是个非活跃符号。请试另一符号。","Market_is_closed__Please_try_again_later_":"市场已关闭。请稍后重试。","All_barriers_in_this_trading_window_are_expired":"此交易窗口的所有障碍已过期","Sorry,_account_signup_is_not_available_in_your_country_":"对不起,您的所在国内不可注册账户。","Asset":"资产","Opens":"开盘","Closes":"收盘","Settles":"结算","Upcoming_Events":"未来事件","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"透过添加+/-给障碍偏移量定义。例如, +0.005 表示比入市现价高0.005 的障碍。","Digit":"数字期权","Percentage":"百分比","Waiting_for_entry_tick_":"正在等待进场跳动点。","High_Barrier":"高障碍","Low_Barrier":"低障碍","Waiting_for_exit_tick_":"正在等待退场跳动点。","Ticks_history_returned_an_empty_array_":"跳动点历史返回空数组","Chart_is_not_available_for_this_underlying_":"此标的工具图表不可用。","Purchase":"买入","Net_profit":"净收益","Return":"回报","Time_is_in_the_wrong_format_":"时间格式错误。","Rise/Fall":"上涨/下跌","Higher/Lower":"“高于/低于”","Matches/Differs":"符合/相差","Even/Odd":"偶/奇","Over/Under":"大于/小于","High-Close":"最高值-收盘","Close-Low":"收盘-最低值","High-Low":"最高值-最低值","Reset_Call":"重设买权","Reset_Put":"重设卖权","Up/Down":"涨/跌","In/Out":"“范围之内/之外”","Select_Trade_Type":"选择交易类型","seconds":"秒","hours":"小时","ticks":"跳动点","tick":"跳动点","second":"秒","hour":"小时","Duration":"期限","Purchase_request_sent":"采购请求已发送","High":"最高值","Close":"收盘","Low":"最低值","Select_Asset":"选择资产","Search___":"搜索...","Maximum_multiplier_of_1000_":"最大乘数为1000。","Stake":"投注资金","Payout":"赔付","Multiplier":"倍数值","Trading_is_unavailable_at_this_time_":"此时无法交易。","Please_reload_the_page":"请重新加载页面","Try_our_[_1]Volatility_Indices[_2]_":"请试试[_1]波动率指数[_2]。","Try_our_other_markets_":"请尝试我们其他的市场。","Contract_Confirmation":"合约确认","Your_transaction_reference_is":"您的交易参考号是","Total_Cost":"成本总计","Potential_Payout":"可能的赔付额","Maximum_Payout":"最大赔付","Maximum_Profit":"最大利润","Potential_Profit":"潜在利润","View":"查看","This_contract_won":"此合约获利","This_contract_lost":"此合约亏损","Tick_[_1]_is_the_highest_tick":"跳动点 [_1] 是最高跳动点","Tick_[_1]_is_not_the_highest_tick":"跳动点 [_1] 不是最高跳动点","Tick_[_1]_is_the_lowest_tick":"跳动点 [_1] 是最低跳动点","Tick_[_1]_is_not_the_lowest_tick":"跳动点 [_1] 不是最低跳动点","Tick":"跳动点","The_reset_time_is_[_1]":"重设时间为 [_1]","Now":"现在","Tick_[_1]":"勾选 [_1]","Average":"平均","Buy_price":"买入价","Final_price":"最终价格","Loss":"亏损","Profit":"利润","Account_balance:":"账户余额:","Reverse_Side":"反面","Front_Side":"前侧","Pending":"待定","Submitting":"正在提交","Submitted":"已提交","Failed":"失败","Compressing_Image":"正在压缩图像","Checking":"检查中","Checked":"已检查","Unable_to_read_file_[_1]":"无法读取文件 [_1]","Passport":"护照","Identity_card":"身份证","Driving_licence":"驾驶执照","Invalid_document_format_":"无效的文档格式.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"文件 ([_1]) 大小超过允许限额。允许的最大文件大小: [_2]","ID_number_is_required_for_[_1]_":"[_1] 需要身份证号。","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"ID 号([_1]) 只允许字母、数字、空格、下划线和连字符。","Expiry_date_is_required_for_[_1]_":"[_1] 需要有失效期日。","Front_and_reverse_side_photos_of_[_1]_are_required_":"[_1] 的照片正反面是必需的。","Current_password":"当前密码","New_password":"新密码","Please_enter_a_valid_Login_ID_":"请输入有效的登录 ID。","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"您从 [_3] 转账 [_1][_2] 到 [_4] 的请求已成功处理。","Resale_not_offered":"不提供转售","Your_account_has_no_trading_activity_":"您的账户无交易活动。","Date":"日期","Ref_":"参考","Contract":"合约","Purchase_Price":"买入价格","Sale_Date":"卖出日期","Sale_Price":"卖出价格","Profit/Loss":"利润/亏损","Details":"详情","Total_Profit/Loss":"利润/亏损合计","Only_[_1]_are_allowed_":"只允许 [_1] 。","letters":"信件","numbers":"号码","space":"空间","Please_select_at_least_one_scope":"请选择至少一个范围","New_token_created_":"已创建新代币。","The_maximum_number_of_tokens_([_1])_has_been_reached_":"已达代币 ([_1]) 最大限数。","Name":"姓名","Token":"代币","Scopes":"范围","Last_Used":"上一次使用","Action":"操作","Are_you_sure_that_you_want_to_permanently_delete_the_token":"确定要永久删除令牌吗","Delete":"删除","Never_Used":"从未使用过","You_have_not_granted_access_to_any_applications_":"您没有访问任何应用程序的权限。","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"确定要永久废除应用程序访问权限吗","Revoke_access":"撤销访问权限","Admin":"管理中心","Payments":"支付","Read":"阅读","Trade":"交易","Never":"从未","Permissions":"权限","Last_Login":"上一次登录","Unlock_Cashier":"解锁收银台","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"根据您的请求,您的收银台已被锁定 - 如需解除锁定,请输入密码。","Lock_Cashier":"锁定收银台","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"可使用额外密码来限制对收银台的访问。","Update":"更新","Sorry,_you_have_entered_an_incorrect_cashier_password":"对不起,您输入的收银台密码不正确","Your_settings_have_been_updated_successfully_":"您的设置已成功更新。","You_did_not_change_anything_":"您没作任何更改。","Sorry,_an_error_occurred_while_processing_your_request_":"对不起,您的请求处理发生错误。","Your_changes_have_been_updated_successfully_":"您的更改已成功更新。","Successful":"成功","Date_and_Time":"日期和时间","Browser":"浏览器","IP_Address":"IP 地址","Status":"统计","Your_account_has_no_Login/Logout_activity_":"您的账户无交易活动。","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"您的账户已经得到完全验证,且您的取款限额已经取消。","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"您的 [_1] 天取款限额目前为 [_2] [_3] (或其他货币的等值)。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"过去 [_3] 天里您已累计提取 [_1] [_2] 的等值。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"因此您当前的即时最高取款额(要求您的账户有充足资金)为[_1] [_2](或其他等值货币)。","Your_withdrawal_limit_is_[_1]_[_2]_":"您的取款限额是 [_1] [_2]。","You_have_already_withdrawn_[_1]_[_2]_":"您已提取[_1] [_2]。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"因此,您当前可即时提取的最大金额(要求您的帐户有足够资金)为 [_1] [_2]。","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"您的取款限额为 [_1] [_2] (或其他货币的等值 )。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"您已提取 [_1] [_2] 的等值。","Please_confirm_that_all_the_information_above_is_true_and_complete_":"请确认以上所有信息是真实和完整的。","Sorry,_an_error_occurred_while_processing_your_account_":"对不起,您的账户处理发生错误。","Please_select_a_country":"请选择国家","Timed_out_until":"时间已过。下次开启时间为","Excluded_from_the_website_until":"已被禁止访问本网站直到","Session_duration_limit_cannot_be_more_than_6_weeks_":"交易期持续时间限制不能大于 6周。","Time_out_must_be_after_today_":"到期时间必须在今日之后。","Time_out_cannot_be_more_than_6_weeks_":"到期时间不能大于 6周。","Time_out_cannot_be_in_the_past_":"到期时间不可为过去式。","Please_select_a_valid_time_":"请选择ั有效时间。","Exclude_time_cannot_be_less_than_6_months_":"禁止时间不能少于6个月。","Exclude_time_cannot_be_for_more_than_5_years_":"禁止时间不能超过5年。","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"当您点选“OK”后,您将被禁止在此网站交易,直到选定期限结束为止。","Your_changes_have_been_updated_":"您的更改已成功更新。","Disable":"禁用","Enable":"启用","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"您已成功漆用账户的双因素身份验证。","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"您已成功禁用账户的双因素身份验证。","You_are_categorised_as_a_professional_client_":"您被归类为专业客户。","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"您要求成为专业客户的申请正在处理中。","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"您被归类为零售客户。申请成为专业交易者。","Bid":"出价","Closed_Bid":"密封出价","Reference_ID":"参考编号","Description":"说明","Credit/Debit":"借方/贷方","Balance":"余额","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] 已记入您的虚拟账户: [_2]。","Financial_Account":"金融账户","Real_Account":"真实账户","Counterparty":"相对方","Jurisdiction":"管辖","Create":"创建","This_account_is_disabled":"此账户已禁用","This_account_is_excluded_until_[_1]":"此账户已被隔离, 直到[_1]","Set_Currency":"设置货币","Commodities":"大宗商品","Forex":"外汇","Indices":"指数","Stocks":"股票","Volatility_Indices":"波动率指数","Please_check_your_email_for_the_password_reset_link_":"请检查您的电子邮件领取密码重设链接.","Standard":"标准","Advanced":"高级","Demo_Standard":"演示标准","Real_Standard":"真实标准","Demo_Advanced":"模拟高级账户","Real_Advanced":"真实高级账户","MAM_Advanced":"MAM 高级","Demo_Volatility_Indices":"演示波动率指数","Real_Volatility_Indices":"真实波动率指数","MAM_Volatility_Indices":"MAM波动率指数","Sign_up":"注册","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"差价合约 (CFD) 的波动性指数交易并不适合所有人。请确保您完全明白有关的风险。您的亏损可能会超越您 MT5 账户的所有资金。博彩活动可能会上瘾,请提醒自己要承担责任。","Do_you_wish_to_continue?":"是否继续?","Acknowledge":"确认","Change_Password":"更改密码","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"[_2]账号的[_1]密码已更改。","Reset_Password":"重置密码","Verify_Reset_Password":"重置密码验证","Please_check_your_email_for_further_instructions_":"请检查您的电子邮件收取详细说明。","Revoke_MAM":"MAM撤销","Manager_successfully_revoked":"经理已成功撤销","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"已完成从[_2]至账号[_3]的[_1]存款。交易编号: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"根据您的请求,您的收银台已被锁定 - 如需解除锁定,请点击此处。","You_have_reached_the_limit_":"您已达到最高限额。","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"已完成从账号[_2]至[_3]的[_1]提款。交易编号: [_4]交易编号:[_4]","Main_password":"主密码","Investor_password":"投资者密码","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"您的Binary账户资金不足,请添加资金。","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"我们的 MT5平台正在等待监管机构批准,目前无法向欧盟居民提供服务 。","Demo_Accounts":"模拟账户","MAM_Accounts":"MAM账户","Real-Money_Accounts":"真实资金账户","Demo_Account":"模拟账户","Real-Money_Account":"真实资金账户","for_account_[_1]":"用于账户[_1]","[_1]_Account_[_2]":"[_1]账户[_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"您的代币已过期或失效。请点击此处重启验证程序。","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"所提供的电子邮件地址已经在使用。如果忘了密码,请尝试使用我们的密码恢复工具或联系客服部。","Password_is_not_strong_enough_":"密码安全度不够。","Upgrade_now":"立即升级","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] 天 [_2] 小时 [_3] 分钟","Your_trading_statistics_since_[_1]_":"您自 [_1] 至今的交易统计。","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] 请点击下方的链接,重新启动密码恢复过程。","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"您的密码已成功重置。请用新密码登录您的账户。","Please_choose_a_currency":"请选择一种货币","Asian_Up":"亚洲上涨","Asian_Down":"亚洲下跌","Higher_or_equal":"高于或等于","Lower_or_equal":"低于或等值","Digit_Matches":"数字匹配","Digit_Differs":"数字差异","Digit_Odd":"数字为奇数","Digit_Even":"数字为偶数","Digit_Over":"数字超过限额","Digit_Under":"数字低于限额","Call_Spread":"买权价差","Put_Spread":"卖权价差","High_Tick":"高跳动点","Low_Tick":"低跳动点","Equals":"等于","Not":"不","Buy":"买入","Sell":"卖出","Contract_has_not_started_yet":"合约还未开始","Contract_Result":"合约结果","Close_Time":"收盘时间","Highest_Tick_Time":"最高跳动点时间","Lowest_Tick_Time":"最低跳动点时间","Exit_Spot_Time":"退市现价时间","Audit":"审计","View_Chart":"查看图表","Audit_Page":"审核页面","Spot":"现价","Spot_Time_(GMT)":"现货时间 (GMT)","Contract_Starts":"合约开始时间","Contract_Ends":"合同结束","Target":"目标","Contract_Information":"合约信息","Contract_Type":"合约类型","Transaction_ID":"交易ID","Remaining_Time":"剩余时间","Maximum_payout":"最大赔付","Barrier_Change":"障碍变更","Current":"当前","Spot_Time":"现货时间","Current_Time":"当前时间","Indicative":"指示性","You_can_close_this_window_without_interrupting_your_trade_":"您可以在不中断交易的情况下关闭此窗口。","There_was_an_error":"出现错误","Sell_at_market":"按市价卖出","Note":"附注","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"合约将在我们服务器收到请求时,以当时的市场价格卖出。此价格可能与报价有差异。","You_have_sold_this_contract_at_[_1]_[_2]":"您已经以 [_1] [_2] 卖出此合约","Your_transaction_reference_number_is_[_1]":"您的交易参考号是 [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"谢谢您的注册!请查看邮件以完成注册程序。","All_markets_are_closed_now__Please_try_again_later_":"所有市场现已关闭。请稍后重试。","Withdrawal":"提款","virtual_money_credit_to_account":"虚拟资金进入账户","login":"登录","logout":"注销","Asians":"亚洲期权","Call_Spread/Put_Spread":"买权价差/卖权价差","Digits":"数字期权","Ends_Between/Ends_Outside":"到期时价格处于某个范围之内/之外","High/Low_Ticks":"高/低跳动点","Lookbacks":"回顾","Reset_Call/Reset_Put":"重设买/卖权","Stays_Between/Goes_Outside":"“保持在范围之内/超出范围之外”","Touch/No_Touch":"触及/未触及","Christmas_Day":"圣诞节","Closes_early_(at_18:00)":"收盘提前(至18:00)","Closes_early_(at_21:00)":"收盘提前(至21:00)","Fridays":"星期五","New_Year's_Day":"元旦","today":"今天","today,_Fridays":"今天、周五","There_was_a_problem_accessing_the_server_":"服务器访问发生问题。","There_was_a_problem_accessing_the_server_during_purchase_":"买入时服务器访问发生问题。"};
\ No newline at end of file
diff --git a/src/javascript/_autogenerated/zh_tw.js b/src/javascript/_autogenerated/zh_tw.js
index 82ffd102d3587..985c077b50397 100644
--- a/src/javascript/_autogenerated/zh_tw.js
+++ b/src/javascript/_autogenerated/zh_tw.js
@@ -1,2 +1,2 @@
const texts_json = {};
-texts_json['ZH_TW'] = {"Day":"天","Month":"月份","Year":"年","Sorry,_an_error_occurred_while_processing_your_request_":"對不起,在處理您的請求時發生錯誤。","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"要檢視本頁,請[_1]登入[_2] 或 [_3]註冊[_4] 。","Click_here_to_open_a_Real_Account":"按一下此處開立真實帳戶","Open_a_Real_Account":"開立真實帳戶","Click_here_to_open_a_Financial_Account":"按一下此處開立財務帳戶","Open_a_Financial_Account":"開立金融帳戶","Network_status":"網路狀態","Online":"線上","Offline":"離線","Connecting_to_server":"連接伺服器","Virtual_Account":"虛擬帳戶","Real_Account":"真實帳戶","Investment_Account":"投資帳戶","Gaming_Account":"博彩帳戶","Sunday":"星期日","Monday":"星期一","Tuesday":"星期二","Wednesday":"星期三","Thursday":"星期四","Friday":"星期五","Saturday":"星期六","Su":"星期日","Mo":"星期一","Tu":"星期二","We":"星期三","Th":"星期四","Fr":"星期五","Sa":"星期六","January":"一月","February":"二月","March":"三月","April":"四月","May":"五月","June":"六月","July":"七月","August":"八月","September":"九月","October":"十月","November":"十一月","December":"十二月","Jan":"一月","Feb":"二月","Mar":"三月","Apr":"四月","Jun":"六月","Jul":"七月","Aug":"八月","Sep":"九月","Oct":"十月","Nov":"十一月","Dec":"十二月","Next":"下一頁","Previous":"之前","Hour":"小時","Minute":"分鐘","AM":"上午","PM":"下午","Time_is_in_the_wrong_format_":"時間格式錯誤。","Purchase_Time":"買入時間","Charting_for_this_underlying_is_delayed":"此標的資產的圖表資料已延遲","Reset_Time":"重設時間","Payout_Range":"賠付範圍","Tick_[_1]":"勾選 [_1]","Ticks_history_returned_an_empty_array_":"跳動點歷史返回空數組","Chart_is_not_available_for_this_underlying_":"此標的工具圖表不可用。","year":"年","month":"月份","week":"週","day":"天","days":"天","h":"小時","hour":"小時","hours":"小時","min":"最小","minute":"分鐘","minutes":"分鐘","second":"秒","seconds":"秒","tick":"跳動點","ticks":"跳動點","Loss":"虧損","Profit":"利潤","Payout":"賠付","Units":"單位","Stake":"投注資金","Duration":"期限","End_Time":"結束時間","Net_profit":"淨收益","Return":"回報","Now":"現在","Contract_Confirmation":"合約確認","Your_transaction_reference_is":"您的交易參考號是","Rise/Fall":"「上漲/下跌」合約","Higher/Lower":"「高於/低於」","In/Out":"「範圍之內/之外」","Matches/Differs":"相符/差異","Even/Odd":"偶/奇","Over/Under":"大於/小於","Up/Down":"漲/跌","Ends_Between/Ends_Outside":"到期時價格處於範圍之內/之外","Touch/No_Touch":"觸及/未觸及","Stays_Between/Goes_Outside":"「保持在範圍之內/超出範圍之外」","Asians":"亞洲期權","Reset_Call/Reset_Put":"重設買/賣權","High/Low_Ticks":"高/低跳動點","Call_Spread/Put_Spread":"買權價差/賣權價差","Potential_Payout":"可能的賠付額","Maximum_Payout":"最大賠付","Total_Cost":"成本總計","Potential_Profit":"潛在利潤","Maximum_Profit":"最大利潤","View":"檢視","Tick":"跳動點","Buy_price":"買入價","Final_price":"最終價格","Long":"長倉","Short":"短倉","Chart":"圖表","Portfolio":"投資組合","Explanation":"說明","Last_Digit_Stats":"最後數字的統計資料","Waiting_for_entry_tick_":"等待買入價跳動。","Waiting_for_exit_tick_":"等待賣出價跳動。","Please_log_in_":"請登入。","All_markets_are_closed_now__Please_try_again_later_":"所有市場現已關閉。請稍後重試。","Account_balance:":"帳戶餘額:","Try_our_[_1]Volatility_Indices[_2]_":"請試試[_1]波動率指數[_2]。","Try_our_other_markets_":"請嘗試我們其他的市場。","Session":"工作階段","Crypto":"加密","High":"最高值","Low":"最低值","Close":"收盤","Payoff":"回報","High-Close":"最高值-收盤值","Close-Low":"收盤-低","High-Low":"最高值-最低值","Reset_Call":"重設買權","Reset_Put":"重設賣權","Search___":"搜索...","Select_Asset":"選擇資產","The_reset_time_is_[_1]":"重設時間為 [_1]","Purchase":"買入","Purchase_request_sent":"採購請求已發送","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"透過新增+/-給障礙偏移量定義。例如, +0.005 表示比入市現價高0.005 的障礙。","Please_reload_the_page":"請重新載入頁面","Trading_is_unavailable_at_this_time_":"此時無法交易。","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"您的帳戶已經得到完全驗證,且您的取款限額已經取消。","Your_withdrawal_limit_is_[_1]_[_2]_":"您的取款限額是[_1] [_2]。","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"您的取款限額為 [_1] [_2](或其他貨幣的等值)。","You_have_already_withdrawn_[_1]_[_2]_":"您已提取 [_1] [_2]。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"您已提取 [_1] [_2] 的等值。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"因此您目前的即時最高取款額(要求您的帳戶有充足資金)為[_1] [_2]。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"因此您目前的即時最高取款額(要求您的帳戶有充足資金)為 [_1] [_2](或其他等值貨幣)。","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"您的 [_1] 天取款限額目前為 [_2] [_3](或其他貨幣的等值)。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"過去 [_3] 天裡您已累計提取 [_1] [_2] 的等值。","Contracts_where_the_barrier_is_the_same_as_entry_spot_":"障礙水平與現貨價格相同的合約。","Contracts_where_the_barrier_is_different_from_the_entry_spot_":"障礙水平與現貨價格相差的合約。","ATM":"自動取款機","Non-ATM":"非自動取款機","Duration_up_to_7_days":"持續時間不超過 7 天","Duration_above_7_days":"持續時間超過7天","Major_Pairs":"主要貨幣對","Forex":"外匯","This_field_is_required_":"此為必填欄位。","Please_select_the_checkbox_":"請選擇核取方塊。","Please_accept_the_terms_and_conditions_":"請接受條款和條件。","Only_[_1]_are_allowed_":"只允許 [_1] 。","letters":"字母","numbers":"號碼","space":"空間","Sorry,_an_error_occurred_while_processing_your_account_":"對不起,在處理您的帳戶時出錯。","Your_changes_have_been_updated_successfully_":"您的更改已成功更新。","Your_settings_have_been_updated_successfully_":"您的設定已成功更新。","Please_select_a_country":"請選擇國家","Please_confirm_that_all_the_information_above_is_true_and_complete_":"請確認以上所有資訊是真實和完整的。","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"您請求成為專業客戶的申請正在處理中。","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"您被歸類為零售客戶。申請成為專業交易者。","You_are_categorised_as_a_professional_client_":"您被歸類為專業客戶。","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"您的代幣已過期或失效。請點選此處重啟驗證程序。","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"所提供的電子郵件地址已經在使用。如果忘了密碼,請嘗試使用我們的密碼恢復工具或聯繫客服部。","Password_should_have_lower_and_uppercase_letters_with_numbers_":"密碼須包含大小寫字母與數字。","Password_is_not_strong_enough_":"密碼安全度不夠。","Your_session_duration_limit_will_end_in_[_1]_seconds_":"交易期持續時間限制將於[_1]秒內結束。","Invalid_email_address_":"無效的電子郵件地址.","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"謝謝您的註冊!請檢視郵件以完成註冊程序。","Financial_Account":"金融帳戶","Upgrade_now":"立即升級","Please_select":"請選擇","Minimum_of_[_1]_characters_required_":"需至少[_1] 個字元。","Please_confirm_that_you_are_not_a_politically_exposed_person_":"請確認您不是政治公眾人士。","Asset":"資產","Opens":"開盤","Closes":"收盤","Settles":"結算","Upcoming_Events":"未來事件","Closes_early_(at_21:00)":"收盤提前(至21:00)","Closes_early_(at_18:00)":"收盤提前(至18:00)","New_Year's_Day":"新年","Christmas_Day":"聖誕節","Fridays":"星期五","today":"今天","today,_Fridays":"今天、週五","Please_select_a_payment_agent":"請選擇付款代理","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"您的國家或您的首選幣種不可使用付款代理服務。","Invalid_amount,_minimum_is":"無效金額,最小是","Invalid_amount,_maximum_is":"無效金額,最大是","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"您從 [_3] 帳戶提取[_1] [_2] 到付款代理 [_4] 帳戶的要求已成功處理。","Up_to_[_1]_decimal_places_are_allowed_":"允許小數點后%位。","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"您的代幣已過期或失效。請點選[_1]此處[_2]重啟驗證程序。","New_token_created_":"已建立新代幣。","The_maximum_number_of_tokens_([_1])_has_been_reached_":"已達代幣 ([_1]) 最大限數。","Name":"姓名","Token":"代幣","Last_Used":"最近一次使用","Scopes":"範圍","Never_Used":"從未使用過","Delete":"刪除","Are_you_sure_that_you_want_to_permanently_delete_the_token":"確定要永久刪除權杖嗎","Please_select_at_least_one_scope":"請選擇至少一個範圍","Guide":"指南","Finish":"完成","Step":"步驟","Select_your_market_and_underlying_asset":"選擇您的市場和標的資產","Select_your_trade_type":"選取交易類型","Adjust_trade_parameters":"調整交易參數","Predict_the_directionand_purchase":"預測價格走向 並購入","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"對不起,此功能僅適用虛擬帳戶。","[_1]_[_2]_has_been_credited_into_your_virtual_account:_[_3]_":"[_1] [_2]已記入您的虛擬帳戶: [_3]。","years":"年","months":"月份","weeks":"週","Your_changes_have_been_updated_":"您的更改已成功更新。","Please_enter_an_integer_value":"請輸入整數","Session_duration_limit_cannot_be_more_than_6_weeks_":"交易期持續時間限制不能大於6週。","You_did_not_change_anything_":"您沒做任何更改。","Please_select_a_valid_date_":"請選擇有效日期。","Please_select_a_valid_time_":"請選擇有效時間。","Time_out_cannot_be_in_the_past_":"到期時間不可為過去式。","Time_out_must_be_after_today_":"到期時間必須在今日之後。","Time_out_cannot_be_more_than_6_weeks_":"到期時間不能大於6週。","Exclude_time_cannot_be_less_than_6_months_":"禁止時間不能少於6個月。","Exclude_time_cannot_be_for_more_than_5_years_":"禁止時間不能超過5年。","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"當您點選「OK」後,您將被禁止在此網站交易,直到選定期限結束為止。","Timed_out_until":"時間已過。下次開啟時間為","Excluded_from_the_website_until":"已被禁止訪問本網站直到","Ref_":"參考","Resale_not_offered":"不提供轉售","Date":"日期","Action":"動作","Contract":"合約","Sale_Date":"賣出日期","Sale_Price":"賣出價格","Total_Profit/Loss":"利潤/虧損合計","Your_account_has_no_trading_activity_":"您的帳號沒有交易活動。","Today":"今天","Details":"詳細資料","Sell":"賣出","Buy":"買入","Virtual_money_credit_to_account":"虛擬資金存入帳戶","This_feature_is_not_relevant_to_virtual-money_accounts_":"此功能不適用於虛擬資金帳戶。","Japan":"日本","Questions":"問題","There_was_some_invalid_character_in_an_input_field_":"某字欄的輸入字元無效。","Please_follow_the_pattern_3_numbers,_a_dash,_followed_by_4_numbers_":"請依照此模式:3個數字,一破折號,接着是4個數字。","Weekday":"交易日","Processing_your_request___":"您的要求在處理中...","Please_check_the_above_form_for_pending_errors_":"請檢查以上表格是否有待定錯誤。","Asian_Up":"亞洲上漲","Asian_Down":"亞洲下跌","Digit_Matches":"數字匹配","Digit_Differs":"數字不匹配","Digit_Odd":"數字為奇數","Digit_Even":"數字為偶數","Digit_Over":"數字超過限額","Digit_Under":"數字低於限額","Call_Spread":"買權價差","Put_Spread":"賣權價差","High_Tick":"高跳動點","Low_Tick":"低跳動點","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]嚴格高於或相等於障礙價格,可獲取[_1] [_2] 賠付額。","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]嚴格低於障礙價格,可獲取[_1] [_2] 賠付額。","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]未觸及障礙價格,可獲取[_1] [_2]的賠付額。","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]觸及障礙價格,可獲取[_1] [_2] 賠付額。","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]平倉價相等於或介於障礙價格最低和最高價位間,可獲取[_1] [_2] 賠付額。","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]平倉價在障礙價格最低和最高價位範圍外,可獲取[_1] [_2] 賠付額。","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]在障礙價格最低和最高價位範圍內,可獲取[_1] [_2] 賠付額。","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]價在障礙價格最低和最高價位範圍外,可獲取[_1] [_2] 賠付額。","Higher":"高於","Higher_or_equal":"高於或等於","Lower":"低於","Lower_or_equal":"低於或等值","Touches":"觸及","Does_Not_Touch":"未觸及","Ends_Between":"區間之內結束","Ends_Outside":"區間之外結束","Stays_Between":"位於區間之內","Goes_Outside":"處於區間之外","All_barriers_in_this_trading_window_are_expired":"此交易窗口的所有障礙已過期","Remaining_time":"剩餘時間","Market_is_closed__Please_try_again_later_":"市場已關閉。請稍後重試。","This_symbol_is_not_active__Please_try_another_symbol_":"這是個非活躍符號。請試用另一符號。","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"對不起,您的帳戶沒有進一步買入任何合約的權限。","Lots":"手數","Payout_per_lot_=_1,000":"每手賠付額 = 1,000","This_page_is_not_available_in_the_selected_language_":"所選語言不適用於此頁面。","Trading_Window":"交易視窗","Percentage":"百分比","Digit":"數字期權","Amount":"金額","Deposit":"存款","Withdrawal":"提款","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"您從[_3] 轉帳[_1][_2] 到[_4] 的要求已成功處理。","Date_and_Time":"日期和時間","Browser":"瀏覽","IP_Address":"IP地址","Status":"狀況","Successful":"成功","Failed":"失敗","Your_account_has_no_Login/Logout_activity_":"您的帳戶沒有登入/登出活動。","logout":"登出","Please_enter_a_number_between_[_1]_":"請輸入[_1]之間的數字。","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] 天 [_2] 小時 [_3] 分鐘","Your_trading_statistics_since_[_1]_":"您自 [_1] 至今的交易統計。","Unlock_Cashier":"解鎖收銀台","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"根據您的請求,您的收銀台已被鎖定- 如需解除鎖定,請輸入密碼。","Lock_Cashier":"鎖定收銀台","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"可使用額外密碼來限制對收銀台的存取。","Update":"更新","Sorry,_you_have_entered_an_incorrect_cashier_password":"對不起,您輸入的收銀台密碼不正確","You_have_reached_the_withdrawal_limit_":"您已達最大提款限額。","Start_Time":"開始時間","Entry_Spot":"入市現價","Low_Barrier":"低障礙","High_Barrier":"高障礙","Reset_Barrier":"重設障礙","Average":"平均","This_contract_won":"此合約獲利","This_contract_lost":"此合約虧損","Spot":"現價","Barrier":"障礙","Target":"目標","Equals":"等於","Not":"不","Description":"描述","Credit/Debit":"借記/貸記","Balance":"餘額","Purchase_Price":"買入價格","Profit/Loss":"利潤/虧損","Contract_Information":"合約確認","Contract_Result":"合約結果","Current":"目前","Open":"開盤","Closed":"已收盤","Contract_has_not_started_yet":"合約尚未開始","Spot_Time":"現貨時間","Spot_Time_(GMT)":"現貨時間 (GMT)","Current_Time":"目前時間","Exit_Spot_Time":"退市現價時間","Exit_Spot":"退市現價","Indicative":"指示性","There_was_an_error":"出現錯誤","Sell_at_market":"按市價賣出","You_have_sold_this_contract_at_[_1]_[_2]":"您已經以 [_1] [_2] 賣出此合約","Your_transaction_reference_number_is_[_1]":"您的交易號是 [_1]","Tick_[_1]_is_the_highest_tick":"跳動點 [_1] 是最高跳動點","Tick_[_1]_is_not_the_highest_tick":"跳動點 [_1] 不是最高跳動點","Tick_[_1]_is_the_lowest_tick":"跳動點 [_1] 是最低跳動點","Tick_[_1]_is_not_the_lowest_tick":"跳動點 [_1] 不是最低跳動點","Note":"備註","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"合約將在我們伺服器收到要求時以當時的市場價格賣出。此價格可能會與報價有差異。","Contract_Type":"合約類型","Transaction_ID":"交易ID","Remaining_Time":"剩餘時間","Barrier_Change":"障礙變更","Audit":"審計","Audit_Page":"審核頁面","View_Chart":"檢視圖表","Contract_Starts":"合約開始時間","Contract_Ends":"合同結束","Start_Time_and_Entry_Spot":"開始時間和進入點","Exit_Time_and_Exit_Spot":"退出時間和退出點","You_can_close_this_window_without_interrupting_your_trade_":"您可以在不中斷交易的情況下關閉此視窗。","Selected_Tick":"選定跳動點","Highest_Tick":"最高跳動點","Highest_Tick_Time":"最高跳動點時間","Lowest_Tick":"最低跳動點","Lowest_Tick_Time":"最低跳動點時間","Close_Time":"收盤時間","Please_select_a_value":"請選擇一個數值","You_have_not_granted_access_to_any_applications_":"您未獲權限存取任何應用程式。","Permissions":"權限","Never":"從未","Revoke_access":"撤銷存取權限","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"確定要永久廢除應用程式存取權限嗎","Transaction_performed_by_[_1]_(App_ID:_[_2])":"交易執行者為[_1] (應用程式 ID: [_2])","Admin":"管理中心","Read":"閱讀","Payments":"支付","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] 請點擊下方連結,重新開啟密碼恢復過程。","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"您的密碼已成功重設。請用新密碼登入您的帳戶。","Please_check_your_email_for_the_password_reset_link_":"請檢查您的電郵領取密碼重設連結.","details":"詳細資料","Withdraw":"取款","Insufficient_balance_":"餘額不足。","This_is_a_staging_server_-_For_testing_purposes_only":"這是分期伺服器,僅用於測試目的","The_server_endpoint_is:_[_2]":"伺服器終端是: [_2]","Sorry,_account_signup_is_not_available_in_your_country_":"對不起,您的所在國內不可註冊帳戶。","There_was_a_problem_accessing_the_server_":"伺服器存取出了問題。","There_was_a_problem_accessing_the_server_during_purchase_":"買入時伺服器存取出了問題。","Should_be_a_valid_number_":"必須是有效號碼。","Should_be_more_than_[_1]":"必須大於[_1]","Should_be_less_than_[_1]":"必須大於[_1]","Should_be_[_1]":"必須為[_1]","Should_be_between_[_1]_and_[_2]":"須在[_1] 與 [_2]之間","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允許使用字母、數字、空格、連字號、句號和所有格號。","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允許字母、空格、連字號、句號和所有格號。","Only_letters,_numbers,_and_hyphen_are_allowed_":"只允許字母、數字和連字符。","Only_numbers,_space,_and_hyphen_are_allowed_":"只允許數字、空格和連字符。","Only_numbers_and_spaces_are_allowed_":"只允許數字和空格。","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_-___'_#_;_:_(_)_,_@_/":"僅允許字母、數字、空格和這些特殊字元: - . ' # ; : ( ) , @ /","The_two_passwords_that_you_entered_do_not_match_":"兩次輸入的密碼不相符。","[_1]_and_[_2]_cannot_be_the_same_":"[_1] 和 [_2] 不可相同。","You_should_enter_[_1]_characters_":"您必須輸入[_1]個字元。","Indicates_required_field":"表示必填欄位","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"驗證碼錯誤。請使用以下連結發送到您的電子郵件。","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"您輸入的密碼是世界上最常用的密碼之一。您不應該使用此密碼。","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"提示: 破解這個密碼需要大約 [_1][_2] 。","thousand":"千","million":"百萬","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"應以字母或數位開始,可包含連字號和底線。","Your_address_could_not_be_verified_by_our_automated_system__You_may_proceed_but_please_ensure_that_your_address_is_complete_":"我們的自動化系統無法驗證您的地址。您可以繼續操作, 但請確保您提供完整地址。","Validate_address":"地址驗證","Congratulations!_Your_[_1]_Account_has_been_created_":"恭喜! 您已成功開立[_1]帳戶。","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"[_2]帳號的[_1]密碼已更改。","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"已完成從[_2]至帳號[_3]的[_1]存款。交易編號: [_4]","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"已完成從賬號[_2]至[_3]的[_1]提款。交易編號: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"根據您的要求,您的收銀台已被鎖定- 如需解除鎖定,請點選此處。","Your_cashier_is_locked_":"您的收銀台已鎖定。","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"您的Binary帳戶資金不足,請增加資金。","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"對不起,您的管轄權內無法使用此功能。","You_have_reached_the_limit_":"您已達到最高限額。","Main_password":"主密碼","Investor_password":"投資者密碼","Current_password":"目前密碼","New_password":"新密碼","Demo_Standard":"演示標準","Standard":"標準","Demo_Advanced":"模擬高級帳戶","Advanced":"高階","Demo_Volatility_Indices":"演示波動率指數","Real_Standard":"真實標準","Real_Advanced":"真實高級帳戶","Real_Volatility_Indices":"真實波動率指數","MAM_Advanced":"MAM高級","MAM_Volatility_Indices":"MAM波動率指數","Change_Password":"更改密碼","Demo_Accounts":"模擬帳戶","Demo_Account":"模擬帳戶","Real-Money_Accounts":"真實資金帳戶","Real-Money_Account":"真實資金帳戶","MAM_Accounts":"MAM帳戶","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"我們的 MT5平台正在等待監管機構批准,目前無法向歐盟居民提供服務。","[_1]_Account_[_2]":"[_1]帳戶[_2]","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"差價合約 (CFD) 的波動性指數交易並不適合所有人。請確保您完全明白有關的風險。您的虧損可能會超越您 MT5 帳戶的所有資金。博彩活動可能會上癮,請提醒自己要承擔責任。","Do_you_wish_to_continue?":"是否繼續?","for_account_[_1]":"用於帳戶[_1]","Verify_Reset_Password":"重設密碼驗證","Reset_Password":"重設密碼","Please_check_your_email_for_further_instructions_":"請檢查您的電子郵件收取詳細說明。","Revoke_MAM":"MAM撤銷","Manager_successfully_revoked":"經理已成功撤銷","Min":"最小","Max":"最大","Current_balance":"目前餘額","Withdrawal_limit":"取款限額","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"立刻進行[_1]帳戶驗證[_2],以獲得付款選項的所有優惠。","Please_set_the_[_1]currency[_2]_of_your_account_":"請設定帳戶的[_1]幣種[_2]。","Please_set_your_30-day_turnover_limit_in_our_[_1]self-exclusion_facilities[_2]_to_remove_deposit_limits_":"請到[_1]自我限制工具[_2]設定30天交易限額,以移除存款限額。","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"升級到真實資金帳戶前請先設定[_1]居住國[_2]。","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"請完成[_1]財務評估表格[_2],以便提升您的取款和交易限額。","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"請[_1]完成帳戶資料[_2],以提高取款和交易限額。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_withdrawal_and_trading_limits_":"請[_1]接受條款和條件[_2],以提高存取款限額。","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的帳戶已被限制交易。請[_1]聯繫客服部[_2],以取得協助。","Connection_error:_Please_check_your_internet_connection_":"連接錯誤:請檢查您的網絡連接。","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"您已達每秒鐘提呈請求的最高限率。請稍後重試。","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"您必須啟用瀏覽器的web存儲,[_1]才能正常工作。請啟用它或退出私人瀏覽模式。","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"我們正在審閱您的文件。若要取得詳細資料,請[_1]聯繫我們[_2]。","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的帳戶已被禁存款和提款。請檢查您的電子郵件, 以瞭解更多詳情。","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的帳戶已被禁交易和存款。請 [_1]聯繫客服部[_2]尋求幫助。","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的帳戶已被禁進行二元期權交易。請 [_1]聯繫客服部[_2]尋求幫助。","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的帳戶已被禁提款。請檢查您的電子郵件, 以瞭解更多詳情。","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的MT5帳戶已被禁提款。請檢查您的電子郵件, 以瞭解更多詳情。","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"繼續操作前請填寫您的[_1]個人資料[_2]。","Account_Authenticated":"帳戶驗證","In_the_EU,_financial_binary_options_are_only_available_to_professional_investors_":"歐盟的金融二元期權僅供專業投資者使用。","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"您的網絡瀏覽器 ([_1]) 已過時,並可能會影響您的交易操作。繼續操作須自行承擔風險。[_2]更新瀏覽器[_3]","Bid":"出價","Closed_Bid":"密封出價","Create":"新增","Commodities":"商品","Indices":"指數","Stocks":"股票","Volatility_Indices":"波動率指數","Set_Currency":"設定貨幣","Please_choose_a_currency":"請選擇一種貨幣","Create_Account":"開立帳戶","Accounts_List":"帳戶清單","[_1]_Account":"[_1]帳戶","Investment":"投資","Gaming":"遊戲","Virtual":"虛擬","Real":"真實","Counterparty":"相對方","This_account_is_disabled":"此帳戶已禁用","This_account_is_excluded_until_[_1]":"此帳戶已被隔離, 直到[_1]","Bitcoin":"比特幣","Bitcoin_Cash":"比特幣現金","Ether":"以太幣","Ether_Classic":"古典以太幣","Litecoin":"萊特幣","Invalid_document_format_":"無效的文檔格式.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"檔案 ([_1]) 大小超過允許限額。允許的最大檔案大小: [_2]","ID_number_is_required_for_[_1]_":"[_1] 需要甚份證號。","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"ID 號([_1]) 只允許字母、數位、空格、底線和連字號。","Expiry_date_is_required_for_[_1]_":"[_1] 需要有到期日。","Passport":"護照","ID_card":"身分證","Driving_licence":"駕駛執照","Front_Side":"前側","Reverse_Side":"反面","Front_and_reverse_side_photos_of_[_1]_are_required_":"[_1] 的正面和反面相片是必需的。","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]您的身份證明或地址證明[_2] 不符合我們的要求。請檢查您的電子郵件收取進一步指示。","Following_file(s)_were_already_uploaded:_[_1]":"以下文檔已上載: [_1]","Checking":"檢查中","Checked":"已檢查","Pending":"待決","Submitting":"正在提交","Submitted":"已提交","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"您將被轉到不是Binary.com擁有的第三方網站。","Click_OK_to_proceed_":"按一下「確定」繼續。","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"您已成功啟用帳戶的雙因素身份驗證。","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"您已成功禁用帳戶的雙因素身份驗證。","Enable":"啟用","Disable":"禁用"};
\ No newline at end of file
+texts_json['ZH_TW'] = {"Real":"真實","Investment":"投資","Gaming":"遊戲","Virtual":"虛擬","Bitcoin":"比特幣","Bitcoin_Cash":"比特幣現金","Ether":"以太幣","Ether_Classic":"古典以太幣","Litecoin":"萊特幣","Online":"線上","Offline":"離線","Connecting_to_server":"連接伺服器","The_password_you_entered_is_one_of_the_world's_most_commonly_used_passwords__You_should_not_be_using_this_password_":"您輸入的密碼是世界上最常用的密碼之一。您不應該使用此密碼。","million":"百萬","thousand":"千","Hint:_it_would_take_approximately_[_1][_2]_to_crack_this_password_":"提示: 破解這個密碼需要大約 [_1][_2] 。","years":"年","days":"天","Validate_address":"地址驗證","Unknown_OS":"未知 OS","You_will_be_redirected_to_a_third-party_website_which_is_not_owned_by_Binary_com_":"您將被轉到不是Binary.com擁有的第三方網站。","Click_OK_to_proceed_":"按一下「確定」繼續。","Please_ensure_that_you_have_the_Telegram_app_installed_on_your_device_":"請確保您的設備已安裝了電報應用程式。","[_1]_requires_your_browser's_web_storage_to_be_enabled_in_order_to_function_properly__Please_enable_it_or_exit_private_browsing_mode_":"您必須啟用瀏覽器的web存儲,[_1]才能正常工作。請啟用它或退出私人瀏覽模式。","Please_[_1]log_in[_2]_or_[_3]sign_up[_4]_to_view_this_page_":"要檢視本頁,請[_1]登入[_2] 或 [_3]註冊[_4] 。","Sorry,_this_feature_is_available_to_virtual_accounts_only_":"對不起,此功能僅適用虛擬帳戶。","This_feature_is_not_relevant_to_virtual-money_accounts_":"此功能不適用於虛擬資金帳戶。","[_1]_Account":"[_1]帳戶","Click_here_to_open_a_Financial_Account":"按一下此處開立財務帳戶","Click_here_to_open_a_Real_Account":"按一下此處開立真實帳戶","Open_a_Financial_Account":"開立金融帳戶","Open_a_Real_Account":"開立真實帳戶","Create_Account":"開立帳戶","Accounts_List":"帳戶清單","[_1]Authenticate_your_account[_2]_now_to_take_full_advantage_of_all_payment_methods_available_":"立刻進行[_1]帳戶驗證[_2],以獲得付款選項的所有優惠。","Deposits_and_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的帳戶已被禁存款和提款。請檢查您的電子郵件, 以瞭解更多詳情。","Please_set_the_[_1]currency[_2]_of_your_account_":"請設定帳戶的[_1]幣種[_2]。","[_1]Your_Proof_of_Identity_or_Proof_of_Address[_2]_did_not_meet_our_requirements__Please_check_your_email_for_further_instructions_":"[_1]您的身份證明或地址證明[_2] 不符合我們的要求。請檢查您的電子郵件收取進一步指示。","We_are_reviewing_your_documents__For_more_details_[_1]contact_us[_2]_":"我們正在審閱您的文件。若要取得詳細資料,請[_1]聯繫我們[_2]。","Your_account_is_restricted__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的帳戶已被限制交易。請[_1]聯繫客服部[_2],以取得協助。","Please_set_your_[_1]30-day_turnover_limit[_2]_to_remove_deposit_limits_":"請將 [_1]30 天交易額限制[_2] 設置為刪除存款限額。","Binary_Options_Trading_has_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的帳戶已被禁進行二元期權交易。請 [_1]聯繫客服部[_2]尋求幫助。","MT5_withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的MT5帳戶已被禁提款。請檢查您的電子郵件, 以瞭解更多詳情。","Please_complete_your_[_1]personal_details[_2]_before_you_proceed_":"繼續操作前請填寫您的[_1]個人資料[_2]。","Please_set_[_1]country_of_residence[_2]_before_upgrading_to_a_real-money_account_":"升級到真實資金帳戶前請先設定[_1]居住國[_2]。","Please_complete_the_[_1]financial_assessment_form[_2]_to_lift_your_withdrawal_and_trading_limits_":"請完成[_1]財務評估表格[_2],以便提升您的取款和交易限額。","Please_[_1]complete_your_account_profile[_2]_to_lift_your_withdrawal_and_trading_limits_":"請[_1]完成帳戶資料[_2],以提高取款和交易限額。","Trading_and_deposits_have_been_disabled_on_your_account__Kindly_[_1]contact_customer_support[_2]_for_assistance_":"您的帳戶已被禁交易和存款。請 [_1]聯繫客服部[_2]尋求幫助。","Withdrawals_have_been_disabled_on_your_account__Please_check_your_email_for_more_details_":"您的帳戶已被禁提款。請檢查您的電子郵件, 以瞭解更多詳情。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_":"請[_1]接受更新條款和條件[_2]。","Please_[_1]accept_the_updated_Terms_and_Conditions[_2]_to_lift_your_deposit_and_trading_limits_":"請[_1]接受條款和條件[_2],以提高存款和交易限額。","Account_Authenticated":"帳戶驗證","Connection_error:_Please_check_your_internet_connection_":"連接錯誤:請檢查您的網絡連接。","Network_status":"網路狀態","This_is_a_staging_server_-_For_testing_purposes_only":"這是分期伺服器,僅用於測試目的","The_server_endpoint_is:_[_2]":"伺服器終端是: [_2]","Your_web_browser_([_1])_is_out_of_date_and_may_affect_your_trading_experience__Proceed_at_your_own_risk__[_2]Update_browser[_3]":"您的網絡瀏覽器 ([_1]) 已過時,並可能會影響您的交易操作。繼續操作須自行承擔風險。[_2]更新瀏覽器[_3]","You_have_reached_the_rate_limit_of_requests_per_second__Please_try_later_":"您已達每秒鐘提呈請求的最高限率。請稍後重試。","Please_select":"請選擇","There_was_some_invalid_character_in_an_input_field_":"某字欄的輸入字元無效。","Please_accept_the_terms_and_conditions_":"請接受條款和條件。","Please_confirm_that_you_are_not_a_politically_exposed_person_":"請確認您不是政治公眾人士。","Today":"今天","Barrier":"障礙","End_Time":"結束時間","Entry_Spot":"入市現價","Exit_Spot":"退市現價","Charting_for_this_underlying_is_delayed":"此標的資產的圖表資料已延遲","Highest_Tick":"最高跳動點","Lowest_Tick":"最低跳動點","Payout_Range":"賠付範圍","Purchase_Time":"買入時間","Reset_Barrier":"重設障礙","Reset_Time":"重設時間","Start/End_Time":"開始/結束時間","Selected_Tick":"選定跳動點","Start_Time":"開始時間","Crypto":"加密","Verification_code_is_wrong__Please_use_the_link_sent_to_your_email_":"驗證碼錯誤。請使用以下連結發送到您的電子郵件。","Indicates_required_field":"表示必填欄位","Please_select_the_checkbox_":"請選擇核取方塊。","This_field_is_required_":"此為必填欄位。","Should_be_a_valid_number_":"必須是有效號碼。","Up_to_[_1]_decimal_places_are_allowed_":"允許小數點后%位。","Should_be_[_1]":"必須為[_1]","Should_be_between_[_1]_and_[_2]":"須在[_1] 與 [_2]之間","Should_be_more_than_[_1]":"必須大於[_1]","Should_be_less_than_[_1]":"必須大於[_1]","Invalid_email_address_":"無效的電子郵件地址.","Password_should_have_lower_and_uppercase_letters_with_numbers_":"密碼須包含大小寫字母與數字。","Only_letters,_numbers,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允許使用字母、數字、空格、連字號、句號和所有格號。","Only_letters,_numbers,_space,_and_these_special_characters_are_allowed:_[_1]":"僅允許字母、數字、空格和這些特殊字元: [_1]","Only_letters,_space,_hyphen,_period,_and_apostrophe_are_allowed_":"只允許字母、空格、連字號、句號和所有格號。","Only_letters,_numbers,_space,_and_hyphen_are_allowed_":"僅允許字母、數字、空格和連字符。","The_two_passwords_that_you_entered_do_not_match_":"兩次輸入的密碼不相符。","[_1]_and_[_2]_cannot_be_the_same_":"[_1] 和 [_2] 不可相同。","Minimum_of_[_1]_characters_required_":"需至少[_1] 個字元。","You_should_enter_[_1]_characters_":"您必須輸入[_1]個字元。","Should_start_with_letter_or_number,_and_may_contain_hyphen_and_underscore_":"應以字母或數位開始,可包含連字號和底線。","Invalid_verification_code_":"無效的驗證代碼。","Transaction_performed_by_[_1]_(App_ID:_[_2])":"交易執行者為[_1] (應用程式 ID: [_2])","Guide":"指南","Next":"下一頁","Finish":"完成","Step":"步驟","Select_your_market_and_underlying_asset":"選擇您的市場和標的資產","Select_your_trade_type":"選取交易類型","Adjust_trade_parameters":"調整交易參數","Predict_the_directionand_purchase":"預測價格走向 並購入","Your_session_duration_limit_will_end_in_[_1]_seconds_":"交易期持續時間限制將於[_1]秒內結束。","January":"一月","February":"二月","March":"三月","April":"四月","May":"五月","June":"六月","July":"七月","August":"八月","September":"九月","October":"十月","November":"十一月","December":"十二月","Jan":"一月","Feb":"二月","Mar":"三月","Apr":"四月","Jun":"六月","Jul":"七月","Aug":"八月","Sep":"九月","Oct":"十月","Nov":"十一月","Dec":"十二月","Sunday":"星期日","Monday":"星期一","Tuesday":"星期二","Wednesday":"星期三","Thursday":"星期四","Friday":"星期五","Saturday":"星期六","Su":"星期日","Mo":"星期一","Tu":"星期二","We":"星期三","Th":"星期四","Fr":"星期五","Sa":"星期六","Previous":"之前","Hour":"小時","Minute":"分鐘","AM":"上午","PM":"下午","Min":"最小","Max":"最大","Current_balance":"目前餘額","Withdrawal_limit":"取款限額","Withdraw":"取款","Deposit":"存款","State/Province":"州/省","Country":"國家","Town/City":"城鎮/城市","First_line_of_home_address":"家庭地址第一行","Postal_Code_/_ZIP":"郵遞區號","Telephone":"電話","Email_address":"電子郵件地址","details":"詳細資料","Your_cashier_is_locked_":"您的收銀台已鎖定。","You_have_reached_the_withdrawal_limit_":"您已達最大提款限額。","Payment_Agent_services_are_not_available_in_your_country_or_in_your_preferred_currency_":"您的國家或您的首選幣種不可使用付款代理服務。","Please_select_a_payment_agent":"請選擇付款代理","Amount":"金額","Insufficient_balance_":"餘額不足。","Your_request_to_withdraw_[_1]_[_2]_from_your_account_[_3]_to_Payment_Agent_[_4]_account_has_been_successfully_processed_":"您從 [_3] 帳戶提取[_1] [_2] 到付款代理 [_4] 帳戶的要求已成功處理。","Your_token_has_expired_or_is_invalid__Please_click_[_1]here[_2]_to_restart_the_verification_process_":"您的代幣已過期或失效。請點選[_1]此處[_2]重啟驗證程序。","Please_[_1]deposit[_2]_to_your_account_":"請 [_1]存[_2]入您的帳戶。","minute":"分鐘","minutes":"分鐘","h":"小時","day":"天","week":"週","weeks":"週","month":"月份","months":"月份","year":"年","Month":"月份","Months":"月份","Day":"天","Days":"日","Hours":"小時","Minutes":"分鐘","Second":"秒","Seconds":"秒","Higher":"高於","[_1]_[_2]_payout_if_[_3]_is_strictly_higher_than_or_equal_to_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]嚴格高於或相等於障礙價格,可獲取[_1] [_2] 賠付額。","Lower":"低於","[_1]_[_2]_payout_if_[_3]_is_strictly_lower_than_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]嚴格低於障礙價格,可獲取[_1] [_2] 賠付額。","Touches":"觸及","[_1]_[_2]_payout_if_[_3]_touches_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]觸及障礙價格,可獲取[_1] [_2] 賠付額。","Does_Not_Touch":"未觸及","[_1]_[_2]_payout_if_[_3]_does_not_touch_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]未觸及障礙價格,可獲取[_1] [_2]的賠付額。","Ends_Between":"區間之內結束","[_1]_[_2]_payout_if_[_3]_ends_on_or_between_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]平倉價相等於或介於障礙價格最低和最高價位間,可獲取[_1] [_2] 賠付額。","Ends_Outside":"區間之外結束","[_1]_[_2]_payout_if_[_3]_ends_outside_low_and_high_values_of_Barrier_at_close_on_[_4]_":"[_4]閉市時如果[_3]平倉價在障礙價格最低和最高價位範圍外,可獲取[_1] [_2] 賠付額。","Stays_Between":"位於區間之內","[_1]_[_2]_payout_if_[_3]_stays_between_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]在障礙價格最低和最高價位範圍內,可獲取[_1] [_2] 賠付額。","Goes_Outside":"處於區間之外","[_1]_[_2]_payout_if_[_3]_goes_outside_of_low_and_high_values_of_Barrier_through_close_on_[_4]_":"[_4]閉市時如果[_3]價在障礙價格最低和最高價位範圍外,可獲取[_1] [_2] 賠付額。","Sorry,_your_account_is_not_authorised_for_any_further_contract_purchases_":"對不起,您的帳戶沒有進一步買入任何合約的權限。","Please_log_in_":"請登入。","Sorry,_this_feature_is_not_available_in_your_jurisdiction_":"對不起,您的管轄權內無法使用此功能。","This_symbol_is_not_active__Please_try_another_symbol_":"這是個非活躍符號。請試用另一符號。","Market_is_closed__Please_try_again_later_":"市場已關閉。請稍後重試。","All_barriers_in_this_trading_window_are_expired":"此交易窗口的所有障礙已過期","Sorry,_account_signup_is_not_available_in_your_country_":"對不起,您的所在國內不可註冊帳戶。","Asset":"資產","Opens":"開盤","Closes":"收盤","Settles":"結算","Upcoming_Events":"未來事件","Add_+/–_to_define_a_barrier_offset__For_example,_+0_005_means_a_barrier_that's_0_005_higher_than_the_entry_spot_":"透過新增+/-給障礙偏移量定義。例如, +0.005 表示比入市現價高0.005 的障礙。","Digit":"數字期權","Percentage":"百分比","Waiting_for_entry_tick_":"等待買入價跳動。","High_Barrier":"高障礙","Low_Barrier":"低障礙","Waiting_for_exit_tick_":"等待賣出價跳動。","Ticks_history_returned_an_empty_array_":"跳動點歷史返回空數組","Chart_is_not_available_for_this_underlying_":"此標的工具圖表不可用。","Purchase":"買入","Net_profit":"淨收益","Return":"回報","Time_is_in_the_wrong_format_":"時間格式錯誤。","Rise/Fall":"「上漲/下跌」合約","Higher/Lower":"「高於/低於」","Matches/Differs":"相符/差異","Even/Odd":"偶/奇","Over/Under":"大於/小於","High-Close":"最高值-收盤值","Close-Low":"收盤-低","High-Low":"最高值-最低值","Reset_Call":"重設買權","Reset_Put":"重設賣權","Up/Down":"漲/跌","In/Out":"「範圍之內/之外」","Select_Trade_Type":"選擇交易類型","seconds":"秒","hours":"小時","ticks":"跳動點","tick":"跳動點","second":"秒","hour":"小時","Duration":"期限","Purchase_request_sent":"採購請求已發送","High":"最高值","Close":"收盤","Low":"最低值","Select_Asset":"選擇資產","Search___":"搜索...","Maximum_multiplier_of_1000_":"最大乘數為1000。","Stake":"投注資金","Payout":"賠付","Multiplier":"倍數值","Trading_is_unavailable_at_this_time_":"此時無法交易。","Please_reload_the_page":"請重新載入頁面","Try_our_[_1]Volatility_Indices[_2]_":"請試試[_1]波動率指數[_2]。","Try_our_other_markets_":"請嘗試我們其他的市場。","Contract_Confirmation":"合約確認","Your_transaction_reference_is":"您的交易參考號是","Total_Cost":"成本總計","Potential_Payout":"可能的賠付額","Maximum_Payout":"最大賠付","Maximum_Profit":"最大利潤","Potential_Profit":"潛在利潤","View":"檢視","This_contract_won":"此合約獲利","This_contract_lost":"此合約虧損","Tick_[_1]_is_the_highest_tick":"跳動點 [_1] 是最高跳動點","Tick_[_1]_is_not_the_highest_tick":"跳動點 [_1] 不是最高跳動點","Tick_[_1]_is_the_lowest_tick":"跳動點 [_1] 是最低跳動點","Tick_[_1]_is_not_the_lowest_tick":"跳動點 [_1] 不是最低跳動點","Tick":"跳動點","The_reset_time_is_[_1]":"重設時間為 [_1]","Now":"現在","Tick_[_1]":"勾選 [_1]","Average":"平均","Buy_price":"買入價","Final_price":"最終價格","Loss":"虧損","Profit":"利潤","Account_balance:":"帳戶餘額:","Reverse_Side":"反面","Front_Side":"前側","Pending":"待決","Submitting":"正在提交","Submitted":"已提交","Failed":"失敗","Compressing_Image":"正在壓縮圖像","Checking":"檢查中","Checked":"已檢查","Unable_to_read_file_[_1]":"無法讀取文檔[_1]","Passport":"護照","Identity_card":"身分證","Driving_licence":"駕駛執照","Invalid_document_format_":"無效的文檔格式.","File_([_1])_size_exceeds_the_permitted_limit__Maximum_allowed_file_size:_[_2]":"檔案 ([_1]) 大小超過允許限額。允許的最大檔案大小: [_2]","ID_number_is_required_for_[_1]_":"[_1] 需要甚份證號。","Only_letters,_numbers,_space,_underscore,_and_hyphen_are_allowed_for_ID_number_([_1])_":"ID 號([_1]) 只允許字母、數位、空格、底線和連字號。","Expiry_date_is_required_for_[_1]_":"[_1] 需要有到期日。","Front_and_reverse_side_photos_of_[_1]_are_required_":"[_1] 的正面和反面相片是必需的。","Current_password":"目前密碼","New_password":"新密碼","Please_enter_a_valid_Login_ID_":"請輸入有效的登入識別碼。","Your_request_to_transfer_[_1]_[_2]_from_[_3]_to_[_4]_has_been_successfully_processed_":"您從[_3] 轉帳[_1][_2] 到[_4] 的要求已成功處理。","Resale_not_offered":"不提供轉售","Your_account_has_no_trading_activity_":"您的帳號沒有交易活動。","Date":"日期","Ref_":"參考","Contract":"合約","Purchase_Price":"買入價格","Sale_Date":"賣出日期","Sale_Price":"賣出價格","Profit/Loss":"利潤/虧損","Details":"詳細資料","Total_Profit/Loss":"利潤/虧損合計","Only_[_1]_are_allowed_":"只允許 [_1] 。","letters":"字母","numbers":"號碼","space":"空間","Please_select_at_least_one_scope":"請選擇至少一個範圍","New_token_created_":"已建立新代幣。","The_maximum_number_of_tokens_([_1])_has_been_reached_":"已達代幣 ([_1]) 最大限數。","Name":"姓名","Token":"代幣","Scopes":"範圍","Last_Used":"最近一次使用","Action":"動作","Are_you_sure_that_you_want_to_permanently_delete_the_token":"確定要永久刪除權杖嗎","Delete":"刪除","Never_Used":"從未使用過","You_have_not_granted_access_to_any_applications_":"您未獲權限存取任何應用程式。","Are_you_sure_that_you_want_to_permanently_revoke_access_to_the_application":"確定要永久廢除應用程式存取權限嗎","Revoke_access":"撤銷存取權限","Admin":"管理中心","Payments":"支付","Read":"閱讀","Trade":"交易","Never":"從未","Permissions":"權限","Last_Login":"上一次登入","Unlock_Cashier":"解鎖收銀台","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_enter_the_password_":"根據您的請求,您的收銀台已被鎖定- 如需解除鎖定,請輸入密碼。","Lock_Cashier":"鎖定收銀台","An_additional_password_can_be_used_to_restrict_access_to_the_cashier_":"可使用額外密碼來限制對收銀台的存取。","Update":"更新","Sorry,_you_have_entered_an_incorrect_cashier_password":"對不起,您輸入的收銀台密碼不正確","Your_settings_have_been_updated_successfully_":"您的設定已成功更新。","You_did_not_change_anything_":"您沒做任何更改。","Sorry,_an_error_occurred_while_processing_your_request_":"對不起,在處理您的請求時發生錯誤。","Your_changes_have_been_updated_successfully_":"您的更改已成功更新。","Successful":"成功","Date_and_Time":"日期和時間","Browser":"瀏覽","IP_Address":"IP地址","Status":"狀況","Your_account_has_no_Login/Logout_activity_":"您的帳戶沒有登入/登出活動。","Your_account_is_fully_authenticated_and_your_withdrawal_limits_have_been_lifted_":"您的帳戶已經得到完全驗證,且您的取款限額已經取消。","Your_[_1]_day_withdrawal_limit_is_currently_[_2]_[_3]_(or_equivalent_in_other_currency)_":"您的 [_1] 天取款限額目前為 [_2] [_3](或其他貨幣的等值)。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_in_aggregate_over_the_last_[_3]_days_":"過去 [_3] 天裡您已累計提取 [_1] [_2] 的等值。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"因此您目前的即時最高取款額(要求您的帳戶有充足資金)為 [_1] [_2](或其他等值貨幣)。","Your_withdrawal_limit_is_[_1]_[_2]_":"您的取款限額是[_1] [_2]。","You_have_already_withdrawn_[_1]_[_2]_":"您已提取 [_1] [_2]。","Therefore_your_current_immediate_maximum_withdrawal_(subject_to_your_account_having_sufficient_funds)_is_[_1]_[_2]_":"因此您目前的即時最高取款額(要求您的帳戶有充足資金)為[_1] [_2]。","Your_withdrawal_limit_is_[_1]_[_2]_(or_equivalent_in_other_currency)_":"您的取款限額為 [_1] [_2](或其他貨幣的等值)。","You_have_already_withdrawn_the_equivalent_of_[_1]_[_2]_":"您已提取 [_1] [_2] 的等值。","Please_confirm_that_all_the_information_above_is_true_and_complete_":"請確認以上所有資訊是真實和完整的。","Sorry,_an_error_occurred_while_processing_your_account_":"對不起,在處理您的帳戶時出錯。","Please_select_a_country":"請選擇國家","Timed_out_until":"時間已過。下次開啟時間為","Excluded_from_the_website_until":"已被禁止訪問本網站直到","Session_duration_limit_cannot_be_more_than_6_weeks_":"交易期持續時間限制不能大於6週。","Time_out_must_be_after_today_":"到期時間必須在今日之後。","Time_out_cannot_be_more_than_6_weeks_":"到期時間不能大於6週。","Time_out_cannot_be_in_the_past_":"到期時間不可為過去式。","Please_select_a_valid_time_":"請選擇有效時間。","Exclude_time_cannot_be_less_than_6_months_":"禁止時間不能少於6個月。","Exclude_time_cannot_be_for_more_than_5_years_":"禁止時間不能超過5年。","When_you_click_\"OK\"_you_will_be_excluded_from_trading_on_the_site_until_the_selected_date_":"當您點選「OK」後,您將被禁止在此網站交易,直到選定期限結束為止。","Your_changes_have_been_updated_":"您的更改已成功更新。","Disable":"禁用","Enable":"啟用","You_have_successfully_enabled_two-factor_authentication_for_your_account_":"您已成功啟用帳戶的雙因素身份驗證。","You_have_successfully_disabled_two-factor_authentication_for_your_account_":"您已成功禁用帳戶的雙因素身份驗證。","You_are_categorised_as_a_professional_client_":"您被歸類為專業客戶。","Your_application_to_be_treated_as_a_professional_client_is_being_processed_":"您請求成為專業客戶的申請正在處理中。","You_are_categorised_as_a_retail_client__Apply_to_be_treated_as_a_professional_trader_":"您被歸類為零售客戶。申請成為專業交易者。","Bid":"出價","Closed_Bid":"密封出價","Reference_ID":"身份參考號","Description":"描述","Credit/Debit":"借記/貸記","Balance":"餘額","[_1]_has_been_credited_into_your_virtual_account:_[_2]_":"[_1] 已記入您的虛擬帳戶: [_2]。","Financial_Account":"金融帳戶","Real_Account":"真實帳戶","Counterparty":"相對方","Jurisdiction":"管轄","Create":"新增","This_account_is_disabled":"此帳戶已禁用","This_account_is_excluded_until_[_1]":"此帳戶已被隔離, 直到[_1]","Set_Currency":"設定貨幣","Commodities":"商品","Forex":"外匯","Indices":"指數","Stocks":"股票","Volatility_Indices":"波動率指數","Please_check_your_email_for_the_password_reset_link_":"請檢查您的電郵領取密碼重設連結.","Standard":"標準","Advanced":"高階","Demo_Standard":"演示標準","Real_Standard":"真實標準","Demo_Advanced":"模擬高級帳戶","Real_Advanced":"真實高級帳戶","MAM_Advanced":"MAM高級","Demo_Volatility_Indices":"演示波動率指數","Real_Volatility_Indices":"真實波動率指數","MAM_Volatility_Indices":"MAM波動率指數","Sign_up":"註冊","Trading_Contracts_for_Difference_(CFDs)_on_Volatility_Indices_may_not_be_suitable_for_everyone__Please_ensure_that_you_fully_understand_the_risks_involved,_including_the_possibility_of_losing_all_the_funds_in_your_MT5_account__Gambling_can_be_addictive_–_please_play_responsibly_":"差價合約 (CFD) 的波動性指數交易並不適合所有人。請確保您完全明白有關的風險。您的虧損可能會超越您 MT5 帳戶的所有資金。博彩活動可能會上癮,請提醒自己要承擔責任。","Do_you_wish_to_continue?":"是否繼續?","Acknowledge":"確認","Change_Password":"更改密碼","The_[_1]_password_of_account_number_[_2]_has_been_changed_":"[_2]帳號的[_1]密碼已更改。","Reset_Password":"重設密碼","Verify_Reset_Password":"重設密碼驗證","Please_check_your_email_for_further_instructions_":"請檢查您的電子郵件收取詳細說明。","Revoke_MAM":"MAM撤銷","Manager_successfully_revoked":"經理已成功撤銷","[_1]_deposit_from_[_2]_to_account_number_[_3]_is_done__Transaction_ID:_[_4]":"已完成從[_2]至帳號[_3]的[_1]存款。交易編號: [_4]","Your_cashier_is_locked_as_per_your_request_-_to_unlock_it,_please_click_here_":"根據您的要求,您的收銀台已被鎖定- 如需解除鎖定,請點選此處。","You_have_reached_the_limit_":"您已達到最高限額。","[_1]_withdrawal_from_account_number_[_2]_to_[_3]_is_done__Transaction_ID:_[_4]":"已完成從賬號[_2]至[_3]的[_1]提款。交易編號: [_4]","Main_password":"主密碼","Investor_password":"投資者密碼","You_have_insufficient_funds_in_your_Binary_account,_please_add_funds_":"您的Binary帳戶資金不足,請增加資金。","Our_MT5_service_is_currently_unavailable_to_EU_residents_due_to_pending_regulatory_approval_":"我們的 MT5平台正在等待監管機構批准,目前無法向歐盟居民提供服務。","Demo_Accounts":"模擬帳戶","MAM_Accounts":"MAM帳戶","Real-Money_Accounts":"真實資金帳戶","Demo_Account":"模擬帳戶","Real-Money_Account":"真實資金帳戶","for_account_[_1]":"用於帳戶[_1]","[_1]_Account_[_2]":"[_1]帳戶[_2]","Your_token_has_expired_or_is_invalid__Please_click_here_to_restart_the_verification_process_":"您的代幣已過期或失效。請點選此處重啟驗證程序。","The_email_address_provided_is_already_in_use__If_you_forgot_your_password,_please_try_our_password_recovery_tool_or_contact_our_customer_service_":"所提供的電子郵件地址已經在使用。如果忘了密碼,請嘗試使用我們的密碼恢復工具或聯繫客服部。","Password_is_not_strong_enough_":"密碼安全度不夠。","Upgrade_now":"立即升級","[_1]_days_[_2]_hours_[_3]_minutes":"[_1] 天 [_2] 小時 [_3] 分鐘","Your_trading_statistics_since_[_1]_":"您自 [_1] 至今的交易統計。","[_1]_Please_click_the_link_below_to_restart_the_password_recovery_process_":"[_1] 請點擊下方連結,重新開啟密碼恢復過程。","Your_password_has_been_successfully_reset__Please_log_into_your_account_using_your_new_password_":"您的密碼已成功重設。請用新密碼登入您的帳戶。","Please_choose_a_currency":"請選擇一種貨幣","Asian_Up":"亞洲上漲","Asian_Down":"亞洲下跌","Higher_or_equal":"高於或等於","Lower_or_equal":"低於或等值","Digit_Matches":"數字匹配","Digit_Differs":"數字不匹配","Digit_Odd":"數字為奇數","Digit_Even":"數字為偶數","Digit_Over":"數字超過限額","Digit_Under":"數字低於限額","Call_Spread":"買權價差","Put_Spread":"賣權價差","High_Tick":"高跳動點","Low_Tick":"低跳動點","Equals":"等於","Not":"不","Buy":"買入","Sell":"賣出","Contract_has_not_started_yet":"合約尚未開始","Contract_Result":"合約結果","Close_Time":"收盤時間","Highest_Tick_Time":"最高跳動點時間","Lowest_Tick_Time":"最低跳動點時間","Exit_Spot_Time":"退市現價時間","Audit":"審計","View_Chart":"檢視圖表","Audit_Page":"審核頁面","Spot":"現價","Spot_Time_(GMT)":"現貨時間 (GMT)","Contract_Starts":"合約開始時間","Contract_Ends":"合同結束","Target":"目標","Contract_Information":"合約確認","Contract_Type":"合約類型","Transaction_ID":"交易ID","Remaining_Time":"剩餘時間","Maximum_payout":"最大賠付","Barrier_Change":"障礙變更","Current":"目前","Spot_Time":"現貨時間","Current_Time":"目前時間","Indicative":"指示性","You_can_close_this_window_without_interrupting_your_trade_":"您可以在不中斷交易的情況下關閉此視窗。","There_was_an_error":"出現錯誤","Sell_at_market":"按市價賣出","Note":"備註","Contract_will_be_sold_at_the_prevailing_market_price_when_the_request_is_received_by_our_servers__This_price_may_differ_from_the_indicated_price_":"合約將在我們伺服器收到要求時以當時的市場價格賣出。此價格可能會與報價有差異。","You_have_sold_this_contract_at_[_1]_[_2]":"您已經以 [_1] [_2] 賣出此合約","Your_transaction_reference_number_is_[_1]":"您的交易號是 [_1]","Thank_you_for_signing_up!_Please_check_your_email_to_complete_the_registration_process_":"謝謝您的註冊!請檢視郵件以完成註冊程序。","All_markets_are_closed_now__Please_try_again_later_":"所有市場現已關閉。請稍後重試。","Withdrawal":"提款","virtual_money_credit_to_account":"虛擬資金存入帳戶","login":"登入","logout":"登出","Asians":"亞洲期權","Call_Spread/Put_Spread":"買權價差/賣權價差","Digits":"數字期權","Ends_Between/Ends_Outside":"到期時價格處於範圍之內/之外","High/Low_Ticks":"高/低跳動點","Lookbacks":"回顧","Reset_Call/Reset_Put":"重設買/賣權","Stays_Between/Goes_Outside":"「保持在範圍之內/超出範圍之外」","Touch/No_Touch":"觸及/未觸及","Christmas_Day":"聖誕節","Closes_early_(at_18:00)":"收盤提前(至18:00)","Closes_early_(at_21:00)":"收盤提前(至21:00)","Fridays":"星期五","New_Year's_Day":"新年","today":"今天","today,_Fridays":"今天、週五","There_was_a_problem_accessing_the_server_":"伺服器存取出了問題。","There_was_a_problem_accessing_the_server_during_purchase_":"買入時伺服器存取出了問題。"};
\ No newline at end of file
diff --git a/src/javascript/_common/__tests__/language.js b/src/javascript/_common/__tests__/language.js
index 6921a07372822..a4b8b19e866f2 100644
--- a/src/javascript/_common/__tests__/language.js
+++ b/src/javascript/_common/__tests__/language.js
@@ -11,7 +11,6 @@ describe('Language', () => {
FR : 'Français',
ID : 'Indonesia',
IT : 'Italiano',
- JA : '日本語',
PL : 'Polish',
PT : 'Português',
RU : 'Русский',
diff --git a/src/javascript/_common/__tests__/tests_common.js b/src/javascript/_common/__tests__/tests_common.js
index a567ceb3659c0..2b2a2488b69e6 100644
--- a/src/javascript/_common/__tests__/tests_common.js
+++ b/src/javascript/_common/__tests__/tests_common.js
@@ -12,15 +12,9 @@ const setURL = (url) => {
Language.reset();
};
-const setJPClient = () => {
- setURL(`${Url.websiteUrl()}ja/home-jp.html`);
- Client.setJPFlag();
-};
-
module.exports = {
expect,
setURL,
- setJPClient,
getApiToken: () => 'hhh9bfrbq0G3dRf',
api : new LiveApi({ websocket, appId: 1 }),
};
diff --git a/src/javascript/_common/__tests__/third_party_links.js b/src/javascript/_common/__tests__/third_party_links.js
index b81196420870a..2a91743c8afc2 100644
--- a/src/javascript/_common/__tests__/third_party_links.js
+++ b/src/javascript/_common/__tests__/third_party_links.js
@@ -1,23 +1,40 @@
-const expect = require('chai').expect;
-const AccountOpening = require('../third_party_links');
+const { expect, setURL } = require('./tests_common');
+const AccountOpening = require('../third_party_links');
describe('ThirdPartyLinks', () => {
+ [
+ 'https://www.binary.com',
+ 'https://www.binary.me',
+ ].forEach(url => {
+ describe(url, () => {
+ runTests(url);
+ });
+ });
+});
+
+function runTests(url) {
describe('.isThirdPartyLink()', () => {
- it('works for binary.com', () => {
- expect(AccountOpening.isThirdPartyLink('https://www.binary.com')).to.equal(false);
+ let domain;
+ before(() => {
+ setURL(url);
+ domain = url.replace(/^https:\/\/www\./, '');
});
- it('works for binary.com subdomains', () => {
- expect(AccountOpening.isThirdPartyLink('https://www.style.binary.com')).to.equal(false);
- expect(AccountOpening.isThirdPartyLink('https://login.binary.com/signup.php?lang=0')).to.equal(false);
+
+ it(`works for ${domain}`, () => {
+ expect(AccountOpening.isThirdPartyLink(url)).to.equal(false);
+ });
+ it(`works for ${domain} subdomains`, () => {
+ expect(AccountOpening.isThirdPartyLink(`https://www.style.${domain}`)).to.equal(false);
+ expect(AccountOpening.isThirdPartyLink(`https://login.${domain}/signup.php?lang=0`)).to.equal(false);
});
it('works for special values', () => {
expect(AccountOpening.isThirdPartyLink('javascript:;')).to.equal(false);
expect(AccountOpening.isThirdPartyLink('#')).to.equal(false);
- expect(AccountOpening.isThirdPartyLink('mailto:affiliates@binary.com')).to.equal(false);
+ expect(AccountOpening.isThirdPartyLink(`mailto:affiliates@${domain}`)).to.equal(false);
});
it('works for third party domains', () => {
expect(AccountOpening.isThirdPartyLink('https://www.authorisation.mga.org.mt/verification.aspx?lang=EN&company=a5fd1edc-d072-4c26-b0cd-ab3fa0f0cc40&details=1')).to.equal(true);
expect(AccountOpening.isThirdPartyLink('https://twitter.com/Binarydotcom')).to.equal(true);
});
});
-});
+}
diff --git a/src/javascript/_common/__tests__/url.js b/src/javascript/_common/__tests__/url.js
index b107f9c404c72..e2dc742e80e32 100644
--- a/src/javascript/_common/__tests__/url.js
+++ b/src/javascript/_common/__tests__/url.js
@@ -1,7 +1,21 @@
const { expect, setURL } = require('./tests_common');
const Url = require('../url');
+const urls = [
+ 'https://www.binary.com',
+ 'https://www.binary.me',
+];
+
describe('Url', () => {
+ urls.forEach(url => {
+ describe(url, () => {
+ runTests(url);
+ });
+ });
+});
+
+function runTests(url) {
+ setURL(url);
const website_url = Url.websiteUrl();
const language = 'en';
const query_string = 'market=forex&duration_amount=5&no_value=';
@@ -28,7 +42,7 @@ describe('Url', () => {
describe('.getLocation()', () => {
it('works as expected', () => {
- expect(Url.getLocation().hostname).to.eq('www.binary.com');
+ expect(Url.getLocation().hostname).to.eq(url.replace(/^https:\/\//, ''));
});
});
@@ -63,7 +77,47 @@ describe('Url', () => {
});
});
+ if (!/binary.com/.test(url)) {
+ describe('.urlForCurrentDomain()', () => {
+ const path_query_hash = 'path/to/file.html?q=value&n=1#hash';
+
+ it('updates domain correctly', () => {
+ expect(Url.urlForCurrentDomain('https://www.binary.com/')).to.eq(`${url}/`);
+ expect(Url.urlForCurrentDomain(`https://www.binary.com/${path_query_hash}`)).to.eq(`${url}/${path_query_hash}`);
+ });
+ it('updates host maps correctly', () => {
+ const host_map = Url.getHostMap();
+ Object.keys(host_map).forEach(host => {
+ expect(Url.urlForCurrentDomain(`https://${host}/`)).to.eq(`https://${host_map[host]}/`);
+ expect(Url.urlForCurrentDomain(`https://${host}/${path_query_hash}`)).to.eq(`https://${host_map[host]}/${path_query_hash}`);
+ });
+ });
+ it('doesn\'t update email links', () => {
+ ['mailto:affiliates@binary.com', 'mailto:email@otherdomain.com'].forEach(email_link => {
+ expect(Url.urlForCurrentDomain(email_link)).to.eq(email_link);
+ });
+ });
+ it('doesn\'t update the third party domains', () => {
+ expect(Url.urlForCurrentDomain('https://www.otherdomain.com')).to.eq('https://www.otherdomain.com');
+ expect(Url.urlForCurrentDomain('https://www.otherdomain.com/')).to.eq('https://www.otherdomain.com/');
+ expect(Url.urlForCurrentDomain('https://subdomain.otherdomain.com/')).to.eq('https://subdomain.otherdomain.com/');
+ expect(Url.urlForCurrentDomain('mailto:email@otherdomain.com')).to.eq('mailto:email@otherdomain.com');
+ });
+ it('doesn\'t update when current domain is not supported', () => {
+ setURL('https://user.github.io/');
+ ['https://www.binary.com', 'https://www.binary.com/', 'https://bot.binary.com', 'mailto:affiliates@binary.com'].forEach(u => {
+ expect(Url.urlForCurrentDomain(u)).to.eq(u);
+ });
+ setURL(url); // reset for the next test
+ });
+ });
+ }
+
describe('.urlForStatic()', () => {
+ before(() => {
+ Url.resetStaticHost();
+ });
+
it('returns base path as default', () => {
expect(Url.urlForStatic()).to.eq(website_url);
});
@@ -85,7 +139,7 @@ describe('Url', () => {
describe('.websiteUrl()', () => {
it('returns expected value', () => {
- expect(website_url).to.eq('https://www.binary.com/');
+ expect(website_url).to.eq(`${url}/`);
});
});
-});
+}
diff --git a/src/javascript/_common/base/__tests__/client_base.js b/src/javascript/_common/base/__tests__/client_base.js
index 817f7f804e443..22ebd2407ad9d 100644
--- a/src/javascript/_common/base/__tests__/client_base.js
+++ b/src/javascript/_common/base/__tests__/client_base.js
@@ -164,14 +164,6 @@ describe('ClientBase', () => {
expect(ugprade_info.type).to.eq('financial');
expect(ugprade_info.can_open_multi).to.eq(false);
});
- it('returns as expected for accounts that can upgrade to japan', () => {
- State.set(['response', 'authorize', 'authorize', 'upgradeable_landing_companies'], [ 'japan' ]);
- const ugprade_info = Client.getBasicUpgradeInfo();
- expect(ugprade_info.can_upgrade).to.eq(true);
- expect(ugprade_info.can_upgrade_to).to.eq('japan');
- expect(ugprade_info.type).to.eq('real');
- expect(ugprade_info.can_open_multi).to.eq(false);
- });
it('returns as expected for multi account opening', () => {
State.set(['response', 'authorize', 'authorize', 'upgradeable_landing_companies'], [ 'costarica' ]);
Client.set('landing_company_shortcode', 'costarica');
diff --git a/src/javascript/_common/base/__tests__/currency_base.js b/src/javascript/_common/base/__tests__/currency_base.js
index 59fb5bc34333d..22f1ed9f1cda1 100644
--- a/src/javascript/_common/base/__tests__/currency_base.js
+++ b/src/javascript/_common/base/__tests__/currency_base.js
@@ -7,7 +7,6 @@ describe('Currency', () => {
AUD: { fractional_digits: 2, type: 'fiat' },
EUR: { fractional_digits: 2, type: 'fiat' },
GBP: { fractional_digits: 2, type: 'fiat' },
- JPY: { fractional_digits: 0, type: 'fiat' },
USD: { fractional_digits: 2, type: 'fiat' },
BTC: { fractional_digits: 8, type: 'crypto' },
}
@@ -22,8 +21,6 @@ describe('Currency', () => {
expect(Currency.formatMoney('GBP', '123.55')).to.eq(`${Currency.formatCurrency('GBP')}123.55`);
expect(Currency.formatMoney('EUR', '123.55')).to.eq(`${Currency.formatCurrency('EUR')}123.55`);
expect(Currency.formatMoney('AUD', '123.55')).to.eq(`${Currency.formatCurrency('AUD')}123.55`);
- expect(Currency.formatMoney('JPY', '123.55')).to.eq(`${Currency.formatCurrency('JPY')}124`);
- expect(Currency.formatMoney('JPY', '1234.55')).to.eq(`${Currency.formatCurrency('JPY')}1,235`);
expect(Currency.formatMoney('BTC', '0.005432110')).to.eq(`${Currency.formatCurrency('BTC')}0.00543211`);
expect(Currency.formatMoney('BTC', '0.005432116')).to.eq(`${Currency.formatCurrency('BTC')}0.00543212`);
expect(Currency.formatMoney('BTC', '0.00000001')).to.eq(`${Currency.formatCurrency('BTC')}0.00000001`);
@@ -77,7 +74,6 @@ describe('Currency', () => {
expect(Currency.getDecimalPlaces('AUD')).to.eq(2);
expect(Currency.getDecimalPlaces('EUR')).to.eq(2);
expect(Currency.getDecimalPlaces('GBP')).to.eq(2);
- expect(Currency.getDecimalPlaces('JPY')).to.eq(0);
expect(Currency.getDecimalPlaces('USD')).to.eq(2);
expect(Currency.getDecimalPlaces('BTC')).to.eq(8);
});
@@ -98,7 +94,6 @@ describe('Currency', () => {
expect(Currency.isCryptocurrency('AUD')).to.eq(false);
expect(Currency.isCryptocurrency('EUR')).to.eq(false);
expect(Currency.isCryptocurrency('GBP')).to.eq(false);
- expect(Currency.isCryptocurrency('JPY')).to.eq(false);
expect(Currency.isCryptocurrency('USD')).to.eq(false);
expect(Currency.isCryptocurrency('BTC')).to.eq(true);
});
diff --git a/src/javascript/_common/base/client_base.js b/src/javascript/_common/base/client_base.js
index 6e1fe85c06267..5a790a5b58edc 100644
--- a/src/javascript/_common/base/client_base.js
+++ b/src/javascript/_common/base/client_base.js
@@ -1,6 +1,7 @@
const moment = require('moment');
const isCryptocurrency = require('./currency_base').isCryptocurrency;
const SocketCache = require('./socket_cache');
+const localize = require('../localize').localize;
const LocalStore = require('../storage').LocalStore;
const State = require('../storage').State;
const getPropertyValue = require('../utility').getPropertyValue;
@@ -111,13 +112,30 @@ const ClientBase = (() => {
!get('is_virtual', loginid) && !isCryptocurrency(get('currency', loginid)));
};
- const types_map = {
- virtual : 'Virtual',
- gaming : 'Gaming',
- financial: 'Investment',
- };
+ const TypesMapConfig = (() => {
+ let types_map_config;
+
+ const initTypesMap = () => ({
+ default : localize('Real'),
+ financial: localize('Investment'),
+ gaming : localize('Gaming'),
+ virtual : localize('Virtual'),
+ });
+
+ return {
+ get: () => {
+ if (!types_map_config) {
+ types_map_config = initTypesMap();
+ }
+ return types_map_config;
+ },
+ };
+ })();
- const getAccountTitle = loginid => types_map[getAccountType(loginid)] || 'Real';
+ const getAccountTitle = loginid => {
+ const types_map = TypesMapConfig.get();
+ return (types_map[getAccountType(loginid)] || types_map.default);
+ };
const responseAuthorize = (response) => {
const authorize = response.authorize;
@@ -204,7 +222,7 @@ const ClientBase = (() => {
upgradeable_landing_companies.indexOf(landing_company) !== -1
));
- can_upgrade_to = canUpgrade('costarica', 'iom', 'malta', 'maltainvest', 'japan');
+ can_upgrade_to = canUpgrade('costarica', 'iom', 'malta', 'maltainvest');
if (can_upgrade_to) {
type = can_upgrade_to === 'maltainvest' ? 'financial' : 'real';
}
diff --git a/src/javascript/_common/base/currency_base.js b/src/javascript/_common/base/currency_base.js
index e4d786a837ea6..d39c22c0a0916 100644
--- a/src/javascript/_common/base/currency_base.js
+++ b/src/javascript/_common/base/currency_base.js
@@ -1,6 +1,5 @@
const getLanguage = require('../language').get;
const localize = require('../localize').localize;
-const State = require('../storage').State;
const getPropertyValue = require('../utility').getPropertyValue;
let currencies_config = {};
@@ -41,11 +40,7 @@ const addComma = (num, decimal_points, is_crypto) => {
));
};
-const isJPClient = () => !!State.get('is_jp_client');
-
-const getFiatDecimalPlaces = () => isJPClient() ? 0 : 2;
-
-const calcDecimalPlaces = (currency) => isCryptocurrency(currency) ? 8 : getFiatDecimalPlaces();
+const calcDecimalPlaces = (currency) => isCryptocurrency(currency) ? 8 : 2;
const getDecimalPlaces = (currency) => (
// need to check currencies_config[currency] exists instead of || in case of 0 value
@@ -57,28 +52,44 @@ const setCurrencies = (website_status) => {
};
// (currency in crypto_config) is a back-up in case website_status doesn't include the currency config, in some cases where it's disabled
-const isCryptocurrency = currency => /crypto/i.test(getPropertyValue(currencies_config, [currency, 'type'])) || (currency in crypto_config);
-
-const crypto_config = {
- BTC: { name: 'Bitcoin', min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
- BCH: { name: 'Bitcoin Cash', min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
- ETH: { name: 'Ether', min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
- ETC: { name: 'Ether Classic', min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
- LTC: { name: 'Litecoin', min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
- DAI: { name: 'Dai', min_withdrawal: 0.002, pa_max_withdrawal: 2000, pa_min_withdrawal: 10 },
-};
-
-const getMinWithdrawal = currency => (isCryptocurrency(currency) ? getPropertyValue(crypto_config, [currency, 'min_withdrawal']) || 0.002 : 1);
+const isCryptocurrency = currency => /crypto/i.test(getPropertyValue(currencies_config, [currency, 'type'])) || (currency in CryptoConfig.get());
+
+const CryptoConfig = (() => {
+ let crypto_config;
+
+ const initCryptoConfig = () => ({
+ BTC: { name: localize('Bitcoin'), min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
+ BCH: { name: localize('Bitcoin Cash'), min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
+ ETH: { name: localize('Ether'), min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
+ ETC: { name: localize('Ether Classic'), min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
+ LTC: { name: localize('Litecoin'), min_withdrawal: 0.002, pa_max_withdrawal: 5, pa_min_withdrawal: 0.002 },
+ DAI: { name: localize('Dai'), min_withdrawal: 0.02, pa_max_withdrawal: 2000, pa_min_withdrawal: 10 },
+ UST: { name: localize('Tether'), min_withdrawal: 0.02, pa_max_withdrawal: 2000, pa_min_withdrawal: 10 },
+ });
+
+ return {
+ get: () => {
+ if (!crypto_config) {
+ crypto_config = initCryptoConfig();
+ }
+ return crypto_config;
+ },
+ };
+})();
+
+const getMinWithdrawal = currency => (isCryptocurrency(currency) ? getPropertyValue(CryptoConfig.get(), [currency, 'min_withdrawal']) || 0.002 : 1);
+
+const getMinTransfer = currency => getPropertyValue(currencies_config, [currency, 'limits', 'transfer_between_accounts', 'min']) || getMinWithdrawal(currency);
// @param {String} limit = max|min
const getPaWithdrawalLimit = (currency, limit) => {
if (isCryptocurrency(currency)) {
- return getPropertyValue(crypto_config, [currency, `pa_${limit}_withdrawal`]);
+ return getPropertyValue(CryptoConfig.get(), [currency, `pa_${limit}_withdrawal`]); // pa_min_withdrawal and pa_max_withdrawal used here
}
- return limit === 'max' ? 2000 : 10;
+ return limit === 'max' ? 2000 : 10; // limits for fiat currency
};
-const getCurrencyName = currency => localize(getPropertyValue(crypto_config, [currency, 'name']) || '' /* localize-ignore */); // to refactor on master
+const getCurrencyName = currency => getPropertyValue(CryptoConfig.get(), [currency, 'name']) || '';
const getMinPayout = currency => getPropertyValue(currencies_config, [currency, 'stake_default']);
@@ -91,6 +102,7 @@ module.exports = {
isCryptocurrency,
getCurrencyName,
getMinWithdrawal,
+ getMinTransfer,
getMinPayout,
getPaWithdrawalLimit,
getCurrencies: () => currencies_config,
diff --git a/src/javascript/_common/base/elevio.js b/src/javascript/_common/base/elevio.js
new file mode 100644
index 0000000000000..5f4331df791ef
--- /dev/null
+++ b/src/javascript/_common/base/elevio.js
@@ -0,0 +1,71 @@
+const ClientBase = require('./client_base');
+const GTM = require('./gtm');
+const BinarySocket = require('./socket_base');
+const getLanguage = require('../language').get;
+const createElement = require('../utility').createElement;
+
+const Elevio = (() => {
+ const init = () => {
+ if (!window._elev) return;
+ window._elev.on('load', (elev) => { // eslint-disable-line no-underscore-dangle
+ const available_elev_languages = ['id'];
+ const current_language = getLanguage().toLowerCase();
+ if (available_elev_languages.indexOf(current_language) !== -1) {
+ window._elev.setLanguage(current_language);
+ }
+ setUserInfo(elev);
+ setTranslations(elev);
+ addEventListenerGTM();
+ makeLauncherVisible();
+ });
+ };
+
+ const addEventListenerGTM = () => {
+ window._elev.on('widget:opened', () => { // eslint-disable-line no-underscore-dangle
+ GTM.pushDataLayer({ event: 'elevio_widget_opened' });
+ });
+ };
+
+ const makeLauncherVisible = () => {
+ // we have to add the style since the launcher element gets updates even after elevio's 'ready' event fired
+ const el_launcher_style = createElement('style', { html: '._elevio_launcher {display: block;}' });
+ document.head.appendChild(el_launcher_style);
+ };
+
+ const setUserInfo = (elev) => {
+ if (ClientBase.isLoggedIn()) {
+ BinarySocket.wait('get_settings').then((response) => {
+ const get_settings = response.get_settings || {};
+ const is_virtual = ClientBase.get('is_virtual');
+
+ const user_obj = {
+ email : ClientBase.get('email'),
+ first_name: is_virtual ? 'Virtual' : get_settings.first_name,
+ last_name : is_virtual ? ClientBase.get('loginid') : get_settings.last_name,
+ user_hash : get_settings.user_hash,
+ };
+
+ elev.setUser(user_obj);
+ });
+ }
+ };
+
+ const setTranslations = (elev) => {
+ elev.setTranslations({
+ modules: {
+ support: {
+ thankyou: 'Thank you, we\'ll get back to you within 24 hours', // Elevio is available only on EN for now
+ },
+ },
+ });
+ };
+
+ const createComponent = (type) => window._elev.component({ type }); // eslint-disable-line no-underscore-dangle
+
+ return {
+ init,
+ createComponent,
+ };
+})();
+
+module.exports = Elevio;
diff --git a/src/javascript/_common/base/gtm.js b/src/javascript/_common/base/gtm.js
index a285da326b66e..267a40e5e38f7 100644
--- a/src/javascript/_common/base/gtm.js
+++ b/src/javascript/_common/base/gtm.js
@@ -1,13 +1,15 @@
-const Cookies = require('js-cookie');
-const moment = require('moment');
-const ClientBase = require('./client_base');
-const Login = require('./login');
-const BinarySocket = require('./socket_base');
-const getElementById = require('../common_functions').getElementById;
-const isVisible = require('../common_functions').isVisible;
-const getLanguage = require('../language').get;
-const State = require('../storage').State;
-const getAppId = require('../../config').getAppId;
+const Cookies = require('js-cookie');
+const moment = require('moment');
+const ClientBase = require('./client_base');
+const Login = require('./login');
+const ServerTime = require('./server_time');
+const BinarySocket = require('./socket_base');
+const getElementById = require('../common_functions').getElementById;
+const isVisible = require('../common_functions').isVisible;
+const getLanguage = require('../language').get;
+const State = require('../storage').State;
+const getPropertyValue = require('../utility').getPropertyValue;
+const getAppId = require('../../config').getAppId;
const GTM = (() => {
const isGtmApplicable = () => (/^(1|1098|14473)$/.test(getAppId()));
@@ -41,7 +43,6 @@ const GTM = (() => {
if (!isGtmApplicable()) return;
const is_login = localStorage.getItem('GTM_login') === '1';
const is_new_account = localStorage.getItem('GTM_new_account') === '1';
- if (!is_login && !is_new_account) return;
localStorage.removeItem('GTM_login');
localStorage.removeItem('GTM_new_account');
@@ -53,15 +54,16 @@ const GTM = (() => {
const data = {
visitorId : ClientBase.get('loginid'),
+ bom_account_type : ClientBase.getAccountType(),
bom_currency : ClientBase.get('currency'),
bom_country : get_settings.country,
bom_country_abbrev: get_settings.country_code,
bom_email : get_settings.email,
url : window.location.href,
bom_today : Math.floor(Date.now() / 1000),
- event : is_new_account ? 'new_account' : 'log_in',
};
if (is_new_account) {
+ data.event = 'new_account';
data.bom_date_joined = data.bom_today;
}
if (!ClientBase.get('is_virtual')) {
@@ -72,6 +74,7 @@ const GTM = (() => {
}
if (is_login) {
+ data.event = 'log_in';
BinarySocket.wait('mt5_login_list').then((response) => {
(response.mt5_login_list || []).forEach((obj) => {
const acc_type = (ClientBase.getMT5AccountType(obj.group) || '')
@@ -85,6 +88,14 @@ const GTM = (() => {
} else {
pushDataLayer(data);
}
+
+ // check if there are any transactions in the last 30 days for UX interview selection
+ BinarySocket.send({ statement: 1, limit: 1 }).then((response) => {
+ const last_transaction_timestamp = getPropertyValue(response, ['statement', 'transactions', '0', 'transaction_time']);
+ pushDataLayer({
+ bom_transaction_in_last_30d: !!last_transaction_timestamp && moment(last_transaction_timestamp * 1000).isAfter(ServerTime.get().subtract(30, 'days')),
+ });
+ });
};
const pushPurchaseData = (response) => {
diff --git a/src/javascript/_common/base/login.js b/src/javascript/_common/base/login.js
index 99738a1647509..8d2086e2fe260 100644
--- a/src/javascript/_common/base/login.js
+++ b/src/javascript/_common/base/login.js
@@ -1,7 +1,10 @@
-const Client = require('./client_base');
-const getLanguage = require('../language').get;
-const isStorageSupported = require('../storage').isStorageSupported;
-const getAppId = require('../../config').getAppId;
+const Client = require('./client_base');
+const getLanguage = require('../language').get;
+const isMobile = require('../os_detect').isMobile;
+const isStorageSupported = require('../storage').isStorageSupported;
+const LocalStore = require('../storage').LocalStore;
+const urlForCurrentDomain = require('../url').urlForCurrentDomain;
+const getAppId = require('../../config').getAppId;
const Login = (() => {
const redirectToLogin = () => {
@@ -14,9 +17,13 @@ const Login = (() => {
const loginUrl = () => {
const server_url = localStorage.getItem('config.server_url');
const language = getLanguage();
+ const signup_device = LocalStore.get('signup_device') || (isMobile() ? 'mobile' : 'desktop');
+ const date_first_contact = LocalStore.get('date_first_contact');
+ const marketing_queries = `&signup_device=${signup_device}${date_first_contact ? `&date_first_contact=${date_first_contact}` : ''}`;
+
return ((server_url && /qa/.test(server_url)) ?
- `https://www.${server_url.split('.')[1]}.com/oauth2/authorize?app_id=${getAppId()}&l=${language}` :
- `https://oauth.binary.com/oauth2/authorize?app_id=${getAppId()}&l=${language}`
+ `https://www.${server_url.split('.')[1]}.com/oauth2/authorize?app_id=${getAppId()}&l=${language}${marketing_queries}` :
+ urlForCurrentDomain(`https://oauth.binary.com/oauth2/authorize?app_id=${getAppId()}&l=${language}${marketing_queries}`)
);
};
diff --git a/src/javascript/_common/base/network_monitor_base.js b/src/javascript/_common/base/network_monitor_base.js
index 2312d40594ffd..1269ef3e2f13c 100644
--- a/src/javascript/_common/base/network_monitor_base.js
+++ b/src/javascript/_common/base/network_monitor_base.js
@@ -1,4 +1,5 @@
const BinarySocket = require('./socket_base');
+const localize = require('../localize').localize;
/*
* Monitors the network status and initialises the WebSocket connection
@@ -6,11 +7,25 @@ const BinarySocket = require('./socket_base');
* 2. offline: it is offline
*/
const NetworkMonitorBase = (() => {
- const status_config = {
- online : { class: 'online', tooltip: 'Online' },
- offline : { class: 'offline', tooltip: 'Offline' },
- blinking: { class: 'blinker', tooltip: 'Connecting to server' },
- };
+ const StatusConfig = (() => {
+ let status_config;
+
+ const initStatusConfig = () => ({
+ online : { class: 'online', tooltip: localize('Online') },
+ offline : { class: 'offline', tooltip: localize('Offline') },
+ blinking: { class: 'blinker', tooltip: localize('Connecting to server') },
+ });
+
+ return {
+ get: (status) => {
+ if (!status_config) {
+ status_config = initStatusConfig();
+ }
+ return status_config[status];
+ },
+ };
+ })();
+
const pendings = {};
const pending_keys = {
ws_init : 'ws_init',
@@ -64,7 +79,7 @@ const NetworkMonitorBase = (() => {
}
if (typeof updateUI === 'function') {
- updateUI(status_config[network_status], isOnline());
+ updateUI(StatusConfig.get(network_status), isOnline());
}
};
diff --git a/src/javascript/_common/base/socket_cache.js b/src/javascript/_common/base/socket_cache.js
index de1cfbdfb4e82..8bb1ea6feca5b 100644
--- a/src/javascript/_common/base/socket_cache.js
+++ b/src/javascript/_common/base/socket_cache.js
@@ -88,7 +88,7 @@ const SocketCache = (() => {
return response;
};
- const makeKey = (source_obj, msg_type) => {
+ const makeKey = (source_obj = {}, msg_type = '') => {
let key = msg_type || Object.keys(source_obj).find(type => config[type]);
if (key && !isEmptyObject(source_obj)) {
diff --git a/src/javascript/_common/common_functions.js b/src/javascript/_common/common_functions.js
index 9cdde048fdd20..e85478982b145 100644
--- a/src/javascript/_common/common_functions.js
+++ b/src/javascript/_common/common_functions.js
@@ -1,12 +1,5 @@
const createElement = require('./utility').createElement;
-// show hedging value if trading purpose is set to hedging else hide it
-const detectHedging = ($purpose, $hedging) => {
- $purpose.change(() => {
- $hedging.setVisibility($purpose.val() === 'Hedging');
- });
-};
-
const jqueryuiTabsToDropdown = ($container) => {
const $ddl = $('');
$container.find('li a').each(function () {
@@ -98,7 +91,6 @@ const getVisibleElement = (class_name, parent = document) =>
Array.from(parent.getElementsByClassName(class_name)).find((el) => isVisible(el));
module.exports = {
- detectHedging,
jqueryuiTabsToDropdown,
makeOption,
isVisible,
diff --git a/src/javascript/_common/image_utility.js b/src/javascript/_common/image_utility.js
new file mode 100644
index 0000000000000..a55d226d1777f
--- /dev/null
+++ b/src/javascript/_common/image_utility.js
@@ -0,0 +1,53 @@
+require('canvas-toBlob');
+
+const compressImg = (image) => new Promise((resolve) => {
+ const img = new Image();
+ img.src = image.src;
+ img.onload = () => {
+ const canvas = document.createElement('canvas');
+ const context = canvas.getContext('2d');
+ if (img.naturalWidth > 2560) {
+ const width = 2560;
+ const scaleFactor = width / img.naturalWidth;
+ canvas.width = width;
+ canvas.height = img.naturalHeight * scaleFactor;
+ } else {
+ canvas.height = img.naturalHeight;
+ canvas.width = img.naturalWidth;
+ }
+
+ context.fillStyle = 'transparent';
+ context.fillRect(0, 0, canvas.width, canvas.height);
+
+ context.save();
+ context.drawImage(img, 0, 0, canvas.width, canvas.height);
+
+ canvas.toBlob((blob) => {
+ const filename = image.filename.replace(/\.[^/.]+$/, '.jpg');
+ const file = new Blob([blob], {
+ type: 'image/jpeg',
+ });
+ file.lastModifiedDate = Date.now();
+ file.name = filename;
+ resolve(file);
+ }, 'image/jpeg', 0.9); // <----- set quality here
+
+ };
+});
+
+const convertToBase64 = (file) => new Promise((resolve) => {
+ const reader = new FileReader();
+ reader.readAsDataURL(file);
+ reader.onloadend = () => {
+ const result = { src: reader.result, filename: file.name };
+ resolve(result);
+ };
+});
+
+const isImageType = filename => (/\.(gif|jpg|jpeg|tiff|png)$/i).test(filename);
+
+module.exports = {
+ compressImg,
+ convertToBase64,
+ isImageType,
+};
diff --git a/src/javascript/_common/language.js b/src/javascript/_common/language.js
index f167c2fa73a1d..606e36777a32b 100644
--- a/src/javascript/_common/language.js
+++ b/src/javascript/_common/language.js
@@ -14,7 +14,6 @@ const Language = (() => {
FR : 'Français',
ID : 'Indonesia',
IT : 'Italiano',
- JA : '日本語',
PL : 'Polish',
PT : 'Português',
RU : 'Русский',
diff --git a/src/javascript/_common/lib/push_notification.js b/src/javascript/_common/lib/push_notification.js
index 197d4d2d65a7b..f24c19cde55b5 100644
--- a/src/javascript/_common/lib/push_notification.js
+++ b/src/javascript/_common/lib/push_notification.js
@@ -1,7 +1,8 @@
-const Client = require('../../app/base/client');
-const getLanguage = require('../language').get;
-const urlForStatic = require('../url').urlForStatic;
-const Pushwoosh = require('web-push-notifications').Pushwoosh;
+const Pushwoosh = require('web-push-notifications').Pushwoosh;
+const getLanguage = require('../language').get;
+const urlForCurrentDomain = require('../url').urlForCurrentDomain;
+const Client = require('../../app/base/client');
+const getCurrentBinaryDomain = require('../../config').getCurrentBinaryDomain;
const BinaryPushwoosh = (() => {
const pw = new Pushwoosh();
@@ -9,7 +10,7 @@ const BinaryPushwoosh = (() => {
let initialised = false;
const init = () => {
- if (!/^(www|staging)\.binary\.com$/.test(window.location.hostname)) return;
+ if (!getCurrentBinaryDomain()) return;
if (!initialised) {
pw.push(['init', {
@@ -17,7 +18,7 @@ const BinaryPushwoosh = (() => {
applicationCode : 'D04E6-FA474',
safariWebsitePushID : 'web.com.binary',
defaultNotificationTitle: 'Binary.com',
- defaultNotificationImage: 'https://style.binary.com/images/logo/logomark.png',
+ defaultNotificationImage: urlForCurrentDomain('https://style.binary.com/images/logo/logomark.png'),
}]);
initialised = true;
sendTags();
@@ -42,7 +43,7 @@ const BinaryPushwoosh = (() => {
};
return {
- init: init,
+ init,
};
})();
diff --git a/src/javascript/_common/localize.js b/src/javascript/_common/localize.js
index 7f3a89088fe8a..261ada58ed320 100644
--- a/src/javascript/_common/localize.js
+++ b/src/javascript/_common/localize.js
@@ -24,8 +24,22 @@ const Localize = (() => {
Array.isArray(text) ? text.map(t => doLocalize(t, params)) : doLocalize(text, params)
);
+ /**
+ * Localizes the text, but doesn't replace placeholders
+ * The localized text through this method should replace the placeholders later. e.g. using template()
+ * @param {String} text - text to be localized
+ * @return {String} the localized text having the original placeholders ([_1], ...)
+ */
+ const localizeKeepPlaceholders = (text) => (
+ localize(
+ text /* localize-ignore */,
+ [...new Set(text.match(/\[_(\d+)]/g).sort())]
+ )
+ );
+
return {
localize,
+ localizeKeepPlaceholders,
forLang: localizeForLang,
};
})();
diff --git a/src/javascript/_common/os_detect.js b/src/javascript/_common/os_detect.js
new file mode 100644
index 0000000000000..56a3267f12baf
--- /dev/null
+++ b/src/javascript/_common/os_detect.js
@@ -0,0 +1,72 @@
+const localize = require('./localize').localize;
+
+const systems = {
+ mac : ['Mac68K', 'MacIntel', 'MacPPC'],
+ linux: [
+ 'HP-UX',
+ 'Linux i686',
+ 'Linux amd64',
+ 'Linux i686 on x86_64',
+ 'Linux i686 X11',
+ 'Linux x86_64',
+ 'Linux x86_64 X11',
+ 'FreeBSD',
+ 'FreeBSD i386',
+ 'FreeBSD amd64',
+ 'X11',
+ ],
+ ios: [
+ 'iPhone',
+ 'iPod',
+ 'iPad',
+ 'iPhone Simulator',
+ 'iPod Simulator',
+ 'iPad Simulator',
+ ],
+ android: [
+ 'Android',
+ 'Linux armv7l', // Samsung galaxy s2 ~ s5, nexus 4/5
+ 'Linux armv8l',
+ null,
+ ],
+ windows: [
+ 'Win16',
+ 'Win32',
+ 'Win64',
+ 'WinCE',
+ ],
+};
+
+const isDesktop = () => {
+ const os = OSDetect();
+ return !!['windows', 'mac', 'linux'].find(system => system === os);
+};
+
+const isMobile = () => /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent);
+
+const OSDetect = () => {
+ // For testing purposes or more compatibility, if we set 'config.os'
+ // inside our localStorage, we ignore fetching information from
+ // navigator object and return what we have straight away.
+ if (localStorage.getItem('config.os')) {
+ return localStorage.getItem('config.os');
+ }
+ if (typeof navigator !== 'undefined' && navigator.platform) {
+ return Object.keys(systems)
+ .map(os => {
+ if (systems[os].some(platform => navigator.platform === platform)) {
+ return os;
+ }
+ return false;
+ })
+ .filter(os => os)[0];
+ }
+
+ return localize('Unknown OS');
+};
+
+module.exports = {
+ OSDetect,
+ isDesktop,
+ isMobile,
+};
diff --git a/src/javascript/_common/scroll_to_anchor.js b/src/javascript/_common/scroll_to_anchor.js
index 5c838fc944fe6..99b3f32bd4a1c 100644
--- a/src/javascript/_common/scroll_to_anchor.js
+++ b/src/javascript/_common/scroll_to_anchor.js
@@ -53,7 +53,7 @@ const ScrollToAnchor = (() => {
const els = document.querySelectorAll('[data-anchor]');
els.forEach(el => {
if (el.querySelector('.data-anchor-link')) return;
- const title = el.innerText;
+ const title = el.getAttribute('data-anchor') === 'true' ? el.innerText : el.getAttribute('data-anchor'); // use data-anchor value else use innerText
const id = encode(title);
el.dataset.anchor = id;
const anchor_link = makeAnchorLink(id);
diff --git a/src/javascript/_common/storage.js b/src/javascript/_common/storage.js
index cd5b7ebbd290c..b749c704fb830 100644
--- a/src/javascript/_common/storage.js
+++ b/src/javascript/_common/storage.js
@@ -1,6 +1,7 @@
-const Cookies = require('js-cookie');
-const getPropertyValue = require('./utility').getPropertyValue;
-const isEmptyObject = require('./utility').isEmptyObject;
+const Cookies = require('js-cookie');
+const getPropertyValue = require('./utility').getPropertyValue;
+const isEmptyObject = require('./utility').isEmptyObject;
+const getCurrentBinaryDomain = require('../config').getCurrentBinaryDomain;
const getObject = function (key) {
return JSON.parse(this.getItem(key) || '{}');
@@ -119,7 +120,7 @@ const CookieStorage = function (cookie_name, cookie_domain) {
this.initialized = false;
this.cookie_name = cookie_name;
- this.domain = cookie_domain || (/\.binary\.com/i.test(hostname) ? `.${hostname.split('.').slice(-2).join('.')}` : hostname);
+ this.domain = cookie_domain || (getCurrentBinaryDomain() ? `.${hostname.split('.').slice(-2).join('.')}` : hostname);
this.path = '/';
this.expires = new Date('Thu, 1 Jan 2037 12:00:00 GMT');
this.value = {};
diff --git a/src/javascript/_common/third_party_links.js b/src/javascript/_common/third_party_links.js
index 947b80c3f6e83..04a535fcc6491 100644
--- a/src/javascript/_common/third_party_links.js
+++ b/src/javascript/_common/third_party_links.js
@@ -1,18 +1,14 @@
-const getPropertyValue = require('./utility').getPropertyValue;
-const Client = require('./base/client_base');
-const BinarySocket = require('../app/base/socket');
-const Dialog = require('../app/common/attach_dom/dialog');
+const localize = require('./localize').localize;
+const BinarySocket = require('../app/base/socket');
+const Dialog = require('../app/common/attach_dom/dialog');
+const isEuCountry = require('../app/common/country_base').isEuCountry;
+const getCurrentBinaryDomain = require('../config').getCurrentBinaryDomain;
const ThirdPartyLinks = (() => {
const init = () => {
- if (Client.isLoggedIn()) {
- BinarySocket.wait('authorize').then((response) => {
- const landing_company_shortcode = getPropertyValue(response, ['authorize', 'landing_company_name']);
- if (landing_company_shortcode === 'maltainvest') {
- document.body.addEventListener('click', clickHandler);
- }
- });
- }
+ BinarySocket.wait('website_status', 'authorize', 'landing_company').then(() => {
+ document.body.addEventListener('click', clickHandler);
+ });
};
const clickHandler = (e) => {
@@ -20,24 +16,60 @@ const ThirdPartyLinks = (() => {
const el_link = e.target.closest('a');
if (!el_link) return;
- const dialog = document.querySelector('#third_party_redirect_dialog');
- if (dialog && dialog.contains(el_link)) return;
-
- if (isThirdPartyLink(el_link.href)) {
- e.preventDefault();
- Dialog.confirm({
- id : 'third_party_redirect_dialog',
- message: ['You will be redirected to a third-party website which is not owned by Binary.com.', 'Click OK to proceed.'],
- }).then((should_proceed) => {
- if (should_proceed) {
- const link = window.open();
- link.opener = null;
- link.location = el_link.href;
- }
- });
+ const href = el_link.href;
+ if (isEuCountry()) {
+ const dialog = document.querySelector('#third_party_redirect_dialog');
+ if (dialog && dialog.contains(el_link)) return;
+
+ if (isThirdPartyLink(href)) {
+ e.preventDefault();
+ showThirdPartyLinkPopup(href);
+ }
+ } else {
+ const dialog = document.querySelector('#telegram_installation_dialog');
+ if (dialog && dialog.contains(el_link)) return;
+
+ if (isTelegramLink(href)) {
+ e.preventDefault();
+ showTelegramPopup(href);
+ }
}
};
+ const openThirdPartyLink = (href) => {
+ const link = window.open();
+ link.opener = null;
+ link.location = href;
+ };
+
+ const showThirdPartyLinkPopup = (href) => {
+ // show third-party website redirect notification for logged in and logged out EU clients
+ Dialog.confirm({
+ id : 'third_party_redirect_dialog',
+ localized_message: localize(['You will be redirected to a third-party website which is not owned by Binary.com.', 'Click OK to proceed.']),
+ }).then((should_proceed) => {
+ if (should_proceed && isTelegramLink(href)) {
+ showTelegramPopup(href);
+ } else if (should_proceed) {
+ openThirdPartyLink(href);
+ }
+ });
+ };
+
+ const showTelegramPopup = (href) => {
+ // show a popup to remind clients to have Telegram app installed on their device
+ Dialog.confirm({
+ id : 'telegram_installation_dialog',
+ localized_message: localize(['Please ensure that you have the Telegram app installed on your device.', 'Click OK to proceed.']),
+ }).then((should_proceed) => {
+ if (should_proceed) {
+ openThirdPartyLink(href);
+ }
+ });
+ };
+
+ const isTelegramLink = (href) => /t\.me/.test(href);
+
const isThirdPartyLink = (href) => {
let destination;
try {
@@ -46,7 +78,8 @@ const ThirdPartyLinks = (() => {
return false;
}
return !!destination.host
- && !/^.*\.binary\.com$/.test(destination.host) // destination host is not binary subdomain
+ && !new RegExp(`^.*\\.${getCurrentBinaryDomain() || 'binary\\.com'}$`).test(destination.host) // destination host is not binary subdomain
+ && !/www.(betonmarkets|xodds).com/.test(destination.host) // destination host is not binary old domain
&& window.location.host !== destination.host;
};
diff --git a/src/javascript/_common/url.js b/src/javascript/_common/url.js
index acc75d7846dbd..35bb137b4ad3a 100644
--- a/src/javascript/_common/url.js
+++ b/src/javascript/_common/url.js
@@ -1,7 +1,8 @@
-const urlForLanguage = require('./language').urlFor;
-const urlLang = require('./language').urlLang;
-const createElement = require('./utility').createElement;
-const isEmptyObject = require('./utility').isEmptyObject;
+const urlForLanguage = require('./language').urlFor;
+const urlLang = require('./language').urlLang;
+const createElement = require('./utility').createElement;
+const isEmptyObject = require('./utility').isEmptyObject;
+const getCurrentBinaryDomain = require('../config').getCurrentBinaryDomain;
require('url-polyfill');
const Url = (() => {
@@ -50,11 +51,37 @@ const Url = (() => {
// url language might differ from passed language, so we will always replace using the url language
const url_lang = (language ? urlLang().toLowerCase() : lang);
const url = window.location.href;
- const new_url = `${url.substring(0, url.indexOf(`/${url_lang}/`) + url_lang.length + 2)}${(normalizePath(path) || (`home${(lang === 'ja' ? '-jp' : '')}`))}.html${(pars ? `?${pars}` : '')}`;
+ const new_url = `${url.substring(0, url.indexOf(`/${url_lang}/`) + url_lang.length + 2)}${(normalizePath(path) || 'home')}.html${(pars ? `?${pars}` : '')}`;
// replace old lang with new lang
return urlForLanguage(lang, new_url);
};
+ const default_domain = 'binary.com';
+ const host_map = { // the exceptions regarding updating the URLs
+ 'bot.binary.com' : 'www.binary.bot',
+ 'developers.binary.com': 'developers.binary.com', // same, shouldn't change
+ };
+
+ const urlForCurrentDomain = (href) => {
+ const current_domain = getCurrentBinaryDomain();
+
+ if (!current_domain) {
+ return href; // don't change when domain is not supported
+ }
+
+ const url_object = new URL(href);
+ if (Object.keys(host_map).includes(url_object.hostname)) {
+ url_object.hostname = host_map[url_object.hostname];
+ } else if (url_object.hostname.indexOf(default_domain) !== -1) {
+ // to keep all non-Binary links unchanged, we use default domain for all Binary links in the codebase (javascript and templates)
+ url_object.hostname = url_object.hostname.replace(new RegExp(`\\.${default_domain}`, 'i'), `.${current_domain}`);
+ } else {
+ return href;
+ }
+
+ return url_object.href;
+ };
+
const urlForStatic = (path = '') => {
if (!static_host || static_host.length === 0) {
static_host = document.querySelector('script[src*="vendor.min.js"]');
@@ -105,13 +132,17 @@ const Url = (() => {
getLocation,
paramsHashToString,
urlFor,
+ urlForCurrentDomain,
urlForStatic,
getSection,
getHashValue,
updateParamsWithoutReload,
- param : name => paramsHash()[name],
- websiteUrl: () => 'https://www.binary.com/',
+ param : name => paramsHash()[name],
+ websiteUrl : () => `${location.protocol}//${location.hostname}/`,
+ getDefaultDomain: () => default_domain,
+ getHostMap : () => host_map,
+ resetStaticHost : () => { static_host = undefined; },
};
})();
diff --git a/src/javascript/_common/utility.js b/src/javascript/_common/utility.js
index f5ae3b9d9c73a..daaf6b6a47d2b 100644
--- a/src/javascript/_common/utility.js
+++ b/src/javascript/_common/utility.js
@@ -55,7 +55,13 @@ const downloadCSV = (csv_contents, filename = 'data.csv') => {
}
};
-const template = (string, content) => string.replace(/\[_(\d+)]/g, (s, index) => content[(+index) - 1]);
+const template = (string, content) => {
+ let to_replace = content;
+ if (content && !Array.isArray(content)) {
+ to_replace = [content];
+ }
+ return string.replace(/\[_(\d+)]/g, (s, index) => to_replace[(+index) - 1]);
+};
const isEmptyObject = (obj) => {
let is_empty = true;
diff --git a/src/javascript/app/base/__tests__/client.js b/src/javascript/app/base/__tests__/client.js
index 3cced8e6a0350..aeecd7190dd23 100644
--- a/src/javascript/app/base/__tests__/client.js
+++ b/src/javascript/app/base/__tests__/client.js
@@ -27,12 +27,6 @@ describe('Client', () => {
expect(ugprade_info.upgrade_link).to.eq('new_account/maltainvestws');
expect(ugprade_info.is_current_path).to.eq(false);
});
- it('returns as expected for accounts that can upgrade to japan', () => {
- State.set(['response', 'authorize', 'authorize', 'upgradeable_landing_companies'], [ 'japan' ]);
- const ugprade_info = Client.getUpgradeInfo();
- expect(ugprade_info.upgrade_link).to.eq('new_account/japanws');
- expect(ugprade_info.is_current_path).to.eq(false);
- });
it('returns as expected for multi account opening', () => {
State.set(['response', 'authorize', 'authorize', 'upgradeable_landing_companies'], [ 'costarica' ]);
Client.set('landing_company_shortcode', 'costarica');
@@ -43,14 +37,9 @@ describe('Client', () => {
});
describe('.defaultRedirectUrl()', () => {
- it('redirects to trading for non-jp clients', () => {
+ it('redirects to trading for logged-in clients', () => {
expect(Client.defaultRedirectUrl()).to.eq(Url.urlFor('trading'));
});
- it('redirects to multi_barriers_trading for jp clients', () => {
- setURL(`${Url.websiteUrl()}ja/home-jp.html`);
- Client.setJPFlag();
- expect(Client.defaultRedirectUrl()).to.eq(Url.urlFor('multi_barriers_trading'));
- });
});
after(() => {
diff --git a/src/javascript/app/base/__tests__/clock.js b/src/javascript/app/base/__tests__/clock.js
deleted file mode 100644
index 65e32e753b6c3..0000000000000
--- a/src/javascript/app/base/__tests__/clock.js
+++ /dev/null
@@ -1,56 +0,0 @@
-const expect = require('chai').expect;
-const setJPClient = require('../../../_common/__tests__/tests_common').setJPClient;
-const setJPFlag = require('../client').setJPFlag;
-const Clock = require('../clock');
-
-describe('Clock', () => {
- describe('.toJapanTimeIfNeeded()', () => {
- const toJapanTimeIfNeeded = Clock.toJapanTimeIfNeeded;
-
- const gmt_time_str = '2017-06-14 20:34:56';
- const jp_time_str = '2017-06-15 05:34:56';
-
- describe('General', () => {
- it('returns null on empty input', () => {
- expect(toJapanTimeIfNeeded()).to.be.a('null');
- });
- it('returns null on invalid input', () => {
- expect(toJapanTimeIfNeeded('InvalidDateTime')).to.be.a('null');
- });
- });
-
- describe('Non-Japanese client', () => {
- before(setJPFlag);
-
- it('returns the correct time', () => {
- expect(toJapanTimeIfNeeded(gmt_time_str)).to.be.a('string')
- .and.to.be.eq(gmt_time_str);
- });
- it('returns the correct time having timezone', () => {
- expect(toJapanTimeIfNeeded(gmt_time_str, true)).to.be.a('string')
- .and.to.be.eq(`${gmt_time_str} +00:00`);
- });
- it('returns the correct time without seconds', () => {
- expect(toJapanTimeIfNeeded(gmt_time_str, false, true)).to.be.a('string')
- .and.to.be.eq(gmt_time_str.replace(/:\d{2}$/, ''));
- });
- });
-
- describe('Japanese client', () => {
- before(setJPClient);
-
- it('returns the correct time', () => {
- expect(toJapanTimeIfNeeded(gmt_time_str)).to.be.a('string')
- .and.to.be.eq(jp_time_str);
- });
- it('returns the correct time having timezone', () => {
- expect(toJapanTimeIfNeeded(gmt_time_str, true)).to.be.a('string')
- .and.to.be.eq(`${jp_time_str} UTC+09:00`);
- });
- it('returns the correct time without seconds', () => {
- expect(toJapanTimeIfNeeded(gmt_time_str, false, true)).to.be.a('string')
- .and.to.be.eq(jp_time_str.replace(/:\d{2}$/, ''));
- });
- });
- });
-});
diff --git a/src/javascript/app/base/binary_loader.js b/src/javascript/app/base/binary_loader.js
index a49ff2ebe68a6..992eb9fcb5e46 100644
--- a/src/javascript/app/base/binary_loader.js
+++ b/src/javascript/app/base/binary_loader.js
@@ -9,6 +9,8 @@ const ContentVisibility = require('../common/content_visibility');
const GTM = require('../../_common/base/gtm');
const Login = require('../../_common/base/login');
const getElementById = require('../../_common/common_functions').getElementById;
+const urlLang = require('../../_common/language').urlLang;
+const localizeForLang = require('../../_common/localize').forLang;
const localize = require('../../_common/localize').localize;
const ScrollToAnchor = require('../../_common/scroll_to_anchor');
const isStorageSupported = require('../../_common/storage').isStorageSupported;
@@ -27,11 +29,13 @@ const BinaryLoader = (() => {
}
if (!isStorageSupported(localStorage) || !isStorageSupported(sessionStorage)) {
- Header.displayNotification(localize('[_1] requires your browser\'s web storage to be enabled in order to function properly. Please enable it or exit private browsing mode.', ['Binary.com']),
+ Header.displayNotification(localize('[_1] requires your browser\'s web storage to be enabled in order to function properly. Please enable it or exit private browsing mode.', 'Binary.com'),
true, 'STORAGE_NOT_SUPPORTED');
getElementById('btn_login').classList.add('button-disabled');
}
+ localizeForLang(urlLang());
+
Page.showNotificationOutdatedBrowser();
Client.init();
@@ -40,18 +44,7 @@ const BinaryLoader = (() => {
container = getElementById('content-holder');
container.addEventListener('binarypjax:before', beforeContentChange);
container.addEventListener('binarypjax:after', afterContentChange);
-
- if (Login.isLoginPages()) {
- BinaryPjax.init(container, '#content');
- } else if (!Client.isLoggedIn()) {
- Client.setJPFlag();
- BinaryPjax.init(container, '#content');
- } else { // client is logged in
- // we need to set top-nav-menu class so binary-style can add event listener
- // if we wait for socket.init before doing this binary-style will not initiate the drop-down menu
- getElementById('menu-top').classList.add('smaller-font', 'top-nav-menu');
- // wait for socket to be initialized and authorize response before loading the page. handled in the onOpen function
- }
+ BinaryPjax.init(container, '#content');
ThirdPartyLinks.init();
};
@@ -84,8 +77,8 @@ const BinaryLoader = (() => {
const error_messages = {
login : () => localize('Please [_1]log in[_2] or [_3]sign up[_4] to view this page.', [``, '', ``, '']),
- only_virtual: 'Sorry, this feature is available to virtual accounts only.',
- only_real : 'This feature is not relevant to virtual-money accounts.',
+ only_virtual: () => localize('Sorry, this feature is available to virtual accounts only.'),
+ only_real : () => localize('This feature is not relevant to virtual-money accounts.'),
};
const loadHandler = (config) => {
@@ -99,9 +92,9 @@ const BinaryLoader = (() => {
if (response.error) {
displayMessage(error_messages.login());
} else if (config.only_virtual && !Client.get('is_virtual')) {
- displayMessage(error_messages.only_virtual);
+ displayMessage(error_messages.only_virtual());
} else if (config.only_real && Client.get('is_virtual')) {
- displayMessage(error_messages.only_real);
+ displayMessage(error_messages.only_real());
} else {
loadActiveScript(config);
}
@@ -128,14 +121,14 @@ const BinaryLoader = (() => {
}
};
- const displayMessage = (message) => {
+ const displayMessage = (localized_message) => {
const content = container.querySelector('#content .container');
if (!content) {
return;
}
const div_container = createElement('div', { class: 'logged_out_title_container', html: content.getElementsByTagName('h1')[0] });
- const div_notice = createElement('p', { class: 'center-text notice-msg', html: localize(message) });
+ const div_notice = createElement('p', { class: 'center-text notice-msg', html: localized_message });
div_container.appendChild(div_notice);
diff --git a/src/javascript/app/base/binary_pages.js b/src/javascript/app/base/binary_pages.js
index a44eaa0ef6d83..3c614540b7c90 100644
--- a/src/javascript/app/base/binary_pages.js
+++ b/src/javascript/app/base/binary_pages.js
@@ -4,7 +4,6 @@ const TabSelector = require('../../_common/tab_selector'); // eslint-disable-lin
// ==================== app ====================
const LoggedInHandler = require('./logged_in');
const Redirect = require('./redirect');
-const KnowledgeTest = require('../japan/knowledge_test/knowledge_test');
const AccountTransfer = require('../pages/cashier/account_transfer');
const Cashier = require('../pages/cashier/cashier');
const DepositWithdraw = require('../pages/cashier/deposit_withdraw');
@@ -14,6 +13,7 @@ const Endpoint = require('../pages/endpoint');
const MBTradePage = require('../pages/mb_trade/mb_tradepage');
const EconomicCalendar = require('../pages/resources/economic_calendar/economic_calendar');
const AssetIndexUI = require('../pages/resources/asset_index/asset_index.ui');
+const MetatraderDownloadUI = require('../pages/resources/metatrader/download.ui');
const TradingTimesUI = require('../pages/resources/trading_times/trading_times.ui');
const NewAccount = require('../pages/new_account');
const TradePage = require('../pages/trade/tradepage');
@@ -40,7 +40,6 @@ const LostPassword = require('../pages/user/lost_password');
const MetaTrader = require('../pages/user/metatrader/metatrader');
const TypesOfAccounts = require('../pages/user/metatrader/types_of_accounts');
const FinancialAccOpening = require('../pages/user/new_account/financial_acc_opening');
-const JapanAccOpening = require('../pages/user/new_account/japan_acc_opening');
const RealAccOpening = require('../pages/user/new_account/real_acc_opening');
const VirtualAccOpening = require('../pages/user/new_account/virtual_acc_opening');
const WelcomePage = require('../pages/user/new_account/welcome_page');
@@ -51,13 +50,14 @@ const TNCApproval = require('../pages/user/tnc_approval');
const VideoFacility = require('../pages/user/video_facility');
// ==================== static ====================
-const GetStartedJP = require('../../static/japan/get_started');
-const HomeJP = require('../../static/japan/home');
const Charity = require('../../static/pages/charity');
const Contact = require('../../static/pages/contact');
+const Contact2 = require('../../static/pages/contact_2');
const GetStarted = require('../../static/pages/get_started');
const Home = require('../../static/pages/home');
+const KeepSafe = require('../../static/pages/keep_safe');
const JobDetails = require('../../static/pages/job_details');
+const Platforms = require('../../static/pages/platforms');
const Regulation = require('../../static/pages/regulation');
const StaticPages = require('../../static/pages/static_pages');
const TermsAndConditions = require('../../static/pages/tnc');
@@ -75,7 +75,6 @@ const pages_config = {
cashier : { module: Cashier },
cashier_passwordws : { module: CashierPassword, is_authenticated: true, only_real: true },
change_passwordws : { module: ChangePassword, is_authenticated: true },
- two_factor_authentication: { module: TwoFactorAuthentication, is_authenticated: true },
charity : { module: Charity },
contact : { module: Contact },
detailsws : { module: PersonalDetails, is_authenticated: true, needs_currency: true },
@@ -85,8 +84,6 @@ const pages_config = {
forwardws : { module: DepositWithdraw, is_authenticated: true, only_real: true },
home : { module: Home, not_authenticated: true },
iphistoryws : { module: IPHistory, is_authenticated: true },
- japanws : { module: JapanAccOpening, is_authenticated: true, only_virtual: true },
- knowledge_testws : { module: KnowledgeTest, is_authenticated: true, only_virtual: true },
landing_page : { module: StaticPages.LandingPage, is_authenticated: true, only_virtual: true },
limitsws : { module: Limits, is_authenticated: true, only_real: true, needs_currency: true },
logged_inws : { module: LoggedInHandler },
@@ -97,7 +94,7 @@ const pages_config = {
multi_barriers_trading : { module: MBTradePage, needs_currency: true },
payment_agent_listws : { module: PaymentAgentList, is_authenticated: true },
payment_methods : { module: Cashier.PaymentMethods },
- platforms : { module: TabSelector },
+ platforms : { module: Platforms },
portfoliows : { module: Portfolio, is_authenticated: true, needs_currency: true },
profit_tablews : { module: ProfitTable, is_authenticated: true, needs_currency: true },
professional : { module: professionalClient, is_authenticated: true, only_real: true },
@@ -114,24 +111,27 @@ const pages_config = {
top_up_virtualws : { module: TopUpVirtual, is_authenticated: true, only_virtual: true },
trading : { module: TradePage, needs_currency: true },
transferws : { module: PaymentAgentTransfer, is_authenticated: true, only_real: true },
+ two_factor_authentication: { module: TwoFactorAuthentication, is_authenticated: true },
virtualws : { module: VirtualAccOpening, not_authenticated: true },
welcome : { module: WelcomePage, is_authenticated: true, only_virtual: true },
withdrawws : { module: PaymentAgentWithdraw, is_authenticated: true, only_real: true },
'binary-options' : { module: GetStarted.BinaryOptions },
+ 'binary-options-mt5' : { module: GetStarted.BinaryOptionsForMT5 },
'careers' : { module: StaticPages.Careers },
+ 'contact-2' : { module: Contact2 },
'cyberjaya' : { module: StaticPages.Locations },
'cfds' : { module: GetStarted.CFDs },
'contract-specifications': { module: TabSelector },
'cryptocurrencies' : { module: GetStarted.Cryptocurrencies },
+ 'download' : { module: MetatraderDownloadUI },
'faq' : { module: StaticPages.AffiliatesFAQ },
'forex' : { module: GetStarted.Forex },
'get-started' : { module: TabSelector },
- 'get-started-jp' : { module: GetStartedJP },
- 'home-jp' : { module: HomeJP, not_authenticated: true },
'how-to-trade-mt5' : { module: TabSelector },
'ib-faq' : { module: StaticPages.IBProgrammeFAQ },
'ib-signup' : { module: TabSelector },
'job-details' : { module: JobDetails },
+ 'keep-safe' : { module: KeepSafe },
'labuan' : { module: StaticPages.Locations },
'malta' : { module: StaticPages.Locations },
'metals' : { module: GetStarted.Metals },
@@ -141,11 +141,9 @@ const pages_config = {
'payment-agent' : { module: StaticPages.PaymentAgent },
'set-currency' : { module: SetCurrency, is_authenticated: true, only_real: true, needs_currency: true },
'terms-and-conditions' : { module: TermsAndConditions },
- 'terms-and-conditions-jp': { module: TermsAndConditions },
'types-of-accounts' : { module: TypesOfAccounts },
'video-facility' : { module: VideoFacility, is_authenticated: true, only_real: true },
'why-us' : { module: WhyUs },
- 'why-us-jp' : { module: WhyUs },
'telegram-bot' : { module: TelegramBot, is_authenticated: true },
};
/* eslint-enable max-len */
diff --git a/src/javascript/app/base/binary_pjax.js b/src/javascript/app/base/binary_pjax.js
index 150abe38e5655..a4ff0168379f5 100644
--- a/src/javascript/app/base/binary_pjax.js
+++ b/src/javascript/app/base/binary_pjax.js
@@ -85,8 +85,8 @@ const BinaryPjax = (() => {
// }
event.preventDefault();
- // check if url is not same as current
- if (location.href !== url) {
+ // check if url is not same as current or if url has `anchor` query
+ if (location.href !== url || Url.paramsHash().anchor) {
processUrl(url);
}
};
diff --git a/src/javascript/app/base/client.js b/src/javascript/app/base/client.js
index d3133fd82889b..b7ccb74b31265 100644
--- a/src/javascript/app/base/client.js
+++ b/src/javascript/app/base/client.js
@@ -4,9 +4,7 @@ const ClientBase = require('../../_common/base/client_base');
const GTM = require('../../_common/base/gtm');
const SocketCache = require('../../_common/base/socket_cache');
const getElementById = require('../../_common/common_functions').getElementById;
-const urlLang = require('../../_common/language').urlLang;
const removeCookies = require('../../_common/storage').removeCookies;
-const State = require('../../_common/storage').State;
const urlFor = require('../../_common/url').urlFor;
const applyToAllElements = require('../../_common/utility').applyToAllElements;
const getPropertyValue = require('../../_common/utility').getPropertyValue;
@@ -18,10 +16,6 @@ const Client = (() => {
}
};
- const shouldShowJP = (el) => (
- isJPClient() ? (!/ja-hide/.test(el.classList) || /ja-show/.test(el.classList)) : !/ja-show/.test(el.classList)
- );
-
const activateByClientType = (section_id) => {
const topbar_class = getElementById('topbar').classList;
const el_section = section_id ? getElementById(section_id) : document.body;
@@ -35,9 +29,7 @@ const Client = (() => {
client_logged_in.classList.add('gr-centered');
applyToAllElements('.client_logged_in', (el) => {
- if (shouldShowJP(el)) {
- el.setVisibility(1);
- }
+ el.setVisibility(1);
});
if (ClientBase.get('is_virtual')) {
@@ -46,9 +38,7 @@ const Client = (() => {
topbar_class.remove(primary_bg_color_dark);
} else {
applyToAllElements('.client_real', (el) => {
- if (shouldShowJP(el)) {
- el.setVisibility(1);
- }
+ el.setVisibility(1);
}, '', el_section);
topbar_class.add(primary_bg_color_dark);
topbar_class.remove(secondary_bg_color);
@@ -56,9 +46,7 @@ const Client = (() => {
});
} else {
applyToAllElements('.client_logged_out', (el) => {
- if (shouldShowJP(el)) {
- el.setVisibility(1);
- }
+ el.setVisibility(1);
}, '', el_section);
topbar_class.add(primary_bg_color_dark);
topbar_class.remove(secondary_bg_color);
@@ -100,7 +88,6 @@ const Client = (() => {
const upgrade_link_map = {
realws : ['costarica', 'iom', 'malta'],
maltainvestws: ['maltainvest'],
- japanws : ['japan'],
};
upgrade_link = Object.keys(upgrade_link_map).find(link =>
upgrade_link_map[link].indexOf(upgrade_info.can_upgrade_to) !== -1
@@ -113,14 +100,7 @@ const Client = (() => {
});
};
- const defaultRedirectUrl = () => urlFor(isJPClient() ? 'multi_barriers_trading' : 'trading');
-
- const setJPFlag = () => {
- const is_jp_client = urlLang() === 'ja' || ClientBase.get('residence') === 'jp';
- State.set('is_jp_client', is_jp_client); // accessible by files that cannot call Client
- };
-
- const isJPClient = () => State.get('is_jp_client');
+ const defaultRedirectUrl = () => urlFor('trading');
return Object.assign({
processNewAccount,
@@ -129,8 +109,6 @@ const Client = (() => {
doLogout,
getUpgradeInfo,
defaultRedirectUrl,
- setJPFlag,
- isJPClient,
}, ClientBase);
})();
diff --git a/src/javascript/app/base/clock.js b/src/javascript/app/base/clock.js
index 16d6c8305ce19..aa7b5924468c0 100644
--- a/src/javascript/app/base/clock.js
+++ b/src/javascript/app/base/clock.js
@@ -1,5 +1,4 @@
const moment = require('moment');
-const isJPClient = require('./client').isJPClient;
const ServerTime = require('../../_common/base/server_time');
const elementInnerHtml = require('../../_common/common_functions').elementInnerHtml;
const getElementById = require('../../_common/common_functions').getElementById;
@@ -21,12 +20,8 @@ const Clock = (() => {
window.time = server_time;
const time_str = `${server_time.format('YYYY-MM-DD HH:mm:ss')} GMT`;
- if (isJPClient()) {
- elementInnerHtml(el_clock, toJapanTimeIfNeeded(time_str, 1, 1));
- } else {
- elementInnerHtml(el_clock, time_str);
- showLocalTimeOnHover('#gmt-clock');
- }
+ elementInnerHtml(el_clock, time_str);
+ showLocalTimeOnHover('#gmt-clock');
if (typeof fncExternalTimer === 'function') {
fncExternalTimer();
@@ -34,7 +29,6 @@ const Clock = (() => {
};
const showLocalTimeOnHover = (selector) => {
- if (isJPClient()) return;
document.querySelectorAll(selector || '.date').forEach((el) => {
const gmt_time_str = el.textContent.replace('\n', ' ');
const local_time = moment.utc(gmt_time_str, 'YYYY-MM-DD HH:mm:ss').local();
@@ -44,33 +38,9 @@ const Clock = (() => {
});
};
- const toJapanTimeIfNeeded = (gmt_time_str, show_time_zone, hide_seconds) => {
- let time;
-
- if (typeof gmt_time_str === 'number') {
- time = moment.utc(gmt_time_str * 1000);
- } else if (gmt_time_str) {
- time = moment.utc(gmt_time_str, 'YYYY-MM-DD HH:mm:ss');
- }
-
- if (!time || !time.isValid()) {
- return null;
- }
-
- let offset = '+00:00';
- let time_zone = 'Z';
- if (isJPClient()) {
- offset = '+09:00';
- time_zone = 'zZ';
- }
-
- return time.utcOffset(offset).format(`YYYY-MM-DD HH:mm${hide_seconds ? '' : ':ss'}${show_time_zone ? ` ${time_zone}` : ''}`);
- };
-
return {
startClock,
showLocalTimeOnHover,
- toJapanTimeIfNeeded,
setExternalTimer: (func) => { fncExternalTimer = func; },
};
diff --git a/src/javascript/app/base/footer.js b/src/javascript/app/base/footer.js
index 323707c1faae3..98509543fe166 100644
--- a/src/javascript/app/base/footer.js
+++ b/src/javascript/app/base/footer.js
@@ -1,20 +1,19 @@
const BinarySocket = require('./socket');
const Client = require('../base/client');
+const isEuCountry = require('../common/country_base').isEuCountry;
const State = require('../../_common/storage').State;
const Footer = (() => {
const onLoad = () => {
- BinarySocket.wait('website_status', 'authorize').then(() => {
+ BinarySocket.wait('website_status', 'authorize', 'landing_company').then(() => {
// show CFD warning to logged in maltainvest clients or
// logged in virtual clients with maltainvest financial landing company or
// logged out clients with EU IP address
if (Client.isLoggedIn()) {
- BinarySocket.wait('landing_company').then(() => {
- showWarning((Client.get('landing_company_shortcode') === 'maltainvest' ||
- (Client.get('is_virtual') && State.getResponse('landing_company.financial_company.shortcode') === 'maltainvest')));
- });
+ showWarning((Client.get('landing_company_shortcode') === 'maltainvest' ||
+ (Client.get('is_virtual') && State.getResponse('landing_company.financial_company.shortcode') === 'maltainvest')));
} else {
- showWarning(State.get('is_eu'));
+ showWarning(isEuCountry());
}
});
};
diff --git a/src/javascript/app/base/header.js b/src/javascript/app/base/header.js
index 94add319a1f60..869bac8df41bc 100644
--- a/src/javascript/app/base/header.js
+++ b/src/javascript/app/base/header.js
@@ -1,31 +1,29 @@
-const BinaryPjax = require('./binary_pjax');
-const Client = require('./client');
-const BinarySocket = require('./socket');
-const showHidePulser = require('../common/account_opening').showHidePulser;
-const checkClientsCountry = require('../common/country_base').checkClientsCountry;
-const MetaTrader = require('../pages/user/metatrader/metatrader');
-const GTM = require('../../_common/base/gtm');
-const Login = require('../../_common/base/login');
-const SocketCache = require('../../_common/base/socket_cache');
-const elementInnerHtml = require('../../_common/common_functions').elementInnerHtml;
-const elementTextContent = require('../../_common/common_functions').elementTextContent;
-const getElementById = require('../../_common/common_functions').getElementById;
-const localize = require('../../_common/localize').localize;
-const State = require('../../_common/storage').State;
-const toTitleCase = require('../../_common/string_util').toTitleCase;
-const Url = require('../../_common/url');
-const applyToAllElements = require('../../_common/utility').applyToAllElements;
-const createElement = require('../../_common/utility').createElement;
-const findParent = require('../../_common/utility').findParent;
+const BinaryPjax = require('./binary_pjax');
+const Client = require('./client');
+const BinarySocket = require('./socket');
+const showHidePulser = require('../common/account_opening').showHidePulser;
+const MetaTrader = require('../pages/user/metatrader/metatrader');
+const GTM = require('../../_common/base/gtm');
+const Login = require('../../_common/base/login');
+const SocketCache = require('../../_common/base/socket_cache');
+const elementInnerHtml = require('../../_common/common_functions').elementInnerHtml;
+const elementTextContent = require('../../_common/common_functions').elementTextContent;
+const getElementById = require('../../_common/common_functions').getElementById;
+const localize = require('../../_common/localize').localize;
+const localizeKeepPlaceholders = require('../../_common/localize').localizeKeepPlaceholders;
+const State = require('../../_common/storage').State;
+const Url = require('../../_common/url');
+const applyToAllElements = require('../../_common/utility').applyToAllElements;
+const createElement = require('../../_common/utility').createElement;
+const findParent = require('../../_common/utility').findParent;
+const template = require('../../_common/utility').template;
const Header = (() => {
const onLoad = () => {
populateAccountsList();
bindClick();
- if (!Login.isLoginPages()) {
- checkClientsCountry();
- }
if (Client.isLoggedIn()) {
+ getElementById('menu-top').classList.add('smaller-font', 'top-nav-menu');
displayAccountStatus();
if (!Client.get('is_virtual')) {
BinarySocket.wait('website_status', 'authorize', 'balance').then(() => {
@@ -73,9 +71,9 @@ const Header = (() => {
Client.getAllLoginids().forEach((loginid) => {
if (!Client.get('is_disabled', loginid) && Client.get('token', loginid)) {
const account_title = Client.getAccountTitle(loginid);
- const is_real = /real/i.test(account_title);
+ const is_real = !Client.getAccountType(loginid); // this function only returns virtual/gaming/financial types
const currency = Client.get('currency', loginid);
- const localized_type = localize('[_1] Account', [is_real && currency ? currency : account_title]);
+ const localized_type = localize('[_1] Account', is_real && currency ? currency : account_title);
if (loginid === Client.get('loginid')) { // default account
applyToAllElements('.account-type', (el) => { elementInnerHtml(el, localized_type); });
applyToAllElements('.account-id', (el) => { elementInnerHtml(el, loginid); });
@@ -110,7 +108,7 @@ const Header = (() => {
const metatraderMenuItemVisibility = () => {
BinarySocket.wait('landing_company', 'get_account_status').then(() => {
- if (MetaTrader.isEligible() && !Client.isJPClient()) {
+ if (MetaTrader.isEligible()) {
const mt_visibility = document.getElementsByClassName('mt_visibility');
applyToAllElements(mt_visibility, (el) => {
el.setVisibility(1);
@@ -145,28 +143,32 @@ const Header = (() => {
return;
}
- const showUpgrade = (url, msg) => {
+ const showUpgrade = (url, localized_text) => {
applyToAllElements(upgrade_msg, (el) => {
el.setVisibility(1);
applyToAllElements('a', (ele) => {
- ele.html(createElement('span', { text: localize(msg) })).setVisibility(1).setAttribute('href', Url.urlFor(url));
+ ele.html(createElement('span', { text: localized_text })).setVisibility(1).setAttribute('href', Url.urlFor(url));
}, '', el);
});
};
- const showUpgradeBtn = (url, msg) => {
+ const showUpgradeBtn = (url, localized_text) => {
applyToAllElements(upgrade_msg, (el) => {
el.setVisibility(1);
applyToAllElements('a.button', (ele) => {
- ele.html(createElement('span', { text: localize(msg) })).setVisibility(1).setAttribute('href', Url.urlFor(url));
+ ele.html(createElement('span', { text: localized_text })).setVisibility(1).setAttribute('href', Url.urlFor(url));
}, '', el);
});
};
- const jp_account_status = State.getResponse('get_settings.jp_account_status.status');
- const upgrade_info = Client.getUpgradeInfo();
- const show_upgrade_msg = upgrade_info.can_upgrade;
- const virtual_text = getElementById('virtual-text');
+ const upgrade_info = Client.getUpgradeInfo();
+ const show_upgrade_msg = upgrade_info.can_upgrade;
+ const upgrade_link_txt = upgrade_info.type === 'financial'
+ ? localize('Click here to open a Financial Account')
+ : localize('Click here to open a Real Account');
+ const upgrade_btn_txt = upgrade_info.type === 'financial'
+ ? localize('Open a Financial Account')
+ : localize('Open a Real Account');
if (Client.get('is_virtual')) {
applyToAllElements(upgrade_msg, (el) => {
@@ -178,21 +180,9 @@ const Header = (() => {
applyToAllElements('a', (ele) => { ele.setVisibility(0); }, '', el);
});
- if (jp_account_status) {
- const has_disabled_jp = Client.isJPClient() && Client.getAccountOfType('real').is_disabled;
- if (/jp_knowledge_test_(pending|fail)/.test(jp_account_status)) { // do not returns the correct timeshow upgrade for user that filled up form
- showUpgrade('/new_account/knowledge_testws', '{JAPAN ONLY}Take knowledge test');
- } else if (show_upgrade_msg || (has_disabled_jp && jp_account_status !== 'disabled')) {
- applyToAllElements(upgrade_msg, (el) => { el.setVisibility(1); });
- if (jp_account_status === 'jp_activation_pending' && !document.getElementsByClassName('activation-message')) {
- virtual_text.appendChild(createElement('div', { class: 'activation-message', text: ` ${localize('{JAPAN ONLY}Your Application is Being Processed.')}` }));
- } else if (jp_account_status === 'activated' && !document.getElementsByClassName('activated-message')) {
- virtual_text.appendChild(createElement('div', { class: 'activated-message', text: ` ${localize('{JAPAN ONLY}Your Application has Been Processed. Please Re-Login to Access Your Real-Money Account.')}` }));
- }
- }
- } else if (show_upgrade_msg) {
- showUpgrade(upgrade_info.upgrade_link, `Click here to open a ${toTitleCase(upgrade_info.type)} Account`);
- showUpgradeBtn(upgrade_info.upgrade_link, `Open a ${toTitleCase(upgrade_info.type)} Account`);
+ if (show_upgrade_msg) {
+ showUpgrade(upgrade_info.upgrade_link, upgrade_link_txt);
+ showUpgradeBtn(upgrade_info.upgrade_link, upgrade_btn_txt);
} else {
applyToAllElements(upgrade_msg, (el) => {
applyToAllElements('a', (ele) => {
@@ -202,8 +192,8 @@ const Header = (() => {
}
} else if (show_upgrade_msg) {
getElementById('virtual-wrapper').setVisibility(0);
- showUpgrade(upgrade_info.upgrade_link, `Click here to open a ${toTitleCase(upgrade_info.type)} Account`);
- showUpgradeBtn(upgrade_info.upgrade_link, `Open a ${toTitleCase(upgrade_info.type)} Account`);
+ showUpgrade(upgrade_info.upgrade_link, upgrade_link_txt);
+ showUpgradeBtn(upgrade_info.upgrade_link, upgrade_btn_txt);
if (/new_account/.test(window.location.href)) {
showHidePulser(0);
@@ -217,16 +207,15 @@ const Header = (() => {
const showHideNewAccount = (upgrade_info) => {
if (upgrade_info.can_upgrade || upgrade_info.can_open_multi) {
- changeAccountsText(1, 'Create Account');
+ changeAccountsText(1, localize('Create Account'));
} else {
- changeAccountsText(0, 'Accounts List');
+ changeAccountsText(0, localize('Accounts List'));
}
};
- const changeAccountsText = (add_new_style, text) => {
+ const changeAccountsText = (add_new_style, localized_text) => {
const user_accounts = getElementById('user_accounts');
user_accounts.classList[add_new_style ? 'add' : 'remove']('create_new_account');
- const localized_text = localize(text);
applyToAllElements('li', (el) => { elementTextContent(el, localized_text); }, '', user_accounts);
};
@@ -266,8 +255,6 @@ const Header = (() => {
let get_account_status,
status;
- const riskAssessment = () => (Client.getRiskAssessment() && !Client.isJPClient());
-
const hasMissingRequiredField = () => {
const required_fields = [
'account_opening_reason',
@@ -282,26 +269,30 @@ const Header = (() => {
return required_fields.some(field => !get_settings[field]);
};
- const buildMessage = (string, path, hash = '') => localize(string, [``, '']);
+ const buildMessage = (string, path, hash = '') => template(string, [``, '']);
const hasStatus = (string) => status.findIndex(s => s === string) < 0 ? Boolean(false) : Boolean(true);
+ const has_no_tnc_limit = Client.get('landing_company_shortcode') === 'costarica';
+
const messages = {
- authenticate : () => buildMessage('[_1]Authenticate your account[_2] now to take full advantage of all payment methods available.', 'user/authenticate'),
+ authenticate : () => buildMessage(localizeKeepPlaceholders('[_1]Authenticate your account[_2] now to take full advantage of all payment methods available.'), 'user/authenticate'),
cashier_locked : () => localize('Deposits and withdrawals have been disabled on your account. Please check your email for more details.'),
- currency : () => buildMessage('Please set the [_1]currency[_2] of your account.', 'user/set-currency'),
- document_needs_action: () => buildMessage('[_1]Your Proof of Identity or Proof of Address[_2] did not meet our requirements. Please check your email for further instructions.', 'user/authenticate'),
- document_review : () => buildMessage('We are reviewing your documents. For more details [_1]contact us[_2].', 'contact'),
- excluded_until : () => buildMessage('Your account is restricted. Kindly [_1]contact customer support[_2] for assistance.', 'contact'),
- financial_limit : () => buildMessage('Please set your [_1]30-day turnover limit[_2] to remove deposit limits.', 'user/security/self_exclusionws'),
- mf_retail : () => buildMessage('Binary Options Trading has been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.', 'contact'),
+ currency : () => buildMessage(localizeKeepPlaceholders('Please set the [_1]currency[_2] of your account.'), 'user/set-currency'),
+ document_needs_action: () => buildMessage(localizeKeepPlaceholders('[_1]Your Proof of Identity or Proof of Address[_2] did not meet our requirements. Please check your email for further instructions.'), 'user/authenticate'),
+ document_review : () => buildMessage(localizeKeepPlaceholders('We are reviewing your documents. For more details [_1]contact us[_2].'), 'contact'),
+ excluded_until : () => buildMessage(localizeKeepPlaceholders('Your account is restricted. Kindly [_1]contact customer support[_2] for assistance.'), 'contact'),
+ financial_limit : () => buildMessage(localizeKeepPlaceholders('Please set your [_1]30-day turnover limit[_2] to remove deposit limits.'), 'user/security/self_exclusionws'),
+ mf_retail : () => buildMessage(localizeKeepPlaceholders('Binary Options Trading has been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.'), 'contact'),
mt5_withdrawal_locked: () => localize('MT5 withdrawals have been disabled on your account. Please check your email for more details.'),
- required_fields : () => buildMessage('Please complete your [_1]personal details[_2] before you proceed.', 'user/settings/detailsws'),
- residence : () => buildMessage('Please set [_1]country of residence[_2] before upgrading to a real-money account.', 'user/settings/detailsws'),
- risk : () => buildMessage('Please complete the [_1]financial assessment form[_2] to lift your withdrawal and trading limits.', 'user/settings/assessmentws'),
- tax : () => buildMessage('Please [_1]complete your account profile[_2] to lift your withdrawal and trading limits.', 'user/settings/detailsws'),
- tnc : () => buildMessage('Please [_1]accept the updated Terms and Conditions[_2] to lift your withdrawal and trading limits.', 'user/tnc_approvalws'),
- unwelcome : () => buildMessage('Trading and deposits have been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.', 'contact'),
+ required_fields : () => buildMessage(localizeKeepPlaceholders('Please complete your [_1]personal details[_2] before you proceed.'), 'user/settings/detailsws'),
+ residence : () => buildMessage(localizeKeepPlaceholders('Please set [_1]country of residence[_2] before upgrading to a real-money account.'), 'user/settings/detailsws'),
+ risk : () => buildMessage(localizeKeepPlaceholders('Please complete the [_1]financial assessment form[_2] to lift your withdrawal and trading limits.'), 'user/settings/assessmentws'),
+ tax : () => buildMessage(localizeKeepPlaceholders('Please [_1]complete your account profile[_2] to lift your withdrawal and trading limits.'), 'user/settings/detailsws'),
+ unwelcome : () => buildMessage(localizeKeepPlaceholders('Trading and deposits have been disabled on your account. Kindly [_1]contact customer support[_2] for assistance.'), 'contact'),
withdrawal_locked : () => localize('Withdrawals have been disabled on your account. Please check your email for more details.'),
+ tnc : () => buildMessage(has_no_tnc_limit
+ ? localizeKeepPlaceholders('Please [_1]accept the updated Terms and Conditions[_2].')
+ : localizeKeepPlaceholders('Please [_1]accept the updated Terms and Conditions[_2] to lift your deposit and trading limits.'), 'user/tnc_approvalws'),
};
const validations = {
@@ -316,7 +307,7 @@ const Header = (() => {
mt5_withdrawal_locked: () => hasStatus('mt5_withdrawal_locked'),
required_fields : () => Client.isAccountOfType('financial') && hasMissingRequiredField(),
residence : () => !Client.get('residence'),
- risk : () => riskAssessment(),
+ risk : () => Client.getRiskAssessment(),
tax : () => Client.shouldCompleteTax(),
tnc : () => Client.shouldAcceptTnc(),
unwelcome : () => hasStatus('unwelcome'),
diff --git a/src/javascript/app/base/logged_in.js b/src/javascript/app/base/logged_in.js
index 5a3cdecd96426..f69e140ca6262 100644
--- a/src/javascript/app/base/logged_in.js
+++ b/src/javascript/app/base/logged_in.js
@@ -33,7 +33,7 @@ const LoggedInHandler = (() => {
// redirect back
let set_default = true;
if (redirect_url) {
- const do_not_redirect = ['reset_passwordws', 'lost_passwordws', 'change_passwordws', 'home', 'home-jp', '404'];
+ const do_not_redirect = ['reset_passwordws', 'lost_passwordws', 'change_passwordws', 'home', '404'];
const reg = new RegExp(do_not_redirect.join('|'), 'i');
if (!reg.test(redirect_url) && urlFor('') !== redirect_url) {
set_default = false;
diff --git a/src/javascript/app/base/network_monitor.js b/src/javascript/app/base/network_monitor.js
index 9a63fc87cdf6c..ac923128437c5 100644
--- a/src/javascript/app/base/network_monitor.js
+++ b/src/javascript/app/base/network_monitor.js
@@ -26,7 +26,7 @@ const NetworkMonitor = (() => {
if (el_status && el_tooltip) {
el_status.setAttribute('class', status.class);
- el_tooltip.setAttribute('data-balloon', `${localize('Network status')}: ${localize(status.tooltip)}`);
+ el_tooltip.setAttribute('data-balloon', `${localize('Network status')}: ${status.tooltip}`);
}
};
diff --git a/src/javascript/app/base/page.js b/src/javascript/app/base/page.js
index abcf89a6a8437..40e2ea1b95aa5 100644
--- a/src/javascript/app/base/page.js
+++ b/src/javascript/app/base/page.js
@@ -1,26 +1,29 @@
const Cookies = require('js-cookie');
+const moment = require('moment');
const Client = require('./client');
const Contents = require('./contents');
const Header = require('./header');
const Footer = require('./footer');
const Menu = require('./menu');
const BinarySocket = require('./socket');
-const checkLanguage = require('../common/country_base').checkLanguage;
const TrafficSource = require('../common/traffic_source');
const RealityCheck = require('../pages/user/reality_check/reality_check');
+const Elevio = require('../../_common/base/elevio');
const Login = require('../../_common/base/login');
const elementInnerHtml = require('../../_common/common_functions').elementInnerHtml;
const getElementById = require('../../_common/common_functions').getElementById;
const Crowdin = require('../../_common/crowdin');
const Language = require('../../_common/language');
const PushNotification = require('../../_common/lib/push_notification');
-const Localize = require('../../_common/localize');
const localize = require('../../_common/localize').localize;
+const isMobile = require('../../_common/os_detect').isMobile;
+const LocalStore = require('../../_common/storage').LocalStore;
const State = require('../../_common/storage').State;
const scrollToTop = require('../../_common/scroll').scrollToTop;
+const toISOFormat = require('../../_common/string_util').toISOFormat;
const Url = require('../../_common/url');
const createElement = require('../../_common/utility').createElement;
-const AffiliatePopup = require('../../static/japan/affiliate_popup');
+const isProduction = require('../../config').isProduction;
require('../../_common/lib/polyfills/array.includes');
require('../../_common/lib/polyfills/string.includes');
@@ -28,6 +31,7 @@ const Page = (() => {
const init = () => {
State.set('is_loaded_by_pjax', false);
Url.init();
+ Elevio.init();
PushNotification.init();
onDocumentReady();
Crowdin.init();
@@ -69,16 +73,17 @@ const Page = (() => {
const onLoad = () => {
if (State.get('is_loaded_by_pjax')) {
Url.reset();
+ updateLinksURL('#content');
} else {
init();
if (!Login.isLoginPages()) {
Language.setCookie(Language.urlLang());
}
- Localize.forLang(Language.urlLang());
Header.onLoad();
Footer.onLoad();
Language.setCookie();
Menu.makeMobileMenu();
+ updateLinksURL('body');
recordAffiliateExposure();
endpointNotification();
}
@@ -90,13 +95,19 @@ const Page = (() => {
}
if (Client.isLoggedIn()) {
BinarySocket.wait('authorize', 'website_status', 'get_account_status').then(() => {
- checkLanguage();
RealityCheck.onLoad();
Menu.init();
});
} else {
- checkLanguage();
Menu.init();
+ if (!LocalStore.get('date_first_contact')) {
+ BinarySocket.wait('time').then((response) => {
+ LocalStore.set('date_first_contact', toISOFormat(moment(response.time * 1000).utc()));
+ });
+ }
+ if (!LocalStore.get('signup_device')) {
+ LocalStore.set('signup_device', (isMobile() ? 'mobile' : 'desktop'));
+ }
}
TrafficSource.setData();
};
@@ -107,8 +118,6 @@ const Page = (() => {
return false;
}
- AffiliatePopup.show();
-
const token_length = token.length;
const is_subsidiary = /\w{1}/.test(Url.param('s'));
@@ -142,7 +151,7 @@ const Page = (() => {
const endpointNotification = () => {
const server = localStorage.getItem('config.server_url');
if (server && server.length > 0) {
- const message = `${(/www\.binary\.com/i.test(window.location.hostname) ? '' :
+ const message = `${(isProduction() ? '' :
`${localize('This is a staging server - For testing purposes only')} - `)}
${localize('The server endpoint is: [_2]', [Url.urlFor('endpoint'), server])}`;
@@ -158,7 +167,7 @@ const Page = (() => {
const src = '//browser-update.org/update.min.js';
if (document.querySelector(`script[src*="${src}"]`)) return;
window.$buoop = {
- vs : { i: 11, f: -4, o: -4, s: 9, c: -4 },
+ vs : { i: 11, f: -4, o: -4, s: 9, c: 65 },
api : 4,
l : Language.get().toLowerCase(),
url : 'https://whatbrowser.org/',
@@ -172,6 +181,12 @@ const Page = (() => {
}
};
+ const updateLinksURL = (container_selector) => {
+ $(container_selector).find(`a[href*=".${Url.getDefaultDomain()}"]`).each(function() {
+ $(this).attr('href', Url.urlForCurrentDomain($(this).attr('href')));
+ });
+ };
+
return {
onLoad,
showNotificationOutdatedBrowser,
diff --git a/src/javascript/app/base/socket_general.js b/src/javascript/app/base/socket_general.js
index a2917991471cc..cd14d29c9453b 100644
--- a/src/javascript/app/base/socket_general.js
+++ b/src/javascript/app/base/socket_general.js
@@ -1,21 +1,22 @@
-const BinaryPjax = require('./binary_pjax');
-const Client = require('./client');
-const Clock = require('./clock');
-const Footer = require('./footer');
-const Header = require('./header');
-const BinarySocket = require('./socket');
-const Dialog = require('../common/attach_dom/dialog');
-const showPopup = require('../common/attach_dom/popup');
-const setCurrencies = require('../common/currency').setCurrencies;
-const SessionDurationLimit = require('../common/session_duration_limit');
-const updateBalance = require('../pages/user/update_balance');
-const GTM = require('../../_common/base/gtm');
-const Login = require('../../_common/base/login');
-const getElementById = require('../../_common/common_functions').getElementById;
-const localize = require('../../_common/localize').localize;
-const State = require('../../_common/storage').State;
-const urlFor = require('../../_common/url').urlFor;
-const getPropertyValue = require('../../_common/utility').getPropertyValue;
+const Client = require('./client');
+const Clock = require('./clock');
+const Footer = require('./footer');
+const Header = require('./header');
+const BinarySocket = require('./socket');
+const Dialog = require('../common/attach_dom/dialog');
+const createLanguageDropDown = require('../common/attach_dom/language_dropdown');
+const showPopup = require('../common/attach_dom/popup');
+const setCurrencies = require('../common/currency').setCurrencies;
+const SessionDurationLimit = require('../common/session_duration_limit');
+const updateBalance = require('../pages/user/update_balance');
+const GTM = require('../../_common/base/gtm');
+const Login = require('../../_common/base/login');
+const Crowdin = require('../../_common/crowdin');
+const localize = require('../../_common/localize').localize;
+const LocalStore = require('../../_common/storage').LocalStore;
+const State = require('../../_common/storage').State;
+const urlFor = require('../../_common/url').urlFor;
+const getPropertyValue = require('../../_common/utility').getPropertyValue;
const BinarySocketGeneral = (() => {
const onOpen = (is_ready) => {
@@ -27,12 +28,6 @@ const BinarySocketGeneral = (() => {
return;
}
BinarySocket.send({ website_status: 1, subscribe: 1 });
- if (Client.isLoggedIn()) {
- BinarySocket.wait('authorize').then(() => {
- Client.setJPFlag();
- BinaryPjax.init(getElementById('content-holder'), '#content');
- });
- }
}
Clock.startClock();
}
@@ -50,6 +45,9 @@ const BinarySocketGeneral = (() => {
window.location.reload();
return;
}
+ if (!Crowdin.isInContext()) {
+ createLanguageDropDown(response.website_status);
+ }
if (response.website_status.message) {
Footer.displayNotification(response.website_status.message);
} else {
@@ -57,6 +55,10 @@ const BinarySocketGeneral = (() => {
}
BinarySocket.availability(is_available);
setCurrencies(response.website_status);
+ // for logged out clients send landing company with IP address as residence
+ if (!Client.isLoggedIn() && !State.getResponse('landing_company')) {
+ BinarySocket.send({ landing_company: response.website_status.clients_country });
+ }
}
break;
case 'authorize':
@@ -64,7 +66,7 @@ const BinarySocketGeneral = (() => {
const is_active_tab = sessionStorage.getItem('active_tab') === '1';
if (getPropertyValue(response, ['error', 'code']) === 'SelfExclusion' && is_active_tab) {
sessionStorage.removeItem('active_tab');
- Dialog.alert({ id: 'authorize_error_alert', message: response.error.message });
+ Dialog.alert({ id: 'authorize_error_alert', localized_message: response.error.message });
}
Client.sendLogoutRequest(is_active_tab);
} else if (!Login.isLoginPages() && !/authorize/.test(State.get('skip_response'))) {
@@ -77,7 +79,12 @@ const BinarySocketGeneral = (() => {
BinarySocket.send({ get_account_status: 1 });
BinarySocket.send({ payout_currencies: 1 });
BinarySocket.send({ mt5_login_list: 1 });
- setResidence(response.authorize.country || Client.get('residence'));
+ const clients_country = response.authorize.country || Client.get('residence');
+ setResidence(clients_country);
+ // for logged in clients send landing company with IP address as residence
+ if (!clients_country) {
+ BinarySocket.send({ landing_company: State.getResponse('website_status.clients_country') });
+ }
if (!Client.get('is_virtual')) {
BinarySocket.send({ get_self_exclusion: 1 });
}
@@ -92,6 +99,8 @@ const BinarySocketGeneral = (() => {
onAccept : () => { Client.set('accepted_bch', 1); },
});
}
+ LocalStore.remove('date_first_contact');
+ LocalStore.remove('signup_device');
}
}
break;
diff --git a/src/javascript/app/common/__tests__/active_symbols.js b/src/javascript/app/common/__tests__/active_symbols.js
index c407d2861e150..915662a0969f6 100644
--- a/src/javascript/app/common/__tests__/active_symbols.js
+++ b/src/javascript/app/common/__tests__/active_symbols.js
@@ -6,7 +6,7 @@ const { api, expect } = require('../../../_common/__tests__/tests_common');
There is a market called forex, which has a submarket called major_pairs, which has a symbol called frxEURUSD
*/
-const expected_markets_str = '{"indices":{"name":"Indices","is_active":1,"submarkets":{"europe_africa":{"name":"Europe/Africa","is_active":1,"symbols":{"AEX":{"display":"Dutch Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"BFX":{"display":"Belgian Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"FCHI":{"display":"French Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"GDAXI":{"display":"German Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"ISEQ":{"display":"Irish Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"OBX":{"display":"Norwegian Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"SSMI":{"display":"Swiss Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"},"TOP40":{"display":"South African Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa"}}},"asia_oceania":{"name":"Asia/Oceania","is_active":1,"symbols":{"AS51":{"display":"Australian Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania"},"BSESENSEX30":{"display":"Bombay Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania"},"HSI":{"display":"Hong Kong Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania"},"JCI":{"display":"Jakarta Index","symbol_type":"stockindex","is_active":1,"pip":"0.001","market":"indices","submarket":"asia_oceania"},"N225":{"display":"Japanese Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania"},"STI":{"display":"Singapore Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania"}}},"middle_east":{"name":"Middle East","is_active":1,"symbols":{"DFMGI":{"display":"Dubai Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"middle_east"}}},"otc_index":{"name":"OTC Indices","is_active":1,"symbols":{"OTC_AEX":{"display":"Dutch OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_AS51":{"display":"Australian OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_BFX":{"display":"Belgian OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_BSESENSEX30":{"display":"Bombay OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_DJI":{"display":"Wall Street OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_FCHI":{"display":"French OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_FTSE":{"display":"UK OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_GDAXI":{"display":"German OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_HSI":{"display":"Hong Kong OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_IXIC":{"display":"US Tech OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_N225":{"display":"Japanese OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"},"OTC_SPC":{"display":"US OTC Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"otc_index"}}},"americas":{"name":"Americas","is_active":1,"symbols":{"SPC":{"display":"US Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"americas"}}}}},"stocks":{"name":"OTC Stocks","is_active":1,"submarkets":{"ge_otc_stock":{"name":"Germany","is_active":1,"symbols":{"DEALV":{"display":"Allianz","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"ge_otc_stock"},"DEDAI":{"display":"Daimler","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"ge_otc_stock"},"DESIE":{"display":"Siemens","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"ge_otc_stock"}}},"uk_otc_stock":{"name":"UK","is_active":1,"symbols":{"UKBARC":{"display":"Barclays","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"uk_otc_stock"},"UKBATS":{"display":"British American Tobacco","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"uk_otc_stock"},"UKHSBA":{"display":"HSBC","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"uk_otc_stock"}}},"us_otc_stock":{"name":"US","is_active":1,"symbols":{"USAAPL":{"display":"Apple","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USAMZN":{"display":"Amazon.com","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USCT":{"display":"Citigroup","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USFB":{"display":"Facebook","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USGOOG":{"display":"Alphabet","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USMSFT":{"display":"Microsoft","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USXOM":{"display":"Exxon Mobil","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"}}}}},"volidx":{"name":"Volatility Indices","is_active":1,"submarkets":{"random_daily":{"name":"Daily Reset Indices","is_active":1,"symbols":{"RDBEAR":{"display":"Bear Market Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_daily"},"RDBULL":{"display":"Bull Market Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_daily"}}},"random_index":{"name":"Continuous Indices","is_active":1,"symbols":{"R_100":{"display":"Volatility 100 Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"volidx","submarket":"random_index"},"R_25":{"display":"Volatility 25 Index","symbol_type":"stockindex","is_active":1,"pip":"0.001","market":"volidx","submarket":"random_index"},"R_50":{"display":"Volatility 50 Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_index"},"R_75":{"display":"Volatility 75 Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_index"}}}}},"forex":{"name":"Forex","is_active":1,"submarkets":{"smart_fx":{"name":"Smart FX","is_active":1,"symbols":{"WLDAUD":{"display":"AUD Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"},"WLDEUR":{"display":"EUR Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"},"WLDGBP":{"display":"GBP Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"},"WLDUSD":{"display":"USD Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"}}},"minor_pairs":{"name":"Minor Pairs","is_active":1,"symbols":{"frxAUDCAD":{"display":"AUD/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxAUDCHF":{"display":"AUD/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxAUDNZD":{"display":"AUD/NZD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxAUDPLN":{"display":"AUD/PLN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxEURNZD":{"display":"EUR/NZD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPCAD":{"display":"GBP/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPCHF":{"display":"GBP/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPNOK":{"display":"GBP/NOK","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxGBPNZD":{"display":"GBP/NZD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPPLN":{"display":"GBP/PLN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxNZDJPY":{"display":"NZD/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"minor_pairs"},"frxNZDUSD":{"display":"NZD/USD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxUSDMXN":{"display":"USD/MXN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxUSDNOK":{"display":"USD/NOK","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxUSDPLN":{"display":"USD/PLN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxUSDSEK":{"display":"USD/SEK","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"}}},"major_pairs":{"name":"Major Pairs","is_active":1,"symbols":{"frxAUDJPY":{"display":"AUD/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"},"frxAUDUSD":{"display":"AUD/USD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURAUD":{"display":"EUR/AUD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURCAD":{"display":"EUR/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURCHF":{"display":"EUR/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURGBP":{"display":"EUR/GBP","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURJPY":{"display":"EUR/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"},"frxEURUSD":{"display":"EUR/USD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxGBPAUD":{"display":"GBP/AUD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxGBPJPY":{"display":"GBP/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"},"frxGBPUSD":{"display":"GBP/USD","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"major_pairs"},"frxUSDCAD":{"display":"USD/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxUSDCHF":{"display":"USD/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxUSDJPY":{"display":"USD/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"}}}}},"commodities":{"name":"Commodities","is_active":1,"submarkets":{"energy":{"name":"Energy","is_active":1,"symbols":{"frxBROUSD":{"display":"Oil/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"energy"}}},"metals":{"name":"Metals","is_active":1,"symbols":{"frxXAGUSD":{"display":"Silver/USD","symbol_type":"commodities","is_active":1,"pip":"0.0001","market":"commodities","submarket":"metals"},"frxXAUUSD":{"display":"Gold/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"metals"},"frxXPDUSD":{"display":"Palladium/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"metals"},"frxXPTUSD":{"display":"Platinum/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"metals"}}}}}}';
+const expected_markets_str = '{"indices":{"name":"Indices","is_active":1,"submarkets":{"europe_africa":{"name":"Europe/Africa","is_active":1,"symbols":{"OTC_AEX":{"display":"Dutch Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"},"OTC_SX5E":{"display":"Euro 50 Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"},"OTC_FCHI":{"display":"French Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"},"OTC_GDAXI":{"display":"German Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"},"OTC_IBEX35":{"display":"Spanish Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"},"OTC_SSMI":{"display":"Swiss Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"},"OTC_FTSE":{"display":"UK Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"europe_africa_OTC"}}},"asia_oceania":{"name":"Asia/Oceania","is_active":1,"symbols":{"OTC_AS51":{"display":"Australian Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania_OTC"},"OTC_HSI":{"display":"Hong Kong Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania_OTC"},"OTC_N225":{"display":"Japanese Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"asia_oceania_OTC"}}},"americas":{"name":"Americas","is_active":1,"symbols":{"OTC_SPC":{"display":"US Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"americas_OTC"},"OTC_NDX":{"display":"US Tech Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"americas_OTC"},"OTC_DJI":{"display":"Wall Street Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"indices","submarket":"americas_OTC"}}}}},"stocks":{"name":"OTC Stocks","is_active":1,"submarkets":{"ge_otc_stock":{"name":"Germany","is_active":1,"symbols":{"DEALV":{"display":"Allianz","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"ge_otc_stock"},"DEDAI":{"display":"Daimler","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"ge_otc_stock"},"DESIE":{"display":"Siemens","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"ge_otc_stock"}}},"uk_otc_stock":{"name":"UK","is_active":1,"symbols":{"UKBARC":{"display":"Barclays","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"uk_otc_stock"},"UKBATS":{"display":"British American Tobacco","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"uk_otc_stock"},"UKHSBA":{"display":"HSBC","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"uk_otc_stock"}}},"us_otc_stock":{"name":"US","is_active":1,"symbols":{"USAAPL":{"display":"Apple","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USAMZN":{"display":"Amazon.com","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USCT":{"display":"Citigroup","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USFB":{"display":"Facebook","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USGOOG":{"display":"Alphabet","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USMSFT":{"display":"Microsoft","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"},"USXOM":{"display":"Exxon Mobil","symbol_type":"individualstock","is_active":1,"pip":"0.01","market":"stocks","submarket":"us_otc_stock"}}}}},"volidx":{"name":"Volatility Indices","is_active":1,"submarkets":{"random_daily":{"name":"Daily Reset Indices","is_active":1,"symbols":{"RDBEAR":{"display":"Bear Market Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_daily"},"RDBULL":{"display":"Bull Market Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_daily"}}},"random_index":{"name":"Continuous Indices","is_active":1,"symbols":{"R_100":{"display":"Volatility 100 Index","symbol_type":"stockindex","is_active":1,"pip":"0.01","market":"volidx","submarket":"random_index"},"R_25":{"display":"Volatility 25 Index","symbol_type":"stockindex","is_active":1,"pip":"0.001","market":"volidx","submarket":"random_index"},"R_50":{"display":"Volatility 50 Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_index"},"R_75":{"display":"Volatility 75 Index","symbol_type":"stockindex","is_active":1,"pip":"0.0001","market":"volidx","submarket":"random_index"}}}}},"forex":{"name":"Forex","is_active":1,"submarkets":{"smart_fx":{"name":"Smart FX","is_active":1,"symbols":{"WLDAUD":{"display":"AUD Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"},"WLDEUR":{"display":"EUR Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"},"WLDGBP":{"display":"GBP Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"},"WLDUSD":{"display":"USD Index","symbol_type":"smart_fx","is_active":1,"pip":"0.001","market":"forex","submarket":"smart_fx"}}},"minor_pairs":{"name":"Minor Pairs","is_active":1,"symbols":{"frxAUDCAD":{"display":"AUD/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxAUDCHF":{"display":"AUD/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxAUDNZD":{"display":"AUD/NZD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxAUDPLN":{"display":"AUD/PLN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxEURNZD":{"display":"EUR/NZD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPCAD":{"display":"GBP/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPCHF":{"display":"GBP/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPNOK":{"display":"GBP/NOK","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxGBPNZD":{"display":"GBP/NZD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxGBPPLN":{"display":"GBP/PLN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxNZDJPY":{"display":"NZD/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"minor_pairs"},"frxNZDUSD":{"display":"NZD/USD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxUSDMXN":{"display":"USD/MXN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxUSDNOK":{"display":"USD/NOK","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"},"frxUSDPLN":{"display":"USD/PLN","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"minor_pairs"},"frxUSDSEK":{"display":"USD/SEK","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"minor_pairs"}}},"major_pairs":{"name":"Major Pairs","is_active":1,"symbols":{"frxAUDJPY":{"display":"AUD/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"},"frxAUDUSD":{"display":"AUD/USD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURAUD":{"display":"EUR/AUD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURCAD":{"display":"EUR/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURCHF":{"display":"EUR/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURGBP":{"display":"EUR/GBP","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxEURJPY":{"display":"EUR/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"},"frxEURUSD":{"display":"EUR/USD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxGBPAUD":{"display":"GBP/AUD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxGBPJPY":{"display":"GBP/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"},"frxGBPUSD":{"display":"GBP/USD","symbol_type":"forex","is_active":1,"pip":"0.0001","market":"forex","submarket":"major_pairs"},"frxUSDCAD":{"display":"USD/CAD","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxUSDCHF":{"display":"USD/CHF","symbol_type":"forex","is_active":1,"pip":"0.00001","market":"forex","submarket":"major_pairs"},"frxUSDJPY":{"display":"USD/JPY","symbol_type":"forex","is_active":1,"pip":"0.001","market":"forex","submarket":"major_pairs"}}}}},"commodities":{"name":"Commodities","is_active":1,"submarkets":{"energy":{"name":"Energy","is_active":1,"symbols":{"frxBROUSD":{"display":"Oil/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"energy"}}},"metals":{"name":"Metals","is_active":1,"symbols":{"frxXAGUSD":{"display":"Silver/USD","symbol_type":"commodities","is_active":1,"pip":"0.0001","market":"commodities","submarket":"metals"},"frxXAUUSD":{"display":"Gold/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"metals"},"frxXPDUSD":{"display":"Palladium/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"metals"},"frxXPTUSD":{"display":"Platinum/USD","symbol_type":"commodities","is_active":1,"pip":"0.01","market":"commodities","submarket":"metals"}}}}}}';
const set_checks = (obj) => {
if (obj instanceof Object) {
diff --git a/src/javascript/app/common/account_opening.js b/src/javascript/app/common/account_opening.js
index 31e1504fbc9db..ce784d259e1ea 100644
--- a/src/javascript/app/common/account_opening.js
+++ b/src/javascript/app/common/account_opening.js
@@ -6,12 +6,12 @@ const BinaryPjax = require('../base/binary_pjax');
const Client = require('../base/client');
const BinarySocket = require('../base/socket');
const professionalClient = require('../pages/user/account/settings/professional_client');
-const getElementById = require('../../_common/common_functions').getElementById;
-const makeOption = require('../../_common/common_functions').makeOption;
+const CommonFunctions = require('../../_common/common_functions');
const Geocoder = require('../../_common/geocoder');
const localize = require('../../_common/localize').localize;
const State = require('../../_common/storage').State;
const urlFor = require('../../_common/url').urlFor;
+const getPropertyValue = require('../../_common/utility').getPropertyValue;
const AccountOpening = (() => {
const redirectAccount = () => {
@@ -32,12 +32,14 @@ const AccountOpening = (() => {
const populateForm = (form_id, getValidations, is_financial) => {
getResidence(form_id, getValidations);
generateBirthDate();
- if (State.getResponse('landing_company.financial_company.shortcode') === 'maltainvest') {
+ const landing_company = State.getResponse('landing_company');
+ const lc_to_upgrade_to = landing_company[is_financial ? 'financial_company' : 'gaming_company'] || landing_company.financial_company;
+ CommonFunctions.elementTextContent(CommonFunctions.getElementById('lc-name'), lc_to_upgrade_to.name);
+ CommonFunctions.elementTextContent(CommonFunctions.getElementById('lc-country'), lc_to_upgrade_to.country);
+ if (getPropertyValue(landing_company, ['financial_company', 'shortcode']) === 'maltainvest') {
professionalClient.init(is_financial, false);
}
- if (Client.get('residence') !== 'jp') {
- Geocoder.init(form_id);
- }
+ Geocoder.init(form_id);
};
const getResidence = (form_id, getValidations) => {
@@ -57,8 +59,8 @@ const AccountOpening = (() => {
const $options = $('');
const $options_with_disabled = $('');
residence_list.forEach((res) => {
- $options.append(makeOption({ text: res.text, value: res.value }));
- $options_with_disabled.append(makeOption({
+ $options.append(CommonFunctions.makeOption({ text: res.text, value: res.value }));
+ $options_with_disabled.append(CommonFunctions.makeOption({
text : res.text,
value : res.value,
is_disabled: res.disabled,
@@ -66,7 +68,7 @@ const AccountOpening = (() => {
if (residence_value === res.value) {
residence_text = res.text;
- if (residence_value !== 'jp' && res.phone_idd && !$phone.val()) {
+ if (res.phone_idd && !$phone.val()) {
$phone.val(`+${res.phone_idd}`);
}
}
@@ -94,7 +96,7 @@ const AccountOpening = (() => {
if (/^(malta|maltainvest|iom)$/.test(State.getResponse('authorize.upgradeable_landing_companies'))) {
const $citizen = $('#citizen');
- getElementById('citizen_row').setVisibility(1);
+ CommonFunctions.getElementById('citizen_row').setVisibility(1);
if ($citizen.length) {
BinarySocket.wait('get_settings').then((response) => {
const citizen = response.get_settings.citizen;
@@ -197,10 +199,10 @@ const AccountOpening = (() => {
{ selector: '#address_city', validations: ['req', 'letter_symbol', ['length', { min: 1, max: 35 }]] },
{ selector: '#address_state', validations: $('#address_state').prop('nodeName') === 'SELECT' ? '' : ['letter_symbol', ['length', { min: 0, max: 35 }]] },
{ selector: '#address_postcode', validations: [Client.get('residence') === 'gb' ? 'req' : '', 'postcode', ['length', { min: 0, max: 20 }]] },
- { selector: '#phone', validations: ['req', 'phone', ['length', { min: 6, max: 35, value: () => $('#phone').val().replace(/^\+/, '') }]] },
+ { selector: '#phone', validations: ['req', 'phone', ['length', { min: 8, max: 35, value: () => $('#phone').val().replace(/\D/g,'') }]] },
{ selector: '#secret_question', validations: ['req'] },
{ selector: '#secret_answer', validations: ['req', 'general', ['length', { min: 4, max: 50 }]] },
- { selector: '#tnc', validations: [['req', { message: 'Please accept the terms and conditions.' }]], exclude_request: 1 },
+ { selector: '#tnc', validations: [['req', { message: localize('Please accept the terms and conditions.') }]], exclude_request: 1 },
{ request_field: 'residence', value: Client.get('residence') },
{ request_field: 'client_type', value: () => ($('#chk_professional').is(':checked') ? 'professional' : 'retail') },
diff --git a/src/javascript/app/common/attach_dom/date_to.js b/src/javascript/app/common/attach_dom/date_to.js
index 304e5990516e5..3cabe06aa86b8 100644
--- a/src/javascript/app/common/attach_dom/date_to.js
+++ b/src/javascript/app/common/attach_dom/date_to.js
@@ -1,6 +1,5 @@
const moment = require('moment');
const DatePicker = require('../../components/date_picker');
-const isJPClient = require('../../base/client').isJPClient;
const dateValueChanged = require('../../../_common/common_functions').dateValueChanged;
const localize = require('../../../_common/localize').localize;
const toISOFormat = require('../../../_common/string_util').toISOFormat;
@@ -10,7 +9,7 @@ const getDateToFrom = () => {
let date_to,
date_from;
if (date_to_val) {
- date_to = moment.utc(date_to_val).unix() + ((isJPClient() ? 15 : 24) * (60 * 60));
+ date_to = moment.utc(date_to_val).unix() + (24 * (60 * 60));
date_from = 0;
}
return {
diff --git a/src/javascript/app/common/attach_dom/dialog.js b/src/javascript/app/common/attach_dom/dialog.js
index a6891e3dc627c..4e196309e2729 100644
--- a/src/javascript/app/common/attach_dom/dialog.js
+++ b/src/javascript/app/common/attach_dom/dialog.js
@@ -1,6 +1,5 @@
const showPopup = require('./popup');
const elementInnerHtml = require('../../../_common/common_functions').elementInnerHtml;
-const localize = require('../../../_common/localize').localize;
const urlFor = require('../../../_common/url').urlFor;
const Dialog = (() => {
@@ -18,8 +17,8 @@ const Dialog = (() => {
if (!el_dialog) return;
- const message = Array.isArray(options.message) ? options.message.join('') : options.message;
- elementInnerHtml(container.querySelector('#dialog_message'), localize(message));
+ const localized_message = Array.isArray(options.localized_message) ? options.localized_message.join('') : options.localized_message;
+ elementInnerHtml(container.querySelector('#dialog_message'), localized_message);
if (is_alert) {
el_btn_cancel.classList.add('invisible');
diff --git a/src/javascript/app/common/attach_dom/popup.js b/src/javascript/app/common/attach_dom/popup.js
index 589ccef751f9c..692bde7314446 100644
--- a/src/javascript/app/common/attach_dom/popup.js
+++ b/src/javascript/app/common/attach_dom/popup.js
@@ -3,6 +3,7 @@ const getElementById = require('../../../_common/common_functions').getElementBy
const createElement = require('../../../_common/utility').createElement;
const cache = {};
+const popup_queue = [];
const showPopup = (options) => {
if (cache[options.url]) {
@@ -25,7 +26,19 @@ const callback = (options) => {
const div = createElement('div', { html: cache[options.url] });
const lightbox = createElement('div', { id: options.popup_id, class: 'lightbox' });
lightbox.appendChild(div.querySelector(options.content_id));
- document.body.appendChild(lightbox);
+ lightbox.addEventListener('DOMNodeRemoved', (e) => {
+ if (!popup_queue.length || e.target.className !== 'lightbox') return;
+ document.body.appendChild(popup_queue.pop()); // show popup in queue
+ });
+
+ const has_lightbox = document.querySelector('.lightbox');
+ if (has_lightbox) {
+ // store this popup in queue to show it after the previous popup has been removed
+ // to avoid having multiple popup showing at the same time
+ popup_queue.push(lightbox);
+ } else {
+ document.body.appendChild(lightbox);
+ }
if (options.validations) {
Validation.init(options.form_id, options.validations);
diff --git a/src/javascript/app/common/chart_settings.js b/src/javascript/app/common/chart_settings.js
new file mode 100644
index 0000000000000..d0574e659a02d
--- /dev/null
+++ b/src/javascript/app/common/chart_settings.js
@@ -0,0 +1,154 @@
+const addComma = require('./currency').addComma;
+const isCallputspread = require('../pages/trade/callputspread').isCallputspread;
+const isReset = require('../pages/trade/reset').isReset;
+const localize = require('../../_common/localize').localize;
+
+const ChartSettings = (() => {
+ let chart_options,
+ labels,
+ txt_subtitle;
+
+ const common_horizontal_line_style = 'margin-bottom: 3px; margin-left: 10px; margin-right: 5px; height: 0; width: 20px; border: 0; border-bottom: 2px; display: inline-block;';
+ const common_vertical_line_style = 'margin-bottom: -3px; margin-left: 10px; margin-right: 5px; height: 15px; width: 5px; border: 0; border-left: 2px; display: inline-block;';
+ const common_spot_style = 'margin-left: 10px; margin-right: 5px; display: inline-block; border-radius: 6px;';
+
+ // display a guide for clients to know what each line/spot in chart means
+ const setLabels = (params) => {
+ labels = labels || { // needs to be inside setLabels function so localize works
+ barrier_line : `
${localize('Barrier')}
`,
+ barrier_spot : `
${localize('Barrier')}
`,
+ end_time : `
${localize('End Time')}
`,
+ entry_spot : `
${localize('Entry Spot')}
`,
+ exit_spot : `
${localize('Exit Spot')}
`,
+ delay : `
${localize('Charting for this underlying is delayed')}
{it.L('Do you have 40 minutes for an interview?')}
+
+
+
{it.L('Earn $30 to trade on [_1]', it.website_name.toLowerCase())}
+
+ {it.L('We\'re looking for users of [_1] to participate in a [_2]40-minute video or phone interview[_3]. To qualify, just answer a few short questions. If selected, you will receive an email or a phone call from one of our researchers.', it.website_name.toLowerCase(), '', '')}
+