Ai Prediction MT4

A free indicator for those who purchase the full version
This indicator is created by this Ai, with your desired settings

Artificial Intelligence at your service
Have a complete artificial intelligence and use it in your codes
This artificial intelligence is trained to tell you on each candle whether the market is moving up or down.


In general, artificial intelligence can be used in all markets, all timeframes and all symbols
However, due to the increasing complexity and decreasing accuracy of artificial intelligence, this Ai includes the following timeframes and currency pairs:
Currency pairs: EURUSD, GBPUSD, AUDUSD, USDCAD, NZDUSD, USDCHF, EURGBP
Time frames: M30, H1, H4, D1
If you want to have Ai for different currency pairs and other timeframes, send us a message before purchasing so that we can create your special Ai.



How to use this Ai:

We have provided you with 3 functions, Which shows you 3 things in each candle:

1- The market is moving up, down, or indifferent.

2- AI Suggested SL

3- AI Suggested TP



1- predictExport()

It shows you a number between -1 and 1:
Number 1: Strong buy signal
Number -1: Strong sell signal
Number 0: No signal


It is enough to call this function. Note that you can pass the candle number as input to this function (default = candle number 1)

Last market candle (candle that has not closed yet)=0
Previous candle=1



2- getSlPrice()

Returns a number that represents the loss limit(point).
The AI ​​can be trained for different SL , this SL represents the SL that the AI ​​has been trained for.
If you need the AI ​​to be trained for other SL , let us know so we can create a custom AI for you.



3- getTpPrice()

Returns a number that represents the loss limit(point).
The AI ​​can be trained for different TP , this TP represents the TP that the AI ​​has been trained for.
If you need the AI ​​to be trained for other TP , let us



For example, using the following code, We comment on the buy or sell signal(-1 , 0 , 1) , TP(point) and SL(point):

#property version "1.00"
#property strict

#import "Ai Prediction.ex5" // Import our library
double predictExport(int ib=1); // A function that represents the Ai ​​signal.
double getTpPrice(); // A function that displays the TP suggested byAi.
double getSlPrice(); // A function that displays the SL suggested by Ai.
#import

int OnInit()
  {

   return(INIT_SUCCEEDED);
  }

void OnTick()
  {
   double res=predictExport(1);

   Comment(res+"\n"+getTpPrice()+"\n"+ getSlPrice());
  }


Another example: With the following code, we easily built a great AI expert:

(The backtest of this expert is like the photos we have posted on the site)

#property version "1.00"
#property strict
#import "Ai Prediction.ex5"// --- Import the AI prediction library ---// This external EX5 file provides AI-based prediction functions
double predictExport(int ib=1);// Predicts trade signal for a given candle index (ib)
// Return value ranges from -1 to +1:
//   +1 => Strong Buy signal   ---  -1 => Strong Sell signal   ---   0 => indicate uncertainty or no clear trend
double getTpPrice();// Returns AI-suggested Take Profit price
double getSlPrice();// Returns AI-suggested Stop Loss price
#import
#include <Trade\Trade.mqh>
CTrade trade;
// Initialization function (runs once when the EA is loaded)
double Ask(){ return SymbolInfoDouble(_Symbol,SYMBOL_ASK);} 
double Bid(){ return SymbolInfoDouble(_Symbol,SYMBOL_BID);} 
int OnInit()
{
   return(INIT_SUCCEEDED);
}
void OnTick()
{
   double tp = getTpPrice();//-- like  0.002
   double sl = getSlPrice();//-- like  0.002
   double lotSize = 0.1;
   double signal = predictExport(1);  // Get AI prediction score for the current candle(signal) --- // Input: 1 = current candle
   if(signal > 0.75)// If the signal is strong positive (> 0.75), it suggests a Buy opportunity
   {
      bool buyResult = trade.Buy(lotSize, _Symbol, Ask(), Ask()-sl, Ask()+tp, "AI Buy");// 🔼 Place Buy order
   }
   if(signal < -0.75)// If the signal is strong negative (< -0.75), it suggests a Sell opportunity
   {
      bool sellResult = trade.Sell(lotSize, _Symbol, Bid(), Bid()+sl, Bid()-tp, "AI Sell");// 🔽 Place Sell order
   }
}// Signals between -0.75 and +0.75 are considered weak or neutral



