SOMFX1Builder

5

If you like trading by candle patterns and want to reinforce this approach by modern technologies, this script is for you. In fact, it is a part of a toolbox, that includes a neural network engine implementing Self-Organizing Map (SOM) for candle patterns recognition, prediction, and provides you with an option to explore input and resulting data. The toolbox contains:

  • SOMFX1Builder - this script for training neural networks; it builds a file with generalized data about most characteristic price figures which can be used for next bars prediction either in a built-in sub-window (using SOMFX1 indicator), or directly on the chart using SOMFX1Predictor;
  • SOMFX1 - the indicator for price pattern prediction and visual analysis of a trained neural network, input and resulting data (in a separate sub-window);
  • SOMFX1Predictor - another indicator for predicting price patterns just in the main window;
The tools are separated from each other due to some MetaTrader 4 limitations, for example, it's not currently possible to run lengthy calculations in indicators because they are executed in the main thread.

In brief, all the process of price analysis, network training, pattern recognition and prediction supposes the following steps:

  1. Build a neural network by SOMFX1Builder;
  2. Analyze the resulting neural network performance by means of SOMFX1; if not satisfied, repeat step 1 with new settings; you may skip this step if you wish;
  3. Use final neural network for price pattern prediction using SOMFX1Predictor.

The 1-st step is covered in details below. More information about visual analysis and prediction can be found on the web-pages of corresponding indicators.

This is just a warning to make it clear: this script does not predict price patterns itself. It trains a neural network and saves it into a file, which should be loaded into SOMFX1 or SOMFX1Predictor indicators. So, you need to acquire one or both of them in addition to this script.

To start training you should choose number of bars in history to train at (LearnStart and LearnStop parameters), number of bars in a single pattern (PatternSize), the size of the map (GridSize), the number of learning cycles (EpochNumber). Some other parameters may also affect learning process, you may find all the details below, in "Parameters" section.

Learning may take considerable time, depending from the given parameters. The larger the number of bars being processed, the longer it takes to finish the process. Pattern size, map size and number of epochs - all work in the similar way. For example, training on 5000 bars with the map 10*10 in size may take several minutes on an average PC. All this time CPU core load is maximum, and terminal may slow down, if your PC doesn't have a couple of cores. You should choose a time for training when you do not expect active trading, or you could use weekends. This is especially important because the training process normally needs some optimization and thus should be repeated several times before you get optimal results. Why? Please find the answer below, in "Choosing optimal parameters" section.

Before you start reading the next sections, it may be worth reading "How it works" section on the SOMFX1 page with an overview of neural network principles.


