3-Candle Reversal Pattern-vahid2star3-Candle Reversal Zones + Hammer Confirmation (with Risk Management & Alerts)
This script combines 3-candle reversal detection, hammer confirmations, and smart demand/supply zone plotting into a single tool designed for both discretionary and automated traders.
🔍 Core Logic
3-Candle Reversal Pattern
Candle-1: Strong move in one direction (big body).
Candle-2: Doji-like candle (high shadow/body ratio).
Candle-3: Reversal candle in the opposite direction (large body relative to Candle-2).
A gap after Candle-3 is required for extra confirmation.
Hammer Confirmation (Hammer-1 & Hammer-2)
After a valid 3-candle setup, the script searches for a hammer pattern near the zone.
Hammer-1: Draws a box directly on the hammer range if followed by a strong confirming candle.
Hammer-2: If another hammer forms after the confirmation candle and holds for N bars (configurable), a second hammer box is drawn.
Demand & Supply Zones
For bullish setups, a demand zone is created from the Candle-2 low to the Candle-1 low.
For bearish setups, a supply zone is created from the Candle-2 high to the Candle-1 high.
Zones extend to the right until price interacts with them.
🛠 Filters & Quality Controls
Trend filter (optional):
Only draw zones if price respects higher-timeframe EMA200 slope and LTF EMA alignment.
Market structure filter:
Require higher-high / higher-low (for bullish) or lower-high / lower-low (for bearish).
ATR filter:
Zones must have a minimum height relative to ATR.
Overlap control:
Avoid drawing zones that overlap too heavily with existing ones.
Cooldown:
Restrict consecutive zones of the same type within a user-defined bar distance.
🎯 Risk Management & Strategy
Dynamic position sizing:
Trade size is automatically calculated from account equity, risk %, and leverage.
Stop-loss & Take-profit:
SL placed just beyond the zone ± buffer ticks.
TP automatically set at user-defined Reward:Risk ratio (e.g., 3:1).
Capital protection:
Trades respect max leverage and risk per position settings.
⚡ Alerts
The script provides one-time alerts for each zone:
🔔 First Touch Alert → Triggered when price first touches a demand, supply, or hammer box.
Each zone only fires one alert, avoiding duplicates on re-touch or trade exit.
📊 Visuals
Demand zones: Green boxes.
Supply zones: Red boxes.
Hammer boxes: Blue (bullish) / Orange (bearish).
Used zones: Greyed out after price fills them.
Outcomes: Zones change to green if TP is hit, red if SL is hit.
Optional labels mark “Bullish zone ✓”, “Bearish zone ✓”, “Hammer-1 ✓”, or “Hammer-2 ✓” when confirmed.
🔧 Settings Overview
Core pattern ratios (C1/C2, C3/C2 size multipliers).
Doji definition (shadow/body ratio).
Hammer search depth, confirmation delay, and strictness.
Risk % per trade, leverage cap, stop buffer, RR ratio.
Visual styling (colors, max box count, labels).
Trend, structure, ATR, overlap, and cooldown filters.
Option to disable orders (use as indicator + alerts only).
⚠️ Disclaimer
This script is a technical analysis tool intended for educational purposes.
It does not guarantee profits. Use proper risk management and test thoroughly before applying in live trading.
✨ With its combination of 3-candle reversals, hammer confirmations, and smart filtering, this script is designed to reduce noise, highlight high-probability zones, and give traders both visual structure and actionable alerts.
圖表形態
BRT T3 for BTC 1h [STRATEGY]## 📊 BRT T3 Adaptive Strategy for BTC 1H
STRATEGY DESCRIPTION
Professional trading strategy based on the adaptive T3 (Tillson T3) indicator with dynamic length controlled by the Relative Strength Index (RSI) . The strategy is specifically designed for Bitcoin trading on the hourly timeframe and includes a comprehensive filter system to minimize false signals.
═════════════════════════════════════════
🔥 UNIQUE CODE FEATURES
1. RSI-Adaptive Architecture:
• Innovative Approach: Unlike standard MA strategies with fixed periods, our code dynamically adjusts the moving average length based on RSI
• Smart Formula: len = minLen + (maxLen - minLen) * (1 - RSI/100) - automatically accelerates response in extreme zones
• Result: Strategy adapts to market conditions without manual reconfiguration
2. Modified Ichimoku Cloud:
• Unique Calculation: Instead of classic high/low, uses ATR-based method
• Dynamic Levels: Cloud is built based on volatility, not fixed periods
• Advantage: More accurate trend determination in highly volatile cryptocurrency markets
3. Hybrid Signal System:
• Dual-mode Generation: Switch between classic MA crossovers and volatility band breakouts
• Multi-stage Confirmation: Optional signal verification across N forward bars
• Effect: 40-60% reduction in false signals compared to simple MA strategies
4. All-in-One Solution:
• 8 MA Types in One Code: The only strategy on TradingView with complete implementation of T3, EMA, SMA, WMA, VWMA, HMA, RMA, DEMA
• Custom Functions: All MAs calculated through custom functions supporting series int
• Versatility: One code replaces 8 different strategies
5. Intelligent Filtering:
Combination of 4 independent filters:
├── Volume Filter (dynamic multiplier)
├── Trend Filter (adaptive period)
├── ATR Filter (volatility)
└── Ichimoku Filter (cloud trend)
• Unique Logic: Each filter can work independently or in combination
• Master Switch: Single control for all filters
6. Advanced Risk Management:
• Smart Stops: SL/TP levels are stored in variables and not recalculated on every bar
• Slippage Protection: Checks both close and high/low for stop triggers
• Visualization: Dynamic display of levels only for active positions
7. Performance Optimization:
• Efficient Loops: Minimized calculations through intermediate result storage
• Conditional Visualization: Element rendering only when necessary
• Clean Code: Structured organization with clear logical block separation
═════════════════════════════════════════
💎 TECHNICAL INNOVATIONS
Adaptation Algorithm (exclusive development):
// Dynamic length based on RSI
rsi_scale = 1.0 - rsi / 100.0
len_adaptive = minLen + (maxLen - minLen) * rsi_scale
ATR-based Ichimoku (unique modification):
// Instead of classic (highest + lowest) / 2
// Using ATR for dynamic levels
upper := close < upper ? min(hl2 + atr*mult, upper ) : hl2 + atr*mult
lower := close > lower ? max(hl2 - atr*mult, lower ) : hl2 - atr*mult
Multi-MA Architecture (complete implementation):
• Each MA type has its own optimized function
• Support for series int for dynamic length
• Unified selection interface via switch statement
═════════════════════════════════════════
🎯 KEY FEATURES
• Adaptive System: Moving average length automatically adjusts based on RSI, providing quick response in trending movements and stability in sideways markets
• 8 Moving Average Types: T3, EMA, SMA, WMA, VWMA, HMA, RMA, DEMA - ability to choose the optimal type for different market conditions
• Multi-level Filtering:
- Volume Filter - signal confirmation with increased activity
- Trend Filter - trading in the direction of the main trend
- ATR Filter - accounting for market volatility
- Ichimoku Cloud - additional trend direction confirmation
• Professional Risk Management: Customizable stop-loss and take-profit levels
═════════════════════════════════════════
⚙️ HOW IT WORKS
1. Signal Generation:
• Original Mode: Classic MA crossover signals with lagged version
• Band Break Mode: Volatility band breakouts (based on standard deviation)
2. RSI Adaptation:
• High RSI (overbought) → uses short MA length for quick response
• Low RSI (oversold) → uses long MA for noise smoothing
• Adaptation range is configured by Min/Max length parameters
3. Filter System:
• Each filter can be enabled/disabled independently
• Signal is generated only when passing all active filters
• Ichimoku filter blocks counter-trend trades
═════════════════════════════════════════
📈 STRATEGY PARAMETERS
Main Settings:
• Strategy Type: Long Only / Short Only / Both
• Data Source: Close, Open, High, Low, HL2, HLC3, OHLC4
RSI Settings:
• RSI Length: Calculation period (default 14)
• RSI Smoothing: Smoothing to reduce noise
T3/MA Settings:
• Min/Max Length: Adaptive length range (5-50)
• Volume Factor: T3 smoothing coefficient (0.7)
• MA Type: Moving average type selection
Filters:
• Volume Filter: Volume multiplier (1.5x average)
• Trend Filter: Trend MA period (200)
• ATR Filter: Minimum volatility for entry
• Ichimoku Filter: Cloud for trend determination
Risk Management:
• Stop Loss: Percentage from entry price (1.2%)
• Take Profit: Percentage from entry price (5.9%)
• Position Size: 50,000 USDT (effective leverage 5x)
═════════════════════════════════════════
💡 USAGE RECOMMENDATIONS
Optimal Conditions:
• Timeframe: 1H (developed and optimized)
• Instrument: BTC/USDT and other liquid cryptocurrencies
• Market Conditions: Trending and moderately volatile markets
Customize to Your Style:
1. Conservative: Increase signal confirmation period, enable all filters
2. Aggressive: Reduce filters, use Band Break mode
3. Scalping: Decrease Min/Max length, disable trend filter
═════════════════════════════════════════
📊 VISUALIZATION
Strategy displays:
• Main MA Line - changes color depending on direction
• Lag Line - for visualizing crossover moment
• Volatility Bands - upper and lower boundaries
• Trend MA - orange line (200 periods)
• SL/TP Levels - red and green lines for open positions
═════════════════════════════════════════
🔔 ALERTS
Strategy supports alert configuration for:
• Long position entry signals
• Short position entry signals
• Position exit signals
• Ichimoku line crossings
═════════════════════════════════════════
⚠️ RISK WARNING
IMPORTANT NOTICE: Trading in financial markets involves substantial risk of capital loss. Past performance presented in this strategy is based solely on historical data and under no circumstances constitutes a guarantee of future returns.
The strategy author is not responsible for:
• Any direct or indirect financial losses resulting from the use of this strategy
• Trading decisions made based on strategy signals
• Interpretation of backtesting results as a forecast of future performance
This strategy is provided exclusively for educational and research purposes. Backtesting results are affected by numerous factors including but not limited to: slippage, spread, commissions, market liquidity, and technical failures.
Before using the strategy in live trading:
• Conduct your own testing on a demo account
• Ensure understanding of all parameters and logic
• Only use funds you can afford to lose
• Consider consulting with a qualified financial advisor
DISCLAIMER: By using this strategy, you acknowledge and accept all risks associated with financial market trading and confirm that the author does not provide investment advice and bears no fiduciary responsibility to users.
═════════════════════════════════════════
🛠 TECHNICAL SUPPORT
For questions about setup and optimization:
• Leave comments under the publication
• Follow strategy updates
• Study the code for deep understanding of logic
═════════════════════════════════════════
📝 VERSION AND UPDATES
Version: 1.0.0
Pine Script: v6
Last Updated: 2025
Changelog:
• Added support for 8 MA types
• Integrated Ichimoku Cloud filter
• Optimized risk management system
• Improved signal visualization
═════════════════════════════════════════
© 2025 BRT Trading Systems
Strategy is protected by copyright. Commercial use without author's permission is prohibited.
Setup Cripto EMA + Volume//@version=5 indicator("Sinais Multi-Cripto – EMA+Volume (BTC/ETH/BNB/SOL/XRP)", overlay=false)
// Inputs emaFast = input.int(50, "EMA Curta") emaSlow = input.int(200, "EMA Longa") emaPull = input.int(20, "EMA Pullback") volLen = input.int(20, "Média Volume")
symBTC = input.symbol(defval="BINANCE:BTCUSDT", title="BTC") symETH = input.symbol(defval="BINANCE:ETHUSDT", title="ETH") symBNB = input.symbol(defval="BINANCE:BNBUSDT", title="BNB") symSOL = input.symbol(defval="BINANCE:SOLUSDT", title="SOL") symXRP = input.symbol(defval="BINANCE:XRPUSDT", title="XRP")
f_sig(sym) => c = request.security(sym, timeframe.period, close) v = request.security(sym, timeframe.period, volume) e50 = ta.ema(c, emaFast) e200 = ta.ema(c, emaSlow) e20 = ta.ema(c, emaPull) vma = ta.sma(v, volLen) long = (e50 > e200) and (c > e20) and (v > vma) short = (e50 < e200) and (c < e20) and (v > vma)
= f_sig(symBTC) = f_sig(symETH) = f_sig(symBNB) = f_sig(symSOL) = f_sig(symXRP)
// Exibição plotchar(btcL, title="BTC Long", char="▲", location=location.top) plotchar(btcS, title="BTC Short", char="▼", location=location.bottom) plotchar(ethL, title="ETH Long", char="▲", location=location.top) plotchar(ethS, title="ETH Short", char="▼", location=location.bottom) plotchar(bnbL, title="BNB Long", char="▲", location=location.top) plotchar(bnbS, title="BNB Short", char="▼", location=location.bottom) plotchar(solL, title="SOL Long", char="▲", location=location.top) plotchar(solS, title="SOL Short", char="▼", location=location.bottom) plotchar(xrpL, title="XRP Long", char="▲", location=location.top) plotchar(xrpS, title="XRP Short", char="▼", location=location.bottom)
ETH/BTC/XRP Strategy - Powered by BCHETH/BTC/XRP Strategy — Cross-Asset Momentum-Based Strategy
Overview
This strategy aims to identify medium-term long trade opportunities on ETH/BTC/XRP 2 or 4 hour charts by leveraging cross-asset momentum signals from Bitcoin Cash (BCH) relative to Ethereum (ETH). It integrates volatility filters, volume validation, and momentum confirmations to improve trade timing and risk management.
Key Features and Logic
Cross-Asset Momentum Filter: Enters long trades when BCH outperforms ETH in the prior candle, supporting relative strength confirmation.
Volume Confirmation: BCH volume must exceed 135% of its 20-period average, validating market interest before entry signals.
Volatility Filter: ETH price near or below 110% of the lower Bollinger Band (20 periods, 2σ) indicates oversold conditions.
Momentum Indicators: ETH RSI below 70 ensures the asset is not overbought, coupled with BCH MACD line crossing above its signal line for bullish bias.
Risk Controls: Includes trailing stop losses and take profit targets to protect gains and limit drawdowns.
Timing Constraints: Controlled cooldown periods between trades help prevent overtrading and false signals.
Usage Recommendations
Optimized for 2 or 4hour ETH/BTC/XRP USDT candles; 5-minute data optionally used for finer entries and exits.
Suitable for traders seeking dynamic timing based on multi-asset interactions rather than blind holding.
Works as a complement within diversified or rotational strategies focusing on Ethereum exposure.
Performance Summary (Backtest Jan 2023 – Jul 2025) ; ETHUSDT 2hour basis.
Total trades: 65
Win rate: 61.5%
Profit factor: 5.1
Note: The sample size is limited; results should be interpreted with caution. Past performance is not indicative of future results.
Important Notes
This script represents an original combination of cross-asset momentum with volatility and volume filters tailored to ETH and BCH interaction.
Source code is protected to safeguard unique implementation details while allowing free usage without restrictions.
Use appropriate risk management, and consider these signals as part of a broader trading analysis.
No guarantees on profitability; trading involves significant risk.
Lunar calendar day Crypto Trading StrategyLunar calendar day Crypto Trading Strategy
This strategy explores the potential impact of the lunar calendar on cryptocurrency price cycles.
It implements a simple but unconventional rule:
Buy on the 5th day of each lunar month
Sell on the 26th day of the lunar month
No trades between January 1 (solar) and Lunar New Year’s Day (holiday buffer period)
Research background
Several academic studies have investigated the influence of lunar cycles on financial markets. Their findings suggest:
Returns tend to be higher around the full moon compared to the new moon.
Periods between the full moon and the waning phase often show stronger average returns than the waxing phase.
This strategy combines those observations into a practical implementation by testing fixed entry (lunar day 5) and exit (lunar day 26) points, while excluding the transition period from solar New Year to Lunar New Year, effectively capturing mid-month lunar effects.
How it works
The script includes a custom lunar date calculation function, reconstructing lunar months and days for each year (2020–2026).
On lunar day 5, the strategy opens a long position with 100% of equity.
On lunar day 26, the strategy closes the position.
No trades are executed between Jan 1 and Lunar New Year’s Day.
All trades include:
Commission: 0.1%
Slippage: 3 ticks
Position sizing uses the entire equity (100%) for simplicity, but this is not recommended for live trading.
Why this is original
Unlike mashups of built-in indicators, this script:
Implements a full lunar calendar system inside Pine Script.
Translates academic findings on lunar effects into an applied backtest.
Adds a realistic trading filter (holiday gap) based on cultural/seasonal calendar rules.
Provides researchers and traders with a framework to explore non-traditional, time-based signals.
Notes
This is an experimental, research-oriented strategy, not financial advice.
Results are highly dependent on the chosen period (2020–2026).
Using 100% equity per trade is for simplification only and is not a viable money management practice.
The purpose is to investigate whether cyclical patterns linked to lunar time can provide any statistical edge in ETHUSDT.
VOSM StrategyVOSM Strategy
Buy: Triggered when a bullish chart pattern forms, confirmed by strength and continuation signals.
Sell: Triggered when a bearish chart pattern forms, confirmed by weakness and reversal signals.
👉 In short, patterns give the setup, confirmations decide the action.
XAUUSD Trap & Reversal ScannerThis strategy is designed for XAUUSD (Gold) on 5m/15m timeframes.
It detects and trades reversal traps confirmed by classic patterns:
Double Tops / Double Bottoms
Head & Shoulders / Inverse H&S
Fair Value Gaps (FVG / IFVG)
Trap Sweeps (stop hunts)
Additional filters:
EMA200 trend confirmation
London & New York trading session filter (12:00–17:00 UTC)
Risk management with ATR-based stop loss
Partial profit-taking (50% at 1:1, remainder at 1:RR up to 1:4)
MTF RSI + ADX + ATR SL/TP vivekDescription:
This strategy combines the power of multi-timeframe RSI filtering with ADX trend confirmation and ATR-based risk management to capture strong directional moves.
🔑 Entry Rules:
• Daily RSI > 60
• 4H RSI > 60
• 1H RSI > 60
• 10m RSI > 40
• ADX (current timeframe) > 20
When all conditions align, a long entry is triggered.
🛡 Risk Management:
• ATR-based Stop-Loss (customizable multiplier)
• Take-Profit defined as a Risk-Reward multiple of the ATR stop
🎯 Why this Strategy?
• Ensures alignment across higher timeframes before entering a trade
• Uses ADX to avoid choppy/range-bound markets
• Built-in ATR stop-loss & take-profit for disciplined risk control
• Fully customizable parameters
This strategy is designed for trend-following swing entries. It works best on liquid instruments such as indices, forex pairs, and large-cap stocks. Always optimize the parameters based on your preferred asset and timeframe.
GCK VWAP BOT🚀 VWAP REJECTION BOT - 90% WIN RATE INSTITUTIONAL TRADING SYSTEM
🎯 WHAT IS THIS?
This is an advanced Pine Script v6 trading bot designed to achieve 90%+ win rates through ultra-selective VWAP (Volume Weighted Average Price) band rejection patterns combined with institutional-grade order flow analysis. The strategy focuses on maximum quality over quantity, using AI-powered multi-timeframe analysis, real Bookmap order flow data, and professional confirmation systems.
🔥 KEY FEATURES:
✅ OFFICIAL TRADINGVIEW VWAP INTEGRATION
- Uses exact TradingView VWAP calculation with proper shadow effects
- Dynamic standard deviation bands (1σ, 2σ, 2.5σ) as support/resistance levels
- Automatic band detection with precise 0.2% tolerance levels
✅ 90% WIN RATE ADVANCED SYSTEM
- Higher timeframe confirmation (1H+ trend alignment)
- Market structure analysis (detects higher highs/lower lows)
- Session-based filtering (London/NY overlap prioritized)
- Volatility adaptive system (adjusts to market conditions)
- Volume profile analysis (ensures significant volume levels)
- Ultra-high selectivity (525/975+ confidence score required)
✅ REAL BOOKMAP ORDER FLOW INTEGRATION
- Reads actual buyers/sellers cloud data at VWAP rejections
- Real-time order flow imbalance analysis
- Level 2 order book bid/ask volume processing
- Volume delta confirmation for institutional participation
✅ LIVE TICKSTRIKE MOMENTUM
- Integrates real TickStrike momentum data
- Enhanced entry timing with live momentum values
- Bullish/bearish threshold detection
- Strong momentum breakout identification
✅ AI-POWERED EXTERNAL INDICATOR READING
- Automatically detects and reads ANY indicators you add to chart
- Works with RSI, MACD, Moving Averages, custom indicators, etc.
- Zero configuration - just add indicators and select from dropdown
- Supports up to 3 external indicators + Anchor VWAP
✅ SMART MULTI-TARGET EXIT SYSTEM
- Target 1: 60% of normal TP (quick profit taking)
- Target 2: 120% of normal TP (main target)
- Target 3: 200% of normal TP (extended runners)
- Volatility-adjusted stops using ATR
- Smart position sizing based on confidence and session quality
✅ PAINTED TREND VISUALIZATION
- Continuous candle coloring from rejection points
- Real-time trend strength monitoring
- Immediate reversal detection to prevent wrong signals
- Visual feedback separate from trading signals
📊 CONFIDENCE SCORING SYSTEM (0-975 SCALE):
- Higher Timeframe: 100 points
- Market Structure: 0-100 points
- Session Quality: 0-100 points
- Volatility Filter: 100 points
- Volume Profile: 0-100 points
- Traditional Confirmations: 50 points each
- Bookmap Order Flow: +75 points
- TickStrike Momentum: +50 points
- Level 2 Data: +50 points
🎯 HOW TO USE:
1. BASIC SETUP:
- Apply to any timeframe (works best on 5m-1H)
- Enable "Bot Trading" to automate entries
- Adjust position size and risk management settings
- Set your preferred stop loss and take profit levels
2. ADVANCED ORDER FLOW SETUP:
- Add Bookmap buyers/sellers cloud indicators to chart
- Add TickStrike momentum indicator to chart
- Add volume delta and bid/ask volume indicators
- Go to "Real Order Flow Data" settings and connect indicators
3. EXTERNAL INDICATORS:
- Add any indicators (RSI, MACD, MAs, etc.) to your chart
- Go to "Auto External Indicators" settings
- Select indicators from dropdown menus
- Bot automatically detects best logic for each indicator
4. 90% WIN RATE FEATURES:
- Enable all features in "90% Win Rate Features" group
- Adjust session times for your timezone
- Set volatility thresholds based on your market
- Configure confidence threshold (default 525/975)
🌍 SESSION FILTERING:
- Asian Session: 12AM-9AM EST
- London Session: 3AM-12PM EST
- New York Session: 8AM-5PM EST
- Premium Overlap: 8AM-12PM EST (highest probability)
⚙️ RISK MANAGEMENT:
- Smart position sizing with volatility adjustment
- Confidence-based position multipliers
- Session quality position scaling
- Daily trade limits with separate long/short counters
- Advanced breakeven and trailing stop systems
📈 WHAT MAKES THIS DIFFERENT:
- Uses REAL order flow data, not simulated
- Institutional-grade analysis typically reserved for professionals
- Combines retail accessibility with institutional accuracy
- AI-powered indicator reading eliminates manual configuration
- 90% win rate through ultra-high selectivity standards
⚠️ IMPORTANT NOTES:
- This strategy prioritizes quality over quantity
- Requires patience as it waits for perfect setups
- Higher win rate means fewer but more profitable trades
- Best used with real Bookmap and TickStrike data for maximum accuracy
- Always backtest before live trading
- Use proper position sizing and risk management
🎯 IDEAL FOR:
- Traders who want institutional-grade analysis
- Users with access to Bookmap order flow data
- Those who prefer quality over quantity trading
- Advanced traders seeking 90%+ win rates
- Anyone wanting to automate VWAP rejection strategies
📊 COMPATIBLE WITH:
- All major forex pairs, indices, commodities, crypto
- Any broker connected to TradingView
- All timeframes (optimized for 5m-1H)
- Bookmap order flow indicators
- TickStrike momentum indicators
- Any external indicators (RSI, MACD, etc.)
This is not just another VWAP strategy - it's an institutional-grade trading system that brings professional order flow analysis to Pine Script automation. The combination of TradingView's VWAP with real Bookmap data creates a uniquely powerful trading approach.
Remember: High win rate strategies require patience and discipline. This bot is designed for traders who value quality setups over frequent trading.
MTF RSI + ADX + ATR SL/TPThis strategy combines the power of multi-timeframe RSI filtering with ADX trend confirmation and ATR-based risk management to capture strong directional moves.
🔑 Entry Rules:
• Daily RSI > 60
• 4H RSI > 60
• 1H RSI > 60
• 10m RSI > 40
• ADX (current timeframe) > 20
When all conditions align, a long entry is triggered.
🛡 Risk Management:
• ATR-based Stop-Loss (customizable multiplier)
• Take-Profit defined as a Risk-Reward multiple of the ATR stop
🎯 Why this Strategy?
• Ensures alignment across higher timeframes before entering a trade
• Uses ADX to avoid choppy/range-bound markets
• Built-in ATR stop-loss & take-profit for disciplined risk control
• Fully customizable parameters
This strategy is designed for trend-following swing entries. It works best on liquid instruments such as indices, forex pairs, and large-cap stocks. Always optimize the parameters based on your preferred asset and timeframe.
Rbpov1 – Opening Range Multi-Actifs Final📌 Strategy Bio – Rbpov1 Opening Range Pro
🎯 Core Concept
The Rbpov1 Opening Range Pro is an advanced algorithmic trading system built around the opening range breakout concept.
It is based on the observation that, after a period of consolidation (the opening range), markets often generate strong directional moves once the range is broken.
This strategy is designed to be multi-asset (Forex, indices, commodities, crypto) and multi-timeframe, with the following key principles:
A reference range (default: 03:00 → 06:00 UTC+2, customizable).
Trade entries are taken only after the range closes.
Smart filtering (trend, volatility, volume) to reduce false signals.
Strict risk management in USD, with Stop Loss and Take Profit defined in multiples of R.
Automatic end-of-day flat rule: all positions are closed by session end.
⚙️ Filters & Conditions
🔹 1. Trend Filter (EMA HTF)
A 21-period EMA is applied to a higher timeframe (default: H4).
If price is above EMA, only longs are allowed.
If price is below EMA, only shorts are allowed.
👉 This aligns intraday trades with the dominant trend.
🔹 2. Volatility Filter (ATR)
Uses a 14-period ATR to validate range conditions.
Opening range is valid only if:
Range > minATR × ATR
Range < maxATR × ATR
Default: minATR = 0.2, maxATR = 6.0.
👉 Filters out noise (tiny ranges) or overextended volatility.
🔹 3. Volume Filter (Optional)
Breakout candle must show higher volume than the average (default SMA 20).
Prevents low-liquidity breakouts.
🔹 4. Session & Trading Rules
No trades during weekends (Forex).
Maximum X trades per day (default: 2).
Positions are force-closed at EOD (default: 19:00 UTC+2).
💰 Risk Management
Dynamic position sizing in USD (capital × risk%).
Stop Loss automatically set at the opposite side of the range (with optional buffer).
Take Profit in multiples of R (default: 1.5R).
Equity-based recalculation ensures consistency as account grows.
📊 Key Benefits
✅ Professional and modular architecture.
✅ Works across Forex, indices, gold, and crypto.
✅ Smart filtering for cleaner signals.
✅ Robust and consistent risk management.
✅ Automatic end-of-day flattening (no overnight risk).
✅ Modern and visual dashboard interface for readability.
🏆 Use Cases
Forex (USD/JPY, EUR/USD, GBP/USD) → Asian session ranges.
Indices (NAS100, US30, DAX) → NYSE opening ranges.
Gold (XAU/USD) → Tokyo or pre-London ranges.
Crypto (BTC, ETH) → Tailored to volatility peaks.
VWAP Executor — v6 (VWAP fix)tarek helishPractical scalping plan with high-rate (sometimes reaching 70–85% in a quiet market)
Concept: “VWAP bounce with a clear trend.”
Tools: 1–3-minute chart for entry, 5-minute trend filter, VWAP, EMA(50) on 5M, ATR(14) on 1M, volume.
When to trade: London session or early New York session; avoid 10–15 minutes before/after high-impact news.
Entry rules (buy for example):
Trend: Price is above the EMA(50) on 5M and has an upward trend.
Entry zone: First bounce to VWAP (or a ±1 standard deviation channel around it).
Signal: Bullish rejection/engulfing candle on 1M with increasing volume, and RSI(2) has exited oversold territory (optional).
Order: Entry after the confirmation candle closes or a limit close to VWAP.
Trade Management:
Stop: Below the bounce low or 0.6xATR(1M) (strongest).
Target: 0.4–0.7xATR(1M) or the previous micro-high (small return to increase success rate).
Trigger: Move the stop to breakeven after +0.25R; close manually if the 1M candle closes strongly against you.
Filter: Do not trade if the spread widens, or the price "saws" around VWAP without a trend.
Sell against the rules in a downtrend.
Why this plan raises the heat-rate? You buy a "small discount" within an existing trend and near the institutional average price (VWAP), with a small target price.
مواقعي شركة الماسة للخدمات المنزلية
شركة تنظيف بالرياض
نقل عفش بالرياض
Trading HUB V001Entry Logic:
Trades are triggered when the strategy conditions (like breakouts or retests) occur.
Random Trade Filter:
To simulate randomness, the robot only allows a limited number of trades per day. Each trade has a chance to be taken or skipped, ensuring not every signal becomes a trade. This creates a probabilistic, randomized execution style.
Max Trades per Day:
You can define a daily cap (e.g., 30 trades per day). Once this number is reached, no further trades are opened until the next day.
Wrong Direction Exit:
If the price moves too far against the trade (measured by stop-loss distance or deviation threshold), the robot can close the position early instead of holding through large drawdowns.
Backtesting-Friendly:
The random logic is deterministic, meaning that backtests remain consistent and repeatable instead of changing each run.