CapitalCraftpercent

  1. การดำเนินงานพื้นฐาน:

    • EA ทำงานโดยใช้หลักการของการเทรดแบบกริด ซึ่งหมายถึงการวางคำสั่งซื้อและขายเป็นระยะๆ (กำหนดเป็นเปอร์เซ็นต์ของราคา) ภายในโซนที่กำหนดไว้
  2. พารามิเตอร์ป้อนข้อมูล:

    • EA ใช้พารามิเตอร์หลายอย่าง เช่น ขนาดกริด, กำไรที่คาดหวัง, การหยุดขาดทุน (ทั้งหมดเป็นเปอร์เซ็นต์), โซนสำหรับการซื้อและขาย, ขนาดล็อต, และจำนวนคำสั่งสูงสุดที่อนุญาต พารามิเตอร์เหล่านี้มีความสำคัญในการกำหนดวิธีการทำงานของ EA
  3. การเริ่มต้น (OnInit):

    • เมื่อ EA เริ่มทำงาน, มันจะทำการเริ่มต้นโดยสร้างป้ายบนกราฟ (ชื่อ "MTRADER_Label") เพื่อแสดงว่ามีการเริ่มต้นและสถานะของมัน
  4. การวางคำสั่ง (OnTick):

    • ฟังก์ชัน OnTick เป็นส่วนหลักของ EA ที่ทำการตัดสินใจและดำเนินการเทรด ฟังก์ชันนี้จะถูกเรียกในทุกๆครั้งที่มีการอัปเดตราคาใหม่
    • EA จะตรวจสอบก่อนว่าสามารถวางคำสั่งใหม่ได้หรือไม่ โดยเปรียบเทียบจำนวนคำสั่งที่มีอยู่กับขีดจำกัดของบัญชีและขีดจำกัดของคำสั่งสูงสุดที่ผู้ใช้ตั้งไว้
    • จากนั้นจะดึงราคาขายและราคาซื้อปัจจุบันของสัญลักษณ์นั้น
  5. โลจิกการซื้อและขาย:

    • คำสั่งซื้อ: หากการซื้อถูกเปิดใช้งานและราคาขายอยู่ในโซนซื้อที่กำหนดไว้, EA จะตรวจสอบว่ามีคำสั่งซื้อที่ราคาใกล้เคียง (ภายในขนาดกริดเปอร์เซ็นต์) หรือไม่ หากไม่มี, มันจะวางคำสั่งซื้อใหม่พร้อมกำไรที่คาดหวังและการหยุดขาดทุน (ถ้ามี)
    • คำสั่งขาย: เช่นเดียวกัน, ถ้าการขายถูกเปิดใช้งานและราคาซื้ออยู่ในโซนขายที่กำหนด, EA จะตรวจสอบคำสั่งขายที่มีอยู่ภายในขนาดกริดเปอร์เซ็นต์ หากไม่มี, มันจะวางคำสั่งขายใหม่
  6. การคำนวณกำไรที่คาดหวังและการหยุดขาดทุน:

    • ค่าเหล่านี้จะถูกคำนวณเป็นเปอร์เซ็นต์ของราคาปัจจุบัน สำหรับคำสั่งซื้อ, กำไรที่คาดหวังจะถูกตั้งไว้เหนือราคาขายปัจจุบัน, และสำหรับคำสั่งขาย, ต่ำกว่าราคาซื้อปัจจุบัน การหยุดขาดทุน, ถ้าถูกเปิดใช้งาน, จะถูกตั้งไว้ในทางตรงกันข้าม
  7. การจัดการการเทรด:

    • EA จะติดตามกำไร/ขาดทุนและจำนวนคำสั่งซื้อที่เปิดอยู่, แสดงข้อมูลนี้บนกราฟ
    • มันจัดการแต่ละการเทรดตามกำไรที่คาดหวังและการหยุดขาดทุนที่ตั้งไว้
  8. การพิจารณาขนาดกริด:

    • EA จะตรวจสอบว่าคำสั่งใหม่จะอยู่ในช่วงเปอร์เซ็นต์ที่กำหนด (ขนาดกริด) ของคำสั่งที่มีอยู่หรือไม่ ถ้าใช่, มันจะไม่วางคำสั่งใหม่เพื่อหลีกเลี่ยงการวางคำสั่งที่ใกล้กันเกินไป
  9. การดำเนินการคำสั่ง (placeOrder):

    • คำสั่งจะถูกวางด้วยขนาดล็อต, ราคา, กำไรที่คาดหวัง, และการหยุดขาดทุนที่ระบุ ฟังก์ชันนี้ยังตรวจสอบว่ามีเงินทุนเพียงพอก่อนวางคำสั่ง


MetaTrader 4 Expert Advisor (EA) code can be explained as follows:

  1. Basic Operation:

    • The EA operates on the principle of grid trading. This involves placing buy and sell orders at regular intervals (defined as a percentage of the price) within specified zones.
  2. Input Parameters:

    • The EA uses several input parameters, such as grid size, take profit, stop loss (all in percentage terms), zones for buying and selling, lot sizes, and maximum allowed orders. These parameters are crucial in defining how the EA will operate.
  3. Initialization (OnInit):

    • When the EA starts, it initializes by creating a label on the chart (named "MTRADER_Label") to display its presence and initialization status.
  4. Order Placement (OnTick):

    • The OnTick function is the core of the EA where the trading decisions are made and executed. This function is called on every new tick (price update).
    • The EA first checks if new orders are allowed by comparing the total number of existing orders with the account's limit and the user-defined maximum open orders.
    • It then retrieves the current ask and bid prices of the symbol.
  5. Buy and Sell Logic:

    • Buy Orders: If buying is enabled and the ask price is within the specified buy zone, the EA checks if there is already a buy order at a similar price (within the grid size percentage). If not, it places a new buy order with the calculated take profit and optional stop loss.
    • Sell Orders: Similarly, if selling is enabled and the bid price is within the specified sell zone, the EA checks for an existing sell order within the grid size percentage. If none exists, it places a new sell order.
  6. Take Profit and Stop Loss Calculations:

    • These are calculated as a percentage of the current price. For buy orders, the take profit is set above the current ask price, and for sell orders, below the current bid price. Stop losses, if enabled, are set oppositely.
  7. Trade Management:

    • The EA keeps track of the profit/loss and the number of open trades, displaying this information on the chart.
    • It manages each trade based on the take profit and stop loss parameters.
  8. Grid Size Consideration:

    • The EA checks if a new order would be within a defined percentage range (grid size) of an existing order. If so, it refrains from placing a new order to avoid clustering orders too close to each other.
  9. Order Execution (placeOrder):

    • Orders are placed with the specified lot size, price, take profit, and stop loss. The function also checks for sufficient margin before placing an order.