Parameters

  • LearnStart - number of a bar in history, where training data begins, or an exact date and time of the bar (in the format "YYYY.MM.DD HH:MM"); this parameter is a string, whick allows you to enter either a number or a date; note that bar numbers change every time a new bar is formed, so if you used value 1000 yesterday, today's 1000-th bar will be most likely other one (except for the case you use weekly bars); during training process this is not important because all training data is collected just before the start and is not changed afterwards; default value - 5001;
  • LearnStop - number of a bar in history, where training data ends, or an exact date and time of the bar (in the format "YYYY.MM.DD HH:MM"); this parameter is also a string; LearnStart should be older than LearnStop; the difference between LearnStart and LearnStop is the number of samples (input vectors) passed to the network (more precisely, it's LearnStart-LearnStop-PatternSize); default value - 1 (excluding the last, usually unfinished bar);
  • PatternSize - number of bars in a single pattern; this is the length of input vector (price sample); after the training, the first PatternSize-1 bars will be used to predict the next bar; for example, if PatternSize is 5, 5-bars patterns are extracted from price flow during training, and then 4-bars beginnings will be used to estimate 5-th bar on every moment; allowed values: 3 - 10; default value - 5;
  • GridSize - dimentions of the map; this is a number of cells/units on X and Y axes; the total number of neurons are GridSize*GridSize (2D-map); allowed values: 3 - 50, but be warned: the values larger than 20 implies long enough training with high CPU load; default value - 7 (applicable for first tests to get accustomed with the tools, but will most likely require larger value for real tasks);
  • EpochNumber - number of learning cycles to run; default value - 1000; the training process may finish earlier, if Precision is reached; in every epoch all input samples are feeded into the network;
  • LearningRate - initial learning speed; default value - 0.25; you may use trial and error method to find an optimum value in the range 0.1 - 0.5;
  • UseConvex - enable/disable the convex combination method of neurons' inputs initialization during first epochs; enabling it supposes better pattern separation and is recommended; default value - true;
  • Precision - a float number used as a threshold to stop training, when overall network error changes less than this number; default value - 0.001;
  • PriceType - a price type to use in the patterns; default value - close price;
  • AddInvertedPrice - enable/disable a mode, when inverted price movements are added into the samples; this may help to eliminate trend bias; default value - true; this means that number of samples becomes twice larger: (LearnStart-LearnStop-PatternSize)*2;
  • NetFileName - a name of file to save resulting network; default value - empty string - means that a special filename will be constructed automatically; it has the following strucutre: SOM-V-D-SYMBOL-TF-YYYYMMDDHHMM-YYYYMMDDHHMM-P.candlemap, where V - PatternSize, D - GridSize, SYMBOL - current work symbol, TF - current timeframe, YYYYMMDDHHMM - LearnStart and LearnStop respectively; even if you specified LearnStart and LearnStop as numbers, they are automatically transformed into date and time; P - PriceType; it is recommended to leave this parameter blank, because the autogenerated filenames are parsed by SOMFX1 and SOMFX1Predictor automatically, so you have no need to specify all the settings manually; otherwise, if you give your own filename, all settings used for training the network must be exactly duplicated in SOMFX1 and SOMFX1Predictor dialogs, and it's important to convert LearnStart and LearnStop into date/time format because bar numbers are inconsistent;
  • PrintData - enable/disable debug logging; default - false;
  • Throttling - number of milliseconds to pause training every epoch; this parameter allows you to ease CPU load in the expense of longer time required for the process to finish; it may help if your PC is not powerful enough and you don't want the training to interfere with other interactive tasks you're performing; default value - 0.


Choosing optimal parameters

Most important questions to answer yourself before you start network training are:

  • How many bars to feed into the network?
  • Which pattern size to choose? 
  • Which size of the network to choose?

They all are closely related, and decision on one of the questions affects the others.

By increasing the depth of history used for sampling one could expect better generalization of patterns by the network. This means that every discovered pattern is backed by a larger number of samples, so the network finds regularities in prices, not peculiarities. On the other hand, feeding too many samples to a network of a given size may lead to the effect when generalization becomes averaging, so it clashes different patterns into a single neuron. This happens because network has a limited "memory", defined by its size. The larger the size the larger number of samples can be processed. Unfortunately there is no exact formula for this. The rule of humb is:

D = sqrt(5*sqrt(N))

where N is the number of samples and D is the network dimensions (GridSize).

So, you should probably choose the number of bars on the basis of your preferred trading strategy. Then, having the number, you can calculate required network size. For example, for H1 timeframe, 5760 bars gives a year, which seems a good enough horizon for trading on H1, so you may try the default 5000 number. With this number one can get the size 20 by the formula above. Please note that setting AddInvertedPrice to true will increase the number of samples twice, so the size must be adjusted as well. If after the training network produces too many errors (this can be validated by using SOMFX1 or SOMFX1Predictor) you may consider either to enlarge the size of the map or to reduce the range of training data. PriceType may also be important. Anyway, if you have empirical knowledge that specific candle pattern occurs 10 or more times (in average) on some period of time, you may consider this period as sufficient for learning, because 10 samples should be enough for pattern generalization. You can use SOMFX1 for investigation how many samples mapped into every neuron and how evenly samples are distributed among neurons.

It's possible to consider the problem from the opposite side. Number of units in the network is the maximal number of possible price patterns. Let us assume that the number of known candle patterns is 50. Then the size of the network should be about 7. The problem here is that there are no means to "tell" the network that we want to recognize exactly these 50 patterns and omit all the others: the network will learn on all patterns available in the price series, so that the 50 known candle patterns will be a fraction of all patterns the network tries to learn. What is the fraction is - again - an open question. This is why it is usually required to run training process several times with different settings and find the best configuration.

If we consider classical candle patterns, many of them are built from 3-4-5 candles. For the neural network 3 or 4 bars may prove to be insufficient patterm size for proper pattern separation. So it is recommended to set PatternSize to 5 or more. Larger pattern size will increase computation costs. 

PriceType is implied to be close, when we talk about conventional candle patterns. The neural network allows for recognition of price patterns formed by any other price type, such as typical, high or low. It is especially useful because price series of the close price are very raggy, which "costs" more "memory" for the network. In other words - learning close is much more difficult than learning typical price, and requires larger map size on the same bar range. So, changing the type from close to typical may allow one to reduce the map size or improve accuracy.


Modus operandi

After setting the parameters and pressing OK button the training process starts. During the process the script outputs current epoch number, current error, learning rate and percentage of completion in the comment (in the left upper corner of the window). The same information is printed into the log. When the process finished, an alert is fired with the filename of the generated network. The file is saved in the Files subdirectory of your MQL4 folder. If it's an automatically generated filename (NetFileName was empty), you can copy and paste the filename just from the alert dialog into SOMFX1 or SOMFX1Predict indicator (should be pasted into similar NetFileName parameter there) and run the network. If a custom filename was used, then you should copy all parameters into the indicators - not only the filename but learning region, map size, pattern size, etc.

It's important that the network file does not contain input data - it holds the trained network only. When the network is loaded next time, a SOMFX1 indicator reads from settings all required parameters to extract price samples anew.

Before every learning process the network is initialized by random weights. This means that every next run of the script with the same settings will produce a new map which differs from previous one.

Recommended timeframes: H1 and above. 

추천 제품
Hello friends. I wrote this utility specifically for use in my profile with a large number of Expert Advisors and sets ("Joint_profiles_from_grid_sets" https://www.mql5.com/en/blogs/post/747929 ). Now, in order to limit losses on the account, there is no need to change the "Close_positions_at_percentage_of_loss" parameter on each chart. Just open one additional chart, attach this utility and set the desired percentage for closing all trades on the account. The utility has the following function
Auto Fibo Pro m
DMITRII GRIDASOV
"Auto FIBO Pro" Crypto_Forex 지표 - 거래에 유용한 보조 도구입니다! - 지표는 자동으로 Fibo 수준과 로컬 추세선(빨간색)을 계산하여 차트에 배치합니다. - Fibonacci 수준은 가격이 반전될 수 있는 주요 영역을 나타냅니다. - 가장 중요한 수준은 23.6%, 38.2%, 50%, 61.8%입니다. - 역전 스캘핑이나 존 그리드 거래에 사용할 수 있습니다. - Auto FIBO Pro 지표를 사용하여 현재 시스템을 개선할 수 있는 기회도 많습니다. - Info Spread Swap Display가 있습니다. 현재 Spread와 Swap이 부착된 외환 쌍을 표시합니다. - 디스플레이에는 계정 잔액, 자본 및 마진도 표시됩니다. - 차트의 어느 모서리에서나 Info Spread Swap Display를 찾을 수 있습니다. 0 - 왼쪽 상단 모서리, 1 - 오른쪽 상단, 2 - 왼쪽 하단, 3 - 오른쪽 하단. // 훌륭한 트레이딩 로봇과 지표는 여기
Stealth Mode TP/SL Manager with AI Protection This AI-powered tool manages Stop Loss and Take Profit dynamically using either price-based or profit-and-loss (PnL) calculations while hiding these levels from the market . Key Features: Supports BUY, SELL, or both position types. Flexible symbol selection: Manage the current chart, all symbols, or specific symbols (separated by semicolons). Customizable magic numbers & expert IDs: Choose whether to manage all orders or only those with specific mag
Order Blocks Breaker
Suvashish Halder
5 (1)
Introducing Order Blocks Breaker , a brand-new way to identify and leverage order blocks in your trading strategy. After developing multiple order block tools with unique concepts, I’m proud to present this tool that takes things to the next level. Unlike previous tools, Order Blocks Breaker not only identifies order blocks but also highlights Breaker Order Blocks —key areas where the price is likely to retest after a breakout. MT5 -  https://www.mql5.com/en/market/product/124102/ This tool inco
Fever ESM
Evgenii Morozov
Trading Advisor for margin currency pairs and metals. Conservative trading of 100,000 units per 0.01 lot. The standard trade is 10,000 units per 0.01 lot. Aggressive trading with high risks of 1000 units per 0.01 lot. You can always pick up your starting lot.  The EA is fully automated, you only have to put up the initial lot depending on your initial deposit. The recommended timeframe is H1. 1. Test on any steam, iron and fuel oil 2. Try starting with convenient depots 3. When going into a dra
Spread Record
Konstantin Kulikov
This utility allows to record the spread value to the file, which is equal to or greater than the value specified in the settings, at the specified time. The utility also displays useful information on the symbol's chart: current spread value in points, name of account holder, name of trading server, leverage, the size of the swap for buy orders, the size of the swap for sell orders, day of the week for accruing triple swap, the size of a point in the quote currency, the minimum allowed level of
MT4용 Crypto_Forex 지표 "WPR 및 2개 이동 평균", 리페인트 없음. - WPR 자체는 스캘핑에 가장 적합한 오실레이터 중 하나입니다. - "WPR 및 2개 이동 평균" 지표를 사용하면 WPR 오실레이터의 빠른 이동 평균과 느린 이동 평균을 확인할 수 있습니다. - 지표는 가격 조정을 매우 조기에 파악할 수 있는 기회를 제공합니다. - 이 지표는 매개변수를 통해 매우 쉽게 설정할 수 있으며, 모든 시간대에서 사용할 수 있습니다. - 그림에서 매수 및 매도 진입 조건을 확인할 수 있습니다. - 매수 신호 조건을 고려하세요. (1) - 빠른 이동 평균이 느린 이동 평균을 상향 교차하고 WPR 값이 -50 미만인 경우: 매수 포지션을 개시합니다. (2) - WPR 값이 -20 이상의 과매수 구간에 있는 경우: 매수 포지션을 청산합니다. (3) - 매도 포지션의 경우 그 반대입니다. // 훌륭한 트레이딩 로봇과 지표는 여기에서 확인하실 수 있습니다: https://ww
BreakEven Grid Utility for MT4 BreakEven Grid is a powerful utility for manual trade management on the MetaTrader 4 platform. It provides a convenient on-screen panel with buttons to help you manage your open positions with a single click.  Features: Set BE+Profit: Automatically sets Take Profit to breakeven + desired profit in pips or money. Close BUY/SELL: Instantly close all Buy or Sell orders for the current symbol. Close +$/-$/Old/New: Close only profitable, losing, oldest or newest tra
Lot by Risk
Sergey Vasilev
4.83 (23)
위험 거래 패널에 의해 많은 수동 거래를 위해 설계되었습니다. 이 명령을 보낼 수있는 다른 수단이다. 패널의 첫 번째 특징은 제어 라인을 사용하여 편리하게 주문할 수 있다는 것입니다. 두번째 특징은 정지 손실 선의 면전에서 주어진 위험을 위한 거래 양의 계산입니다. 제어 라인은 단축키를 사용하여 설정됩니다: 이익을-기본적으로 티 키; 가격-기본적으로 피 키; 정지 손실-기본적으로 키; 당신은 거래 패널의 설정에서 키를 직접 구성 할 수 있습니다. 작동 알고리즘: 1)-우리는(이 모든 레벨을 배치 할 필요가 없습니다)원하는 장소에 레벨을 배치; 2)–위험 지정(선택 사항); 3)-녹색 주문 보내기 버튼을 클릭하십시오.; 4)–우리는 배치 될 순서를 기다리고 있습니다,또는 오류 메시지와 경고가 나타납니다; 5)-우리는 전문가 고문에 마법에 의해 연결된 현재 기호에 대한 모든 주문을 닫으려면,다음 닫기 주문 버튼을 클릭합니다. 주문 보내기 버튼을 여러 번 눌러서는 안
FREE
FDM Strategy
Paranchai Tensit
FDM Strategy is an Expert Advisor based on fractals and five dimension method. Five Dimensions expert system is developed based on a theory combining the Chaos Theory with the trading psychology and the effects that each has on the market movement. There is also an ADX (measuring trend strength with average directional movement index) used as a trading filter. Long and Short Trade Signals: If fractal to buy is above the Alligator's Teeth (red line), the pending Sell Stop order must be placed 1 p
News Scalping Executor is an utility which helps to trade high impact and huge volatility   news . This utility helps to create two opposite orders with risk management and profit protection. It moves automatically stop loss level to avoid losses as much as possible by using many different algorithms. It helps to avoid trading the news if spread suddenly becomes very huge. It can lock profit by moving stop loss or partially closing of orders. To be profitable with this type of trading you sho
Trailing Stop Utility MT4 for automatic closing of deals by trailing stop levels.  Allows you to take the maximum from the profit. Created by a professional trader for traders.   Utility   works with any market orders opened manually by a trader or using advisors. Can filter trades by magic number. The utility can work with any number of orders simultaneously. WHAT THE UTILITY CAN DO: Set virtual   trailing stop   levels from 1 pip Set real   trailing stop   levels W ork with each order separat
A trader's assistant that closes positions in parts with a simple trail to take the optimal profit size when the price of the symbol moves towards the position (s). Initially, the stop loss is moved to breakeven + (the so-called breakeven greed level) - this is when the price closes the stop-loss position during the reverse movement and as a result some profit will still be received. Further, while maintaining the movement in the direction of the position, it is closed in parts on price rollback
Red Hawk EA
Profalgo Limited
4.18 (17)
NEW PROMO: Only a few copies copies available at 349$ Next price: 449$ Make sure to check out our " Ultimate EA combo package " in our   promo blog ! Red Hawk is a "mean reversion" trading system, that trades during the quiet times of the market. It runs on 9 pairs currently: EURUSD, GBPUSD, USDCHF, EURCHF, EURGBP, AUCAD, AUDJPY, EURAUD and USDCAD. Recommended timeframe: M5 Since this kind of strategy works best with low spread and fast execution, I advise using an good ECN broker. IMPORTANT F
Trend Ray
Andriy Sydoruk
The indicator shows the potential trend direction by cyclical-wave dependence. Thus, all the rays of the intersection will be optimal rays, in the direction of which the price is expected to move, taking into account the indicator period. Rays can be used as a direction for potential market movement. But we must not forget that the approach must be comprehensive, the indicator signals require additional information to enter the market.
StopLoss and TakeProfit Utility MT4 for automatic setting of stop loss and take profit levels. Created by a professional trader for traders.   The utility   works with any market orders opened by a trader manually or using advisors. Can filter trades by magic number. The utility can work with any number of orders simultaneously. WHAT THE UTILITY CAN DO: Set virtual stop loss and take profit from 1 pip Real   stop loss and take profit W ork with each order separately (   stop loss and take prof
틱 스캘퍼 «Tick Scalper» 순수 가격 행동, 지표 없음. 항상 손절/익절 고정 및 트레일링 스탑으로 포지션 관리.   주요 매개변수 매개변수 기본값 설명 TakeProfit — 고정 익절 (핍 단위). StopLoss — 고정 손절 (핍 단위). TrailingStop — 포지션 수정을 위한 트레일링 스탑 거리 (핍 단위). cSeconds — 신호 확인 간격 (초 단위). MinPriceShot — 신호 활성화를 위한 최소 가격 변동 (핍 단위). MaxOrdersCount — 동시 개설 가능한 최대 주문 수 (상수). RiskPercent — 잔고 대비 위험 % (자동 로트 계산용). FixedLotSize — 고정 로트 크기 (UseAutoLot = false일 경우). UseAutoLot — 잔고 및 위험 기반 자동 로트 계산. MagicNumber — EA 주문의 고유 식별자. MaxSpread — 거래 개설 가능 최대 스프레드 (핍 단위).  
Expert candle finder for forex in MetaTrader 4 Expert candle finder is one of the practical trader assistant experts that is used in the forex financial market, this expert accurately identifies the candlestick patterns on the price chart as a signal, all the found candles. informs you. This expert is run on your Meta trader platform and in a very precise way, it examines all the currency pairs that are in your watch list and every currency pair that had a professional and good candlestick patt
One MA
Maksim Novikov
3.67 (3)
THE ROBOT IS ON A MOVING AVERAGE! This Expert Advisor will allow you to trade (make trades) automatically using a single moving average. Input parameters: 1. Lot (recently added and a percentage of the deposit) 2. Stop Loss 3. Take Profit Well... everything is simple here)) 4. Opening two deals at once A function for allowing two-way trading. For example, if a deal is open for purchase, then a deal can be opened for sale at the same time This function is disabled by default (false). 5. Mag
FREE
This utility is the improved version of Trailing stop for advisors. It manages other EAs' orders as well as the ones opened manually. It is capable of trailing the price (trailing stop function), set a stop loss and take profit if they have not been set before. The Pro version features the ability to set trailing stop based on fractals and points of Parabolic SAR. When configuring the utility for an EA having no trailing stop function, place it to the new window with the same currency pair speci
Beta version of a semi-automatic utility for trading grid strategy. When using, please give feedback on the shortcomings / suggestions. Good luck to us! Parameters: Lot exponent - multiplication of the lot on the next order. Grid pips   - grid size. Take profit pip - distance of the take profit line. Magic number - the magic number of the adviser's work. Trading menu - presence/absence of a trading menu. Menu size - the size of the menu (choose the value for your resolution). Menu font size -
This program calculates the average opening price for sell and buy positions separately. Program allows you to modify the stop loss value to the calculated breakeven price, this value could also be modified by a user-defined integer value in points. All you have to do is press the button. You can also choose Logs_Display_Enable input value if you need to get some additional, useful informations. Enjoy using !!!
FREE
This script is designed to automatically open charts for all available forex pairs on the MetaTrader 4 platform, as well as the gold (XAUUSD) chart. The script iterates through all symbols available on the platform, determines which of them are forex pairs, and opens their charts on the M1 (one minute) timeframe. Key Features: Gold Chart Opening: The script automatically opens the XAUUSD (gold/dollar) chart if this symbol is available from your broker. If the gold symbol is not found, an error m
Rainbow Price Visualizer
Vincent Jose Proenca
Rainbow Price Visualizer v1.21 See where the market really breathes. Turns your MT4 chart into an ultra-precise heatmap that highlights price zones favored by big players. Why it matters 300 price levels at 0.2‑pip resolution — microscopic detail. 8 visual themes (Rainbow, Fire, Ocean…) for instant readibility. Smart opacity: low noise fades, real zones pop. Lightweight rendering with automatic cleanup. Fully customizable: saturation, opacity, resolution, history depth. Bands project into the f
This indicator will display current logined mt4 account's orders information of current symbol chart. It also allow import some formated data: 1) MQL5 Signals History CSV file (*.csv) 2) MT4 Account History Statement file (*.htm -> *.txt) *[Next Version] Allow Import data form 'HF HistoryExporter (*.csv)' Sample Data of MQL5 Signals History File Time;Type;Volume;Symbol;Price;S/L;T/P;Time;Price;Commission;Swap;Profit;Comment 2023.12.20 23:00:02;Buy Limit;0.06;EURUSD;1.08994;1.06024;1.09464;202
SpeedManager
Sajiro Yoshizaki
이것은 전략 테스터에서 효율적인 테스트 및 분석을 가능하게 하는 재생 속도 관리 도구입니다. 전략 테스터의 사용성을 향상시키고, 거래 전략의 개발 및 평가를 간소화하는 수단으로 사용될 수 있습니다. 도구의 특징: 재생 속도 제어: 사용자는 전략 테스터의 재생 속도를 자유롭게 변경할 수 있으며, 빨리 감기, 속도를 올려서 재생하거나 원하는 지점에서 일시 정지할 수 있습니다. 한 바, 한 틱 앞으로: 'Next Bar' 버튼을 사용하여 사용자는 한 번에 한 바씩 앞으로 나아갈 수 있습니다. 또한, 더 상세한 분석을 위해 한 틱씩 앞으로 나아가는 것도 가능합니다. 시간대 및 통화 쌍의 동기화: " Practice Simulator Sync (무료)"를 사용하면 다양한 시간대 및 통화 쌍과 동기화하여 재생할 수 있습니다. 이를 통해 MTF 및 다른 통화 조건을 동시에 볼 수 있습니다. 자동 일시 정지: 매일 특정 시간(예: 시장 개장 시)에 멈추어 그 지점부터 움직임을 분석할 수 있습니다
FREE
이것은 구매 및 판매 주문 네트워크를 배치하는 일반 패널입니다. 이 전문가 고문은 설정에 정의 된 이익 순서를 닫습니다. 그런 다음 사다리라는 매개 변수가 있습니다.이 매개 변수에는 사다리 매개 변수에 의해 표시된 점(여기서 주요 설정에서는 10 점)으로 주문 사이의 거리가 증가하기 시작하므로 두 번째 순서는 10 점,세 번째 순서는 20 점,네 번째 순서는 40 점 등이 포함됩니다. 그런 다음 설정에 있지 않기 때문에 이 고문에 무엇이 있는지 알아야 하지만 이 고문이 제안한 전략의 논리에 영향을 미칩니다.. 의이 고문이 다섯 개 주문을 엽니 다 여기 설정에서 가정 해 봅시다... 또는 구매... 또는 판매... 좋아.. 그러나,주문을 열 때,그것은 이전에 열린 주문의 절반으로 다음 오픈 주문의 로트를 증가시킬 것입니다. 즉,설정에서 0.1 로트를 설정하면 계획에 따라 5 개의 주문이 열리고 현재 가격에 가까운 첫 번째 주문은 0.1 로트의 가격으로 열립니다. 두 번째는 주어진
This Tool Allow you close all open Orders automatics when Equity reach to specific value:  - When Equity is less than  specific value - When Equity is greater than  specific value - And Allow you close all open orders in manual - It will notification to MT4 Mobile app when it execute close all orders. __________________________________________ It very helpful for you when you trade with prop funds. Avoid reach daily drawdown and automatics close all orders when you get target.
FREE
VirtualStops
Viktor Shpakovskiy
A utility for managing open positions using virtual (invisible to the broker) stops. Virtual stop loss and virtual take profit can be freely moved around the chart. If the price touches the virtual stop line (TP, SL, TS), the EA will close all orders of the same direction on the current chart. Closing orders by virtual take profit is possible only if there is a profit. With the help of the built-in trading simulator, you can, in the strategy tester, see how the adviser works. Parameters Block
Auto Symbol Switcher for MT4 — Smart Market Watch Cycler & Chart Navigator Auto Symbol Switcher (MT4) is a lightweight, GUI-based utility that automatically rotates your chart across a curated list of symbols. It’s built for discretionary traders, scalpers, and analysts who want a clean workflow to scan markets quickly without juggling watchlists. No trading operations are performed—this tool focuses purely on chart navigation and symbol management . Full User Guide    –  Need MT5?   Click here
이 제품의 구매자들이 또한 구매함
Local Trade Copier EA MT4
Juvenille Emperor Limited
4.96 (104)
Local Trade Copier EA MT4 를 사용하여 매우 빠른 거래 복사 경험을 해보세요. 1분 안에 간편하게 설정할 수 있으며, 이 거래 복사기를 사용하면 Windows 컴퓨터 또는 Windows VPS에서 여러 개의 MetaTrader 터미널 간에 거래를 0.5초 미만의 초고속 복사 속도로 복사할 수 있습니다. 초보자든 전문가든 Local Trade Copier EA MT4 는 다양한 옵션을 제공하여 사용자의 특정 요구에 맞게 맞춤 설정할 수 있습니다. 이는 수익 잠재력을 높이려는 모든 사람을 위한 최고의 솔루션입니다. 지금 사용해보시고 이것이 왜 시장에서 가장 빠르고 쉬운 무역용 복사기인지 알아보세요! 팁: 여기 에서 데모 계정에서 Local Trade Copier EA MT4 데모 버전을 다운로드하여 사용해 볼 수 있습니다. 다운로드한 무료 데모 파일을 MT4 >> File >> Open Data Folder >> MQL4 >> Experts 폴더에 붙여넣고 터미널
Trade Assistant MT4
Evgeniy Kravchenko
4.42 (192)
거래당 위험 계산, 라인을 사용한 손쉬운 신규 주문, 부분 청산 기능을 통한 주문 관리, 7가지 유형의 트레일링 스탑 및 기타 유용한 기능을 제공합니다. 추가 자료 및 지침 설치 지침 - 애플리케이션 지침 - 데모 계정용 애플리케이션 평가판 라인 기능       - 차트에 개시선, 손절매, 차익실현을 표시합니다. 이 기능을 사용하면 새로운 주문을 쉽게 하고 개봉 전에 추가 특성을 볼 수 있습니다. 위기 관리       -       위험 계산 기능은 설정된 위험과 손절매 주문의 크기를 고려하여 새 주문의 볼륨을 계산합니다. 이를 통해 손절매 크기를 설정하고 동시에 설정된 위험을 존중할 수 있습니다. 로트 계산 버튼 - 위험 계산을 활성화/비활성화합니다. 필요한 위험 값은 위험 필드에 0에서 100 사이의 백분율 또는 예금 통화로 설정됩니다. 설정 탭에서 위험 계산 옵션을 선택합니다. $ 통화, % 잔액, % 지분, % 자유 마진, % 사용자 정의, % AB 이전 일, % AB
Trade Manager EA에 오신 것을 환영합니다. 이 도구는 거래를 보다 직관적이고 정확하며 효율적으로 만들기 위해 설계된 궁극적인 리스크 관리 도구 입니다. 단순한 주문 실행 도구가 아닌, 원활한 거래 계획, 포지션 관리 및 리스크 제어를 위한 종합 솔루션입니다. 초보자부터 고급 트레이더, 빠른 실행이 필요한 스캘퍼에 이르기까지 Trade Manager EA는 외환, 지수, 상품, 암호화폐 등 다양한 시장에서 유연성을 제공합니다. Trade Manager EA를 사용하면 복잡한 계산은 이제 과거의 일이 됩니다. 시장을 분석하고 진입, 손절 및 익절 수준을 차트의 수평선으로 표시한 후 리스크를 설정하면, Trade Manager가 이상적인 포지션 크기를 즉시 계산하고 SL 및 TP 값을 실시간으로 표시합니다. 모든 거래가 간편하게 관리됩니다. 주요 기능: 포지션 크기 계산기 : 정의된 리스크에 따라 거래 크기를 즉시 결정합니다. 간단한 거래 계획 : 진입, 손절, 익절을 위한
Copy Cat More Trade Copier MT4 (복사 고양이 MT4) 는 단순한 로컬 트레이드 카피어가 아니라, 오늘날의 거래 환경을 위해 설계된 완전한 리스크 관리 및 실행 프레임워크입니다. Prop Firm 챌린지부터 개인 계좌 관리까지, 강력한 실행력, 자본 보호, 유연한 설정, 고급 거래 처리 기능을 통해 모든 상황에 적응합니다. 이 카피어는 Master(송신자) 와 Slave(수신자) 모드 모두에서 작동하며, 실시간으로 시장가/지정가 주문, 거래 수정, 부분 청산, Close By 작업을 동기화합니다. 데모 및 실계좌 모두 호환되며, 거래용 비밀번호 또는 투자자 비밀번호로도 사용할 수 있습니다. Persistent Trade Memory 기술을 통해 EA, 터미널, VPS가 재시작되더라도 거래가 복원됩니다. 여러 Master와 Slave를 동시에 관리할 수 있으며, 브로커 간 차이는 접두사/접미사 자동 감지 또는 심볼 매핑으로 처리됩니다. 매뉴얼/설정: Copy C
The product will copy all telegram signal to MT4   ( which you are member  ) , also it can work as remote copier.  Easy to set up, copy order instant, can work with almost signal formats, image signal, s upport to translate other language to English Work with all type of channel or group, even channel have "Restrict Saving Content", work with  multi channel, multi MT5 Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. Support to backtest signal. How to
TradePanel MT4
Alfiya Fazylova
4.84 (89)
Trade Panel은 다기능 거래 보조원입니다. 이 애플리케이션에는 수동 거래를 위한 50개 이상의 거래 기능이 포함되어 있으며 대부분의 거래 작업을 자동화할 수 있습니다. 전략 테스터에서는 애플리케이션이 작동하지 않습니다. 구매하기 전에 데모 계정에서 데모 버전을 테스트할 수 있습니다. 데모 버전 여기 . 전체 지침 여기 . 거래. 한 번의 클릭으로 거래 작업을 수행할 수 있습니다: 자동 위험 계산을 통해 지정가 주문 및 포지션을 엽니다. 한 번의 클릭으로 여러 주문과 포지션을 열 수 있습니다. 주문 그리드를 엽니다. 그룹별 대기 주문 및 포지션을 마감합니다. 포지션 반전(매수 청산 후 매도 개시 또는 매도 청산 후 매수 개시). 포지션 고정(매수 포지션과 매도 포지션의 양을 동일하게 하는 추가 포지션 개설). 한 번의 클릭으로 모든 포지션을 부분 청산합니다. 모든 포지션의 이익실현과 손절매를 동일한 가격 수준으로 설정합니다. 모든 포지션에 대한 손절매를 해당 포지션의 손익 분기
Exp COPYLOT CLIENT for MT4
Vladislav Andruschenko
4.69 (64)
MetaTrader 4용 트레이드 복사기.       모든 계정의 외환 거래, 포지션, 주문을 복사합니다. 그것은 최고의 무역 복사기 중 하나입니다       MT4 - MT4, MT5 - MT4       위해       카피롯 MT4       버전(또는       MT4 -  MT5   MT5 - MT5       위해       카피롯 MT5       버전). MT5 버전 전체 설명   +DEMO +PDF 구입 방법 설치하는 방법     로그 파일을 얻는 방법     테스트 및 최적화 방법     Expforex의 모든 제품 복사기   버전         MetaTrader 5   터미널 (   МТ5 - МТ5, МТ4 - МТ5   ) -   Copylot Client MT5 고유한 복사 알고리즘은 마스터 계정에서 고객 계정으로 모든 거래를 정확하게 복사합니다. 이 제품은 또한 높은 작동 속도에서 높은 오류 처리로 유명합니다. 강력한 기능 세트. 프로그램은 여러 터
Trade Dashboard MT4
Fatemeh Ameri
4.96 (53)
Tired of complex order placement and manual calculations? Trade Dashboard is your solution. With its user-friendly interface, placing orders becomes effortless, by a single click, you can open trades, set stop loss and take profit levels, manage trade lot size, and calculate risk to reward ratios, allowing you to only focus on your strategy. Say goodbye to manual calculations and streamline your trading experience with Trade Dashboard. Download  Demo Version  right now. You can find  Details of
News Filter EA: Advanced Algo Trading Assistant News Filter EA is an advanced algo trading assistant designed to enhance your trading experience. By using the   News Filter EA , you can integrate a Forex economic news filter into your existing expert advisor, even if you do not have access to its source code. In addition to the news filter, you can also specify   trading days   and   hours   for your expert. The News Filter EA also includes   risk management   and   equity protection   features
Seconds Chart — MetaTrader 4에서 초 단위 차트를 생성하는 독특한 도구입니다. Seconds Chart 를 사용하면 초 단위로 설정된 타임프레임으로 차트를 작성할 수 있어, 표준 분 또는 시간 단위 차트에서는 불가능한 유연성과 정밀한 분석이 가능합니다. 예를 들어, S15 타임프레임은 15초 동안의 캔들로 구성된 차트를 의미합니다. 모든 인디케이터, 전문가 자문(EA), 스크립트를 사용할 수 있으며, 표준 차트와 동일한 편리함으로 작업할 수 있습니다. 표준 도구와 달리, Seconds Chart 는 초고속 타임프레임에서도 높은 정확도와 지연 없이 작업할 수 있도록 지원합니다. Seconds Chart의 장점 1초부터 900초까지 의 타임프레임 지원. 즉시 로딩 MT5 터미널의 틱 데이터베이스 가져오기로 역사적 데이터를 빠르게 불러옵니다. MT5 터미널에서 Tick Database 유틸리티를 먼저 실행해야 틱 데이터베이스를 가져올 수 있습니다. 실시간 데이터 업데
KT Equity Protector MT4
KEENBASE SOFTWARE SOLUTIONS
3.4 (5)
쉽고 간편하게 거래 자본을 보호하세요 거래 자본을 보호하는 것은 자본을 키우는 것만큼 중요합니다. KT Equity Protector는 귀하의 개인 리스크 매니저로서, 계좌의 순자산(에퀴티)을 지속적으로 모니터링하며, 사전에 설정한 손절 또는 수익 목표에 도달하면 모든 보유 및 예약 주문을 자동으로 종료하여 손실을 방지하거나 수익을 고정합니다. 감정적인 결정이나 추측은 이제 그만—KT Equity Protector가 24시간 내내 믿을 수 있는 자본 보호를 제공합니다. KT Equity Protector는 모든 차트를 자동으로 닫아 다른 전문가용 자동매매 프로그램(EA)의 거래를 중단시킬 수 있습니다. 이를 통해 EA를 수동으로 다시 시작할 때까지 어떠한 추가 거래도 이루어지지 않으며, 사용자는 완전한 통제권과 심리적 안정을 얻게 됩니다. 작동 방식 에퀴티 손절(손실 방지): 예를 들어 계좌 잔고가 $10,000이고 에퀴티 손절을 $1,000로 설정한 경우, 순자산이 $9,000로
EasyInsight AIO MT4
Alain Verleyen
3 (1)
EASY Insight AIO – 스마트하고 손쉬운 트레이딩을 위한 올인원 솔루션 개요 외환, 금, 암호화폐, 지수, 심지어 주식까지 — 전 시장을 몇 초 만에, 수동 차트 확인이나 복잡한 설치, 인디케이터 설정 없이 스캔할 수 있다고 상상해 보세요. EASY Insight AIO 는 AI 기반 트레이딩을 위한 궁극의 플러그 앤 플레이(Plug & Play) 데이터 내보내기 도구입니다. 단 하나의 깔끔한 CSV 파일로 전체 시장 스냅샷을 제공하며, ChatGPT, Claude, Gemini, Perplexity 등 다양한 AI 플랫폼에서 즉시 분석할 수 있습니다. 창 전환, 복잡함, 차트 오버레이는 더 이상 필요 없습니다. 자동으로 내보내지는 순수하고 구조화된 데이터 인사이트만으로, 반복적인 차트 감시 대신 데이터 기반의 스마트한 의사결정에 집중할 수 있습니다. 왜 EASY Insight AIO인가요? 진정한 올인원 • 별도의 설정, 인디케이터 설치, 차트 오버레이가 필요 없습
This is a simple utility which will put Automatic Stop Loss and Take Profit. It also has Trailing Stop Loss and Break Even features. The input value of the Stop Loss and Take Profit is in Pips. Whenever you open a trade it will put stop loss and take profit in pips automatically. *If you need a more practical stop loss and take profit for your trades then you may like this ATR based stop loss utility,  Here! Inputs: 1. SL and Trailing SL - This is the Stop Loss value in Pips. Also used as Traili
MT4 to Telegram Signal Provider 는 사용하기 쉽고 완전히 사용자 정의가 가능한 도구로, 텔레그램으로 신호를 보내어 계정을 신호 제공자로 변환할 수 있습니다. 메시지 형식은 완전히 사용자 정의가 가능합니다! 그러나 간단한 사용을 위해 미리 정의된 템플릿을 선택하고 메시지의 특정 부분을 활성화하거나 비활성화할 수도 있습니다. [ 데모 ]  [ 매뉴얼 ] [ MT5 버전 ] [ 디스코드 버전 ] [ 텔레그램 채널 ]  New: [ Telegram To MT5 ] 설정 단계별 사용자 가이드 가 제공됩니다. 텔레그램 API에 대한 지식이 필요 없으며, 개발자가 필요한 모든 것을 제공합니다. 주요 기능 구독자에게 보낸 주문 세부 정보를 사용자 정의할 수 있는 기능 예를 들어 브론즈, 실버, 골드와 같은 계층 구독 모델을 만들 수 있습니다. 골드 구독은 모든 신호 등을 받게 됩니다. ID, 심볼 또는 코멘트별 주문 필터링 주문이 실행된 차트의 스크린샷을 포함 보낸
FiboPlusMultiTF
Sergey Malysh
5 (1)
A ready-made multitimeframe trading system based on automatic plotting and tracking of Fibonacci levels for buying and selling any symbol. Advantages Determines the trend direction based on a complex of 14 indicators ( Cx ), extremums of ZigZag ( Z ), RSI ( R ), Impulse ( I ) Displaying the values of 14 indicators comprising the trend direction ( Cx ) Plotting horizontal levels, support and resistance lines, channels View the plotting option of Fibonacci levels on any timeframe, with the abilit
Take a Break
Eric Emmrich
5 (29)
The most advanced news filter on MQL market - free demo available Take a Break has transformed from a basic news filter into a comprehensive account protection solution. It seamlessly pauses any other Expert Advisors during news events or based on your custom filters, all while safeguarding your EA settings - restoring them automatically when trading resumes for complete peace of mind. Typical use cases: A single news filter for all your EAs. Stop trading during news/high volatility (+ close all
CloseIfProfitorLoss with Trailing
Vladislav Andruschenko
4.8 (30)
이익 추적 기능으로 총 이익/손실에 도달하면 MetaTrader 4에서 포지션을 청산합니다. 가상 정지 (별도 주문) 을 활성화할 수 있습니다. BUY 및 SELL 포지션을 별도로 계산하고 마감합니다 (BUY SELL 별도). 모든 심볼 또는 현재 심볼 만 닫고 계산합니다 (모든 심볼). 이익을 위해 후행 추적 을 활성화합니다 (후행 이익). 예금 통화, 포인트, 잔액의 %에 대한 총 손익을 마감합니다. 이 애플리케이션은 다른 EA와 함께 또는 수동 거래와 함께 모든 계정에서 사용하도록 설계되었습니다. MT5 버전 전체 설명 + DEMO + PDF 구입 방법 설치하는 방법 로그 파일을 얻는 방법 테스트 및 최적화 방법 Expforex의 모든 제품 일부 쌍 또는 모든 쌍의 총 거래 잔액이 설정에서 지정된 값보다 크거나 같으면 모든 포지션이 닫히고 주문이 삭제됩니다. 이 버전은 지정된 이익 수준에서 포지션을 마감할 수 있을 뿐만 아니라 더 나은 결과를 위해 이익을 추적할 수도 있습니다
Partial Closure EA MT4
Juvenille Emperor Limited
5 (3)
Partial Closure EA MT4 는 계정의 모든 거래를 부분 청산할 수 있게 해줍니다. 로트 크기의 선택된 비율 및/또는 티켓 번호로 수동 청산하거나, TP/SL 수준의 지정된 비율에 따라 자동으로 초기 로트 크기의 일부를 최대 10개의 이익 실현 및 10개의 손절매 수준에 걸쳐 청산할 수 있습니다. 특정 매직 번호, 코멘트 또는 심볼을 지정하거나 제외하여 계정 내 모든 거래 또는 선택한 거래를 관리할 수 있습니다. 팁: 부분 폐쇄 EA MT4의 무료 데모 버전을 다운로드하고 데모 계정에서 사용해 보십시오: 여기 다운로드한 무료 데모 파일을 MT4 >> File >> Open Data Folder >> MQL4 >> Experts 폴더에 붙여넣고 터미널을 다시 시작합니다.   무료 데모 버전은 데모 계정에서만 한 번에 4시간 동안 모든 기능을 사용할 수 있습니다. 평가판 기간을 재설정하려면 MT4 >> 도구 >> 전역 변수 >> Control + A >> 삭제로 이동하세
VirtualTradePad mt4 Extra
Vladislav Andruschenko
4.86 (58)
한 번의 클릭으로 거래할 수 있는 거래 패널.   위치 및 주문 작업!   차트 또는 키보드에서 거래. 거래 패널을 사용하면 차트에서 클릭 한 번으로 거래하고 표준 MetaTrader 컨트롤보다 30배 빠르게 거래 작업을 수행할 수 있습니다. 거래자의 삶을 더 쉽게 만들고 거래자가 훨씬 빠르고 편리하게 거래 활동을 수행할 수 있도록 도와주는 매개변수 및 기능의 자동 계산. 차트의 무역 거래에 대한 그래픽 팁 및 전체 정보. MT5 버전 전체 설명   +DEMO +PDF 구입 방법 설치하는 방법     로그 파일을 얻는 방법     테스트 및 최적화 방법     Expforex의 모든 제품 열기 및 닫기, 반전 및 잠금, 부분 닫기/오토로트. 가상/실제 손절매/이익 실현/후행 정지/손익분기점, 주문 그리드 .... MetaТrader 4   의 주요 요청 거래 제어판   : 구매, 판매, 구매 중지, 구매 제한, 판매 중지, 판매 제한, 닫기, 삭제, 수정, 후행 중지, 손절매,
Trade Manager MT4 DaneTrades
Levi Dane Benjamin
4.09 (11)
거래 관리자는 위험을 자동으로 계산하는 동시에 거래를 빠르게 시작하고 종료하는 데 도움을 줍니다. 과잉 거래, 복수 거래 및 감정 거래를 방지하는 데 도움이 되는 기능이 포함되어 있습니다. 거래를 자동으로 관리할 수 있으며 계정 성과 지표를 그래프로 시각화할 수 있습니다. 이러한 기능은 이 패널을 모든 수동 거래자에게 이상적으로 만들고 MetaTrader 4 플랫폼을 향상시키는 데 도움이 됩니다. 다중 언어 지원. MT5 버전  |  사용자 가이드 + 데모 트레이드 매니저는 전략 테스터에서 작동하지 않습니다. 데모를 보려면 사용자 가이드로 이동하세요. 위기 관리 % 또는 $를 기준으로 위험 자동 조정 고정 로트 크기 또는 거래량과 핍을 기반으로 한 자동 로트 크기 계산을 사용하는 옵션 RR, Pips 또는 Price를 사용한 손익분기점 손실 설정 추적 중지 손실 설정 목표 달성 시 모든 거래를 자동으로 마감하는 최대 일일 손실률(%)입니다. 과도한 손실로부터 계정을 보호하고 과도한
Telegram To MT4 Receiver
Levi Dane Benjamin
4.2 (5)
당신이 멤버인 어떤 채널에서든(비공개 및 제한된 채널 포함) 신호를 직접 MT4로 복사하세요.  이 도구는 사용자를 고려하여 설계되었으며 거래를 관리하고 모니터하는 데 필요한 많은 기능을 제공합니다. 이 제품은 사용하기 쉽고 시각적으로 매력적인 그래픽 인터페이스로 제공됩니다. 설정을 사용자 정의하고 제품을 몇 분 안에 사용하십시오! 사용자 가이드 + 데모  | MT5 버전 | Discord 버전 데모를 시도하려면 사용자 가이드로 이동하십시오. Telegram To MT5 수신기는 전략 테스터에서 작동하지 않습니다! Telegram To MT4 특징 한 번에 여러 채널에서 신호를 복사합니다. 비공개 및 제한된 채널에서 신호를 복사합니다. Bot 토큰이나 채팅 ID가 필요하지 않습니다(필요한 경우 계속 사용할 수 있음). 위험 % 또는 고정된 로트를 사용하여 거래합니다. 특정 심볼을 제외합니다. 모든 신호를 복사할지 복사할 신호를 사용자 정의할지 선택합니다. 모든 신호를 인식하기
FastAutolot MT4
Francesco Vitale
5 (1)
Big Promo 40%! Introducing Autolot 2.0: The Revolutionary Trading Utility is Now Even MORE POWERFUL and EFFICIENT! We're proud to announce the launch of Autolot 2.0, the upgrade that takes your trading to a whole new level! We've listened to your feedback and improved the utility to make it even more versatile and user-friendly. Here are the key features we've added: Fixed Risk: Now you can set a fixed risk for your trades, regardless of the balance percentage. For example, in the settings, yo
X2 Copy MT4
Liubov' Shkandrii
Discover Instant Trade Copying with the Revolutionary X2 Copy MT4. With just a 10-second setup, you'll get a powerful tool for syncing trades between MetaTrader terminals on a single Windows computer or VPS with unprecedented speed - under 0.1 seconds. Whether you're a beginner or an experienced professional, X2 Copy MT4 offers flexible settings to perfectly match your trading needs. It's the ideal solution for those looking to maximize their profit potential. Try it today and see why it's the
OrderManager MT4
Lukas Roth
4.72 (25)
OrderManager 소개: MT4용 혁신적인 유틸리티 MetaTrader 4용 새로운 Order Manager 유틸리티를 통해 전문가처럼 거래를 관리하세요. 단순성과 사용 편의성을 염두에 두고 설계된 Order Manager는 각 거래와 관련된 위험을 쉽게 정의하고 시각화할 수 있습니다. 이를 통해 보다 효과적인 결정을 내리고 거래 전략을 최적화할 수 있습니다. OrderManager에 대한 자세한 정보는 매뉴얼을 참조하십시오. [ 매뉴얼 ] [ MT5 버전 ] [ 텔레그램 채널 ]  New: [ Telegram To MT5 ] 주요 특징: 위험 관리: 거래의 위험을 빠르고 쉽게 정의하여 더 나은 결정을 내리고 거래 성능을 향상시킵니다. 시각적 표현: 열린 포지션을 명확하고 간결하게 이해하기 위해 거래와 관련된 위험을 그래픽으로 볼 수 있습니다. 주문 수정: 몇 번의 클릭만으로 주문을 쉽게 수정하거나 닫아, 거래 과정을 간소화하고 소중한 시간을 절약합니다. 손끝의 뉴스: 한 번
Everything for chart Technical Analysis indicator MT4 in one tool Draw your supply demand zone with rectangle and support resistance with trendline and get alerts to mobile phone or email alert -  Risk reward indicator Video tutorials, manuals, DEMO download   here .  Find contacts on my   profile . 1.   Extended rectangles and trendlines Object will be extended to the right edge of the chart when price will draw new candles on chart. This is rectangle extender or trendline extender. 2. Price to
MT4 버전: https://www.mql5.com/en/market/product/91169 MT5 버전: https://www.mql5.com/en/market/product/110193 실시간 시그널: https://www.mql5.com/en/signals/2345410 "스마트 트레이더" 트레이딩 어시스턴트 전문가 자문을 소개합니다. 탁월한 적응력과 최첨단 위험 관리 전략으로 전 세계 전문 트레이더들이 신뢰하는 최고의 도구입니다. "스마트 트레이더"의 핵심은 끊임없이 변화하는 시장 상황에 동적으로 대응하도록 세심하게 설계된 혁신적인 위험 관리 전환 시스템입니다. 정적인 위험 매개변수에 의존하는 기존 트레이딩 어시스턴트와 달리, "스마트 트레이더"는 고급 알고리즘을 활용하여 시장 데이터를 실시간으로 지속적으로 분석하고, 시장 변동성에 대한 노출을 최소화하면서 수익 잠재력을 극대화하는 위험 관리 방식을 지능적으로 조정합니다. "스마트 트레이더"의 차별점은 시장 상황에 따라
Trade copier MT4
Alfiya Fazylova
4.55 (31)
Trade Copier는 거래 계정 간의 거래를 복사하고 동기화하도록 설계된 전문 유틸리티입니다. 복사는 공급자의 계정/단말기에서 동일한 컴퓨터 또는 vps에 설치된 수신자의 계정/단말기로 발생합니다. 구매하기 전에 데모 계정에서 데모 버전을 테스트할 수 있습니다. 데모 버전 여기 . 전체 지침 여기 . 주요 기능 및 이점: 복사기는 "МТ4> МТ4", "МТ4> МТ5", "МТ5> МТ4" 복사를 지원합니다. 복사기는 데모 계정 > 실 계정, 실 계정 > 데모 계정, 데모 계정 > 데모 계정 및 실제 계정 > 실 계정 복사를 지원합니다. 복사기는 읽기 전용 암호가 적용된 투자자 계정에서 복사를 지원합니다. 하나의 공급자 터미널은 여러 수신 터미널로 트랜잭션을 보낼 수 있고 하나의 수신 터미널은 여러 공급자 터미널에서 트랜잭션을 수신할 수 있습니다. 복사기는 귀하 또는 귀하의 고문이 거래하는 동일한 터미널에서 작동할 수 있습니다. 높은 복사 속도(0.5초 미만). 복사기에는 간편
Easy Trade Manager
Anoop Sivasankaran
4.78 (36)
New version with Panel updated..! (Thank you users for all your great feedback!) - Enter the Risked Amount or Lot size or % of Balance (New!) Drag the RED line on the chart to fix the Stop-Loss. Drag Blue line (New!) for Limit/Stop orders automatically ! Adjust TP1, TP2 and TP3 lines You are ready to Buy/Sell > Adjust the lines even after the trade - New! Check the user video - https://tinyurl.com/etmmt4ea Automatic Breakeven TP1/2 | Book Part/Partial Profit TP1-TP2 | Automatic Magic Trail TP1
거래 복사기 - 투자자 비밀번호 - 거래 복사 - MT4 x MT5 크로스 플랫폼 참고: 클라이언트 계정이 뒤따를 마스터 계정에 "Mirror Copier Master"가 필요하고 마스터 계정이 뒤따를 클라이언트 계정에 "Mirror Copier Client"가 모두 필요합니다. 블로그 : https://www.mql5.com/en/blogs/post/756897 작동 방식: https://www.youtube.com/watch?v=V7FNpuzrg5M MT4 버전 마스터 : https://www.mql5.com/en/market/product/114774 클라이언트: https://www.mql5.com/en/market/product/114843 MT5 버전 마스터 : https://www.mql5.com/en/market/product/114775 클라이언트 : https://www.mql5.com/en/market/product/114844 "
차트 동기화 표시기 - 터미널 창의 그래픽 개체를 동기화하도록 설계되었습니다. TradePanel 에 추가로 사용할 수 있습니다. 구매하기 전에 데모 계정에서 데모 버전을 테스트할 수 있습니다. 데모는 여기 에서 확인하세요. 객체를 다른 차트로 복사하려는 차트에 표시기를 설치하세요. 이 차트에 생성된 그래픽 개체는 표시기에 의해 동일한 기호가 있는 모든 차트에 자동으로 복사됩니다. 표시기는 그래픽 개체의 변경 사항도 복사합니다. 입력 매개변수: exception - 복사할 필요가 없는 그래픽 개체 이름의 접두사입니다. 여러 접두사를 ';'으로 구분하여 입력하여 지정할 수 있습니다. SyncVLINE - 수직선을 동기화합니다. SyncHLINE - 수평선. SyncTREND - 추세선. SyncTRENDBYANGLE - 각도별 추세선 SyncCYCLES - 순환 라인. SyncCHANNEL - 등거리 채널. SyncSTDDEVCHANNEL - 표준 편차 채널. SyncREGRESSIO
제작자의 제품 더 보기
ADXSignal
Stanislav Korotky
Classical ADX revamped to provide faster and more solid trading signals. This indicator calculates ADX values using standard formulae, but excludes operation of taking the module of ADX values, which is forcedly added into ADX for some reason. In other words, the indicator preserves natural signs of ADX values, which makes it more consistent, easy to use, and gives signals earlier than standard ADX. Strictly speaking, any conversion to an absolute value destroys a part of information, and it mak
WalkForwardOptimizer MT5
Stanislav Korotky
3.78 (9)
WalkForwardOptimizer library allows you to perform rolling and cluster walk-forward optimization of expert advisers (EA) in MetaTrader 5. To use the library include its header file WalkForwardOptimizer.mqh into your EA source code, add call provided functions as appropriate. Once the library is embedded into EA, you may start optimization according to the procedure described in the User guide . When it's finished, intermediate results are saved into a CSV file and some special global variables.
ADXS
Stanislav Korotky
5 (3)
Ever wondered why standard ADX is made unsigned and what if it would be kept signed? This indicator gives the answer, which allows you to trade more efficient. This indicator calculates ADX values using standard formulae, but excludes operation of taking the module of ADX values, which is forcedly added into ADX for some reason. In other words, the indicator preserves natural signs of ADX values, which makes it more consistent, easy to use, and gives signals earlier than standard ADX. Strictly s
CustomVolumeDelta
Stanislav Korotky
5 (1)
This indicator displays volume delta (of either tick volume or real volume) encoded in a custom symbol, generated by special expert advisers, such as RenkoFromRealTicks . MetaTrader does not allow negative values in the volumes, this is why we need to encode deltas in a special way, and then use CustomVolumeDelta indicator to decode and display the deltas. This indicator is applicable only for custom instruments generated in appropriate way (with signed volumes encoded). It makes no sense to ap
FREE
AutomaticZigZag
Stanislav Korotky
4.5 (2)
This is a non-parametric ZigZag providing 4 different methods of calculation. Upward edge continues on new bars while their `highs` are above highest `low` among previous bars, downward edge continues on next bars while their `lows` are below lowest `high` among previous; Gann swing: upward edge continues while `highs` and `lows` are higher than on the left adjacent bar, downward edge continues while `highs` and `lows` are lower than on the left adjacent bar. Inside bars (with lower `high` and
FREE
This is a demo version of a non-trading expert , which utilizes so called the custom symbols feature ( available in MQL as well ) to build renko charts based on historical quotes of selected standard symbol and to refresh renko in real-time according to new ticks. Also it translates real ticks to the renko charts, which allows other EAs and indicators to trade and analyze renko. Place the EA on a chart of a working instrument. The lesser timeframe of the source chart is, the more precise resulti
FREE
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker in real time. The expert OrderBook Recorder records market book changes and stores them in local files for further usage in indicators and expert adviser, including testing in the tester. The expert stores market book
FREE
TrueVolumeSurrogate MT5
Stanislav Korotky
5 (1)
This indicator provides a true volume surrogate based on tick volumes. It uses a specific formula for calculation of a near to real estimation of trade volumes distribution , which may be very handy for instruments where only tick volumes are available. Please note that absolute values of the indicator do not correspond to any real volumes data, but the distribution itself, including overall shape and behavior, is similar to real volumes' shape and behavior of related instruments (for example, c
VolumeDelta
Stanislav Korotky
4.67 (3)
This indicator provides the analysis of tick volume deltas. It calculates tick volumes for buys and sells separately, and their delta on every bar, and displays volumes by price clusters (cells) within a specified bar (usually the latest one). This is a limited substitution of market delta analysis based on real volumes, which are not available on Forex. The indicator displays the following data in its sub-window: light-blue histogram - buy (long) volumes; orange histogram - sell (short) volumes
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker, but in real time only, without access to its history. This expert adviser OrderBook History Playback allows you to playback the market book events on the history using files, created by OrderBook Recorder . The exper
FREE
OrderBook Utilities is a script, which performs several service operations on order book hob-files, created by OrderBook Recorder . The script processes a file for work symbol of the current chart. The file date is selected by means of the input parameter CustomDate (if it's filled in) or by the point where the script is dropped on the chart. Depending from the operation, useful information is written into the log, and optionally new file is created. The operation is selected by the input parame
FREE
WalkForwardDemo MT5
Stanislav Korotky
WalkForwardDemo is an expert adviser (EA) demonstrating how the built-in library WalkForwardOptimizer (WFO) for walk-forward optimization works. It allows you to easily optimize, view and analyze your EA performance and robustness in unknown trading conditions of future. You may find more details about walk-forward optimization in Wikipedia . Once you have performed optimization using WFO, the library generates special global variables (saved in an "archived" file with GVF-extension) and a CSV-f
FREE
This script allows performing a walk-forward analysis of trading experts based on the data collected by the WalkForwardLight MT5 library. The script builds a cluster walk forward report and rolling walk forward reports that refine it, in the form of a single HTML page. This script is optional, as the library automatically generates the report immediate after the optimization in the tester is complete. However, the script is convenient because it allows using the same collected data to rebuild th
FREE
HZZM
Stanislav Korotky
4 (1)
This is an adaptive ZigZag based on modification of  HZZ indicator (original source code is available in this article ). Most important changes in this version: two additional indicator buffers added for zigzag evolution monitoring - they show cross signs at points where zigzag direction first changes; zigzag range (H) autodetection on day by day basis; time-dependent adjustment of zigzag range. Parameters: H - zigzag range in points; this parameter is similar to original HZZ, but it can take 0
FREE
ReturnAutoScale
Stanislav Korotky
5 (2)
The indicator calculates running total of linear weighted returns. It transforms rates into integrated and difference-stationary time series with distinctive buy and sell zones. Buy zones are shown in blue, sell zones in red. Parameters: period - number of bars to use for linear weighted calculation; default value - 96; smoothing - period for EMA; default value - 5; mode - an integer value for choosing calculation mode: 0 - long term trading; 1 - medium term trading; 2 - short term trading; defa
FREE
RenkoCharts
Stanislav Korotky
This non-trading expert utilizes so called custom symbols feature ( available in MQL as well ) to build renko charts based on historical quotes of selected standard symbol and to refresh renko in real-time according to new ticks. Also, it translates real ticks to the renko charts, which allows other EAs and indicators to trade and analyze renko. Place RenkoCharts on a chart of a work instrument. The lesser timeframe of the source chart is, the more precise resulting renko chart is, but the lesse
PointsVsBars
Stanislav Korotky
This indicator provides a statistical analysis of price changes (in points) versus time delta (in bars). It calculates a matrix of full statistics about price changes during different time periods, and displays either distribution of returns in points for requested bar delta, or distribution of time deltas in bars for requested return. Please, note, that the indicator values are always a number of times corresponding price change vs bar delta occurred in history. Parameters: HistoryDepth - numbe
FREE
Comparator
Stanislav Korotky
4.75 (4)
This indicator compares the price changes during the specified period for the current symbol and other reference symbol. It allows to analyze the similar movements of highly correlated symbols, such as XAUUSD and XAGUSD, and find their occasional convergences and divergences for trading opportunities. The indicator displays the following buffers: light-green thick line - price changes of the current symbol for TimeGap bars; light-blue thin line - price changes of the reference symbol ( LeadSymbo
FREE
Year2Year
Stanislav Korotky
This indicator shows price changes for the same days in past years. D1 timeframe is required. This is a predictor indicator that finds D1 bars for the same days in past 8 years and shows their relative price changes on the current chart. Parameters: LookForward - number of days (bars) to show "future" price changes; default is 5; Offset - number of days (bars) to shift back in history; default is 0; ShowAverage - mode switch; true - show mean value for all 8 years and deviation bounds; false - s
FREE
Mirror
Stanislav Korotky
This indicator predicts rate changes based on the chart display principle. It uses the idea that the price fluctuations consist of "action" and "reaction" phases, and the "reaction" is comparable and similar to the "action", so mirroring can be used to predict it. The indicator has three parameters: predict - the number of bars for prediction (24 by default); depth - the number of past bars that will be used as mirror points; for all depth mirroring points an MA is calculated and drawn on the ch
If you like trading crosses (such as AUDJPY, CADJPY, EURCHF, and similar), you should take into account what happens with major currencies (especially, USD and EUR) against the work pair: for example, while trading AUDJPY, important levels from AUDUSD and USDJPY may have an implicit effect. This indicator allows you to view hidden levels, calculated from the major rates. It finds nearest extremums in major quotes for specified history depth, which most likely form resistence or support levels, a
EvoLevels
Stanislav Korotky
The indicator displays most prominent price levels and their changes in history. It dynamically detects regions where price movements form attractors and shows up to 8 of them. The attractors can serve as resistance or support levels and outer bounds for rates. Parameters: WindowSize - number of bars in the sliding window which is used for detection of attractors; default is 100; MaxBar - number of bars to process (for performance optimization); default is 1000; when the indicator is called from
ExtraMovingPivots
Stanislav Korotky
This is an intraday indicator that uses conventional formulae for daily and weekly levels of pivot, resistance and support, but updates them dynamically bar by bar. It answers the question how pivot levels would behave if every bar were considered as the last bar of a day. At every point in time, it takes N latest bars into consideration, where N is either the number of bars in a day (round the clock, i.e. in 24h) or the number of bars in a week - for daily and weekly levels correspondingly. So,
Most of traders use resistance and support levels for trading, and many people draw these levels as lines that go through extremums on a chart. When someone does this manually, he normally does this his own way, and every trader finds different lines as important. How can one be sure that his vision is correct? This indicator helps to solve this problem. It builds a complete set of virtual lines of resistance and support around current price and calculates density function for spatial distributi
The indicator draws a histogram of important levels for several major currencies attached to the current cross rates. It is intended for using on charts of crosses. It displays a histogram calculated from levels of nearest extremums of related major currencies. For example, hidden levels for AUDJPY can be detected by analyzing extremums of AUD and JPY rates against USD, EUR, GBP, and CHF. All instruments built from these currencies must be available on the client. This is an extended version of
StatBars
Stanislav Korotky
The indicator provides a statistic histogram of estimated price movements for intraday bars. It builds a histogram of average price movements for every intraday bar in history, separately for each day of week. Bars with movements above standard deviation or with higher percentage of buys than sells, or vice versa, can be used as direct trading signals. The indicator looks up current symbol history and sums up returns on every single intraday bar on a specific day of week. For example, if current
PriceProbability
Stanislav Korotky
This is an easy to use signal indicator which shows and alerts probability measures for buys and sells in near future. It is based on statistical data gathered on existing history and takes into account all observed price changes versus corresponding bar intervals in the past. The statistical calculations use the same matrix as another related indicator - PointsVsBars. Once the indicator is placed on a chart, it shows 2 labels with current estimation of signal probability and alerts when signal
CCFpExtra
Stanislav Korotky
CCFpExtra is an extended version of the classic cluster indicator - CCFp. This is the MT4 version of indicator  CCFpExt available for MT5. Despite the fact that MT5 version was published first, it is MT4 version which was initially developed and tested, long before MT4 market was launched. Main Features Arbitrary groups of tickers or currencies are supported: can be Forex, CFDs, futures, spot, indices; Time alignment of bars for different symbols with proper handling of possibly missing bars, in
PriceProbabilities
Stanislav Korotky
This is a signal indicator for automatic trading which shows probability measures for buys and sells for each bar. It is based on statistical data gathered on existing history and takes into account all observed price changes versus corresponding bar intervals in the past. The core of the indicator is the same as in PriceProbablility indicator intended for manual trading. Unlike PriceProbability this indicator should be called from MQL4 Expert Advisors or used for history visual analysis. The in
FreqoMeterForecast
Stanislav Korotky
The main idea of this indicator is rates analysis and prediction by Fourier transform. Indicator decomposes exchange rates into main harmonics and calculates their product in future. You may use the indicator as a standalone product, but for better prediction accuracy there is another related indicator - FreqoMaster - which uses FreqoMeterForecast as a backend engine and combines several instances of FreqoMeterForecast for different frequency bands. Parameters: iPeriod - number of bars in the ma
필터:
Mohammed Abdulwadud Soubra
38270
Mohammed Abdulwadud Soubra 2017.06.29 10:24 
 

사용자가 평가에 대한 코멘트를 남기지 않았습니다

리뷰 답변