• 미리보기
  • 리뷰 (1)
  • 코멘트 (1)
  • 새 소식

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. 

추천 제품
Close by percentage MT4
Konstantin Kulikov
4.86 (7)
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
FREE
Lines of risk
Makarii Gubaydullin
The indicator displays the   specified Risk Level   on the chart, for long and short positions. My   #1 Utility : includes 65+ functions  |   Contact me  if you have any questions It may be useful when setting the Stop Loss level, the value of which is visible on the right price axis. To calculate the level of risk, a   Fixed  / or   Last used   lot size is used. Imput Settings: Last traded lot:  set " true " to make the calculation for your last used   trading lot; Lot Size: set the value of t
후행 정지 수준으로 거래를 자동으로 마감하는 유틸리티입니다. 수익을 최대한 활용할 수 있습니다. 상인을 위해 전문 상인이 만들었습니다. 유틸리티는 거래자가 수동으로 또는 고문을 사용하여 개설한 모든 시장 주문과 함께 작동합니다. 매직 넘버로 거래를 필터링할 수 있습니다. 유틸리티는 동시에 원하는 수의 주문을 처리할 수 있습니다. MT5 버전 https://www.mql5.com/ru/market/product/56488 유틸리티가 할 수 있는 일: 1핍에서 가상 후행 정지 수준 설정 실제 후행 정지 수준 설정 각 주문에 대해 개별적으로 작업(후행 정지 수준은 각 주문에 별도로 배치됨) 단방향 주문 바스켓으로 작업(후행 정지 수준은 모든 주문에 대해 공통으로 설정되며 별도로 구매 및 판매) 양방향 주문 바스켓으로 작업(추적 정지 수준은 모든 주문에 대해 공통으로 설정되며 BUY 및 SELL을 함께 사용) 테스트 및 작업을 위해 차트의 버튼을 사용할 수 있습니다. 옵션:
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
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 sh
FREE
Spread Record
Konstantin Kulikov
3.75 (4)
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
FREE
Trend Show Volume
Rodolfo Leonardo De Morais
Trend Show Volume This indicator allows you to visualize volume distortions. When the volume increases by x percent we have different colors and sizes plotted. Indicator Parameters pPercentShow -  Percentage of volume on which different colors and sizes will be plotted pLength - Average applied to volume [background bar] pModeMA - Type of media applied to the volume
This is an expert advisor that will trail stop loss of orders selected from the list displayed on the chart. To make it run, add the expert to an empty chart (please set it on a chart that is not in use for analysis or other trading purposes, you can minimize it when setting a new order trail timed stop loss is not required). Set the number of pips to trail and the number of minutes to wait for the next stop loss review at the inputs tab in the Expert Properties window. From the list displayed o
Lot by Risk
Sergey Vasilev
4.83 (24)
위험 거래 패널에 의해 많은 수동 거래를 위해 설계되었습니다. 이 명령을 보낼 수있는 다른 수단이다. 패널의 첫 번째 특징은 제어 라인을 사용하여 편리하게 주문할 수 있다는 것입니다. 두번째 특징은 정지 손실 선의 면전에서 주어진 위험을 위한 거래 양의 계산입니다. 제어 라인은 단축키를 사용하여 설정됩니다: 이익을-기본적으로 티 키; 가격-기본적으로 피 키; 정지 손실-기본적으로 키; 당신은 거래 패널의 설정에서 키를 직접 구성 할 수 있습니다. 작동 알고리즘: 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
손익분기점을 자동으로 설정하는 유틸리티로, 주어진 거리를 지나갈 때 거래를 손익분기점으로 전환합니다. 위험을 최소화할 수 있습니다. 상인을 위해 전문 상인이 만들었습니다. 유틸리티는 거래자가 수동으로 또는 고문을 사용하여 개설한 모든 시장 주문과 함께 작동합니다. 매직 넘버로 거래를 필터링할 수 있습니다. 유틸리티는 동시에 원하는 수의 주문을 처리할 수 있습니다. MT5 버전 https://www.mql5.com/ru/market/product/57077 유틸리티가 할 수 있는 일: 1핍에서 가상 손익분기점 설정 실제 수준의 손익분기점 설정 각 주문에 대해 개별적으로 작업(손익분기 수준은 각 주문에 대해 별도로 설정됨) 단방향 주문 바구니로 작업(손익분기 수준은 모든 주문에 대해 공통으로 설정되고 별도로 구매 및 판매) 양방향 주문 바스켓으로 작업(손익분기 수준은 모든 주문에 대해 공통으로 설정되며, 함께 구매 및 판매) 테스트 및 작업을 위해 차트의 버튼을 사용할 수
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 s
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 separ
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
Auto risk manager Free is a utility for order management. Regardless of whether the orders are opened manually or by Expert Advisors, the utility removes pending orders (if needed) and disables the terminal (not letting the EAs open new trades) when a specified profit or loss percentage is reached. This demo versions allows you to understand the work of the full version of Auto risk manager . The demo works only with AUDNZD orders only. Profit_Percent and Loss_Percent may have either positive or
FREE
Red Hawk EA
Profalgo Limited
4.22 (18)
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
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 pr
CAP Trade Pad EA
MEETALGO LLC
4.67 (18)
Trade easily from the chart with   CAP Trade Pad EA . It handles risk management for you and can perform several useful tasks with your existing trades. Trade easily from the chart Trade with precise risk management hassle free Set your desired stop loss and take profit levels Close all existing trades with a single click Delete all pending orders with a single click Reap partial profits with a single click It has no input parameters How to Use Please Read this blog -   Details Information in
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 siz
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 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;2
SpeedManager
Sajiro- Yoshizaki
이것은 전략 테스터에서 효율적인 테스트 및 분석을 가능하게 하는 재생 속도 관리 도구입니다. 전략 테스터의 사용성을 향상시키고, 거래 전략의 개발 및 평가를 간소화하는 수단으로 사용될 수 있습니다. 도구의 특징: 재생 속도 제어: 사용자는 전략 테스터의 재생 속도를 자유롭게 변경할 수 있으며, 빨리 감기, 속도를 올려서 재생하거나 원하는 지점에서 일시 정지할 수 있습니다. 한 바, 한 틱 앞으로: 'Next Bar' 버튼을 사용하여 사용자는 한 번에 한 바씩 앞으로 나아갈 수 있습니다. 또한, 더 상세한 분석을 위해 한 틱씩 앞으로 나아가는 것도 가능합니다. 시간대 및 통화 쌍의 동기화: " Practice Simulator Sync (무료)"를 사용하면 다양한 시간대 및 통화 쌍과 동기화하여 재생할 수 있습니다. 이를 통해 MTF 및 다른 통화 조건을 동시에 볼 수 있습니다. 자동 일시 정지: 매일 특정 시간(예: 시장 개장 시)에 멈추어 그 지점부터 움직임을 분석할 수 있습니
FREE
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
News Scalping Executor is an advisor which helps to trade news with high impact and huge volatility. This advisor helps to create two opposite orders with risk management. 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. To be profitable with this type of trading you should choose the most volatile types of news such as: GDP, CPI, Unemployment Claims, Intere
FREE
Risk Manager Pro MT4
Jhojan Alberto Tobon Monsalve
Risk Manager Pro is a simple utility that calculates the necessary lots with the risk percentage and the pips of stop loss, before opening positions. The web calculators can be useful in some cases but they are not efficient to open operations in real time. In the trading days, there are few opportunities to open positions and when the opportunity arises, the seconds make the difference. This is not possible with conventional web calculators, since to calculate the size of an operation regarding
WOz
Andrej Hermann
5 (3)
Universal trading advisor "WOz" with a built-in trading panel The EA's capabilities can be easily tested in the strategy tester in visual mode. The EA can simulate real trading with the ability to move the SL and TP levels.  The EA has 5 modes of operation:  1. AUTOTRADING automatic trading mode on a set signal  2. ONLY SIGNAL mode of tracking the set signal without auto trading  3. RANGE MODUS mode of automatic placement of equidistant orders on Bayi Sell at a specified time  4. H
FREE
ABCMarketsControl
Svetlana Dzikovskaya
ABCMarketsControl.ex4 utility manages already opened trades on any symbol by moving them to a breakeven when the price reaches a certain level. Besides, if the price goes further in favorable direction, the utility moves Stop Loss and Take Profit accordingly. The utility is most convenient for use on medium and long terms, as well as when trading on news. The parameters set by default are optimal, but it is better to select them individually for each trading symbol according to personal experien
이 제품의 구매자들이 또한 구매함
Trade Assistant MT4
Evgeniy Kravchenko
4.46 (181)
거래당 위험 계산, 라인을 사용한 손쉬운 신규 주문, 부분 청산 기능을 통한 주문 관리, 7가지 유형의 트레일링 스탑 및 기타 유용한 기능을 제공합니다. 주의, 응용 프로그램은 전략 테스터에서 작동하지 않습니다. Manual, Description, Download demo 라인 기능       - 차트에 개시선, 손절매, 차익실현을 표시합니다. 이 기능을 사용하면 새로운 주문을 쉽게 하고 개봉 전에 추가 특성을 볼 수 있습니다. 위기 관리       -       위험 계산 기능은 설정된 위험과 손절매 주문의 크기를 고려하여 새 주문의 볼륨을 계산합니다. 이를 통해 손절매 크기를 설정하고 동시에 설정된 위험을 존중할 수 있습니다. 로트 계산 버튼 - 위험 계산을 활성화/비활성화합니다. 필요한 위험 값은 위험 필드에 0에서 100 사이의 백분율 또는 예금 통화로 설정됩니다. 설정 탭에서 위험 계산 옵션을 선택합니다. $ 통화, % 잔액, % 지분, % 자유 마진, % 사용
가격이 순식간에 변할 수 있는 시장에서 주문은 가능한 한 간단해야 한다고 생각하십니까? Metatrader에서는 주문을 열 때마다 시작 가격, 손절매 및 이익실현 및 거래 규모를 입력하는 창을 열어야 합니다. 금융 시장 거래에서 자본 관리는 초기 예금을 유지하고 곱하기 위해 필수적입니다. 따라서 주문을 하고 싶을 때 얼마나 큰 거래를 열어야 하는지 궁금할 것입니다. 이 단일 거래에서 위험을 감수해야 하는 예치금의 비율은 얼마입니까? 이 거래에서 얼마나 많은 이익을 얻을 수 있으며 위험 대비 이익 비율은 얼마입니까? 거래 규모를 설정하기 전에 거래 규모가 어떻게 되어야 하는지에 대한 질문에 대한 답을 얻기 위해 필요한 계산을 수행합니다. 이 모든 작업을 자동으로 수행하는 도구가 있다고 상상해 보십시오. 차트를 열고 시장 분석을 하고 진입점, 방어점(손절매) 및 목표(이익 실현)를 수평선으로 표시하고 마지막에 위험 수준을 정의합니다. 이 거래에서 감당할 수 있는 가용 자본의 %로, 이
Local Trade Copier EA MT4
Juvenille Emperor Limited
5 (78)
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 폴더에 붙여넣고 터미
TradePanel MT4
Alfiya Fazylova
4.91 (87)
Trade Panel은 다기능 거래 보조원입니다. 이 애플리케이션에는 수동 거래를 위해 설계된 50개 이상의 기능이 포함되어 있어 대부분의 거래 작업을 자동화할 수 있습니다. 주의하세요! 전략 테스터에서는 응용 프로그램이 작동하지 않습니다. 데모 계정에서 유틸리티를 테스트할 수 있습니다. " 데모 버전 "에서 데모 버전을 다운로드하세요. 애플리케이션의 주요 기능: 모든 거래 수단(Forex, CFD, 선물 및 기타)과 함께 작동합니다. 무제한 거래 수단(기호)과의 동시 작업 거래당 위험도 자동 계산 및 이익실현 크기에 대한 손절매 비율 설정 "OCO-order"(하나가 다른 하나를 취소함) 작업과 함께 차트에 선을 설정할 수 있습니다(포지션 열기, 보류 중인 주문 열기 또는 그룹별 주문 닫기). 가상의 이익실현 및 손절매를 설정할 수 있습니다. 위치를 뒤집거나 잠글 수 있습니다. 6가지 유형의 후행 정지 손절매를 손익분기점으로 이동시키는 기능이 있습니다. 포지션 부분 청산(손익 일부
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
MT4 to Telegram Signal Provider 는 사용하기 쉽고 완전히 사용자 정의가 가능한 도구로, 텔레그램으로 신호를 보내어 계정을 신호 제공자로 변환할 수 있습니다. 메시지 형식은 완전히 사용자 정의가 가능합니다! 그러나 간단한 사용을 위해 미리 정의된 템플릿을 선택하고 메시지의 특정 부분을 활성화하거나 비활성화할 수도 있습니다. [ 데모 ]  [ 매뉴얼 ] [ MT5 버전 ] [ 디스코드 버전 ] [ 텔레그램 채널 ] 설정 단계별 사용자 가이드 가 제공됩니다. 텔레그램 API에 대한 지식이 필요 없으며, 개발자가 필요한 모든 것을 제공합니다. 주요 기능 구독자에게 보낸 주문 세부 정보를 사용자 정의할 수 있는 기능 예를 들어 브론즈, 실버, 골드와 같은 계층 구독 모델을 만들 수 있습니다. 골드 구독은 모든 신호 등을 받게 됩니다. ID, 심볼 또는 코멘트별 주문 필터링 주문이 실행된 차트의 스크린샷을 포함 보낸 스크린샷에 종료된 주문을 그려 추가
Exp COPYLOT CLIENT for MT4
Vladislav Andruschenko
4.66 (67)
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 copier MT4
Alfiya Fazylova
4.67 (30)
Trade Copier는 거래 계정 간의 거래를 복사하고 동기화하도록 설계된 전문 유틸리티입니다. 복사는 공급자의 계정/단말기에서 동일한 컴퓨터 또는 vps에 설치된 수신자의 계정/단말기로 발생합니다. 구매하기 전에 데모 계정에서 데모 버전을 테스트할 수 있습니다. 데모 버전 여기 . 전체 지침 여기 . 주요 기능 및 이점: 복사기는 "МТ4> МТ4", "МТ4> МТ5", "МТ5> МТ4" 복사를 지원합니다. 복사기는 데모 계정 > 실 계정, 실 계정 > 데모 계정, 데모 계정 > 데모 계정 및 실제 계정 > 실 계정 복사를 지원합니다. 복사기는 읽기 전용 암호가 적용된 투자자 계정에서 복사를 지원합니다. 하나의 공급자 터미널은 여러 수신 터미널로 트랜잭션을 보낼 수 있고 하나의 수신 터미널은 여러 공급자 터미널에서 트랜잭션을 수신할 수 있습니다. 복사기는 귀하 또는 귀하의 고문이 거래하는 동일한 터미널에서 작동할 수 있습니다. 높은 복사 속도(0.5초 미만). 복사기에는 간편
거래 관리자는 위험을 자동으로 계산하는 동시에 거래를 빠르게 시작하고 종료하는 데 도움을 줍니다. 과잉 거래, 복수 거래 및 감정 거래를 방지하는 데 도움이 되는 기능이 포함되어 있습니다. 거래를 자동으로 관리할 수 있으며 계정 성과 지표를 그래프로 시각화할 수 있습니다. 이러한 기능은 이 패널을 모든 수동 거래자에게 이상적으로 만들고 MetaTrader 4 플랫폼을 향상시키는 데 도움이 됩니다. 다중 언어 지원. MT5 버전  |  사용자 가이드 + 데모 트레이드 매니저는 전략 테스터에서 작동하지 않습니다. 데모를 보려면 사용자 가이드로 이동하세요. 위기 관리 % 또는 $를 기준으로 위험 자동 조정 고정 로트 크기 또는 거래량과 핍을 기반으로 한 자동 로트 크기 계산을 사용하는 옵션 RR, Pips 또는 Price를 사용한 손익분기점 손실 설정 추적 중지 손실 설정 목표 달성 시 모든 거래를 자동으로 마감하는 최대 일일 손실률(%)입니다. 과도한 손실로부터 계정을 보호하고 과도한
VirtualTradePad mt4 Extra
Vladislav Andruschenko
4.88 (60)
한 번의 클릭으로 거래할 수 있는 거래 패널.   위치 및 주문 작업!   차트 또는 키보드에서 거래. 거래 패널을 사용하면 차트에서 클릭 한 번으로 거래하고 표준 MetaTrader 컨트롤보다 30배 빠르게 거래 작업을 수행할 수 있습니다. 거래자의 삶을 더 쉽게 만들고 거래자가 훨씬 빠르고 편리하게 거래 활동을 수행할 수 있도록 도와주는 매개변수 및 기능의 자동 계산. 차트의 무역 거래에 대한 그래픽 팁 및 전체 정보. MT5 버전 전체 설명   +DEMO +PDF 구입 방법 설치하는 방법     로그 파일을 얻는 방법     테스트 및 최적화 방법     Expforex의 모든 제품 열기 및 닫기, 반전 및 잠금, 부분 닫기/오토로트. 가상/실제 손절매/이익 실현/후행 정지/손익분기점, 주문 그리드 .... MetaТrader 4   의 주요 요청 거래 제어판   : 구매, 판매, 구매 중지, 구매 제한, 판매 중지, 판매 제한, 닫기, 삭제, 수정, 후행 중지,
Unlimited Trade Copier Pro is a tool to copy trade remotely between multiple MT4/MT5 accounts at different computers/locations over internet. This is an ideal solution for signal provider, who want to share his trade with the others globally on his own rules. One provider can copy trades to multiple receivers and one receiver can get trade from multiple providers as well. The provider can even set the subscription expiry for each receiver, so that receiver will not be able to receive the signal
외환 포트폴리오를 관리하십시오. 당신이 서 있는 위치, 효과가 있는 것과 통증을 유발하는 것을 즉시 확인하십시오! MT5 버전은 여기에서 사용 가능: https://www.mql5.com/en/market/product/58658 Trade Manager 대시보드는 현재 외환 시장에서 각 포지션이 어디에 있는지 한 눈에 보여주고 위험 관리 및 통화 노출을 더 쉽게 이해할 수 있도록 설계되었습니다. 여러 포지션 또는 거래 그리드 및 바스켓 전략을 사용하여 점진적으로 시장으로 확장하는 거래자의 경우 이것이 핵심 정보입니다. 터미널에서 여러 위치를 모니터링하는 것은 종종 관리하기 어렵습니다. 저조한 위험을 과도하게 활용하고 사용하는 것은 신규 거래자와 일부 숙련된 거래자가 직면한 주요 문제입니다. 거래 관리자는 각 통화에 대한 노출을 개별적으로 표시하여 한 번에 양방향 거래를 하지 않도록 합니다. 특징: 공개 거래 - 통화 쌍별로 정렬된 현재 공개 거래를 모두 봅니다. 쌍뿐만
The top-selling EAs on the market cost a lot and one day they are suddenly gone. This is because one strategy will not work in the forex market all the time. Our product is unique from all others in the MQL Marketplace because our EA comes with 34+ built-in indicators that allow adding more strategies every time.  You build your strategy and keep updating it. If one strategy does not work, simply build another all using only one EA. This is All-In-One EA in this market place. You can use as trad
Grid Manual MT4
Alfiya Fazylova
4.71 (17)
"Grid Manual"은 주문 그리드 작업을 위한 거래 패널입니다. 이 유틸리티는 보편적이며 유연한 설정과 직관적인 인터페이스를 제공합니다. 그것은 손실을 평균화하는 방향뿐만 아니라 이익을 증가시키는 방향으로 주문 그리드와 함께 작동합니다. 거래자는 주문 그리드를 만들고 유지할 필요가 없으며 유틸리티에서 수행합니다. 거래자가 주문을 시작하는 것으로 충분하며 "Grid Manual"는 자동으로 그를 위한 주문 그리드를 생성하고 거래가 마감될 때까지 그와 동행할 것입니다. 유틸리티의 주요 기능: 모바일 터미널을 포함하여 어떤 방식으로든 열린 주문과 함께 작동합니다. "제한" 및 "중지"의 두 가지 유형의 그리드와 함께 작동합니다. 고정 및 동적(ATR 표시기 기반)의 두 가지 유형의 그리드 간격 계산과 함께 작동합니다. 오픈 오더 그리드의 설정을 변경할 수 있습니다. 차트에서 각 주문 그리드의 손익분기점 수준을 표시합니다. 각 주문 그리드에 대한 이익 마진을 표시합니다. 한 번의 클릭
FTMO Sniper 4
Vyacheslav Izvarin
Dedicated for FTMO and other Prop Firms Challenges 2020-2023 Trade only GOOD and checked PROP FIRMS  Default parameters for Challenge $100,000 Best results on GOLD and US100  Use any Time Frame Close all deals and Auto-trading  before  US HIGH NEWS, reopen 2 minutes after Close all deals and Auto-trading  before Weekend at 12:00 GMT+3  Friday Recommended time to trade 09:00-21:00 GMT+3 For Prop Firms MUST use special Protector  https://www.mql5.com/en/market/product/94887 -------------------
-25% discount ($199 -> $149) Advanced trading tool: One click smart orders that execute under your conditions Developed by trader for trading community:  position size calculator (lot size), open position after price action, strategy builder, set and forget trading, mobile notifications... Risk Management -  Risk percentage position size calculator, gain percentage, target risk reward ratio, spread and commissions are included in calculations 7 Advanced order types   - Set and forget trading
Trade Copier Agent는 여러 MetaTrader(4/5) 계정/터미널 간에 거래를 복사하도록 설계되었습니다. 이 도구를 사용하면 제공자(소스) 또는 수신자(대상) 역할을 할 수 있습니다. 모든 거래 행위는 지연 없이 제공자에서 수신자로 복사됩니다. 이 도구를 사용하면 0.5초 미만의 매우 빠른 복사 속도로 동일한 컴퓨터의 여러 MetaTrader 터미널 간에 거래를 복사할 수 있습니다. 무역 복사기 에이전트 설치 및 입력 가이드 복사를 시작하기 전이나 주문이 없을 때 공급자 계정의 설정을 적용하십시오! 주문이 있는 동안 모든 변경 사항은 수신자 계정에 영향을 미칩니다. 예: 공급자 계정이 구매 주문을 적용한 다음 구매를 비활성화하면 수신자 계정의 모든 구매 주문이 닫힙니다. EA에 대한 알림을 받으려면 URL(   http://autofxhub.com   ) MT4 터미널을 추가하십시오(스크린샷 참조). MT5 버전   https://www.mql5.com/en
DrawDown Limiter MT4
Haidar, Lionel Haj Ali
5 (9)
Drawdown Limiter EA You are in the right place if you were searching for Drawdown control, Drawdown limiter, Balance protection, Equity Protection or Daily Drawdown Limit related to Prop Firm, FTMO, or Funded account trading, or if you want to protect your trading account. Have you suffered from controlling your drawdown when trading funded accounts? This EA is meant for you. Prop firms usually set a rule called “Trader Daily Drawdown”, and if it is not respected, you are disqualified.  I am an
당신이 멤버인 어떤 채널에서든(비공개 및 제한된 채널 포함) 신호를 직접 MT4로 복사하세요.  이 도구는 사용자를 고려하여 설계되었으며 거래를 관리하고 모니터하는 데 필요한 많은 기능을 제공합니다. 이 제품은 사용하기 쉽고 시각적으로 매력적인 그래픽 인터페이스로 제공됩니다. 설정을 사용자 정의하고 제품을 몇 분 안에 사용하십시오! 사용자 가이드 + 데모  | MT5 버전 | Discord 버전 데모를 시도하려면 사용자 가이드로 이동하십시오. Telegram To MT5 수신기는 전략 테스터에서 작동하지 않습니다! Telegram To MT4 특징 한 번에 여러 채널에서 신호를 복사합니다. 비공개 및 제한된 채널에서 신호를 복사합니다. Bot 토큰이나 채팅 ID가 필요하지 않습니다(필요한 경우 계속 사용할 수 있음). 위험 % 또는 고정된 로트를 사용하여 거래합니다. 특정 심볼을 제외합니다. 모든 신호를 복사할지 복사할 신호를 사용자 정의할지 선택합니다. 모든 신호를 인식하
KT Equity Protector MT4
KEENBASE SOFTWARE SOLUTIONS
3 (2)
KT Equity Protector EA consistently monitors the account equity and closes all the market and pending orders once the account equity reached a fixed equity stop loss or profit target.  After closing all trading positions, the EA can close all open charts to stop other expert advisors from opening more trading positions. Equity Stop-Loss If your current account balance is $5000 and you set an equity stop loss at $500. In this case, the KT Equity Protector will close all the active and pending
Mentfx Mmanage
Anton Jere Calmes
5 (16)
The added video will show you the full functionality, effectiveness, and simplicity of this trade manager. Drag and Drop Trade Manager. Draw your entry and have the tool calculate the rest. Advanced targeting and close portions of a trade directly available in tool (manage trades while you sleep). Market order or limit order on either side with factored spread. Just draw the entry, the tool does the rest. Hotkey setup to make it simple. Draw where you want to enter, and the stop loss, the tool c
Take a Break
Eric Emmrich
5 (27)
The most advanced news filter and drawdown limiter on MQL market NEW: Take a Break can be backtested against your account history! Check the " What's new " tab for details. Take a Break has evolved from a once simple news filter to a full-fledged account protection tool. It pauses any other EA during potentially unfavorable market conditions and will continue trading when the noise is over. Typical use cases: Stop trading during news/high volatility (+ close my trades before). Stop trading when
OrderManager MT4
Lukas Roth
4.63 (19)
OrderManager 소개: MT4용 혁신적인 유틸리티 MetaTrader 4용 새로운 Order Manager 유틸리티를 통해 전문가처럼 거래를 관리하세요. 단순성과 사용 편의성을 염두에 두고 설계된 Order Manager는 각 거래와 관련된 위험을 쉽게 정의하고 시각화할 수 있습니다. 이를 통해 보다 효과적인 결정을 내리고 거래 전략을 최적화할 수 있습니다. OrderManager에 대한 자세한 정보는 매뉴얼을 참조하십시오. [ 매뉴얼 ] [ MT5 버전 ] [ 텔레그램 채널 ] 주요 특징: 위험 관리: 거래의 위험을 빠르고 쉽게 정의하여 더 나은 결정을 내리고 거래 성능을 향상시킵니다. 시각적 표현: 열린 포지션을 명확하고 간결하게 이해하기 위해 거래와 관련된 위험을 그래픽으로 볼 수 있습니다. 주문 수정: 몇 번의 클릭만으로 주문을 쉽게 수정하거나 닫아, 거래 과정을 간소화하고 소중한 시간을 절약합니다. 손끝의 뉴스: 한 번의 터치로 최신 시장 뉴스를 얻어 항상 정보를
Trade Assistant GS
Vasiliy Strukov
5 (33)
거래 패널은 주문 관리로 제한됩니다. 버튼을 사용하여 열거나 사용자가 열 수 있습니다. 컬렉션에서 간단하고 편리합니다. 모든 구매자를 보완합니다. Gold Stuff 표시기와 함께 사용하는 것이 좋습니다. 단일 주문으로 거래를 설정하고 거리가 있는 그리드를 구축하십시오. 표준 그리드를 만들려면 10000과 같이 큰 거리를 설정하기만 하면 됩니다. 실시간 결과는 여기에서 볼 수 있습니다. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   설정 새 시리즈 열기 - 새 주문 시리즈의 온/오프 시작. Lot miltiplier - 다음 주문에 대한 로트 승수. TP - 핍으로 이익을 얻습니다. SL - 손절매, 첫 주문부터 핍 단위. 트레일 시작 - 트레일링 스톱 활성화. 트레일 스텝 - 트레일링 스톱을 활성화할 때 가격으로부터의 거리. DD 감소 알고리즘 - 수익이 있는 마지막 주문이 손실이 있는 첫 번째 주문 시리즈와 마감될 때 손실 감소 알고리즘입
MT4 Alert Signal Trader  is an EA that helps you trade MT4 Alert popup. Some indicators can provide signals by showing an alert popup containing signal texts. This EA will read and trade these signal texts. The alert texts should contain at least 2 elements:  (1) a symbol text   (ex: "EURUSD") and  (2) a command type   (ex: "Buy", "Sell", "Close") that trigger EA's trading activities. Some other contents that may have or not are open price, stop loss, take profit values... The EA needs an aweso
The News Filter
Leolouiski Gan
5 (17)
이 제품은 뉴스 시간 동안 모든 전문가 어드바이저 및 수동 차트를 필터링하여 수동 거래 설정이나 다른 전문가 어드바이저가 입력한 거래가 파괴될 수 있는 급격한 가격 상승으로부터 걱정하지 않아도 됩니다. 이 제품은 또한 뉴스 발표 전에 열린 포지션과 대기 주문을 처리할 수 있는 완전한 주문 관리 시스템이 함께 제공됩니다. The News Filter  를 구매하면 더 이상 내장 뉴스 필터에 의존할 필요가 없으며 이제부터 모든 전문가 어드바이저를 여기서 필터링할 수 있습니다. 뉴스 선택 뉴스 소스는 Forex Factory의 경제 캘린더에서 얻어집니다. USD, EUR, GBP, JPY, AUD, CAD, CHF, NZD 및 CNY와 같은 어떤 통화 기준으로 선택할 수 있습니다. Non-Farm (NFP), FOMC, CPI 등과 같은 키워드 식별을 기준으로 선택할 수도 있습니다. 저, 중, 고 영향을 가지는 뉴스를 필터링할 수 있도록 선택할 수 있습니다. 차트와 관련된 뉴스만 선택
The Expert Advisor will help you forward all pop-up alert with screenshot from  MetaTrader 4 to Telegram channel/ group, also forward all notifications to Telegram. Parameters  -  Telegram Bot Token - create bot on Telegram and get token.  -  Telegram Chat ID  - input your Telegram user ID,  group / channel ID  -  Forward Alert - default true, to forward alert.  -  Send message as caption of Screenshot - default false, set true to send message below Screenshot  How to setup and guide  - Telegram
Ultimate Trailing Stop EA
BLAKE STEVEN RODGER
4.33 (15)
This EA Utility allows you to manage (with advanced filtering) unlimited open orders (manual or EA) with 16 trailing stop methods: fixed, percent, ATR Exit, Chandelier Exit, Moving Average, Candle High Low Exit, Bollinger Bands, Parabolic, Envelope, Fractal, Ichimoku Kijun-Sen, Alligator, Exit After X Minutes or Bars, RSI and Stochastic. The trailing stop can be either real or virtual, and you can exit fully or with a partial close percent on touch or bar close.  Moreover, you can add (overr
Trade Dashboard MT4
Fatemeh Ameri
5 (20)
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
The product will copy all  Discord  signal   to MT4   ( which you are member  ) , also it can work as remote copier.  Easy to set up. Work with almost signal formats, support to translate other language to English Work with multi channel, multi MT4. Work with Image signal. Copy order instant, auto detect symbol. Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. How to setup and guide: Let read all details about setup and download Discord To MetaTrade
제작자의 제품 더 보기
WalkForwardOptimizer MT5
Stanislav Korotky
3.86 (7)
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.
RenkoFromRealTicks
Stanislav Korotky
4.67 (3)
This non-trading expert utilizes so called custom symbols feature ( available in MQL API as well) to build renko charts based on history of real ticks of selected standard symbol. RenkoFromRealTicks generates custom symbol quotes, thus you may open many charts to apply different EAs and indicators to the renko. It also transmits real ticks to update renko charts in real time. The generated renko chart uses M1 timeframe. It makes no sense to switch the renko chart to a timeframe other than M1. T
VolumeDeltaBars
Stanislav Korotky
This indicator is a conventional analytical tool for tick volumes changes. 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). The algorithm used internally is the same as in the indicator VolumeDeltaMT5 , but results are shown as cumulative volume delta bars (candlesticks). Analogous indicator for MetaTrader 4 exists - CumulativeDeltaBars . This is a limited substi
AutomaticZigZag
Stanislav Korotky
4.67 (3)
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
Time And Sales Layout indicator shows traded buy and sell volumes right on the chart. It provides a graphical representation of most important events in the time and sales table. The indicator downloads and processes a history of real trade ticks. Depending from selected depth of history, the process may take quite some time. During history processing the indicator displays a comment with progress percentage. When the history is processed, the indicator starts analyzing ticks in real time. The l
CustomVolumeDelta
Stanislav Korotky
4.5 (2)
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
SOMFX1Predictor
Stanislav Korotky
If you like trading by candle patterns and want to reinforce this approach by modern technologies, this indicator and other related tools are for you. In fact, this indicator 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  - a script for training neural networks; it builds a file with generalize
VolumeDeltaWaves
Stanislav Korotky
5 (1)
This indicator is an extended implementation of Weis waves. It builds Weis waves on absolute volumes (which is the classical approach) or delta of volumes (unique feature) using different methods of wave formation and visualization. It works with real volumes, if available, or with tick volumes otherwise, but also provides an option to use so called "true volume surrogates", as an artificial substitution for missing real volumes (for example, for Forex symbols), which was introduced in correspo
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
HZZM
Stanislav Korotky
2.67 (3)
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
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
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
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
Comparator
Stanislav Korotky
4.14 (7)
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
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
WalkForwardDemo MT5
Stanislav Korotky
4 (2)
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
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
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
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
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
CyclicPatterns
Stanislav Korotky
This indicator shows price changes for the same days in the past. This is a predictor that finds bars for the same days in past N years, quarters, months, weeks, or days (N is 10 by default) and shows their relative price changes on the current chart. Number of displayed buffers and historical time series for comparison is limited to 10, but indicator can process more past periods if averaging mode is enabled (ShowAverage is true) - just specify required number in the LookBack parameter. Paramet
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
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
WalkForwardBuilder MT5
Stanislav Korotky
5 (1)
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
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,
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
필터:
Mohammed Abdulwadud Soubra
37084
Mohammed Abdulwadud Soubra 2017.06.29 10:24 
 

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

리뷰 답변
버전 1.1 2021.11.20
Recompilation.