추천 제품
| 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
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
Harvest GOLD
Sayan Vandenhout
Harvest GOLD USES THE TREND WAVE INDICATOR AND IT CAN IDENTIFY THE BEGINNING AND THE END OF A NEW WAVE TREND MOVEMENT. AS AN OSCILLATOR, THE INDICATOR IDENTIFIES THE OVERBOUGHT AND OVERSOLD ZONES. IT WORKS GREAT TO CATCH THE SHORT TERM PRICE REVERSALS AND USES A MARTINGALE STRATEGY TO CLOSE ALL TRADES IN PROFIT. USE DEFAULT SETTINGS ON H1 OR HIGHER TIME FRAME ON ANY PAIR FOR MORE ACCURATE TRADES WHY THIS EA : Smart entries calculated by 3 great strategies The EA can be run on even a $30000
RoundLock EA
AW Trading Software Limited
4.33 (3)
라운드락은 동적 포지션 잠금 기능을 갖춘 스마트 어드바이저입니다. 라운드락은 동적 포지션 잠금 기능을 갖춘 지능형 어드바이저로, 점진적인 포지션 성장과 시장 상황에 대한 동적 적응을 통해 양방향 주문 잠금 전략을 구현하는 고급 트레이딩 어드바이저입니다. 라운드 잠금 의 장점 : 포지션 잠금을 통한 위험 관리 시장의 추세 영역에서 볼륨의 역동적인 성장, 제한에 따라 유연한 동작 설정 평면 및 추세 단계에 적합하며 각 상황에서 결과를 최적화합니다. 보호 메커니즘을 통한 평균화 전략 및 그리드 접근 방식의 자동화. MT5 version ->  HERE   / Problem solving ->  HERE 자문사는 반대 방향으로 두 개의 주문을 개시합니다. 그중 하나가 이익으로 마감되면 두 개의 주문이 다시 개시되고, 주문량은 Multiplier_Volume 배수의 볼륨과 자문사가 개시한 주문 수에 따라 증가합니다. 새로 개시된 각 쌍에서 주문은 동일한 볼륨으로 개시되며 서로 잠금됩니다.
The Arrow Scalper
Fawwaz Abdulmantaser Salim Albaker
1 (2)
Dear Friend..  I share with you this simple Expert Adviser .. it is full automatic  this Expert Adviser following the trend of the pair you install on or any stocks or indices , it is works like that: - when the trend on H4 chart show a start of up trend the expert will wait till the 15M & 1H charts show an up trend the EA will open a buy order directly , and do the same for down trend and open a sell order the buy or sell  order lot size and take profit and stop loss will measured manually  by
FREE
Reef Scalper
Charles Crete
Reef Scalper   is an aggressive scalping EA. It primarily uses the   Bollinger Bands and the Parabolic SAR indicator , which quickly detects small trend changes over short timeframes. The bot places pending orders to react swiftly when taking profits. Its recovery method relies on a grid system with an optional martingale , and it can open up to 15 recovery positions with a lot size multiplier . Using a tick counter , the bot is not sensitive to spread . It aims for quick profits , preferably se
H4 GBPUSD Trend Scalper is a trend signal scalper The EA trades according to the trend strategy using original built-in indicator for opening and closing orders. The external inputs for limiting trading on Fridays and Mondays are available. The purpose of the strategy is to use the current trend with the most benefit. According to the results of testing and working on demo and real accounts, the best results achieved by using the Н4 timeframe on the GBP/USD pair Works on MetaTrader 4 Build 971+
Intensive
Evgeniy Zhdan
The Expert Advisor algorithm determines on daily charts those candlestick patterns, which set the intraday trading direction. The trading EA determines how long the price is moving in overbought/oversold zones and starts working in the direction of the expected trend movement. Each position is accompanied with a tight stop loss and take profit. Only one active position can be open in the market. The EA was developed and tested using 99% quality quotes. The Expert Advisor has a built-in news filt
KAk03
Mr Pitak Samon
The EA is designed primarily for the GBPUSD,EURUSD,AUDUSD,USDJPY . Timeframe H4. EA does NOT use grid, martingale. EA  profit   and Stop Loss R:R   1:4 accountsize: 250$ Maximum Drawdown   4.79% Maximal drawdown 24.87 (4.79%) Relative drawdown 4.79% (24.87) Total trades 116 Short positions (won %) 68 (25.00%) Long positions (won %) 48 (33.33%) Profit trades (% of total) 33 (28.45%) Loss trades (% of total) 83 (71.55%)
EAk2
Mr Pitak Samon
The EA is designed primarily for the GBPUSD,EURUSD,AUDUSD,USDJPY . Timeframe H4. EA does NOT use grid, martingale. EA  profit   and Stop Loss R:R   1:3 accountsize: 500$ Maximum Drawdown  9.96 % Maximal drawdown 71.60 (9.96%) Relative drawdown 9.96% (71.60) Total trades 158 Short positions (won %) 85 (35.29%) Long positions (won %) 73 (34.25%) Profit trades (% of total) 55 (34.81%) Loss trades (% of total) 103 (65.19%)
EAk01
Mr Pitak Samon
The EA is designed primarily for the GBPUSD,EURUSD,AUDUSD,USDJPY . Timeframe H4. EA does NOT use grid, martingale. EA  profit and Stop Loss R:R 1:3 accountsize: 500$ Maximum Drawdown 8.01% hort positions (won %) 67 (38.81%) Long positions (won %) 66 (39.39%) Profit trades (% of total) 52 (39.10%) Loss trades (% of total) 81 (60.90%) Good EA 2021!!!!!!!!!!!
Range Cycle Pro MT4 — Professional Algorithmic Trading Framework. Range Cycle Pro MT4   is a professional algorithmic trading system designed for precision, flexibility, and consistency. Unlike standard trading robots that rely on lagging indicators such as MACD or RSI, this Expert Advisor is built on   pure price action   and   Time Range Alpha , supporting both   Breakout (trend-following)   and   Mean Reversion (counter-trend)   strategies. This EA is not just a single-purpose trading r
趋势EA“缔造者”4.1.8版本最新产品,联系方式qq398867673 ,微信15940404448,(qq不经常登录,电话微信均可)都是实名认证的。国内按授权开户数量限制、授权交易仓位限制、授权使用时间限制为参考依据定价,不管您是大资金还是小资金都有相应的权限价格。黄金缔造者经过多次更新现在的交易获利能力有目共睹如图。 购买须知: 1.提供所想要授权账号,用于写入EA授权; 2.报备账户资金额度以及所想使用的时间(半年起),用于写入EA授权; 3.添加微信,有一个简单的培训; 4.本产品只适合XAUUSD的交易; 5.产品为趋势类EA,所以震荡行情会小亏,属于正常,趋势行情大赚。 (注:交易一定是有亏有赚,主要看盈亏比例,我们不会说“放心用单单都赢利”这种骗人的话)。 虽然在官网售卖,但我们有修改权限的权力,有人不相信可以联系我们,先给你写一个简单的EA都是可以的,也可以你购买产品后,额外为你写一个你自己的策略EA,算是赠送。定价高低自有意义,我们只会给最好的产品,定最合适的价格。本产品为mt4使用 EA介绍: 1.EA没有任何参数,所有的算法我们全部封存在EA里了,使用简单;
Max ScalperSpeed
Paranchai Tensit
Max ScalperSpeed   is a fully automated expert advisor. This system has been developed to improve the efficiency of generating more returns. Rely on scalping trading strategies and recovery strategies with appropriate trading frequencies, and also able to work well in all market conditions, whether trend or sideways, able to trade full time in all conditions. Enable or disable news filtering according to user needs. Added a proportional lot size adjustment function, where users can choose to ad
Santa Scalping
Morten Kruse
2.84 (19)
Santa Scalping is a fully automated Expert Advisor with no use of martingale. Night scalping strategy. The SMA indicator filter are used for entries. This EA can be run from very small accounts. As small as 50 EUR. General Recommendations The minimum deposit is 50 USD,  default settings reccomend for eurusd m5 gmt +2 . Please use max spread 10 if you will not have orders change it to -1. Use a broker with good execution and with a spread of 2-5 points. A very fast VPS is required, preferably w
This automated trading robot uses the capabilities of the macd indicator to create a grid strategy. The algorithm creates a grid strategy at overbought and oversold levels and in times of high volatility. This makes it susceptible to all price fluctuations. The Close Money input is the total amount of earnings in the cycle. We define it as the total take profit amount in the cycle. It has the ability to open more cycles in short periods. However, you can use the robot in medium-term trading. Rea
Great Bird
Ferri Shallahuddin
Great Bird expert advisor using a scalping system with low DD. has StopLoss   and TakeProfit features automatically set by the algorithm. you can also set StopLoss and TakeProfit manually. The Expert Advisor does not need complicated setup and  is ready to be used for all currencies Use Timeframe M5 account ECN recommendation Minimum account balance $ 100 (for one pair) The Expert Advisor does not use: Grid Averaging Martingale Doubling
Midas AI
Dmitriq Evgenoeviz Ko
MIDAS AI is the guardian of your capital. It doesn't dive headfirst into trading, but rather weighs every decision with mathematical precision. Its stop-losses and take-profits aren't random numbers, but the result of painstaking calculations designed to minimize risks and maximize profits. MIDAS AI is a symphony of analytics and algorithms. Like an experienced chess player, it calculates its moves ahead by analyzing charts and economic indicators. It doesn't give in to emotions or make impulsi
Matrix Arrow EA MT4
Juvenille Emperor Limited
5 (8)
Matrix Arrow EA MT4 는 Matrix Arrow Indicator의 MT4 신호를 차트의 거래 패널과 수동 또는 100% 자동으로 거래할 수 있는 고유한 전문가 조언자입니다. Matrix Arrow Indicator MT4 는 다음과 같은 최대 10개의 표준 지표에서 정보와 데이터를 수집하여 초기 단계에서 현재 추세를 결정합니다. 평균 방향 이동 지수(ADX) ,   상품 채널 지수(CCI) ,   클래식 하이켄 아시 캔들 ,   이동 평균 ,   이동 평균 수렴 발산(MACD) ,   상대 활력 지수(RVI) ,   상대 강도 지수(RSI) ,   포물선 SAR ,   스토캐스틱 오실레이터 ,   윌리엄스의 백분율 범위. 모든 지표가 유효한 매수 또는 매도 신호를 제공하면 강력한 상승/하락 추세를 나타내는 다음 캔들/막대가 시작될 때 해당 화살표가 차트에 인쇄됩니다. 사용자는 사용할 표시기를 선택하고 각 표시기의 매개변수를 개별적으로 조정할 수 있습니다. Matri
Gold Label
Tran Thanh Tuyen
Gold Label  is an Expert Advisor designed specifically for trading gold.  This EA is specifically designed for   XAUUSD  with low risk and can grow your account from small capital. It is based on machine learning cluster analysis and genetic algorithms. EA contains self-adaptive market algorithm, which uses price action patterns and standard trading indicators. Expert showed stable results on XAU in 2011-2020 period. No dangerous methods of money managment used. Suitable for any broker conditi
The basis of the strategy is the identification of quick corrective movements between the crosses of a working currency pair or metal. At the moment of differences in prices of trading instruments, the adviser analyzes the possible direction of price movement on a working instrument and starts work. Each position has a stop loss and take profit. A unique position tracking algorithm allows you to control the superiority of profit over loss. The adviser does not use dangerous trading methods.
HFT King Ea
Ram Klein Caputol
HFT KING EA를 소개합니다 - 트레이딩의 궁극적인 HFT KING! 이 완전 자동화된 고주파 거래 시스템은 고급 알고리즘과 최첨단 기능을 통해 거래 경험을 혁신하도록 설계되었습니다. HFT King은 기술 분석, 인공 지능, 고주파 거래 및 기계 학습의 독특한 조합을 활용하여 거래자에게 안정적이고 수익성 있는 거래 신호를 제공합니다. HFT King 최첨단 기술은 거래 기회 식별, 시장 동향 분석 및 정밀한 거래 실행에 매우 효과적입니다. EA의 강력한 진입 및 퇴출 로직은 Bar Close에서만 작동하여 시장 소음을 제거하고 속도를 최적화하며 손절매 헌팅을 방지하여 향후 안정적이고 안정적인 수익을 보장합니다. 고주파 트레이딩의 최고 수준으로 올라설 준비를 하세요! 최첨단 기술과 고급 거래 기능의 힘을 경험해보세요. 권장사항: 통화쌍: XAUUSD 기간: M15 최소 입금액 : $1000 브로커 계정 유형: 스프레드가 매우 낮은 ECN, Raw 또는 Razor를 사용하는 모
he expert works on the Zigzag levels on the previous candle With some digital way to enter the deal On the five minute frame Work on currency pairs only Do not use TakeProfit or Stop Loss How the expert works It is placed on the three currency pairs GBPUSD GBPJPY GBP AUD Same settings without changing anything When he works, he will work on only one currency of them until it closes on a profit Profit is only seven points Please watch the video Explains how the expert works. Max Spread = 0.3 Bro
Signal Lock XAUUSD
Sebastien Bruno Attaud
Signal Lock XAUUSD Description : Discover Signal Lock XAUUSD, your automated trading partner, specifically designed for the gold market (XAUUSD). Combining advanced algorithms and complex technical analysis, the development of this strategy has taken me a considerable amount of time, but today, I am pleased to finally present to you my gold (XAUUSD) trading strategy. Key Features : Strategy Based on Advanced Technical Indicators: Signal Lock XAUUSD uses a combination of technical indicators
Gegatrade Advanced
David Zouein
5 (1)
Gegatrade Advanced EA is a state of the art Cost Averaging system It is secured by a built-in “ News WatchDog ” that suspends trading during news events the EA has lot of preset configuration files that can be downloaded from its Blog For full description visit the Blog :  https://www.mql5.com/en/blogs/post/720582 Trading Strategy The EA uses different strategy to each pre-set file which can all be downloaded from the Blog Gegatrade Advanced is open for the user to define his own strateg
Smart Funded Hft
Barbaros Bulent Kortarla
4.7 (67)
스마트 펀드 HFT EA로 거래 잠재력을 해제하세요! VPS 없음 / 설정 파일 없음 / 플러그 앤 플레이 즐기기 / 아래 쉬운 설정 비디오 확인 한정된 시간 동안 프로모션 가격 제 거래의 비밀을 공유하게 되어 매우 기쁩니다 – 스마트 펀드 EA. 수백 가지 도전을 완벽한 성공률로 정복했으며, 이제 여러분의 거래 게임을 한 단계 업그레이드할 차례입니다! 이 EA는 HFT 사용을 허용하는 프롭 회사의 HFT 도전을 통과하기 위해 설계되었습니다. HFT 사용이 허용되지 않는 도전/펀드 계정/실제 계정에서는 사용하지 마세요. 스마트 펀드 HFT EA가 돋보이는 이유: 도전 마스터리: 거의 모든 HFT 도전에서 수백 번의 도전을 성공적으로 완료하여 100%의 성공률을 확보했습니다. 단순한 도구가 아니라 검증된 파워하우스입니다. 최고의 간편함: 복잡한 설정이나 VPS 설정에 빠져들 필요 없습니다. 로드하고, 로트 크기를 조정한 다음 실행 버튼을 누르기만 하면 됩니다 - 최고의 간편함입니다.
How the EA works (simple explanation) Trades on   M5   timeframe Uses   H1 timeframe   to analyze global market context Analyzes   2 or 3 timeframes simultaneously On each timeframe: Checks price position relative to one or two Moving Averages Evaluates MA angle and distance between price and MA Entry logic is based on   trend + volatility conditions , not on random signals The full algorithm is illustrated in the screenshots. Recommended usage Symbol:   EURUSD Timeframe:   M5 Trading
BG Grid Limited
Boris Gulikov
5 (1)
BG Grid Limited is a countertrend Expert Advisor that uses standard indicators to enter the market. The Expert Advisor has flexible settings and can be used for multi-pair trading. I suggest using 10 currency pairs at once at the same time. However, this does not mean that the Expert Advisor will immediately open 10 orders, one for each currency pair. The Expert Advisor enters the market only with a certain set of indicator readings. The Expert Advisor in the settings has loss limits in the form
No loss strategy EA
Luckius E Kajoka
1 (1)
The NO_LOSS_STRATEGY_EA is the EA that is not accepting loss by hedging the position of trade direction, it doesn't matter what direction the market will go if the market goes up it will hit the take profit or when the market will go down it will also hit the take profit by regulating the amount of lot size used, in the end, the trades will close in total profit. The EA is suitable to trade on all pairs but the most tested pairs and is very suitable for a good profit are GBPJPY, GBPUSD, USDJPY,
Gold Matrix pro Welcome to the Gold Matrix Ea pro. The Robot is based on one standard Indicator. No other Indicator required =============================================================================================== This Robot is fully automated and has been created for everyone. The Robot works also on cent accounts. =============================================================================================== =>   works on all Time Frames from 1Minute to 1Day => On the lower Frames th
이 제품의 구매자들이 또한 구매함
Vortex Gold MT4
Stanislav Tomilov
5 (30)
볼텍스 - 미래를 위한 투자 메타트레이더 플랫폼에서 금(XAU/USD) 거래를 위해 특별히 제작된 볼텍스 골드 EA 전문 어드바이저입니다. 독점 지표와 개발자의 비밀 알고리즘을 사용하여 구축된 이 EA는 금 시장에서 수익성 있는 움직임을 포착하도록 설계된 종합 트레이딩 전략을 사용합니다. 전략의 주요 구성 요소에는 이상적인 진입 및 청산 지점을 정확하게 알려주는 CCI 및 파라볼릭 인디케이터와 같은 클래식 인디케이터가 포함됩니다. Vortex Gold EA의 핵심은 고급 신경망 및 머신러닝 기술입니다. 이러한 알고리즘은 과거 데이터와 실시간 데이터를 지속적으로 분석하여 EA가 진화하는 시장 추세에 더 정확하게 적응하고 대응할 수 있도록 합니다. 딥러닝을 활용하여 Vortex Gold EA는 패턴을 인식하고 지표 매개변수를 자동으로 조정하며 시간이 지남에 따라 성능을 개선합니다. 독점 지표, 머신 러닝, 적응형 트레이딩 알고리즘이 결합된 Vortex Gold EA의 강력한 조합입니다
Quantum Emperor MT4
Bogdan Ion Puscasu
4.85 (171)
소개       Quantum Emperor EA는   유명한 GBPUSD 쌍을 거래하는 방식을 변화시키는 획기적인 MQL5 전문 고문입니다! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발했습니다. IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. ***Quantum Emperor EA를 구매하시면 Quantum StarMan  를 무료로 받으실 수 있습니다!*** 자세한 내용은 비공개로 문의하세요. 확인된 신호:   여기를 클릭하세요 MT5 버전 :  여기를 클릭하세요 Quantum EA 채널:       여기를 클릭하세요 10개 구매 시마다 가격이 $50씩 인상됩니다. 최종 가격 $1999 퀀텀 황제 EA       EA는 단일 거래를 다섯 개의 작은 거래로 지속적으로 분할하는
The Gold Reaper MT4
Profalgo Limited
4.59 (32)
소품 회사 준비 완료!   (   세트파일 다운로드   ) 출시 프로모션: 현재 가격으로 몇 장 남지 않았습니다! 최종 가격: 990$ 1EA를 무료로 받으세요(2개의 거래 계정에 대해) -> 구매 후 저에게 연락하세요 Ultimate Combo Deal   ->   click here JOIN PUBLIC GROUP:   Click here Live Signal 골드 리퍼에 오신 것을 환영합니다! 매우 성공적인 Goldtrade Pro를 기반으로 구축된 이 EA는 동시에 여러 기간에 걸쳐 실행되도록 설계되었으며 거래 빈도를 매우 보수적인 것부터 극단적인 변동까지 설정할 수 있는 옵션이 있습니다. EA는 여러 확인 알고리즘을 사용하여 최적의 진입 가격을 찾고 내부적으로 여러 전략을 실행하여 거래 위험을 분산시킵니다. 모든 거래에는 손절매와 이익 실현이 있지만, 위험을 최소화하고 각 거래의 잠재력을 극대화하기 위해 후행 손절매와 후행 이익 이익도 사용합니다. 이 시스템은 매우 인기
Big Forex Players MT4
MQL TOOLS SL
4.73 (44)
We proudly present our cutting-edge robot, the  Big Forex Players EA  designed to maximize your trading potential, minimize emotional trading, and make smarter decisions powered by cutting-edge technology. The whole system in this EA took us many months to build, and then we spent a lot of time testing it. This unique EA includes three distinct strategies that can be used independently or in together. The robot receives the positions of the  biggest Banks  (positions are sent from our database t
Gold Trade Pro
Profalgo Limited
4.61 (23)
프로모션 시작! 449$에 얼마 남지 않았습니다! 다음 가격: 599$ 최종 가격: 999$ 1EA를 무료로 받으세요(2개의 거래 계정에 대해) -> 구매 후 저에게 연락하세요 Ultimate Combo Deal   ->   click here New live signal:   https://www.mql5.com/en/signals/2084890 Live Signal high risk :  https://www.mql5.com/en/signals/2242498 Live Signal Set Prop Firm Set JOIN PUBLIC GROUP:   Click here Parameter overview Gold Trade Pro는 금 거래 EA의 클럽에 합류하지만 한 가지 큰 차이점이 있습니다. 이것은 진정한 거래 전략입니다. "실제 거래 전략"이란 무엇을 의미합니까?   아시다시피 시장에 있는 거의 모든 Gold EA는 단순한 그리드/마팅게일 시스템으로 시장이 초기
Quantum King MT4
Bogdan Ion Puscasu
5 (2)
Quantum King EA - 모든 트레이더를 위해 개선된 지능형 파워 IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. 특별 출시 가격 라이브 신호:       여기를 클릭하세요 MT5 버전 :   여기를 클릭하세요 퀀텀 킹 채널:       여기를 클릭하세요 ***Quantum King MT4를 구매하시면 Quantum StarMan을 무료로 받으실 수 있습니다!*** 자세한 내용은 비공개로 문의하세요! 규칙       정확하고 규율 있게 거래하세요. 퀀텀 킹 EA       구조화된 그리드의 강점과 적응형 마팅게일의 지능을 하나의 완벽한 시스템으로 통합했습니다. M5에서 AUDCAD를 위해 설계되었으며, 꾸준하고 통제된 성장을 원하는 초보자와 전문가 모두를 위해 구축되었습니다. 퀀
Aura Neuron MT4
Stanislav Tomilov
4.62 (13)
Aura Neuron은 Aura 시리즈 거래 시스템을 이어가는 독특한 전문가 자문입니다. 고급 신경망과 최첨단 클래식 거래 전략을 활용하여 Aura Neuron은 뛰어난 잠재적 성과를 가진 혁신적인 접근 방식을 제공합니다. 완전 자동화된 이 전문가 자문은  및 XAUUSD(GOLD)와 같은 통화 쌍을 거래하도록 설계되었습니다. 1999년부터 2023년까지 이러한 쌍에서 일관된 안정성을 입증했습니다. 이 시스템은 마팅게일, 그리드 또는 스캘핑과 같은 위험한 자금 관리 기술을 피하므로 모든 브로커 조건에 적합합니다. Aura Neuron은 다층 퍼셉트론(MLP) 신경망으로 구동되어 시장 추세와 움직임을 예측하는 데 활용합니다. MLP는 피드포워드 인공 신경망(ANN)의 한 유형으로, 특히 단일 숨겨진 계층으로 구성될 때 "바닐라" 신경망이라고도 합니다. MLP에는 입력 계층, 숨겨진 계층 및 출력 계층이라는 세 가지 필수 계층이 포함됩니다. 입력 노드를 제외한 각 뉴런은 비선형 활성화
Golden Mirage mt4
Michela Russo
5 (5)
Limited stock at the current price! Final price: $1999 --> PROMO: From $299 --> The price will go up every 5 purchases, next price : $399 Golden Mirage is a robust gold trading robot designed for traders who value reliability, simplicity, and professional-grade performance. Powered by a proven combination of RSI, Moving Average,  ADX, and High/Low Level  indicators, Golden Mirage delivers high-quality signals and fully automated trading on the M5 timeframe for XAUUSD (GOLD) . It features a robu
FlipDamonHFT
Allistair Kabelo Mandow
Ask in private for more details after purchase FlipDemonHFT Flipdemon vX: The Next-Level Forex Trading Robot Flip your capital fast with Flipdemon vX — a powerful trading robot designed for rapid growth, sniper entries, and consistent profits. Built for serious traders who want results in days, not months.. Discounted   price .  The price will increase by $500 with every 10 purchases. ***Buy FLIPDEMON HFT MT4 and you could get TINGA TINGA or  FLIPDEMON HFT MT5 for free !*** Ask in privat
GOLD Scalper PRO
Lachezar Krastev
4.58 (24)
WINTER SALE — FINAL DAYS! Get GOLD Scalper PRO with a huge –60% discount AND receive News Scope EA PRO as a FREE BONUS ! Special Winter Sale Price: $177 (Regular Price: $447 — You Save $270!) FREE BONUS: News Scope EA PRO A powerful multi-symbol strategy packed with advanced features, supporting 5 trading pairs — real value: $397! After completing your purchase, simply contact me and I will send you your BONUS EA immediately. Don’t miss this once-a-year opportunity! Live Results:   https://w
AW Scalping Dynamics EA
AW Trading Software Limited
4.67 (12)
추세 반전을 기반으로 작동하는 완전 자동 고급 거래 로봇입니다. 필요한 경우 그리드 전략을 사용할 수도 있습니다. 최대 카트 적재량에 도달하면 3가지 유형의 알림 및 위치 잠금 기능이 내장되어 있습니다. 기본 설정은 M15 시간대의 EURUSD에 권장됩니다. 기능 및 이점: 동시에 두 방향으로 작업할 수 있는 능력 여러 단계에서 정시에 작업하는 내장 기능 브로커가 볼 수 없는 가상 StopLoss를 사용합니다. 현재 추세의 활동을 기반으로 한 작업 알고리즘 자동 로트 계산 내장 모든 유형의 알림 사용 위치를 자동으로 잠그고 어드바이저를 비활성화하는 기능 장바구니의 후속 주문에 대한 TakeProfit 감소 현재 추세 또는 단계별로 개시 주문 조정 MT5 version ->   HERE  / Problem solving ->  HERE   입력 변수에 대한 자세한 설명 및 설명       ->   여기 고문이 거래하는 방법: - 우선 거래 시 현재 추세 활동을 고려합니다("주요 추세
BB Return mt4
Leonid Arkhipov
5 (2)
BB Return — 금(XAUUSD) 거래를 위한 전문가 어드바이저(EA)입니다. 이 트레이딩 아이디어는 이전에 제가 수동 트레이딩 에서 사용하던 방식에서 출발했습니다. 전략의 핵심은 Bollinger Bands(볼린저 밴드) 범위로의 가격 회귀이지만, 기계적이거나 매번의 터치마다 진입하지는 않습니다. 금 시장에서는 밴드만으로는 충분하지 않기 때문에, EA에는 약하거나 비효율적인 시장 상황을 걸러내는 추가 필터가 적용되어 있습니다. 회귀 로직이 실제로 타당한 경우에만 거래가 실행됩니다.   거래 원칙 — 본 전략은 그리드, 마틴게일, 물타기(평균단가) 기법을 사용하지 않습니다. EA는 고정 로트 또는 AutoRisk 모드로 운용할 수 있습니다. BB Return은 스프레드, 슬리피지 및 브로커의 호가 방식 차이에 민감하지 않으며, Standard, ECN, Pro, Raw, Razor 등 모든 계좌 유형과 모든 브로커에서 사용할 수 있습니다. 거래 세션에 제한되지 않으며 24시간
AW Recovery EA
AW Trading Software Limited
4.35 (84)
Expert Advisor는 수익성이 없는 포지션을 회수하도록 설계된 시스템입니다.   작성자의 알고리즘은 손실 위치를 잠그고 여러 부분으로 분할하고 각 부분을 별도로 닫습니다. 손쉬운 설정, 하락 시 지연된 시작, 다른 Expert Advisors 잠금, 비활성화, 추세 필터링을 통한 평균화 및 손실 위치의 부분 마감이 하나의 도구에 내장되어 있습니다. 전체 그룹에서만 주문을 마감하는 그리드 전략과 달리 더 낮은 예금 부하로 손실을 줄일 수 있는 부분에서 마감 손실을 사용하여 손실과 함께 더 안전한 작업을 보장합니다. 주문이 복원되는 방법: 1 EA는 선택한 상품의 다른 창을 닫아 수익성이 없는 EA를 끕니다(선택 사항). 2 EA는 처리된 모든 주문에 대해 TakeProfit 및 StopLoss 수준을 재설정하고 해당 식별자가 있는 보류 주문을 삭제합니다. 3 EA는 수익성이 없는 주문의 일부를 충당하고 총 포지션 볼륨을 줄이기 위해 이익을 사용하기 위해 처리된 모든 수익성 있
AI Forex Robot MT4
MQL TOOLS SL
4.29 (17)
AI   Forex Robot - The Future of Automated Trading. AI Forex Robot is powered by a next-generation   Artificial Intelligence   system based on a hybrid LSTM Transformer neural network, specifically designed for analyzing XAUUSD, EURUSD   and BTCUSD price movements on the Forex market. The system analyzes complex market structures, adapts its strategy in   real time   and makes data-driven decisions with a high level of precision. AI Forex Robot is a modern, fully automated system powered by   ar
Aura Black Edition
Stanislav Tomilov
4.6 (20)
Aura Black Edition은 GOLD만 거래하도록 설계된 완전 자동화된 EA입니다. Expert는 2011-2020년 기간 동안 XAUUSD에서 안정적인 결과를 보였습니다. 위험한 자금 관리 방법, 마팅게일, 그리드 또는 스캘핑이 사용되지 않았습니다. 모든 브로커 조건에 적합합니다. 다층 퍼셉트론으로 학습된 EA 신경망(MLP)은 피드포워드 인공 신경망(ANN)의 한 종류입니다. MLP라는 용어는 모호하게 사용되며, 때로는 피드포워드 ANN에 느슨하게 사용되기도 하고, 때로는 임계값 활성화가 있는 여러 층의 퍼셉트론으로 구성된 네트워크를 엄격하게 지칭하기도 합니다. 다층 퍼셉트론은 특히 단일 은닉층이 있을 때 "바닐라" 신경망이라고도 합니다. MLP는 입력층, 은닉층, 출력층의 최소 3개 층의 노드로 구성됩니다. 입력 노드를 제외하고 각 노드는 비선형 활성화 함수를 사용하는 뉴런입니다. MLP는 역전파라는 지도 학습 기술을 사용하여 학습합니다. 다중 레이어와 비선형 활성화는
EA Gold Algo
Mohamed Hassan
4.33 (3)
EA Gold Algo is a professional Expert Advisor specifically designed for Gold (XAUUSD) trading. It is engineered to capture extremely fast price movements  that occur when price escapes key structural zones with momentum. Gold is known for sharp expansions and aggressive volatility. EA Gold Algo is built to operate in these conditions with high-precision execution, strict risk control, and fast reaction speed . The EA does not use grid or martingale techniques . Each trade is executed independe
Mon Scalper MT4
Xuan Bach Nguyen
Mon Scalper - Dual-Trendline Breakout Scalping Expert Mon Scalper is a specialized Expert Advisor designed exclusively for gold (XAUUSD) trading. It utilizes a unique dual-trendline strategy to identify strong trends and breakout points, executing trades automatically based on market conditions. Join My MQL5 Channel for the Latest Updates! Real-Time Signal :  https://www.mql5.com/en/signals/2361936 Pricing : Launch Price : $199 Incremental Price Increase : The price will increase by $100 after
Javier Gold Scalper V2
Felipe Jose Costa Pereira
5 (4)
Javier Gold Scalper: 당신 곁의 첨단 기술! 매뉴얼 및 설정 파일: 구매 후 저에게 연락하시면 매뉴얼과 설정 파일을 보내드립니다 가격: 판매된 라이선스 수에 따라 가격이 인상됩니다 남은 복사본: 5개 금 거래는 금융 시장에서 가장 변동성이 큰 자산 중 하나로, 고도의 정밀도, 철저한 분석, 매우 효과적인 리스크 관리가 요구됩니다. Javier Gold Scalper 는 이러한 핵심 요소들을 통합하여 금 시장에서의 거래를 최적화하기 위해 설계된 강력하고 정교한 시스템입니다. 최첨단 기술과 고급 전략을 기반으로 Golden Scalper는 초보자와 전문가 모두를 지원하여 이 역동적인 시장의 도전과 기회를 안전하게 대응할 수 있도록 합니다. Golden Scalper와 함께라면 금 거래의 특수성에 적합한 신뢰할 수 있는 도구를 사용할 수 있습니다. 심볼 XAUUSD (금) 시간 프레임 M30 PropFirm 사용 가능 자본 최소 $1000 브로커 모든 브로커 가능 계정
XIRO Robot MT4
MQL TOOLS SL
5 (3)
XIRO Robot is a   professional trading system   created to operate on two of the most popular and liquid instruments on the market:   XAUUSD and GBPUSD . We combined two proven and well tested systems, enhanced them with multiple new improvements, optimizations and additional protective mechanisms, and integrated everything into one advanced and unified solution. As a result of this development process, XIRO Robot was created. Robot was designed for traders who are looking for a reliable and str
Forex GOLD Investor
Lachezar Krastev
4.46 (50)
WINTER SALE — FINAL DAYS! Get Forex GOLD Investor with a huge –60% discount AND receive News Scope EA PRO as a FREE BONUS ! Special Winter Price: $217 (Regular Price: $547 — You Save $330!) FREE BONUS: News Scope EA PRO A powerful multi-symbol strategy packed with advanced features, supporting 5 trading pairs — real value: $397! After completing your purchase, simply contact me and I will send you your BONUS EA immediately. Don’t miss this once-a-year opportunity! Live Results: https://www.m
Vortex Turbo EA MT4
Stanislav Tomilov
5 (9)
보텍스 터보 — “폭풍을 거래하고, 보텍스를 제어하세요” Vortex Turbo는 지능형 트레이딩의 다음 진화 단계를 제시하는 독보적인 플랫폼으로, 최첨단 AI 아키텍처, 적응형 시장 로직, 그리고 정밀한 리스크 관리 기능을 결합했습니다. 검증된 알고리즘 원칙을 기반으로 구축된 Vortex Turbo는 새로운 차원의 예측 인텔리전스를 통해 다양한 전략을 하나의 고속 생태계로 통합합니다. 금(XAUUSD(GOLD)) 스캘핑 전문가로 설계된 Vortex Turbo는 제어된 마틴게일 및 평균화 그리드 전략을 사용하며, 각     포지션은 내장된 손절매 기능으로 완벽하게 보호되어     강력함, 정확성, 그리고 안전성 사이의 완벽한 균형을 보장합니다. 정말 중요합니다! 전문가 서비스를 구매하신 후 개인 메시지를 보내주세요. 필요한 모든 권장 사항이 담긴 안내를 보내드리겠습니다. 399달러의 가격은 2월 15일까지 유효하며, 이후 가격은 499달러로 인상됩니다. (최종 가격: 999달러)
XG Gold Robot MT4
MQL TOOLS SL
4.3 (37)
The XG Gold Robot MT4 is specially designed for Gold. We decided to include this EA in our offering after   extensive testing . XG Gold Robot and works perfectly with the   XAUUSD, GOLD, XAUEUR   pairs. XG Gold Robot has been created for all traders who like to   Trade in Gold   and includes additional a function that displays   weekly Gold levels   with the minimum and maximum displayed in the panel as well as on the chart, which will help you in manual trading. It’s a strategy based on  Price
Forex Diamond EA
Lachezar Krastev
5 (5)
WINTER SALE — FINAL DAYS! Get Forex Diamond EA with a huge –60% discount AND receive News Scope EA PRO as a FREE BONUS ! Special Winter Sale Price: $217 (Regular Price: $547 — You Save $330!) FREE BONUS: News Scope EA PRO  A powerful multi-symbol strategy packed with advanced features, supporting 5 trading pairs — real value: $397! After completing your purchase, simply contact me and I will send you your BONUS EA immediately. Don’t miss this once-a-year opportunity! Forex Diamond EA – Relia
Bitcoin Robot MT4
MQL TOOLS SL
4.64 (66)
The Bitcoin Robot  MT4 is engineered to execute Bitcoin trades with unparalleled   efficiency and precision . Developed by a team of experienced traders and developers, our   Bitcoin Robot   employs a sophisticated algorithmic approach (price action, trend as well as two personalized indicators) to analyze market and execute trades swiftly with   M5 timeframe , ensuring that you never miss out on lucrative opportunities.   No grid, no martingale, no hedging,   EA only open one position at the sa
Goldex AI
Mateo Perez Perez
4.31 (29)
Goldex AI: 오늘의 성공이 내일의 결실이 될 것입니다. 기간 한정 슈퍼 할인! 가격이 인상되기 전에 마지막 2부를 299달러에 구매할 수 있습니다. 실제 IC Markets 신호: Goldex AI 고위험 매뉴얼 및 구성 파일: 매뉴얼 및 구성 파일을 받으려면 구매 후 저에게 연락하세요. 가격: 시작 가격은 $499이며 10회 판매할 때마다 $899씩 인상됩니다. 사용 가능한 사본 수: 2 Goldex AI - 신경망, 추세 및 가격 행동을 갖춘 고급 트레이딩 로봇. Goldex AI는 금의 지지선과 저항선을 돌파하는 가격 행동을 사용하여 뉴욕 시장의 움직임을 최대한 활용하여 가능한 최고의 수익을 얻는 고성능 트레이딩 로봇입니다. 이 로봇은 지능형 복구라는 전략을 가지고 있으, 손실이 발생한 후 활성화되고 더 큰 로타제를 열어 가능한 손실을 단시간에 복구하지만 사용자가 원할 경우 승수를 줄일 수 있습니다. Goldex AI에는 스마트 뉴스 필터가 내장되어 있어 중대형 뉴스
Bazooka EA
Davit Beridze
5 (3)
Bazooka EA – MT4용 트렌드 및 모멘텀 기반 전문가 자문 MT5:  https://www.mql5.com/en/market/product/163078 중요:   댓글 섹션에 업데이트된 .set 파일을 정기적으로 게시하고 있습니다. 현재의 시장 변동성에서 최적의 성능을 발휘할 수 있도록 백테스트 및 실거래 시 반드시 최신 버전을 사용해 주시기 바랍니다. Bazooka EA 는 MetaTrader 4 용 완전 자동 매매 전문가 자문(Expert Advisor)으로, **추세 확인(Trend Confirmation)**과 **모멘텀 필터링(Momentum Filtering)**을 결합하여 방향성 있는 시장 움직임을 거래하도록 설계되었습니다. 이 EA는 통제된 진입과 규칙적인 청산에 중점을 두며, 과도한 매매나 고위험 포지션 관리 기법을 사용하지 않습니다. Bazooka EA는 명확한 규칙 기반 전략과 조정 가능한 리스크 관리를 선호하는 트레이더에게 적합합니다. 전략 설명 Baz
HFT Prop Firm EA
Dilwyn Tng
4.96 (632)
HFT Prop Firm EA는 고유한 로고로 인해 Green Man으로도 알려져 있으며, 고빈도 거래(HFT) 전략을 허용하는 독점 트레이딩 회사(prop firms)의 도전 과제나 평가를 극복하기 위해 특별히 제작된 전문가 자문(EA)입니다. 한정 기간: HFT Prop Firm EA를 구매하면 $198 상당의 무료 유틸리티 제공 MT5 버전: https://www.mql5.com/en/market/product/117386 HFT 챌린지 성능 모니터(시작가 $200): 브로커: IC Markets 계좌 번호: 66603384 서버: ICmarketsSC-Demo06 비밀번호: Greenman 브로커: IC Markets 계좌 번호: 21718043 서버: ICmarketsSC-Demo02 비밀번호: Greenman 결과 1: https://c.mql5.com/31/1055/hft-prop-firm-ea-screen-4333.gif 결과 2: https://c.mql5.com/3
Aurum AI mt4
Leonid Arkhipov
4.94 (32)
업데이트 — 2025년 12월 2024년 11월 말, Aurum이 공식적으로 판매를 시작했습니다. 그 이후 뉴스 필터, 추가 보호 조건, 복잡한 제한 없이도 실제 시장 환경에서 꾸준히 운용되며 안정적인 성과를 유지해 왔습니다. Live Signal 1년간의 실전 운용은 이 트레이딩 시스템의 신뢰성을 명확하게 증명했습니다. 그리고 실제 데이터와 통계를 기반으로, 2025년 12월 대규모 업데이트가 진행되었습니다: 프리미엄 패널 전면 개편 및 모든 해상도에 최적화 확장된 거래 보호 시스템 추가 Forex Factory 기반의 강력한 뉴스 필터 추가 신호 정확도를 높이는 추가 필터 2종 추가 최적화, 실행 속도 및 전반적인 안정성 향상 손실 후 안전한 복구를 위한 Recovery 기능 추가 프리미엄 스타일의 새로운 차트 테마 적용 EA 소개 Aurum — 골드(XAU/USD) 전용 프리미엄 자동매매 EA Aurum은 금 시장에서 안정적이고 안전한 트레이딩을 위해 설계된 전문 자
Recovery Manager Pro MT4
Ianina Nadirova
5 (1)
Recovery Manager Pro는 다른 조언자 또는 수동으로 개설된 주문에서 손실된 금액을 복구하기 위한 시스템입니다. RM Pro에는 자동으로 동적으로 조정하는 기능이 있습니다. 거래자는 위험 수준을 선택해야 하며 고문은 완전 자동 모드에서 작동합니다. 감소 복구 모드 및 대기 모드에서 작동 가능! 다른 자문가가 하락을 생성하는 경우 RM Pro는 이를 비활성화하고 포지션을 잠근 후 부분 청산을 사용하여 예치금을 복원하는 프로세스를 시작합니다. 거래에서 고문은 스마트 평균화, 잠금 및 부분 청산을 사용합니다. 고문은 모든 구매자가 선물로 받게 될 맞춤형 추세 지표를 연구합니다. Advisor의 주요 기능은 대기 모드에서 작동하는 기능입니다. 다른 자문가가 하락을 생성하는 즉시 RM Pro가 주문 관리를 인계받고 평균 주문을 공개한 후 부분적으로 마감합니다. 설정 지침:           링크 MT5 버전:           링크 조언자 기능: 수익성이 없는 포지션에서 손실
AI Prop Firms MT4
MQL TOOLS SL
5 (4)
AI Prop Firms - Intelligent Automation Built for   Prop Trading Firms . AI Prop Firms is an advanced fully automated Forex trading system powered by   Artificial Intelligence , developed specifically to operate within the strict rules and evaluation models of prop trading firms. The system is designed to trade under controlled risk conditions while   maintaining consistency , stability, and compliance with prop firm requirements. AI Prop Firms uses intelligent market analysis logic that continu
제작자의 제품 더 보기
MAcapitalzone
Mr Nisit Noijeam
OIL Product setting  Define maximum allowed slippage as an input parameter (กำหนดค่า Slippage สูงสุดที่ยอมรับได้) ค่าที่ตั้งไว้: 50 อธิบาย: กำหนดความแตกต่างสูงสุดระหว่างราคาที่คาดว่าจะได้ซื้อขายกับราคาจริงที่เกิดขึ้นเพื่อป้องกันการซื้อขายที่เกิดขึ้นในราคาที่ไม่ต้องการ Enable buy orders (เปิดให้รับคำสั่งซื้อ) ค่าที่ตั้งไว้: true อธิบาย: กำหนดว่าจะเปิดใช้งานการซื้อ (Buy Orders) หรือไม่ ถ้า true แสดงว่าเปิดการซื้อขาย Initial price for red line (ราคาเริ่มต้นสำหรับเส้นแดง) ค่าที่ตั้งไว้: 85.0 อธิบ
CapitalGrid
Mr Nisit Noijeam
Code Components and Functionality Basic Information #property : Used to define the EA properties like copyright, link, version, and description. input : Parameters that users can customize in the EA, such as enabling/disabling buy/sell orders, price levels, take profit points, lot sizes, etc. Main Functions OnInit() : Executes when the EA is initialized. It creates a label on the chart and draws red lines at specified price levels (Red Line). OnDeinit(const int reason) : Executes when the EA is
CapitalTrendline
Mr Nisit Noijeam
EnJoy  trend line It is a basic tool in technical analysis which is used to track and predict the direction of price movements. It is created by connecting the lowest or highest points of prices on the chart. To create a straight line that helps in interpreting market direction. For example: Uptrend Line: Connects multiple low points on the chart. It indicates a continuous increase in prices. Downtrend Line: Connects multiple highs. It indicates a continuous decrease in prices. เส้นเทรนด์ไลน์
CapitalMAGL
Mr Nisit Noijeam
GRID MA TRADING Trading Strategy Overview Moving Average (MA) Based Decisions : The EA uses a Moving Average (MA) as a key indicator for its trading decisions. The type (Simple, Exponential, Smooth, Linear Weighted), period, and shift of the MA are configurable. It decides whether to buy or sell based on the position of the price relative to the MA. For example, it may stop buying if the price is below the MA or stop selling if the price is above the MA. Grid Trading System : The EA appears to i
Expert Advisor (EA),  MA Following  commonly known as a trading bot. It implements a grid trading strategy with the following characteristics: Moving Average and Standard Deviation : The EA uses a Moving Average (MA) as the core of its trading strategy, combined with Standard Deviation (SD) for trade entry and exit decisions. There are four types of MAs available: Simple, Exponential, Smoothed, and Linear Weighted. Users can select the MA type and set its period, as well as the period and facto
CapitalAsgard
Mr Nisit Noijeam
This EA, named "MTRADER," is designed for the MT4 (MetaTrader 4) trading platform. It operates based on a grid trading strategy and includes functionality for both buy and sell orders. Here's an overview of its key features and functionalities: Trading Zones: The EA operates within specified price zones for buying and selling. BuyZoneStart and BuyZoneEnd define the range within which the EA will consider placing buy orders, while SellZoneStart and SellZoneEnd define the range for sell orders. Or
CapitalCraft
Mr Nisit Noijeam
A Grid EA (Grid Expert Advisor) is an automated trading system used in the financial markets that employs a grid trading strategy. Grid trading involves opening buy and sell orders at predetermined price levels, with a specified price interval, known as the price grid. This trading strategy is similar to placing Buy Limit and Sell Limit orders at pre-defined price and time intervals. The EA operates automatically based on predefined rules and typically includes the following features: Price Gr
CapitalRoyal
Mr Nisit Noijeam
MA trend following 1sd signal  The EA appears to use a combination of moving averages and standard deviation to make trading decisions, with the option to increase lot sizes after consecutive losses, potentially aiming for a martingale-like strategy. It's important to note that while EAs can automate trading, they come with risks, especially when using strategies like lot size increase on loss. Users should thoroughly backtest and understand the EA's strategy and risks before using it in live tr
Capital ATR
Mr Nisit Noijeam
Expert Advisor (EA) for MetaTrader 4 (MT4) platform, named MTRADER. Its primary strategy appears to be a grid trading strategy based on moving averages and average true range (ATR) volatility. Here's a breakdown of its key components and functionalities: Initialization Parameters : It defines various input parameters such as Moving Average Type (Simple, Exponential, Smoothed, or Linear Weighted), Moving Average Period, ATR Period, ATR Factor, Initial Lot Size, etc. These parameters can be adjust
Capitalgrid01
Mr Nisit Noijeam
A grid trading strategy is a method used in financial markets, particularly in forex trading, that involves placing buy and sell orders at regular intervals above and below a set price level. This creates a grid-like pattern of orders on the chart, hence the name "grid trading." Here’s a detailed explanation: Grid Trading Strategy Basic Concept : Grid trading is designed to capitalize on market volatility. The strategy works best in ranging or sideways markets, where prices fluctuate within a c
Capitalformular
Mr Nisit Noijeam
กลยุทธ์ HFT Hedging แบบปรับลอตเพิ่ม ตั้งต้นด้วยสถานะสองฝั่ง (Long และ Short) ในการ Hedging คุณจะเปิดสถานะทั้งฝั่ง Long และ Short พร้อมกันในตราสารเดียวกันเพื่อป้องกันความเสี่ยงจากการเคลื่อนไหวในทิศทางใดทิศทางหนึ่ง คุณจะเริ่มเปิดสถานะโดยใช้ลอตต่ำที่สุด เพื่อทดสอบทิศทางการเคลื่อนไหวของตลาด ใช้เงื่อนไขในการเปิดสถานะเพิ่มเติม (ปรับลอตเพิ่ม) เมื่อสถานะหนึ่งขยับเข้าใกล้เป้าหมายกำไร (Take Profit หรือ TP) หรือเริ่มเข้าเขตทำกำไร (เช่น เมื่อ ATR หรือ ค่า Technical Indicator อื่นๆ บอกถึงความผันผวนที่เพิ่มขึ
Capitalrecover
Mr Nisit Noijeam
HFT  ZONE MOMENTUM RECOVERY EA_Name ค่า: HFT MTRADER ใช้สำหรับระบุชื่อของ EA เพื่อให้ง่ายต่อการจัดการหรือตรวจสอบในประวัติการเทรด (History) Lot_fix ค่า: 0.02 ใช้กำหนดขนาดของล็อตคงที่ (Fixed Lot Size) ที่ EA จะเปิดในแต่ละคำสั่งเทรด โดยไม่ขึ้นอยู่กับเงื่อนไขอื่น ๆ Lots_X ค่า: 1.5 ตัวคูณล็อต (Lot Multiplier) ซึ่งมักใช้ในการเพิ่มขนาดล็อตในลักษณะการ Martingale หรือ Hedging โดยเมื่อขาดทุนหรือเปิดคำสั่งถัดไป ระบบจะเพิ่มล็อตตามค่าที่กำหนดไว้ High_Low_end_candle ค่า: 10 จำนวนแท่งเทียนที่ใช้ในการคำนวณระ
CapitalTrendline2
Mr Nisit Noijeam
EnJoy  trend line It is a basic tool in technical analysis which is used to track and predict the direction of price movements. It is created by connecting the lowest or highest points of prices on the chart. To create a straight line that helps in interpreting market direction. For example: Uptrend Line: Connects multiple low points on the chart. It indicates a continuous increase in prices. Downtrend Line: Connects multiple highs. It indicates a continuous decrease in prices. เส้นเทรนด์ไลน์ เป
Capitalrecover2
Mr Nisit Noijeam
HFT  ZONE MOMENTUM RECOVERY EA_Name ค่า: HFT MTRADER ใช้สำหรับระบุชื่อของ EA เพื่อให้ง่ายต่อการจัดการหรือตรวจสอบในประวัติการเทรด (History) Lot_fix ค่า: 0.02 ใช้กำหนดขนาดของล็อตคงที่ (Fixed Lot Size) ที่ EA จะเปิดในแต่ละคำสั่งเทรด โดยไม่ขึ้นอยู่กับเงื่อนไขอื่น ๆ Lots_X ค่า: 1.5 ตัวคูณล็อต (Lot Multiplier) ซึ่งมักใช้ในการเพิ่มขนาดล็อตในลักษณะการ Martingale หรือ Hedging โดยเมื่อขาดทุนหรือเปิดคำสั่งถัดไป ระบบจะเพิ่มล็อตตามค่าที่กำหนดไว้ High_Low_end_candle ค่า: 10 จำนวนแท่งเทียนที่ใช้ในการคำนวณระ
Capitalallweather
Mr Nisit Noijeam
BB-Trader Pro: ปลดล็อกพลังการเทรดทำกำไรในทุกสภาวะตลาด! เบื่อไหม? กับ EA ที่ใช้ได้ดีแค่ในตลาดบางช่วง... พอตลาดเปลี่ยนจากมีเทรนด์เป็น Sideways สัญญาณก็เริ่มพลาด ล้างพอร์ตโดยไม่รู้ตัว ถึงเวลาแล้วที่จะปฏิวัติการเทรดของคุณด้วย BB-Trader Pro EA อัจฉริยะที่ถูกออกแบบมาให้ "คิดและปรับตัว" ได้เหมือนเทรดเดอร์มืออาชีพ! "สมองกลสองโหมด" กลยุทธ์ที่ไม่เคยหยุดนิ่ง หัวใจหลักของ BB-Trader Pro คือความสามารถในการวิเคราะห์ความผันผวนของตลาดจาก Bollinger Bands และปรับเปลี่ยนกลยุทธ์การเทรดโดยอัตโนมัติ โหมดเทรดปกติ (N
Doncapital
Mr Nisit Noijeam
https://youtu.be/j_LyNuxNmpc?si=8gKkEP8Mx11TAoqJ อีเอตัวนี้คือ "Grid Trading EA แบบ 2 ทาง (Buy/Sell ทำงานอิสระ)" ที่เสริมระบบป้องกันความเสี่ยงขั้นสูง กลยุทธ์หลัก (Independent Grid): วางตาข่าย Buy และ Sell แยกกัน ถ้าราคาขยับไปชนเส้น Grid ที่ตั้งไว้ บอทก็จะเปิดออเดอร์ฝั่งนั้นๆ สะสมไปเรื่อยๆ ตัวกรองเทรนด์ (Donchian Channel): ใช้ประเมินกรอบราคา สามารถสั่งให้บอท "หยุด" เปิดออเดอร์สวนเทรนด์ (เช่น ห้าม Buy ถ้าราคาอยู่ครึ่งล่าง) และใช้เส้น Donchian เป็นจุดเลื่อน Stop Loss อัตโนมัติได้ ระบบรวบกำไร (Auto
필터:
리뷰 없음
리뷰 답변