RiskManagementEA

# Risk Management EA - User Manual

## 📖 Table of Contents
1. [Overview](#overview)
2. [Installation](#installation)
3. [Features](#features)
4. [Input Parameters](#input-parameters)
5. [User Interface](#user-interface)
6. [How to Use](#how-to-use)
7. [Advanced Features](#advanced-features)
8. [Troubleshooting](#troubleshooting)

---

## 🎯 Overview

**Risk Management EA** is a professional trading tool designed to help traders manage risk, split orders, and automate take profit settings. It provides a user-friendly interface for placing orders with precise risk control.

### Key Benefits:
- ✅ Automatic lot size calculation based on risk percentage
- ✅ Split orders with different take profit levels
- ✅ Auto TP distribution (50% at 1R, remaining at 2R, 4R, 6R...)
- ✅ Break Even functionality
- ✅ Support for Market and Pending orders (Limit/Stop)
- ✅ Visual UI panel with drag & drop

---

## 🔧 Installation

### Step 1: File Structure
Place the files in the correct folders:

```
MQL5/
├── Experts/
│   └── RiskManagementEA-English.ex5        ← Main EA file
└── Include/RiskManagementEA/
    ├── RiskManager-English.mqh              ← Risk management class
    ├── TradeManager-English.mqh             ← Trade management class
    └── UIPanel-English.mqh                  ← UI interface class
```

### Step 2: Compile
1. Open **MetaEditor** (F4 from MT5)
2. Open `RiskManagementEA-English.ex5`
3. Press **F7** or click **Compile** button
4. Check for errors in the **Errors** tab

### Step 3: Attach to Chart
1. Open MT5
2. Drag `RiskManagementEA` from **Navigator****Expert Advisors** to your chart
3. Enable **AutoTrading** (Ctrl+E or click icon)
4. The UI panel will appear on the chart

---

## ⚡ Features

### 1. **Risk Management**
- Set maximum total risk as percentage of account balance
- Define risk per position (% or fixed USD)
- Real-time risk monitoring
- Prevents over-risking

### 2. **Split Orders**
- Split one trade into multiple orders
- **Manual Mode**: Enter different SL for each split
- **Auto Mode**: Same SL for all splits
- Auto distribute TP levels across splits

### 3. **Auto Take Profit**
- Automatically calculate TP based on Risk-Reward ratios
- **For single orders**: Uses first R ratio (e.g., 1R)
- **For split orders**:
  - First half: 1R
  - Second order: 2R
  - Third order: 4R
  - Fourth order: 6R
  - And so on...

### 4. **Entry Price**
- **Entry = 0**: Place Market order immediately
- **Entry > 0**: Place Pending order (Limit/Stop)
  - Buy Limit if entry < current price
  - Buy Stop if entry > current price
  - Sell Limit if entry > current price
  - Sell Stop if entry < current price

### 5. **Break Even**
- Move SL to entry + specified pips
- Only affects orders of current symbol
- Safe confirmation dialog

### 6. **Close All**
- Close all orders of current symbol only
- Does not affect other symbols
- Safe confirmation dialog

---

## ⚙️ Input Parameters

### Risk Management
| Parameter | Type | Default | Description |
|-----------|------|---------|-------------|
| `InpMaxRiskPercent` | double | 10.0 | Total maximum risk allowed (%) |

### Risk Per Position
| Parameter | Type | Default | Description |
|-----------|------|---------|-------------|
| `InpRiskTypeInput` | int | 0 | 0 = Percent, 1 = Fixed USD |
| `InpRiskValue` | double | 1.0 | Risk value per trade |

**Example:**
- Type = 0, Value = 1.0 → Risk 1% per trade
- Type = 1, Value = 50 → Risk $50 per trade

### Split Orders
| Parameter | Type | Default | Description |
|-----------|------|---------|-------------|
| `InpUseSplitOrder` | bool | false | Enable/disable split orders |
| `InpSplitModeInput` | int | 1 | 0 = Manual, 1 = Auto |
| `InpNumSplits` | int | 4 | Number of splits (2-10) |

### Take Profit
| Parameter | Type | Default | Description |
|-----------|------|---------|-------------|
| `InpAutoTP` | bool | true | Auto calculate TP |
| `InpTPRatios` | string | "1,2,4,6,8" | R multiples for TP levels |

**How TP Ratios work:**
- `"1,2,4"` = TP at 1R, 2R, 4R
- For split orders, first half gets 1R, then 2R, 4R...

### Break Even
| Parameter | Type | Default | Description |
|-----------|------|---------|-------------|
| `InpBEPips` | double | 5.0 | Additional pips when moving to BE |

---

## 🖥️ User Interface

### Panel Layout

```
┌─────────────────────────────┐
│  ≡ RISK MANAGER EA ≡        │ ← Header (drag to move)
├─────────────────────────────┤
│ ACCOUNT INFORMATION         │
│ Balance: $10,000.00         │
│ Equity: $10,150.00          │
│ Current Risk: 2.5% ($250)   │
│ Max Risk: 10.0% ($1000)     │
│ Available Risk: 7.5% ($750) │
├─────────────────────────────┤
│ ORDER INPUT                 │
│ Entry Price (0=Market):     │
│ [0.00000]                   │
│ Stop Loss:                  │
│ [1.08000]                   │
│ Take Profit:                │
│ [1.09000]                   │
│ Suggestions: 1R=1.09, 2R=... │
├─────────────────────────────┤
│ [   CALCULATE LOT SIZE   ]  │
│ [   BUY   ] [   SELL   ]    │
│ [ BE ALL  ] [ CLOSE ALL ]   │
├─────────────────────────────┤
│ Status: Ready...            │
└─────────────────────────────┘
```

### Color Codes
- **Green buttons**: Action buttons (Buy/Sell/Calculate)
- **Gold button**: Break Even (BE ALL)
- **Red button**: Close All orders
- **Green text**: Available risk (positive)
- **Red text**: No available risk (at limit)

---

## 📝 How to Use

### Basic Trading Workflow

#### 1. **Market Order (No Entry)**
```
1. Leave Entry Price = 0
2. Enter Stop Loss (e.g., 1.08000)
3. (Optional) Enter Take Profit or leave 0 for auto TP
4. Click BUY or SELL
```

**Result:**
- Order opens immediately at market price
- If Auto TP enabled: TP calculated automatically
- Lot size calculated based on risk settings

#### 2. **Pending Order (With Entry)**
```
1. Enter Entry Price (e.g., 1.08500)
2. Enter Stop Loss (e.g., 1.08000)
3. (Optional) Enter Take Profit
4. Click BUY or SELL
```

**Result:**
- Pending order placed at Entry price
- Type determined automatically (Limit/Stop)
- Activates when price reaches entry

#### 3. **Split Orders**
```
1. Enable: InpUseSplitOrder = true
2. Set: InpNumSplits = 4
3. Set: InpAutoTP = true
4. Enter Entry (or 0 for market)
5. Enter Stop Loss
6. Click BUY or SELL
```

**Result:**
- 4 orders placed with same SL
- TP distributed automatically:
  - Order 1-2: TP = 1R
  - Order 3: TP = 2R
  - Order 4: TP = 4R

#### 4. **Calculate Lot Size**
```
1. Enter Stop Loss
2. Click "CALCULATE LOT SIZE"
```

**Result:**
- Shows calculated lot size
- Shows SL in points
- Shows current price

#### 5. **Break Even**
```
1. Wait for trade to be in profit
2. Click "BE ALL" button
3. Confirm in dialog box
```

**Result:**
- All orders of current symbol move to BE + 5 pips
- Orders of other symbols unaffected
- Safe from reversal

#### 6. **Close All**
```
1. Click "CLOSE ALL" button
2. Confirm in dialog box
```

**Result:**
- All orders of current symbol closed
- Orders of other symbols remain open
- P&L realized

---

## 🎓 Advanced Features

### 1. **Custom TP Ratios**

Change `InpTPRatios` to customize TP levels:

```
"1,1.5,3" → TP at 1R, 1.5R, 3R
"2,4,6,8" → TP at 2R, 4R, 6R, 8R
```

### 2. **Manual Split Mode**

Set `InpSplitModeInput = 0` for manual control:
- Enter different SL for each split
- System calculates proportional lot sizes
- More flexible for complex strategies

### 3. **Fixed Risk in USD**

Set `InpRiskTypeInput = 1` and `InpRiskValue = 100`:
- Every trade risks exactly $100
- Independent of account balance
- Good for consistent risk management

### 4. **Multiple Symbols**

Run EA on multiple charts simultaneously:
- Each chart manages its own symbol
- Break Even affects only current chart symbol
- Close All affects only current chart symbol
- Total risk tracked across all symbols

### 5. **Drag & Drop UI**

Click and drag the **header** (blue bar) to move panel anywhere on chart.

---

## 🔍 Troubleshooting

### Problem: EA doesn't open orders

**Check:**
1. AutoTrading enabled (Ctrl+E)
2. Stop Loss entered correctly
3. Available risk > 0
4. Account has sufficient margin
5. Symbol is tradable

### Problem: "Maximum risk limit reached"

**Solution:**
- Close some existing positions
- Or increase `InpMaxRiskPercent`
- Or reduce `InpRiskValue`

### Problem: Split orders not working

**Check:**
1. `InpUseSplitOrder = true`
2. `InpNumSplits` between 2-10
3. `InpAutoTP = true` (for auto TP)
4. Check Experts log for errors

### Problem: Auto TP not filling

**Check:**
1. `InpAutoTP = true`
2. `InpTPRatios` has valid values
3. Leave TP input = 0 (or blank)
4. Split orders enabled for distribution

### Problem: Break Even doesn't work

**Possible causes:**
- Orders already at or past BE
- No orders for current symbol
- SL already better than BE level

### Problem: Lot size too small/large

**Adjust:**
- Reduce/increase `InpRiskValue`
- Check SL distance (larger SL = smaller lot)
- Verify account balance

---

## 📊 Example Scenarios

### Scenario 1: Conservative Trader
```
InpMaxRiskPercent = 5.0
InpRiskTypeInput = 0
InpRiskValue = 0.5
InpUseSplitOrder = false
InpAutoTP = true
InpTPRatios = "2"
```
**Result:** Risk 0.5% per trade, TP at 2R (1:2 R:R)

### Scenario 2: Aggressive Scalper
```
InpMaxRiskPercent = 15.0
InpRiskTypeInput = 0
InpRiskValue = 2.0
InpUseSplitOrder = false
InpAutoTP = true
InpTPRatios = "1"
```
**Result:** Risk 2% per trade, quick 1R targets

### Scenario 3: Professional with Scaling
```
InpMaxRiskPercent = 10.0
InpRiskTypeInput = 0
InpRiskValue = 1.0
InpUseSplitOrder = true
InpNumSplits = 4
InpAutoTP = true
InpTPRatios = "1,2,4,6"
```
**Result:**
- 1% total risk split into 4 orders
- 2 orders close at 1R (secure profit)
- 1 order at 2R
- 1 order at 4R (let winners run)

---

## 📞 Support

For questions or issues:
- Telegram: [@CodingforDummies911](https://t.me/CodingforDummies911)
- Check EA logs: Tools → Options → Expert Advisors → Enable logs

---

## ⚠️ Disclaimer

Trading forex and CFDs carries high risk. This EA is a tool to assist with risk management but does not guarantee profits. Use at your own risk. Always test on demo account first.

---

## 📄 Version History

**v1.00** (2025)
- Initial release
- Risk management system
- Split orders with auto TP
- Entry price support (Market/Limit/Stop)
- Break Even functionality
- Close All (symbol-specific)
- Draggable UI panel

---

*Last updated: January 2025*

추천 제품
Scale & Trail Trade Manager (MT5) Your all-in-one solution for   precision trade execution and management . With just two clicks, you can size, place, and manage trades effortlessly—no calculators, no guesswork, no stress. Workflow Click 1:   Set your entry — instantly snaps to the live market price. Move Mouse:   Preview your stop-loss and four profit targets (1R–4R) in real time. Click 2:   Lock it in — the tool sizes your trade to your exact dollar risk (e.g., $3350) and manages it automatica
Click Trading
Jawad Tauheed
5 (2)
One Click Trading – Auto TP SL Developer TraderLinkz Version 1.00 Category Utility What it does Adds missing TP and SL to your manual trades and pending orders Sets them once per ticket Lets you move TP and SL afterward Works on hedging and netting accounts Scans on every tick and reacts on trade events Why you want it You place faster entries You get consistent risk and exit targets You reduce fat finger errors You keep full manual control Quick start Attach the EA to any chart Keep TP and SL e
FREE
Close All Pro MT5 – Fast PnL Control is a powerful trade manager MT5 utility that gives you total control over your trades. With a single click, you can close all MT5 orders, monitor real-time profit and loss, and manage your floating PnL directly from a clean on-chart panel. The tool is lightweight, responsive, and built to help traders save time, reduce emotional stress, and maintain focus. Whether you trade manually or through an EA, this MT5 profit panel provides the visibility and precisio
블로그: https://www.mql5.com/en/blogs/post/765148 MT4 버전: https://www.mql5.com/en/market/product/154458 MT5 버전: https://www.mql5.com/en/market/product/154459 텔레그램 주문 - MT4용 스마트 트레이드 매니저 및 텔레그램 알림 텔레그램 주문은 메타트레이더 4용 스마트 트레이드 매니저이자 알림 도구입니다. 모든 주문(시장가 및 보류 주문)을 자동으로 모니터링하고, 상세 알림을 텔레그램으로 전송하며(선택 사항으로 스크린샷 제공), 차트에서 바로 TP, SL, BE, 트레일링, 클로즈를 관리할 수 있는 직관적인 패널을 제공합니다. 적합한 대상: 텔레그램으로 자동 시그널을 전송하려는 시그널 제공자/외환 코치 시각적인 목표가/손절매 패널, 추적 및 이익실현(BE)을 원하는 수동 트레이더 모든 주문 활동을 텔레그램에 깔끔하게 기록하려는 모든 사용자 주요 기능 1. 자동
25R - WASD Order is a visual risk management EA for MetaTrader 5 that combines gaming-style WASD keyboard controls with interactive chart drawing for precise order placement. Designed for active traders who value speed and accuracy, it lets you visually plan trades by dragging entry and stop-loss lines directly on the chart, while automatically calculating position size based on your risk percentage. The tool displays color-coded profit/loss zones with real-time risk metrics, supports automatic
This EA help traders close their open positions at a specific MT5 server time before news or before ending of H4 timeframe of the morning New York session to protect their profit or prevent from unexpected loss. The default setting is 19:30 (HH:MM) and you can adjust as require to fit trading strategies. It very user friendly where contain only single input parameter to specify a time that position will be closed.  
Trailing Stop Manager PRO — 전문적인 트레일링 스톱 관리 (MT5) Trailing Stop Manager PRO는 MetaTrader 5용 전문가 조언자(Expert Advisor)로, 보유 중인 포지션에 대한 트레일링 스톱 관리를 자동화합니다. 계좌의 모든 포지션을 관리할 수도 있고, 심볼 및/또는 MagicNumber로 필터링된 포지션만 선택적으로 관리할 수도 있습니다. 이 EA는 고정 pips 기반 트레일링, ATR 기반 트레일링, 자동 브레이크이븐, 부분 청산 및 시각적 대시보드 기능을 제공합니다. 도구의 목적 모든 포지션에 대한 트레일링 스톱 관리를 표준화합니다. 브레이크이븐과 시장 상황에 맞는 트레일링을 통해 이익을 보호합니다. 심볼 및 MagicNumber 필터를 통해 수동 매매와 다른 EA 전략의 포지션을 함께 관리할 수 있습니다. 통합 대시보드를 통해 포지션 상태를 실시간으로 모니터링할 수 있습니다. 주요 기능 pips 기반 트레일링 스톱 :
한국어 (Korean) YouTube 설명 영상: https://youtu.be/OJXERVs405g Keyboard Scalper Pro – 도구 설명 Keyboard Scalper Pro는 수동 스캘핑 거래 보조 프로그램 으로, 키보드 단축키만을 사용해 거래를 실행하고 관리 할 수 있도록 설계되었습니다. 이를 통해 빠르고 정확하며 집중도 높은 트레이딩 이 가능합니다. 이 도구는 거래 결정을 자동화하지 않습니다 . 모든 동작은 사전에 설정된 키를 통해 트레이더가 직접 수동으로 실행 합니다. 단축키 기능 설명 W – Buy Market 사전에 설정된 리스크 또는 랏 사이즈를 사용하여, 현재 종목에 즉시 시장가 매수 포지션을 엽니다. S – Sell Market 사전에 설정된 리스크 또는 랏 사이즈를 사용하여, 현재 종목에 즉시 시장가 매도 포지션을 엽니다. E – Break-Even 해당 종목의 모든 열린 포지션의 평균 진입가 를 기준으로 스탑로스를 본전(Break-
Boleta de negociação, adiciona automáticamente as ordens Take Profit e Stop Loss quando excutada uma ordem de compra ou venda. Ao apertar as teclas de atalho (A, D, ou TAB), serão inseridas duas linhas de pre-visualização, representando as futuras ordens de take profit (azul) e stop loss (vermelho), as quais irão manter o distanciamento especificado pelo usuário. Ditas ordens só serão adicionadas ao ser executada a ordem inicial. Ao operar a mercado, as ordens pendentes de take profit, e stop lo
Core function Intelligent transaction management one-click opening and closing operation, which supports user-defined lots to set multiple closing modes: all closing, closing by direction and closing by profit and loss status. Professional risk control, real-time risk monitoring and spread control to avoid high-cost trading environment. Visual control panel has an intuitive graphical interface, and all functions can be operated with one button to display position information, profit and loss sta
FREE
When executing an order, whether through the Metatrader ticket on a computer or the Metatrader app on a mobile device, either manual or pending, Easy Trade will automatically set the take profit and stop loss levels, as well as a limit order with its respective take profit and stop loss levels. It follows the trading strategy for market open (US30, US100, US500), but it can be applied to any market asset.
FREE
Auto Position Manager is a unique services application of its kind across the entire MQL5 market, setting new standards for applications of this type. The Services app is a compact but powerful tool that significantly impacts the entire system. Its user-friendly interface and start-stop system make it excellent for automating repetitive tasks. Once it's set up, the service can be toggled on or off with a single click. Crucially, the configuration persists even if the platform is turned off and
FREE
Price Action Builder Premium
Florea E. Sorin-Mihai Persoana Fizica Autorizata
The Price Action Builder Premium expert advisor is an extension of the freely available Price Action Builder Basic :     it provides 2 new candlestick patterns besides the pinbar (already available in the basic edition);     in most configurations, backtesting usually shows an average yearly return rate increased by approximately 50%;     the account growth curve is also smoother, due to larger number of trades, almost double (2x) compared to the free version. While aimed primarily at obtaining
When executing an order, whether through the Metatrader ticket on a computer or the Metatrader app on a mobile device, either manual or pending, Easy Trade will automatically set the take profit and stop loss levels, as well as a limit order with its respective take profit and stop loss levels. It follows the trading strategy for market open (US30, US100, US500), but it can be applied to any market asset.
Quick Trade Panel Pro
Nicolas Olivier Menetrey
자동 랏 및 리스크 관리 원클릭 트레이딩 패널 Quick Trade Panel Pro 는 리스크를 완벽하게 통제하면서 빠르게 주문을 실행하고자 하는 트레이더를 위해 설계된 직관적인 트레이딩 패널입니다. 주요 기능 사용 가능한 마진 비율에 따른 자동 랏 크기 계산 포인트 단위로 설정 가능한 스탑로스, 모든 거래에 자동 적용 일관된 포지션 크기를 보장하기 위해 거래 시리즈 동안 랏 크기 고정 스마트 헤지 시스템 헤지 모드로 기존 거래와 반대 방향의 포지션 개설 가능 독립적인 헤지 비율 (50%, 100%, 200% 이상) 정밀한 컨트롤을 위한 방향별 거래 제한 자동 수익 보호 Auto Secure : 일정 수익 도달 시 스탑로스를 손익분기점으로 이동 Trailing Stop : 가격을 추적하여 수익을 보호하면서 승리 거래 유지 두 시스템을 함께 사용하여 최적의 보호 가능 현대적이고 심플하며 전문적인 인터페이스 실시간 표시: 최대 랏, 최종 랏, 헤지 랏 한도 도달 시 BUY/SE
EasyTradePad for MT5
Sergey Batudayev
5 (5)
EasyTradePad – MetaTrader 5용 트레이딩 패널 EasyTradePad   는 수동 및 반자동 거래를 위한 도구입니다. 이 패널을 통해 주문 및 포지션을 빠르게 관리하고, 한 번의 클릭으로 위험 관리 계산을 수행할 수 있습니다. 패널 특징: 사전 정의된 위험(% 또는 예치 통화)으로 거래를 시작하고 마감합니다. SL 및 TP를 포인트, 백분율 또는 금전적 가치로 설정하세요 위험 대비 보상 비율을 자동으로 계산합니다 손절매를 손익분기점으로 이동 부분 포지션 마감 트레일링 스톱(포인트 또는 캔들 섀도우 기준) 위치 평균화 및 피라미딩 활성 거래의 매개변수 수정 [   데모   ] [   지침   ] 추가 기능: 피라미딩 가격이 이익실현을 향해 움직일 때마다 거래를 단계적으로 추가합니다. 각 새 거래의 위험을 줄일 수 있습니다. 추가되는 거래 수는 쉽게 설정할 수 있습니다. 평균화 차트에서 사용자 지정 수준으로 추가 주문을 할 수 있습니다. 포지션은 평균 진입 가
MT5 Trades To Telegram
Mohammad Taher Halimi Tabrizi
The Trades To Telegram is a powerful and customizable trading assistant designed to bridge the gap between the MetaTrader 5 platform and the popular messaging app, Telegram. This bot serves as a crucial tool for traders, providing them with timely and accurate trading signals, alerts, and updates directly to their Telegram accounts. Key Features: Real-Time Signals: The bot monitors the MetaTrader 5 platform continuously, detecting trading signals, such as Opening/Closing of  buy/sell orders , a
Format Charts
Vital H B Engenharia Ltda
5 (1)
If you use several charts open at the same time, you know how boring it is to apply formats to each chart individually. This script can change all open charts using a single command. Parameters: 1 - Choose symbol to put on charts: apply the selected symbol to all charts. If "current", it does not change the symbol; 2 - Choose timeframe or leave empty: apply the selected timeframe to all charts. If "CURRENT", it does not change the timeframe; 3 - Apply template to the charts: If true, apply the t
FREE
Rosy Pro Panel MT5
Theresia Yovitha Herwanda
5 (1)
Download DEMO here  https://www.mql5.com/en/blogs/post/759772 An ultimate panel you've never seen before.  Compact and nice Trade panel with large Total P/L and it's percentage display. Groups for trades summary available: Ticket, Symbol, Type, Category, and Magic. Average price field helps you know your trading average price and direction. Set magic and comment of your trading in a very easy way. Group closing by symbol, type, category or magic - only by one click. Close All button for a quick
BreakEven ProSync
Rosen Kanev Kanev
5 (1)
For DEMO - please contact me and I will send you demo version to test the product. BreakEven ProSync – Advanced Trade Management Tool for MetaTrader 5 Overview The  BreakEven ProSync  is a powerful utility designed to enhance trade management in   MetaTrader 5 . It provides   one-click break-even functionality ,   hotkey trading ,   position synchronization , and   visual SL/TP tracking —all in a single, user-friendly tool. Perfect for manual traders who want   faster execution   and   better r
TradeDock Pro
Alex Michael Murray
TradeDock Pro (MT5) — One-Click Trade Manager Panel Join the official Discord for support, live updates, MyFXBook P&L and the latest optimized SET files: https://discord.gg/PdenqH4XcP TradeDock Pro is a sleek and professional one-click trade panel for MetaTrader 5 designed for fast manual execution and simple trade management. Built for traders who want a clean interface, quick order placement, and essential management tools — without complicated settings or typing. Can be used on any market. K
FREE
[Product Overview] Transform RSI into a Precision Trend-Following Weapon Are you tired of traditional RSI indicators generating premature "Overbought/Oversold" reversal signals during strong trends, causing you to trade against the flow and incur losses? 。 ​ ​ ​ ​ ​ ​ ​signals in trending markets. The core philosophy of this system is: "Follow the Trend, Trade the Pullback, Snipe the Entry." It focuses on finding high-probability pullback entries only when the trend is clear and momentum is stro
FREE
Your all-in-one trade management companion for MetaTrader 5. SmartTrail PRO takes the stress out of position management. Whether you trade manually or use Expert Advisors, it protects your capital with intelligent, volatility-adaptive stop management — across all symbols, all account types, automatically. Early Bird Offer – Limited Licenses! Price for the first 10 licenses : $30 Price will increase after every 10 licenses sold Act fast! Grab your license while the Early Bird offer lasts Wh
THIS PRODUCT CAN NOT BE TEST IN STRATEGY TESTER. PLEASE TRY DEMO VERSION: https://www.mql5.com/en/market/product/58096 RISK AND TRADE MANAGER RISK AND TRADE MANAGER   is an advanced trading panel designed for manual trading.   Utility helps to manage trades effectively and efficiently with a single click. MAIN FEATURES Convert and display Stop Loss (SL)   Pips into % and amount to view the clear picture of the trades if SL hits. Fund allocation for individual trade in % and in amount. Get alert
Risk Manager Pro
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
Broker & Account Info / Network Connection / Historical Order Benchmarks / Market Watch Symbols / Current Order Status Features: 1. Symbol’s Trading Privileges – Ensure the symbol is tradable. 2. Order Execution Mode – Check the broker’s execution type. 3. Trade Session Hours – Verify the trading hours. 4. Min/Max Lot Sizes – Check the allowed lot range. 5. Max Pending Orders – Confirm the maximum number of pending orders allowed. 6. Freeze Point & Pending Order Distance – Minimum distance re
FREE
Free MetaTrader 5 indicator that displays "CALL IT A DAY" when London & New York sessions close. Customizable alerts, session tracking, and a guilt-free reminder to log off. Perfect for workaholic traders! Tired of staring at charts when the market’s already clocked out? Session Guardian   is your sassy trading assistant that slaps a giant   "CALL IT A DAY"   on your screen when both London   and   New York sessions are closed—because even traders deserve happy hour. Key Features:   Big, Bo
FREE
Know the Candle Close Time
Benbyaanda Silvere Henri Sedric Kabore
This indicator allows to know the remaining time before the closing of the candle. It works on every timeframe. It is very usefull when your trading strategy depend of the close or the open of a specific candle. So use it like you want. Don't forget to leave a comment or a request for a EA or an indicator. Also spread it to your friends and don't hesitate to visit my profile to see others tools.
FREE
Slippage Calculator
BM Trading GmbH
5 (3)
If you are using scalping strategies (or any strategy that uses stop orders for position opening or closing) you need to know your slippage. Slippage is the difference between your pending order price and the price that your brokers uses to execute your order. This can be really different and depends on the broker as well as on the market conditions (news, trading hours, etc..) With this small script you can calculate the slippage you "paid" in points and also in your account currency. You also
FREE
Supports displaying up to 4 trading sessions with fully adjustable start and end times. Each session can be customized individually with unique colors and visual styles. Users can choose between drawing rectangles or filling areas, while the indicator clearly displays each session’s price range for better market insight. Free to use until the end of 2025. The paid version will be available starting from 2026.
FREE
이 제품의 구매자들이 또한 구매함
Trade Assistant MT5
Evgeniy Kravchenko
4.42 (208)
거래당 위험 계산, 라인을 사용한 손쉬운 신규 주문, 부분 청산 기능을 통한 주문 관리, 7가지 유형의 트레일링 스탑 및 기타 유용한 기능을 제공합니다. 추가 자료 및 지침 설치 지침   -   애플리케이션 지침   -   데모 계정용 애플리케이션 평가판 라인 기능       - 차트에 개시선, 손절매, 차익실현을 표시합니다. 이 기능을 사용하면 새로운 주문을 쉽게 하고 개봉 전에 추가 특성을 볼 수 있습니다. 위기 관리       -       위험 계산 기능은 설정된 위험과 손절매 주문의 크기를 고려하여 새 주문의 볼륨을 계산합니다. 이를 통해 손절매 크기를 설정하고 동시에 설정된 위험을 존중할 수 있습니다. 로트 계산 버튼 - 위험 계산을 활성화/비활성화합니다. 필요한 위험 값은 위험 필드에 0에서 100 사이의 백분율 또는 예금 통화로 설정됩니다. 설정 탭에서 위험 계산 옵션을 선택합니다. $ 통화, % 잔액, % 지분, % 자유 마진, % 사용자 정의, % AB 이전
Trade Manager EA에 오신 것을 환영합니다. 이 도구는 거래를 보다 직관적이고 정확하며 효율적으로 만들기 위해 설계된 궁극적인 리스크 관리 도구 입니다. 단순한 주문 실행 도구가 아닌, 원활한 거래 계획, 포지션 관리 및 리스크 제어를 위한 종합 솔루션입니다. 초보자부터 고급 트레이더, 빠른 실행이 필요한 스캘퍼에 이르기까지 Trade Manager EA는 외환, 지수, 상품, 암호화폐 등 다양한 시장에서 유연성을 제공합니다. Trade Manager EA를 사용하면 복잡한 계산은 이제 과거의 일이 됩니다. 시장을 분석하고 진입, 손절 및 익절 수준을 차트의 수평선으로 표시한 후 리스크를 설정하면, Trade Manager가 이상적인 포지션 크기를 즉시 계산하고 SL 및 TP 값을 실시간으로 표시합니다. 모든 거래가 간편하게 관리됩니다. 주요 기능: 포지션 크기 계산기 : 정의된 리스크에 따라 거래 크기를 즉시 결정합니다. 간단한 거래 계획 : 진입, 손절, 익절을 위한
TradePanel MT5
Alfiya Fazylova
4.86 (148)
Trade Panel은 다기능 거래 보조원입니다. 이 애플리케이션에는 수동 거래를 위한 50개 이상의 거래 기능이 포함되어 있으며 대부분의 거래 작업을 자동화할 수 있습니다. 전략 테스터에서는 애플리케이션이 작동하지 않습니다. 구매하기 전에 데모 계정에서 데모 버전을 테스트할 수 있습니다. 데모 버전 여기 . 전체 지침 여기 . 거래. 한 번의 클릭으로 거래 작업을 수행할 수 있습니다: 자동 위험 계산을 통해 지정가 주문 및 포지션을 엽니다. 한 번의 클릭으로 여러 주문과 포지션을 열 수 있습니다. 주문 그리드를 엽니다. 그룹별 대기 주문 및 포지션을 마감합니다. 포지션 반전(매수 청산 후 매도 개시 또는 매도 청산 후 매수 개시). 포지션 고정(매수 포지션과 매도 포지션의 양을 동일하게 하는 추가 포지션 개설). 한 번의 클릭으로 모든 포지션을 부분 청산합니다. 모든 포지션의 이익실현과 손절매를 동일한 가격 수준으로 설정합니다. 모든 포지션에 대한 손절매를 해당 포지션의 손익 분기
베타 출시 Telegram to MT5 Signal Trader 는 곧 공식 알파 버전을 출시할 예정입니다. 일부 기능은 아직 개발 중이며, 작은 버그가 발생할 수 있습니다. 문제가 있으면 꼭 보고해 주세요. 여러분의 피드백은 소프트웨어 개선에 도움이 됩니다. Telegram to MT5 Signal Trader 는 Telegram 채널 또는 그룹의 거래 신호를 자동으로 MetaTrader 5 계정으로 복사하는 강력한 도구입니다. 공개 및 비공개 채널을 모두 지원하며, 여러 신호 제공자를 여러 MT5 계정에 연결할 수 있습니다. 소프트웨어는 빠르고 안정적으로 동작하며, 복사된 거래를 완벽히 제어할 수 있습니다. 인터페이스는 깔끔하며 대시보드와 차트가 시각적으로 구성되어 있고, 직관적인 네비게이션이 가능합니다. 여러 Signal Account를 관리하고, 공급자별 설정을 세밀하게 조정하며, 모든 동작을 실시간으로 모니터링할 수 있습니다. 필수 조건 MQL의 제한으로 인해 EA는 Te
Trade Dashboard MT5
Fatemeh Ameri
4.97 (115)
Tired of complex order placement and manual calculations? Trade Dashboard is your solution. With its user-friendly interface, placing orders becomes effortless, by a single click, you can open trades, set stop loss and take profit levels, manage trade lot size, and calculate risk to reward ratios, allowing you to only focus on your strategy. Say goodbye to manual calculations and streamline your trading experience with Trade Dashboard. Download  Demo Version  right now. You can find  Details of
Telegram to MT5 Coppy
Sergey Batudayev
5 (8)
Telegram에서 MT5로:   최고의 신호 복사 솔루션 DLL 없이도 Telegram 채널과 채팅에서 MetaTrader 5 플랫폼으로 거래 신호를 직접 복사하는 최신 도구인 Telegram to MT5를 사용하여 거래를 간소화하세요. 이 강력한 솔루션은 정밀한 신호 실행, 광범위한 사용자 정의 옵션을 제공하고 시간을 절약하며 효율성을 높여줍니다. [ Instructions and DEMO ] 주요 특징 직접 Telegram API 통합 전화번호와 보안 코드를 통해 인증하세요. 사용자 친화적인 EXE 브리지를 통해 채팅 ID를 쉽게 관리하세요. 여러 채널/채팅을 추가, 삭제, 새로 고침하여 동시에 신호를 복사합니다. 고급 필터를 사용한 신호 파싱 예외 단어(예: "보고서", "결과")가 포함된 원치 않는 신호를 건너뜁니다. 유연한 SL 및 TP 형식을 지원합니다: 가격, 핍 또는 포인트. 가격 대신 포인트를 지정하는 신호에 대한 진입 포인트를 자동으로 계산합니다. 주문 맞춤화 및
Farmed Hedge Yield Farming - Professional Pair Trading Dashboard (Manual - Hybrid - Semi/Automated EA) VERSION 3 - WILD HARVEST UPDATE Trading Approach: - Manual Trading: Primary focus - Auto Pilot: Optional supplementary feature - Full Automation: Not the main purpose Recommended Timeframe: H1-H4 DEMO VERSION Download the free demo to test functionality. Use Strategy Tester with Visual Mode to see how it works. VERSION 3 - NEW FEATURES Summary Dashboard (SRA Panel) - Quick pair selection w
Copy Cat More Trade Copier MT5 (복사 고양이 MT5) 는 오늘날의 거래 과제를 위해 설계된 로컬 거래 복사기이자 완전한 위험 관리 및 실행 프레임워크입니다. 프롭펌 챌린지부터 개인 포트폴리오 관리까지, 견고한 실행, 자본 보호, 유연한 구성 및 고급 거래 처리의 조합으로 모든 상황에 적응합니다. 복사기는 마스터(송신자)와 슬레이브(수신자) 모드 모두에서 작동하며, 시장 주문과 예약 주문, 거래 수정, 부분 청산 및 헷지 청산 작업의 실시간 동기화를 제공합니다. 데모 및 실계좌, 거래 또는 투자자 로그인과 호환되며, EA, 터미널 또는 VPS가 재시작되어도 지속적인 거래 메모리 시스템을 통해 복구를 보장합니다. 고유 ID로 여러 마스터와 슬레이브를 동시에 관리할 수 있으며, 브로커 간 차이는 접두사/접미사 조정 또는 사용자 정의 심볼 매핑을 통해 자동으로 처리됩니다. 매뉴얼/설정  | Copy Cat More MT4 | 채널  특별 기능: 설정이 간편함 —
ApexGuard Suite — профессиональная панель контроля риска и дисциплины для MetaTrader 5 ApexGuard Suite — это комплексный инструмент для трейдеров, который помогает структурировать торговлю, контролировать риски и принимать более взвешенные решения прямо внутри терминала MetaTrader 5. Приложение не совершает сделки за вас — его задача дать полный контроль над состоянием счёта, рисками и торговым процессом в удобном визуальном формате. Интерфейс построен как единая панель с вкладками, где каждая о
PhantomBreak Radar — индикатор для MetaTrader 5, предназначенный для выявления ложных пробоев уровней (fake breakout) и рыночных ловушек. Инструмент помогает трейдерам находить моменты, когда цена прокалывает экстремум диапазона, но затем возвращается обратно — формируя потенциальную точку входа в противоположном направлении. Индикатор автоматически анализирует ценовой диапазон за выбранный период, отслеживает выход за его границы и фиксирует повторный вход цены внутрь диапазона. В таких ситуаци
Только сейчас вы можете приобрести  TradeOps Command Center с 10% скидкой всего за 630$. Акция действует до 01.04.2026 Для получение инструкции об использование утилиты обратитесь в личные сообщения! TradeOps Command Center — Профессиональный инструмент контроля риска и дисциплины в трейдинге TradeOps Command Center — это многофункциональная утилита для MetaTrader 5, разработанная для трейдеров, которые стремятся к системному и дисциплинированному подходу к торговле. Продукт объединяет в себе у
Trade Manager DashPlus
Henry Lyubomir Wallace
5 (13)
DashPlus 는 MetaTrader 5 플랫폼에서 거래 효율성과 효과를 향상시키기 위해 설계된 고급 거래 관리 도구입니다. 리스크 계산, 주문 관리, 고급 그리드 시스템, 차트 기반 도구 및 성과 분석 등 포괄적인 기능을 제공합니다. 주요 기능 1. 리커버리 그리드 불리한 시장 상황에서 거래를 관리하기 위한 평균화 및 유연한 그리드 시스템을 구현합니다. 거래 회복을 최적화할 수 있도록 전략적인 진입 및 종료 포인트를 제공합니다. 2. 스택 그리드 강한 시장 움직임 동안 포지션을 추가하여 유리한 거래에서 잠재적 수익을 극대화하도록 설계되었습니다. 유리한 시장 트렌드에서 승률을 높이며 거래를 확장할 수 있도록 합니다. 3. 손익(P&L) 라인 차트에서 잠재적인 수익 및 손실 시나리오를 시각적으로 표현합니다. 설정을 조정하고 P&L 라인을 드래그하여 실행 전에 다양한 거래 결과를 평가할 수 있습니다. 4. 바스켓 모드 동일한 심볼에 여러 포지션을 단일 집계 포지션으로 결합하여 관리합니
Smart Stop Manager – 전문 트레이더 수준의 자동 스톱로스 실행 개요 Smart Stop Manager는 Smart Stop 라인업의 실행 계층으로, 여러 개의 오픈 포지션을 보유한 트레이더를 위해 설계된 구조적이고 신뢰할 수 있으며 완전 자동화된 스톱로스 관리 시스템입니다. 모든 활성 거래를 지속적으로 모니터링하고, Smart Stop 시장 구조 로직을 사용해 최적의 스톱레벨을 계산하며, 명확하고 투명한 규칙에 따라 스톱을 자동으로 업데이트합니다. 단일 자산부터 전체 멀티심볼 포트폴리오까지, Smart Stop Manager는 모든 거래에 규율, 일관성, 그리고 완전한 리스크 가시성을 제공합니다. 감정적 판단을 제거하고, 수동 작업을 줄이며, 모든 스톱이 항상 시장 구조 기반의 논리적 진행을 따르도록 보장합니다. 하이라이트 시장 구조 기반 자동 스톱 배치 • 모든 오픈 포지션을 평가하여 Smart Stop 로직에 기반한 최적의 스톱로스를 자동 적용합니다. 포트폴
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
3.82 (34)
MT5용 트레이드 복사기는 metaТrader 5 플랫폼용 트레이드 복사기입니다   . 그것은 사이의   외환 거래를 복사합니다       모든 계정   COPYLOT MT5 버전의 경우   MT5   -   MT5, MT4   -   MT5 (또는 COPYLOT MT4 버전의 경우   MT4 -   MT4 MT5   -  MT4) 믿을 수 있는 복사기! MT4 버전 전체 설명   +DEMO +PDF 구입 방법 설치하는 방법     로그 파일을 얻는 방법     테스트 및 최적화 방법     Expforex의 모든 제품 МТ4 터미널에서 거래를 복사할 수도 있습니다(   МТ4   -   МТ4, МТ5   -   МТ4   ):   COPYLOT CLIENT for MT4 이 버전은 МТ5   -   МТ5, МТ4   -   МТ5   터미널 간을 포함합니다. 거래 복사기는 2/3/10 터미널 사이의 거래/포지션을 복사하기 위해 만들어졌습니다. 데모 계정 및 투자 계정에서
The product will copy all telegram signal to MT5 ( 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 s
Ultimate Extractor
Clifton Creath
5 (9)
Ultimate Extractor - Professional Trading Analytics for MT5 *****this is the local HTML version of Ultimate Extractor. Check out Ultimate Extractor Cloud on mql5 for the Cloud version****** Ultimate Extractor transforms your MetaTrader 5 trading history into actionable insights with comprehensive analytics, interactive charts, and real-time performance tracking. What It Does Automatically analyzes your MT5 trading history across all Expert Advisors and generates detailed HTML reports with inte
Smart Stop Scanner – 실제 시장 구조 기반의 멀티자산 스톱로스 분석 시스템 개요 Smart Stop Scanner는 여러 시장에서 스톱로스 구조를 전문적으로 모니터링하기 위해 설계된 강력한 도구입니다. 실제 시장 구조, 핵심 브레이크아웃, 가격 행동 로직을 기반으로 가장 의미 있는 스톱 영역을 자동으로 감지하며, 고해상도(DPI 지원)의 깔끔하고 일관된 패널에 모든 정보를 표시합니다. 포렉스(FOREX), 금, 지수, 금속, 암호화폐 등 다양한 자산군을 지원합니다. 스톱 레벨 계산 방식 이 시스템은 기존의 인디케이터 공식을 사용하지 않습니다. 대신 브레이크아웃, 더 높은 고점, 더 낮은 저점 과 같은 실제 시장 구조 이벤트를 분석합니다. 스톱 레벨은 이러한 구조적 지점에서 직접 생성되므로 시장의 실제 움직임과 자연스럽게 일치하며, 더 신뢰도 높은 스톱 시스템을 제공합니다. 주요 기능 • 고정밀 멀티자산 호환성 포렉스, 금속, 금, 지수, 암호화폐 등 다양한
MT5 to Telegram Signal Provider 는 사용하기 쉽고 완전히 커스터마이즈 가능한 유틸리티로, 특정 신호를 Telegram의 채팅, 채널 또는 그룹으로 전송하고, 귀하의 계정을 신호 제공자 로 만듭니다. 경쟁 제품과 달리 DLL 임포트를 사용하지 않습니다. [ 데모 ] [ 매뉴얼 ] [ MT4 버전 ] [ 디스코드 버전 ] [ 텔레그램 채널 ]  New: [ Telegram To MT5 ] 설정 단계별 사용자 가이드 가 제공됩니다. 텔레그램 API에 대한 지식은 필요하지 않습니다; 개발자가 제공하는 모든 것이 필요합니다. 주요 특징 구독자에게 보낸 주문 상세 정보를 커스터마이즈할 수 있습니다. 예를 들어, 브론즈, 실버, 골드와 같은 계층 구독 모델을 만들 수 있습니다. 골드 구독에서는 모든 신호를 받습니다. id, 심볼, 또는 코멘트로 주문을 필터링할 수 있습니다. 주문이 실행된 차트의 스크린샷이 포함됩니다 보낸 스크린샷에 닫힌 주문을 그려 추가 검증을 합니다
Risk Manager for MT5
Sergey Batudayev
4.35 (17)
MT5의 Expert Advisor Risk Manager는 매우 중요하며 제 생각에는 모든 거래자에게 필요한 프로그램입니다. 이 Expert Advisor를 사용하면 거래 계정의 위험을 제어할 수 있습니다. 위험 및 이익 통제는 금전적 측면과 백분율 측면에서 모두 수행될 수 있습니다. Expert Advisor가 작동하려면 통화 쌍 차트에 첨부하고 예금 통화 또는 현재 잔액의 %로 허용되는 위험 값을 설정하기만 하면 됩니다. [Instruction for Risk Manager parameters] 어드바이저 기능 이 위험 관리자는 위험을 제어하는 ​​데 도움이 됩니다. - 거래를 위해 - 하루 - 일주일 동안 - 한 달 동안 당신은 또한 제어할 수 있습니다 1) 거래 시 최대 허용 랏 2) 1일 최대 주문 수 3) 하루 최대 수익 4) 지분 인수 이익 설정 그게 다가 아닙니다. 설정에서 자동 설정을 지정하면 고문이 기본 SL 및 TP를 설정할 수도 있습니다. 상
Effortlessly calculate lot sizes and manage trades to save time and avoid costly errors The Trade Pad Pro EA is a tool for the Metatrader Platform that aims to help traders manage their trades more efficiently and effectively. It has a user-friendly visual interface that allows users to easily place and manage an unlimited number of trades, helping to avoid human errors and enhance their trading activity. One of the key features of the Trade Pad Pro EA is its focus on risk and position manageme
Anchor: The EA Manager A coordination system for traders running multiple EAs. Anchor ensures only one EA can trade at a time, preventing conflicting positions and keeping your portfolio safer. Attach Anchor to any chart. Configure your EAs and their magic numbers. Anchor handles the rest. Built for portfolios. Built for discipline. Built for prop firms. The Problem Running multiple EAs on the same account creates risk. Two gold EAs can open opposite positions on the same candle. Three EA
한 번의 클릭으로 거래할 수 있는 거래 패널.   위치 및 주문 작업!   차트 또는 키보드에서 거래. 당사의 거래 패널을 사용하면 차트에서 직접 클릭 한 번으로 거래를 실행할 수 있으며 표준 MetaTrader 컨트롤보다 30배 빠르게 거래 작업을 수행할 수 있습니다. 매개변수와 기능의 자동 계산을 통해 트레이더는 더욱 빠르고 편리하게 거래할 수 있습니다. 그래픽 팁, 정보 라벨, 무역 거래에 대한 전체 정보는 MetaTrader 차트에 있습니다. MT4 버전 전체 설명   +DEMO +PDF 구입 방법 설치하는 방법     로그 파일을 얻는 방법     테스트 및 최적화 방법     Expforex의 모든 제품 열기 및 닫기, 반전 및 잠금, 부분 닫기/오토로트. 가상/실제 손절매/이익 실현/후행 정지/손익분기점, 주문 그리드 ... MetaТrader 5   의 주요 주문 거래 컨트롤 패널: 구매, 판매, 구매 중지, 구매 제한, 판매 중지, 판매 제한, 닫기, 삭제, 수
Auto Trade Copier is designed to copy trades to multiple MT4, MT5 and cTrader accounts/terminals with 100% accuracy. The provider and receiver accounts must be on the same PC/VPS. With this tool, you can copy trades to receiver accounts on the same PC/VPS. All trading actions will be copied from provider to receiver perfectly. This version can be used on MT5 accounts only. For MT4 accounts, you must use Auto Trade Copier (for MT4). Reference: - For MT4 receiver, please download Trade Receiver Fr
Trade Manager DaneTrades
Levi Dane Benjamin
4.36 (28)
거래 관리자는 위험을 자동으로 계산하는 동시에 거래를 빠르게 시작하고 종료하는 데 도움을 줍니다. 과잉 거래, 복수 거래 및 감정 거래를 방지하는 데 도움이 되는 기능이 포함되어 있습니다. 거래를 자동으로 관리할 수 있으며 계정 성과 지표를 그래프로 시각화할 수 있습니다. 이러한 기능은 이 패널을 모든 수동 거래자에게 이상적으로 만들고 MetaTrader 5 플랫폼을 향상시키는 데 도움이 됩니다. 다중 언어 지원. MT4 버전  |  사용자 가이드 + 데모 트레이드 매니저는 전략 테스터에서 작동하지 않습니다. 데모를 보려면 사용자 가이드로 이동하세요. 위기 관리 % 또는 $를 기준으로 위험 자동 조정 고정 로트 크기 또는 거래량과 핍을 기반으로 한 자동 로트 크기 계산을 사용하는 옵션 RR, Pips 또는 Price를 사용한 손익분기점 손실 설정 추적 중지 손실 설정 목표 달성 시 모든 거래를 자동으로 마감하는 최대 일일 손실률(%)입니다. 과도한 손실로부터 계정을 보호하고 과도한
Trade Assistant 38 in 1
Makarii Gubaydullin
4.91 (23)
다기능 도구: 로트 계산기, 그리드 주문, R/R 비율, 트레이드 관리자, 수급 구역, 가격 행동 등 데모 버전   |   사용자 설명서 트레이드 어시스턴트   는 전략 테스터에서 작동하지 않습니다 :   여기에서 데모 버전을 다운로드  하여 유틸리티 를 테스트하세요. 질문/개선 아이디어/버그 발견 시 연락주세요 MT4 버전이 필요하시면 여기 에서 이용 가능합니다 거래   프로세스 를 간소화, 가속화, 자동화하세요. 이   대시보드 로 표준 터미널 기능을 확장합니다. 트레이딩 패널은  모든 거래 상품에서 작동: 외환, 주식, 지수, 암호화폐 등. 1. 새 거래 개시 : 로트 / 위험 / RR 계산 : 수동 거래를 위한 위험 관리 로트 계산기 (위험 크기 기반 거래량 계산) 위험 계산기 (로트 크기 기반 위험 금액) 위험 대비 보상   비율 그리드 주문:  + 동적 간격 옵션, 로트 분할 옵션 주문 활성화 트리거, + 매수 스톱리밋 / 매도 스톱리밋 가상 SL, 가상 TP (숨김
Entry In The Zone and SMC Multi Timeframe is a real-time market analysis tool developed based on Smart Money Concepts (SMC). It is designed to analyze market structure, price direction, reversal points, and key zones across multiple timeframes in a systematic way. The system displays Points of Interest (POI) and real-time No Repaint signals, with instant alerts when price reaches key zones or when signals occur within those zones. It functions as both an Indicator and a Signal System (2-in-1), c
The Expert Advisor is a comprehensive risk manager helping users to control their trading activities. With this tool being a safeguard you can easily configure various risk parameters. When any limit is exceeded, the risk manager can force close opened positions, close other EAs, and even close the terminal to prevent emotional trading that doesn't correspond to your trading strategy. Risk Manager Settings Account Protection Check min equity limit to close all (account currency) - check the min
YuClusters
Yury Kulikov
4.93 (43)
Attention: You can view the program operation in the free version  YuClusters DEMO .  YuClusters is a professional market analysis system. The trader has unique opportunities to analyze the flow of orders, trade volumes, price movements using various charts, profiles, indicators, and graphical objects. YuClusters operates on data based on Time&Sales or ticks information, depending on what is available in the quotes of a financial instrument. YuClusters allows you to build graphs by combining da
MarketCoachPanel
Maria Makarchuk
4 (1)
MarketCoach Panel — инструмент дисциплины и контроля риска для трейдера MarketCoach Panel — это вспомогательная панель для MetaTrader 5, разработанная для повышения дисциплины в торговле, контроля риска и принятия более осознанных решений. Приложение не совершает сделки и не является торговым советником. Оно помогает трейдеру анализировать текущую ситуацию и соблюдать собственные правила стратегии. Основные возможности • Расчёт лота по риску Автоматический расчёт объёма позиции на основе: проце
The News Filter MT5
Leolouiski Gan
4.74 (19)
이 제품은 뉴스 시간 동안 모든 전문가 어드바이저 및 수동 차트를 필터링하여 수동 거래 설정이나 다른 전문가 어드바이저가 입력한 거래가 파괴될 수 있는 급격한 가격 상승으로부터 걱정하지 않아도 됩니다. 이 제품은 또한 뉴스 발표 전에 열린 포지션과 대기 주문을 처리할 수 있는 완전한 주문 관리 시스템이 함께 제공됩니다.   The News Filter  를 구매하면 더 이상 내장 뉴스 필터에 의존할 필요가 없으며 이제부터 모든 전문가 어드바이저를 여기서 필터링할 수 있습니다. 뉴스 선택 뉴스 소스는 Forex Factory의 경제 캘린더에서 얻어집니다. USD, EUR, GBP, JPY, AUD, CAD, CHF, NZD 및 CNY와 같은 어떤 통화 기준으로 선택할 수 있습니다. Non-Farm (NFP), FOMC, CPI 등과 같은 키워드 식별을 기준으로 선택할 수도 있습니다. 저, 중, 고 영향을 가지는 뉴스를 필터링할 수 있도록 선택할 수 있습니다. 차트와 관련된 뉴스만 선
제작자의 제품 더 보기
VSA Wyckoff Volume
Nguyen Huu Chung
Volume indicator judging level of volume per bar accordingly to Volume Spread Analysis rules. It allows either to set static volume levels or dynamic ones based on ratio comparable to Moving Average. Bars are coloured based on ratio or static levels, visually presenting level of Volume (low, average, high, ultra high). Release Notes - Fixed and optimised calculations of Session Average Volume - added predefined settings for time to calculate Session Average for EU and US markets
FREE
Introducing the Machine Learning Price Target Predictions, a cutting-edge trading tool that leverages kernel regression to provide accurate price targets and enhance your trading strategy. This indicator combines trend-based signals with advanced machine learning techniques, offering predictive insights into potential price movements. Perfect for traders looking to make data-driven decisions with confidence. What is Kernel Regression and How It Works Kernel regression is a non-parametric mach
The   Volume SuperTrend AI   is an advanced technical indicator used to predict trends in price movements by utilizing a combination of traditional SuperTrend calculation and AI techniques, particularly the k-nearest neighbors (KNN) algorithm. The Volume SuperTrend AI is designed to provide traders with insights into potential market trends, using both volume-weighted moving averages (VWMA) and the k-nearest neighbors (KNN) algorithm. By combining these approaches, the indicator aims to offer
필터:
리뷰 없음
리뷰 답변