自动止盈止损MT5自动止盈止损EA开发(内含源码)
# MT5自动止盈止损EA开发(含ATR动态设置)图片内容仅供参考!
## EA基础架构设计
本EA旨在为MT5平台开发一个智能化的自动止盈止损系统,结合传统固定点数方法和动态ATR指标,实现风险管理的自动化与优化。以下是完整的MQL5实现方案。
### 核心功能模块
```mql5
//+------------------------------------------------------------------+
//| Expert initialization function |
//+------------------------------------------------------------------+
input int ATR_Period = 14; // ATR计算周期
input double ATR_Multiplier = 2.0; // ATR倍数因子
input bool Use_Fixed_TP_SL = true; // 启用固定止盈止损
input int Fixed_TP_Pips = 50; // 固定止盈点数
input int Fixed_SL_Pips = 30; // 固定止损点数
input double Risk_Percent = 1.0; // 风险百分比(账户比例)
input bool Use_Trailing_Stop = true; // 启用移动止损
input int Trailing_Stop_Distance = 20; // 移动止损距离(点)
input int Trailing_Step = 5; // 移动步长(点)
int OnInit()
{
// 检查输入参数有效性
if(ATR_Period <= 0 || ATR_Multiplier <= 0 || Risk_Percent <= 0)
{
Print("参数错误: 周期和乘数必须大于0");
return(INIT_PARAMETERS_INCORRECT);
}
// 设置定时器,每秒检查一次
EventSetTimer(1);
return(INIT_SUCCEEDED);
}
void OnDeinit(const int reason)
{
EventKillTimer();
}
```
### 订单处理逻辑
```mql5
void OnTick()
{
// 只对新订单设置止盈止损
if(IsNewBar())
{
SetStopLossTakeProfit();
}
// 移动止损逻辑
if(Use_Trailing_Stop)
{
TrailingStopManagement();
}
}
bool IsNewBar()
{
static datetime lastBarTime = 0;
datetime currentBarTime = iTime(_Symbol, _Period, 0);
if(lastBarTime != currentBarTime)
{
lastBarTime = currentBarTime;
return true;
}
return false;
}
```
## ATR动态止盈止损实现
### ATR计算模块
```mql5
double CalculateATRValue()
{
double atr = iATR(_Symbol, _Period, ATR_Period, 0);
return atr / _Point; // 转换为点数
}
void SetStopLossTakeProfit()
{
double atrValue = CalculateATRValue();
double atrSL = atrValue * ATR_Multiplier;
double atrTP = atrValue * ATR_Multiplier * 2; // 通常止盈是止损的2倍
for(int i = OrdersTotal()-1; i >= 0; i--)
{
if(OrderSelect(i, SELECT_BY_POS, MODE_TRADES))
{
if(OrderSymbol() == _Symbol && OrderMagicNumber() == ExpertMagicNumber)
{
// 跳过已设置止盈止损的订单
if(OrderStopLoss() != 0 || OrderTakeProfit() != 0) continue;
double newSl = 0, newTp = 0;
double point = _Point;
if(Use_Fixed_TP_SL)
{
if(OrderType() == OP_BUY)
{
newSl = OrderOpenPrice() - Fixed_SL_Pips * point;
newTp = OrderOpenPrice() + Fixed_TP_Pips * point;
}
else if(OrderType() == OP_SELL)
{
newSl = OrderOpenPrice() + Fixed_SL_Pips * point;
newTp = OrderOpenPrice() - Fixed_TP_Pips * point;
}
}
else // 使用ATR动态设置
{
if(OrderType() == OP_BUY)
{
newSl = OrderOpenPrice() - atrSL * point;
newTp = OrderOpenPrice() + atrTP * point;
}
else if(OrderType() == OP_SELL)
{
newSl = OrderOpenPrice() + atrSL * point;
newTp = OrderOpenPrice() - atrTP * point;
}
}
// 计算合适的手数基于风险百分比
double lotSize = CalculateLotSize(newSl);
// 修改订单设置止盈止损
if(!OrderModify(OrderTicket(), OrderOpenPrice(), newSl, newTp, 0, clrNONE))
{
Print("订单修改失败,错误代码: ", GetLastError());
}
}
}
}
}
```
### 智能手数计算
```mql5
double CalculateLotSize(double stopLossPrice)
{
double accountBalance = AccountBalance();
double riskAmount = accountBalance * Risk_Percent / 100.0;
double pointValue = MarketInfo(_Symbol, MODE_TICKVALUE);
if(OrderType() == OP_BUY)
{
double slPoints = (OrderOpenPrice() - stopLossPrice) / _Point;
double lotSize = riskAmount / (slPoints * pointValue);
return NormalizeDouble(lotSize, 2);
}
else if(OrderType() == OP_SELL)
{
double slPoints = (stopLossPrice - OrderOpenPrice()) / _Point;
double lotSize = riskAmount / (slPoints * pointValue);
return NormalizeDouble(lotSize, 2);
}
return 0.1; // 默认手数
}
```
## 移动止损优化模块
```mql5
void TrailingStopManagement()
{
for(int i = OrdersTotal()-1; i >= 0; i--)
{
if(OrderSelect(i, SELECT_BY_POS, MODE_TRADES))
{
if(OrderSymbol() == _Symbol && OrderMagicNumber() == ExpertMagicNumber)
{
double newSl = 0;
double point = _Point;
double currentStop = OrderStopLoss();
if(OrderType() == OP_BUY)
{
double distance = (Bid - OrderOpenPrice()) / point;
if(distance > Trailing_Stop_Distance)
{
newSl = Bid - Trailing_Stop_Distance * point;
if(currentStop == 0 || newSl > currentStop)
{
if(!OrderModify(OrderTicket(), OrderOpenPrice(), newSl, OrderTakeProfit(), 0, clrNONE))
{
Print("移动止损修改失败,错误代码: ", GetLastError());
}
}
}
}
else if(OrderType() == OP_SELL)
{
double distance = (OrderOpenPrice() - Ask) / point;
if(distance > Trailing_Stop_Distance)
{
newSl = Ask + Trailing_Stop_Distance * point;
if(currentStop == 0 || newSl < currentStop)
{
if(!OrderModify(OrderTicket(), OrderOpenPrice(), newSl, OrderTakeProfit(), 0, clrNONE))
{
Print("移动止损修改失败,错误代码: ", GetLastError());
}
}
}
}
}
}
}
}
```
## 参数优化与高级功能
### 多时间框架ATR
```mql5
input ENUM_TIMEFRAMES Higher_TF_ATR = PERIOD_H1; // 高阶ATR时间框架
input bool Use_Multi_TF_ATR = false; // 启用多时间框架ATR
double GetMultiTimeFrameATR()
{
if(Use_Multi_TF_ATR)
{
double higherTFATR = iATR(_Symbol, Higher_TF_ATR, ATR_Period, 0);
double currentTFATR = iATR(_Symbol, _Period, ATR_Period, 0);
return (higherTFATR + currentTFATR) / 2.0 / _Point;
}
return CalculateATRValue();
}
```
### 动态风险调整
```mql5
input bool Use_Dynamic_Risk = true; // 启用动态风险调整
input int Equity_Threshold_1 = 5000; // 净值阈值1(USD)
input int Equity_Threshold_2 = 10000; // 净值阈值2(USD)
input double Risk_Percent_1 = 2.0; // 风险百分比1
input double Risk_Percent_2 = 1.5; // 风险百分比2
input double Risk_Percent_3 = 1.0; // 风险百分比3
double GetDynamicRiskPercent()
{
if(!Use_Dynamic_Risk) return Risk_Percent;
double equity = AccountEquity();
if(equity < Equity_Threshold_1) return Risk_Percent_1;
else if(equity >= Equity_Threshold_1 && equity < Equity_Threshold_2) return Risk_Percent_2;
else return Risk_Percent_3;
}
```
### 价格波动性过滤
```mql5
input bool Use_Volatility_Filter = true;// 启用波动性过滤
input double High_Volatility_Level = 1.5; // 高波动性阈值(相对于平均ATR)
bool IsNormalVolatility()
{
if(!Use_Volatility_Filter) return true;
double currentATR = CalculateATRValue();
double avgATR = iATR(_Symbol, _Period, ATR_Period*3, 0) / _Point;
return currentATR <= avgATR * High_Volatility_Level;
}
```
## 中文参数设置指南
### 基础参数设置
1. **ATR参数组**
- ATR计算周期(ATR_Period):推荐14-20周期,周期越长ATR越平滑
- ATR倍数因子(ATR_Multiplier):1.5-3.0之间,决定止损幅度
2. **固定止盈止损组**
- 启用固定止盈止损(Use_Fixed_TP_SL):true/false
- 固定止盈点数(Fixed_TP_Pips):建议30-100点
- 固定止损点数(Fixed_SL_Pips):建议20-50点
3. **风险管理组**
- 风险百分比(Risk_Percent):建议0.5%-2%
- 动态风险调整(Use_Dynamic_Risk):true/false
- 各阶段风险百分比(Risk_Percent_1/2/3):随账户增长降低风险
### 高级功能设置
1. **移动止损组**
- 启用移动止损(Use_Trailing_Stop):true/false
- 移动止损距离(Trailing_Stop_Distance):建议15-30点
- 移动步长(Trailing_Step):建议5-10点
2. **多时间框架ATR**
- 启用多时间框架ATR(Use_Multi_TF_ATR):true/false
- 高阶ATR时间框架(Higher_TF_ATR):比当前高一级的时间框架
3. **波动性过滤**
- 启用波动性过滤(Use_Volatility_Filter):true/false
- 高波动性阈值(High_Volatility_Level):1.3-2.0倍平均ATR
### 优化建议
1. **针对不同货币对**
- 高波动货币对(如GBP pairs):增大ATR乘数(2.5-3.0)和止损距离
- 低波动货币对(如CHF pairs):减小ATR乘数(1.5-2.0)和止损距离
2. **针对不同时间框架**
- 短线交易(H1以下):使用较小ATR乘数(1.5-2.0)
- 中线交易(H4-D1):使用较大ATR乘数(2.0-3.0)
3. **针对市场状态**
- 高波动市场:减小风险百分比至0.5%-1%
- 低波动市场:可适当增加风险至1%-2%
## 实盘部署建议
1. **测试阶段**
- 先在模拟账户运行2-4周
- 测试不同参数组合的表现
- 特别关注极端行情下的表现
2. **资金管理**
- 初始实盘使用账户资金的10-20%
- 盈利超过20%后提取本金
- 采用金字塔加仓方式
3. **监控与调整**
- 每周评估EA表现
- 根据市场波动性调整ATR参数
- 在重大经济事件前考虑暂停EA
4. **多策略组合**
- 将此EA与趋势跟踪EA结合使用
- 在不同货币对间分散配置
- 使用不同参数设置创建多个EA实例
这个完整的MT5 EA实现了智能化的自动止盈止损功能,结合了固定点数法和动态ATR方法的优点,并加入了移动止损、多时间框架分析和波动性过滤等高级功能。通过合理设置中文参数,交易者可以根据自己的风险偏好和市场条件进行个性化配置,实现更科学的交易风险管理。
很厉害啊楼主 能不能赚钱 很好很好 好不错哦。 编写都是错误,不通过[大哭] 看着很好啊,就是基础不够,还要多学习 dy008524 发表于 2025-9-20 22:30
编写都是错误,不通过[大哭]
最新修复版https://www.eahub.cn/thread-164889-1-1.html atr 止盈嘛 1.5 和3 的参数嘛 老板能不能赚钱啊
atr 止盈嘛 1.5 和3 的参数可以吗 感谢分享 这个使用有限制吗 感谢分享!!!
页:
[1]