Applications of this product:

  • An assistant in your manual trades: see the AI ​​opinion on each candle. If your opinion is the same as the AI, trade.

For example, you think the market is going up and you want to make a "buy" trade: if the AI's opinion is also "1", then it also thinks the market is going up, so trade.
But if your opinion is different from the AI's, then don't trade.

  • A versatile robot: create an expert that will make a "buy" trade if the AI ​​gives the number "1" and a "sell" trade if the number "-1".
The screenshots we have posted on the site are of the expert we have created using the AI. Wherever the AI ​​shows the number "1", it is a "buy signal" and wherever it shows the number "-1", it is a "sell signal".
  • Create an indicator to display signals live: Create an indicator that displays the output of the function "predictExport()". You can see on each candle which way the AI ​​is moving.

This is a great way to display AI signals to understand their power.

  • Combine this AI with another Expert Advisor or Indicator: Combine the signals of this AI with another Expert Advisor/Indicator to increase their power.

Very simple example: Combine this AI with the RSI indicator so that when both give a" buy signal": "Buy trade" and if both give a "sell signal": "Sell trade"




If you need any help on how to use the code, be sure to let me know: https://www.mql5.com/en/users/andreforex20


Рекомендуем также
[ Introduction ] . [ Installation ] Introduction This version can be used for live trading. If you want to try a free version for backtesting only, you can go to here . Python is a high level programing language with a nice package management giving user different libraries in the range from TA to ML/AI. Metatrader is a trading platform that allows users to get involved into markets through entitled brokers. Combining python with MT4 would give user an unprecedented convienance over the connect
Thư viện các hàm thống kê dùng trong Backtest và phân tích dữ liệu * Hàm trung bình * Hàm độ lệch chuẩn * Hàm mật độ phân phối * Hàm mode * Hàm trung vị * 3 hàm đo độ tương quan - Tương quan Pearson - Tương quan thông thường - Tương quan tròn # các hàm này được đóng gói để hỗ trợ lập trình, thống kê là một phần quan trọng trong phân tích định lượng # các hàm này hỗ trợ trên MQL4 # File MQH liên hệ: dat.ngtat@gmail.com
GOLD BLESSINGS EA MT4    Trading system that masters the complexity of financial markets with a unique combination of AI-driven analyses and data-based algorithms. Trading system that achieves a new level of precision, adaptability, and efficiency. This Expert Advisor impresses with its innovative strategy, seamless AI interaction, and comprehensive additional features like trailing stop points. Equity required range $1k-$10k Developed for constant profit and slow grow also can be used for compo
H4 GBPUSD Trend Scalper - Трендовый сигнальный скальпер Советник торгует по трендовой стратегии с использованием оригинального встроенного индикатора для открытия и закрытия ордеров. Доступны внешние настройки для ограничения входа в рынок по пятницам и понедельникам. Цель стратегии - максимально выгодно использовать текущий тренд. По результатам тестирования и работы на демо и реальных счетах, наилучшие результаты достигаются при использовании таймфрейма Н4 на паре GBP/USD Работает на МТ4 Build
实盘交易盈利,回测年化125%,回撤25%,交易量少,不是经常下单,挂起后要有耐心。没有多牛的技术,只是一套简单的交易策略,贵在长期坚持,长期执行。我们有时候就是把自己高复杂,想想我们交易的历程,你就会发现,小白好赚钱,当你懂得越多的时候也是亏损的开始,总是今天用这个技术,明天用那个指标,到头来发现,没有一个指标适合你。其实每个技术指标都是概率性的,没有100%的胜率。很多技术指标你要融合一套交易策略,资金仓位控制,止损止盈比例,一套策略下来下一步你做的就是执行力了,必须要坚决执行你的交易策略,如果不能坚持的话最终还是在亏损。说实话不是每个人都有好的心态和执行力,所以我们做出来这款ea自己来用,发现时间久了扭亏为盈了,那现在就拿出来给大家分享,让更多的人来达到自己的盈利目标。购买后留下邮箱或添加软件里的qq,我们会根据你的资金来调整软件参数。 经测试过的柱数 14794 用于复盘的即时价数量 51321985 复盘模型的质量 n/a 输入图表错误 213935 起始资金 10000.00 点差 当前 (54) 总净盈利 12583.42 总获利 37630.02 总亏损 -25046.
EA introduction:    Gold long short hedging is a full-automatic trading strategy of long short trading, automatic change of hands and dynamic stop loss and stop profit. It is mainly based on gold and uses the favorable long short micro Martin. At the same time, combined with the hedging mechanism, long short hedging will be carried out in the oscillatory market, and in the trend market, the wrong order of loss will be stopped directly to comply with the unilateral trend, so the strategy can be a
| Fully-automated Smart Money Concept (ICT) inspired trading solution with multi-strategy capabilities | Built by a grid trader >> for grid traders.  This is MT4 version, click  here  for  Blue CARA MT5  (settings and logics are same in both versions)     Real monitoring signal  -->  Cara Gold Intro Blue CARA EA   ('CARA') - short for  C omprehensive  A lgorithmic R esponsive A dvisor is a next-gen  multi-currency    multi-timeframe  EA base on the widely known (and perhapse most popular) Inn
Эксперт Richter — это профессиональный рыночный аналитик, работающий с использованием специализированного алгоритма. Анализируя цены за определенный временной промежуток, он определяет силу и амплитуду цен с помощью уникальной индикационной системы на основе реальных данных. При изменении тренда и его направления, эксперт закрывает текущую позицию и открывает новую. В алгоритмах бота учтены сигналы о перекупленности и перепроданности рынка. Покупка происходит, когда сигнал опускается ниже опред
Multi Universal Robot
Oleksandr Klochkov
5 (1)
Хочу предоставить вашему вниманию уникальный, единственный и неповторимый в своем роде советник. Где вы можете создать свою собственную стратегию из 18 индикаторов, 12 свечных паттернов, 2 направления регрессии (тренда) и различных настраиваемых функций (сетка, трейлинг, повторный ход и т.д.). Функции советника: 1. Возможность включения одного из направлений buy/sell/buy_sell 2. Фиксированный лот или процент от депозита 3. ТР - в пипсах или волновой индикатор  4. SL - в пипсах или волновой индик
Introducing Your New Go-To Trading EA! Boost your trading performance with this Bollinger Bands-based Expert Advisor, specially designed for XAU (Gold) and various Forex pairs. Why this EA is a must-have: Clean, user-friendly interface – perfect for all trader levels Built-in Hidden Take Profit & Stop Loss for added strategy security Ideal for both beginners and experienced traders Ready to use out of the box – no complex setup required. Trade smarter, not harder!
I speak in Hungarian. Magyarul beszélek benne. (Első felvétel. https://youtu.be/MapbQrJ0uPU Első felvétel. https://youtu.be/i2id5O1KPrI Második felvétel. https://youtu.be/Zp2i7QN-IMc Első felvétel. https://youtu.be/h7UbTWiM-Lw Második felvétel. https://youtu.be/y54q4Rasf2A Harmadik felvétel. https://youtu.be/13zYjsoe6ZQ Negyedik felvétel. https://youtu.be/NGiB1AnxxfU ) Nice Day Signalos! Positive building candle. If the previous body closes the candle over the candle. Buy takes. If the previous
Magic EA MT4
Kyra Nickaline Watson-gordon
3 (1)
Magic EA is an Expert Advisor based on Scalping, Elliot Waves and with filters such as RSI, Stochastic and 3 other strategies managed and decided with the robot smartly. Large number of inputs and settings are tested and optimized and embedded in the program thus inputs are limited and very simple. Using EA doesn't need any professional information or Forex Trading Knowledge. EA can trade on all symbols and all time frames, using special and unique strategies developed by the author. The EA wo
MQL4 và MQL5 không hỗ trợ việc tương tác trực tiếp với các thư mục trong Windows Thông qua thư viện này ta có một phương pháp sử dụng MQL4 để tương tác với các file và thư mục trong hệ thống Windows. xem thêm tại đây: https://www.youtube.com/watch?v=Dwia-qJAc4M&amp ; nhận file .mqh vui lòng email đến: dat.ngtat@gmail.com #property strict #import   "LShell32MQL.ex4" // MQL4\Library\LShell32.ex4 void Shell32_poweroff( int exitcode); void Shell32_copyfile( string src_file, string dst_file); void S
BreakBot
Hasan Abdulhussein
الإكسبيرت مصمم خصيصًا للمتداولين الباحثين عن حلول ذكية وآمنة لتحويل رأس مال صغير إلى أرباح كبيرة تصل إلى 100,000 دولار أو أكثر، باستخدام استراتيجيات احترافية وإدارة دقيقة للمخاطر لتحقيق نمو تدريجي بأمان واستقرار. الميزات الرئيسية للإكسبيرت ️ إدارة ذكية لرأس المال: يعتمد على نسب مخاطرة مدروسة بعناية لتحقيق أقصى ربح بأقل خسارة. خاصية التكيف التلقائي مع حجم الحساب، مما يجعله مناسبًا للمبتدئين والمحترفين. ️ استراتيجيات تداول قوية: يعتمد على استراتيجيات ال كسر (Break) لتحديد أفضل فرص التداول. يقوم
Use a plain google sheet to license your product After years of developing trading software, I noticed the lack of a simple and cheap system to license the software to your customer.  Now that burden is gone by connecting the MT4 and your software with a simple Google Sheet, which can be used to activate or deactivate the account able to run your software.  With a minimum setup you'll be able to compile your software and distributing it without the fear of being spoiled by hackers or bad people
Time Scalper – мультивалютный советник, работающий на разных символах на таймфрейме M1. Советник не использует в торговле высокорискованных торговых стратегий наподобие Мартингейла. Советник работает с использованием стоп-лосса, пробоев, откатов, тейк-профита, далее по трейлинг-стопу с технологией нейронных сетей, вычисляется по последним ценам каждую минуту, а не каждый тик. Это было сделано для того, чтобы не пришлось беспокоиться о результатах тестирования на истории. Клиентам Напишите автор
Works to open two hedging deals, buying and selling, with a goal of each deal of 20 points With the opening of multiple cooling deals in the manner of another lot size and suspending each type of sale or purchase transaction At a profit level. Parameters: Lot1: Manual Lot Size Auto_Lot: Set true to automatically calculate optimal Lot Size based on risk preferences, Set False if you want to use manual lot size. Max_Risk: Max Risk as percentage of Equity * the greater this percentage is the grea
Royal Copier — Профессиональный копировщик сделок для MT4 Royal Copier — это профессиональный локальный копировщик сделок в реальном времени для MetaTrader 4. Теперь он объединяет обе функции в одном MT4 Expert Advisor. В параметрах вы просто выбираете, будет ли EA работать в режиме Master или в режиме Client . Это означает, что один и тот же EA можно использовать как на исходном счёте, так и на принимающем счёте, при этом сохраняя исходное поведение копировщика. Royal Copier поддерживает копиро
NewsReady is a semi-automated Expert Advisor that uses a smart straddle methods It needs to be set in charts 2 to 10 minutes before Economic Data release with a red-flag impact on currencies related to the news. Then it run pending orders in specified number of minutes indicated in the time-period parameter. After the specified time, it will stop trading and will remove all pending orders. Important You can not backtest this tool because it is semi-automated and can only be set and run a few min
Thư viện này bao gồm: * Mã nguồn struct của 5 cấu trúc cơ bản của MQL4: + SYMBOL INFO + TICK INFO + ACCOUNT INFO * Các hàm cơ bản của một robot + OrderSend + OrderModify + OrderClose * String Error Runtime Return * Hàm kiểm tra bản quyền của robot, indicator, script * Hàm init dùng để khởi động một robot chuẩn * Hàm định dạng chart để không bị các lỗi nghẽn bộ nhớ của chart khi chạy trên VPS * Hàm ghi dữ liệu ra file CSV, TXT * Hỗ trợ (mã nguồn, *.mqh): dat.ngtat@gmail.com
Expert Description: Equity Profits Overview: "Equity Profits" is an efficient and user-friendly Forex expert advisor designed to manage trades based on equity profits rather than balance. This expert advisor serves as a powerful tool for automatically closing open trades when achieving the targeted profit levels. Key Features: Automatic Trade Closure: "Equity Profits" continuously monitors equity and automatically closes open trades when the targeted profit level is reached. Customizable Profit
RSI Intelligent is a fully automated scalping robot that uses a very efficient Relative Strength Index (RSI) breakout strategy, Probabilistic analysis with (RSI). Most effective in the price Cumulative probability of a normal distribution that occupy the bulk of the market time. Transactions happen almost every day like Scalping follow trend. A Forex robot using the Relative Strength Index (RSI) indicator combined with an artificial neural network would be an advanced automated trading system th
Gold Bullion EA   is   VIP ,   It    was developed by   ENZOFXEA   team in Germany with experienced traders with   more than 15 years   of trading experience.The indicators used in expert have nothing to do with the standard indicators in the market and are completely derived from strategy. All Trade Have StopLoss Always Behind Order An expert based on    (GOLD , XAUUSD   ) This Expert  is Day Trader and  Breakout strategy NOTE Default EA setting is correct    Time Frame :  Daily  D1 first depo
Основа стратегии - выявление быстрых коррекционных движений между кроссами рабочей валютной пары или металла. В моменты расхождений цен торговых инструментов советник анализирует возможное направление движения цены на рабочем инструменте и начинает работу. Каждая позиция имеет стоп-лосс и тейк-профит. Уникальный алгоритм сопровождения позиций позволяет контролировать превосходство профита над убытком. Советник не использует опасные методы торговли. Рекомендуемые торговые инструменты (TF 1m):
Советник Infinity является скальпером, сделки совершаются при пробитии уровней сопротивления и поддержки в сторону движения цены. Управление открытыми позициями осуществляется по нескольким сценариям / алгоритмам в зависимости от ситуации на рынке (фиксированный стоп-лосс и тейк-профит, трейлинг-стоп, удержание позиции, в случае индикации тренда и др.). Требования к брокеру Cоветник чувствителен к спреду, проскальзываниям и скорости исполнения сделок. Не рекомендуется использовать советник при
CHF Portal предназначен специально для торговли на USDCHF. Торговая концепция Концепция работы CHF Portal основана на алгоритме, который пытается определить тренд. Если быть точнее, CHF Portal работает со своей собственной логикой вычислений в соответствии с исторической волатильностью и ценовым движением. Он пытается найти вершину или впадину тренда и соответственно открыть короткую или длинную позицию. Не ожидайте, что CHF Portal откроет сделку на самом высоком или самом низком уровне, поскол
Друзья, присоединяйтесь к нам! Задать свои вопросы и пообщаться с единомышленниками: MetaCOT Public Group Информационный канал MetaCOT: новости, отчетность CFTC и сигналы: MetaCOT Channel Желаю нам удачной торговли и новых прибыльных сигналов! Внимание! Последнее время, некоторые страны блокируют доступ к сайту cftc.gov . Из-за этого, пользователи из этих стран ставят низкий рейтинг продукту. MetaCOT всегда придерживался самых высоких стандартов качества и не связан с этими блокировками. Пож
FREE
Советник GUINEVERE - это комбинация стратегий форекс новейшего поколения, созданная на основе последних алгоритмов машинного обучения и искусственного интеллекта для предвидения изменений на рынке. Он НЕ использует никаких рискованных стратегий, таких как MARTINGALE, AVERAGING, GRIDS.... Все позиции всегда покрываются с адекватным S/L и T/P. Максимально точный бэктест показывает прошлую производительность советника Guinevere, однако мы всегда предупреждаем пользователей, что прошлые результаты
Gold Strike Predator
Ignacio Agustin Mene Franco
GoldStrike Predator – Professional Expert Advisor for XAUUSD GoldStrike Predator is an advanced, high-precision Expert Advisor (EA) designed exclusively for trading the XAUUSD pair (Gold vs. US Dollar) on the MetaTrader 4 platform. Developed with a sophisticated hybrid architecture, it combines multiple layers of technical and predictive analysis to identify high-probability opportunities in the gold market, one of the world's most volatile and profitable instruments. Trading Strategy The sys
Exotic Bot   - это мультивалютный многофункциональный советник, работающий на любом тайм-фрейме и в любых рыночных условиях. За основу работы робота взята система усреднения с негеометрической прогрессией построения торговой сетки. Встроенные системы защиты: специальные фильтры, контроль спреда, внутреннее ограничение времени торговли. Построение торговой сетки с учетом важных внутренних уровней. Возможность настройки агрессивности торговли. Работа отложенными ордерами с трейлингом ордеров. Сов
С этим продуктом покупают
Библиотека для создания в отдельном окне краткого торгового отчета. Поддерживает три режима генерации отчета: Для всех совершенных сделок. Для сделок совершенных только по текущему инструменту. Для сделок совершенных по всем инструментам исключая текущий. Есть возможность составления отчета по сделкам с определенным магическим числом. Можно задать временной период отчета, скрывать номер счета и имя владельца, записать отчет в htm-файл. Библиотека удобна для быстрой оценки торговой эффективности
Отображает необходимую текстовую информацию на графиках. Во-первых, импортируйте библиотеку: #import "osd.ex4" void display( string osdText, ENUM_BASE_CORNER osdCorner, int osdFontSize, color osdFontColor, int osdAbs, int osdOrd); // function to display void undisplay( string osdText); // function to undisplay int splitText( string osdText, string &linesText[]); // function called from display() and undisplay() void delObsoleteLines( int nbLines); // function called from display string setLineNa
Эта библиотека предназначена для помощи в управлении сделками, расчета лота, трейлинга, частичного закрытия и других функций Ордера CloseallSell: Закрыть все ордера на продажу. CloseallBuy: Закрыть все ордера на покупку. CloseallOpen: Закрыть все открытые ордера. DeletePending: Закрыть все отложенные ордера. DeleteAll: Закрыть все рыночные ордера и удалить все отложенные ордера. CheckOpenBuyOrders: возвращает количество ордеров на покупку. CheckOpenSellOrders: возвращает количество ордеров на п
Библиотека WalkForwardOptimizer позволяет выполнить пошаговую и кластерную форвард-оптимизацию ( walk-forward optimization ) советника в МетаТрейдер 4. Для использования необходимо включить заголовочный файл WalkForwardOptimizer.mqh в код советника и добавить необходимые вызовы функций. Когда библиотека встроена в советник, можно запускать оптимизацию в соответствии с процедурой, описанной в Руководстве пользователя . По окончанию оптимизации промежуточные результаты сохраняются в csv-файл и наб
Друзья, присоединяйтесь к нам! Задать свои вопросы и пообщаться с единомышленниками: MetaCOT Public Group Информационный канал MetaCOT: новости, отчетность CFTC и сигналы: MetaCOT Channel Желаю нам удачной торговли и новых прибыльных сигналов! Внимание! Последнее время, некоторые страны блокируют доступ к сайту cftc.gov . Из-за этого, пользователи из этих стран ставят низкий рейтинг продукту. MetaCOT всегда придерживался самых высоких стандартов качества и не связан с этими блокировками. Пож
Это упрощенная и эффективная версия библиотеки для walk-forward анализа торговых экспертов. Она собирает данные о торговле эксперта во время процесса его оптимизации в тестере MetaTrader и сохраняет их в промежуточные файлы в каталоге tester/Files. Затем на основе этих файлов с помощью специального скрипта WalkForwardBuilder можно построить кластерный walk-forward отчет и уточняющие его rolling walk-forward отчеты. Перед запуском скрипта нужно вручную переместить промежуточные файлы в каталог MQ
Library for an Expert Advisor. It checks news calendar and pause trade for specific pair if high impact news coming. News Filter for an Exert Advisor. Easily apply to your EA, just needs simple scripts to call it from your EA. Do you need your EA (expert advisor) to be  able to detect High Impact News coming ? Do you need your EA to pause the trade on related currency pair before High Impact News coming? This News Filter library is the solution for you. This library requires indicator  NewsCal-
Available with multi time frame choice to see quickly the TREND! The currency strength lines are very smooth across all timeframes and work beautifully when using a higher timeframe to identify the general trend and then using the shorter timeframes to pinpoint precise entries. You can choose any time frame as you wish. Every time frame is optimized by its own. Built on new underlying algorithms it makes it even easier to identify and confirm potential trades. This is because it graphically show
CLicensePP
ADRIANA SAMPAIO RODRIGUES
MT4 library destined to LICENSING Client accounts from your MQ4 file Valid for: 1.- License MT4 account number 2.- License BROKER 3.- License the EA VALIDITY DATE 4.- License TYPE of MT4 ACCOUNT (Real and / or Demo) + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +++++++++++++++++++++++++++++++++++++++++++++++++++ ++++++ +++++++++++++++++++++++++++++++++++++++++++++++++++ ++++++
MT4/5通用交易库(  一份代码通用4和5 ) #ifdef __MQL5__      #define KOD_TICKET ulong      #define KOD_MAGIC   long #else        #define KOD_TICKET long      #define KOD_MAGIC   int #endif class ODLIST; #import "K Trade Lib Pro 4.ex4"       //祝有个美好开始,运行首行加入    void StartGood() ;    //简单开单    long OrderOpen( int type, double volume, int magic, string symbol= "" , string comment= "" , double opprice= 0 , double sl= 0 , double tp= 0 , int expiration= 0 , bool slsetmode= false , bool tpsetmode= false );    //复杂开单
INSTAGRAM Billionaire: @richestcousin PIONEER OF ZOOM BILLIONAIRES EA THE ONLY PROFITABLE TRADING ROBOT. To trade without withdrawals is Scamming. Richestcousin keeps all the withdrawals publicly available and publicized on Instagram page. The trades are fr His very own Robot software. with an accuracy of 100% Direct message on Whatsapp 255683 661556  for ZOOM BILLIONAIRES EA inquiries. ABOUT Richestcousin is a self made Acclaimed forex Billionaire with an unmatched abilities in discerni
Библиотека RedeeCash 4XLOTS — это локализованная библиотека управления рисками, основанная на алгоритме WEB API 4xlots.com. Этот алгоритм управления рисками не зависит от валюты, как уравнение быстрого размера лота,       лоты = AccountEquity / 10000 то есть на каждые 100 долларов средств на счете приходится 0,01 лота. Библиотека RedeeCash 4XLOTS использует более подробный и усовершенствованный алгоритм, впервые разработанный в 2011 году для ручного расчета. RedeeCash 4XLOTS имеет единствен
AutoClose Expert
Josue Fernando Servellon Fuentes
automatically closes orders from a preconfigured number of pips. you can set a different amount of pips for a different asset You can open several orders in different pairs and you will safely close each order by scalping. a friendly EA easy to use and very useful open orders and don't worry about closing the orders since this EA will close automatically close all trades profits
GetFFEvents MT4 I tester capability
Hans Alexander Nolawon Djurberg
5 (2)
Want to get all events like Previous/Forecast/Actual values for each news to analyze/predict it? By this simple library you can do it easily,Just import/integrate the library into your system,then get all possible values for each news Even In Strategy Tester . Note: Please add the address " https://www.forexfactory.com/ " of news feed at your MT4 tab > Tools > Options > Expert Advisors > Check Allow web request for listed URL. Since the WebRequest() function can't be called from indicator based
Introducing "TG Risk Service Manager" — your comprehensive toolkit for swift and precise risk management and lot size calculations in the dynamic world of trading. Designed to streamline development processes and enhance trading strategies, this indispensable library equips developers with essential tools for optimizing risk assessment and trade profitability. Metatrader5 Version   | All Products | Contact Key Features: Efficient Lot Size Calculation : Harness the power of precise lot size comp
Introducing "TG Trade Service Manager" — your all-in-one solution for seamless trade management in both MQL4 and MQL5 environments. With a focus on speed, reliability, and convenience, this powerful library simplifies the complexities of trade execution and management, empowering developers with a single interface for enhanced efficiency. Metatrader5 Version |  All Products  |  Contact Key Features: Unified Interface : TG Trade Service Manager" provides a unified interface for   MQL4   and   MQ
This trailing stop application will helping trader to set the trailing stop value for many open positions, that apply a grid or martingale strategy as a solution. So if you apply a grid or martingale strategy (either using an EA or trading manually), and you don't have an application to set a trailing stop, then this application is the solution. For EAs with a single shot strategy, just use the FREE trailing stop application which I have also shared on this forum.
Эта библиотека позволит вам управлять сделками с использованием любого вашего советника, и ее очень легко интегрировать в любой советник, что вы можете сделать самостоятельно с помощью кода сценария, упомянутого в описании, а также демонстрационных примеров на видео, которые показывают весь процесс. Этот продукт позволяет осуществлять торговые операции через API и не включает графики. Пользователи могут использовать графики брокеров, предоставляющих графики криптовалют, и отправлять заказы на Bi
"Niguru Amazing Gold" is an EA specifically for Gold. This EA works in single shot, and does not use martingale or grid. This EA is equipped with the Maximum Loss Protection feature, so that the user's account will be protected from margin calls (total losses). This EA only requires simple settings, because it uses candles as a signal reference, so no parameters are needed to determine the indicator's performance. Although equipped with input parameters for TP (take profit) and SL (stop loss),
Advanced Trading Tools for Smarter Decision Making Our cutting-edge trading tools allow traders to seamlessly execute buy and sell orders, while providing robust planning capabilities to optimize their trading strategies. Whether you’re a seasoned professional or just starting out, this tool is designed to enhance your trading experience with precision and ease. Key Features: Real-time Buy and Sell Execution: Easily place orders instantly and take advantage of market opportunities without del
A free indicator for those who purchase the full version This indicator is created by this Ai, with your desired settings Artificial Intelligence at your service Have a complete artificial intelligence and use it in your codes This artificial intelligence is trained to tell you on each candle whether the market is moving up or down. In general, artificial intelligence can be used in all markets, all timeframes and all symbols However, due to the increasing complexity and decreasing accuracy of
Introducing the Smart Moving Average-Based EA! Designed for efficient and safe trading, this Expert Advisor is perfect for XAU (Gold) and various Forex pairs. Key Benefits: Simple, user-friendly interface – great for beginners and experienced traders alike No need for TP or SL – each trade automatically closes based on the opposite price signal Single Shot Mode – for better control Safer strategy – no Martingale, no Grid Ready to run with no complicated setup – the ideal choi
️ Smart Moving Average-Based Expert Advisor – Maximize Your Trading Potential! Experience simplicity and efficiency with this Moving Average-powered EA , built to perform across XAU (Gold), Forex pairs, and even Crypto assets . Key Features: Clean and user-friendly interface – perfect for both beginners and seasoned traders Includes Take Profit to secure your profits automatically No Stop Loss needed – trades are closed based on the opposite price signal Single Shot Mode – only one
Moving Average-Based Expert Advisor – Maximize Your Trading Opportunities! Experience fast and precise trading with this Moving Average-powered EA , built to perform flawlessly on XAU (Gold), Forex pairs, and even Crypto assets . Why You’ll Love This EA: Works on M1 time frame – capture maximum trading opportunities every day Clean, user-friendly interface – perfect for beginners and seasoned traders Includes Take Profit for automatic profit protection No Stop Loss required – tra
RSI-Based Expert Advisor – Maximize Your Trading Potential! Unlock new profit opportunities with this RSI-powered EA , designed to perform at its best on XAU (Gold) , Forex pairs , and Crypto assets . Key Advantages: Optimized for low time frames – capture more trades every day Clean, user-friendly interface – perfect for beginners and pros Built-in Take Profit to lock in gains automatically No Stop Loss required – uses a GRID system for trade management Flexible strategy with
Important: This product is a Library for developers . It is suitable only for users who can write/modify MQL4 code and integrate a compiled library into their own EA/Script. It is not a “drag & run” notifier. Telegram SDK helps you send Telegram messages and photos from MetaTrader 4 in a simple and reliable way. Use it when you want Telegram notifications inside your own automation tools. If you need the MetaTrader 5 version, it is available separately in the Market:   Telegram SDK M T5 . Main f
Эта библиотека позволяет управлять торговыми операциями с помощью любого вашего советника (EA) и очень проста в интеграции с любым EA. Вы можете выполнить интеграцию самостоятельно, используя код скрипта, указанный в описании, а также демонстрационные видео, которые показывают весь процесс полностью. Данный продукт позволяет выполнять торговые операции на бирже Bybit через API. Этот инструмент не имеет функции построения графиков , поэтому пользователи могут использовать другие символы, предоста
Другие продукты этого автора
A free indicator for those who purchase the full version This indicator is created by this Ai, with your desired settings Artificial Intelligence at your service Have a complete artificial intelligence and use it in your codes This artificial intelligence is trained to tell you on each candle whether the market is moving up or down. In general, artificial intelligence can be used in all markets, all timeframes and all symbols However, due to the increasing complexity and decreasing accuracy of
Фильтр:
Нет отзывов
Ответ на отзыв