tn-tnIt calculates trend levels (basis, upper, lower) using moving averages and volatility (standard deviation).
It determines whether the market is in a bullish (uptrend) or bearish (downtrend) state.
It allows you to confirm the trend using a higher timeframe (MTF) if you want.
It provides visual elements (colored bars, background shading, trend lines, and buy/sell markers).
It includes alerts for long/short signals when the trend flips.
Trend Analizi
Five MAs Multi-Moving Average Pack (SMA/EMA/WMA/RMA/HMA/VWMA)Display up to 5 MAs in one script. Per-line type/length/color/width/show, optional band fill, and built-in price×MA cross alerts.
Overview
This indicator draws up to five moving averages in one script.
Each line has independent controls for type (SMA/EMA/WMA/RMA/HMA/VWMA), length, color, width, and visibility. It also includes alert conditions when price crosses each MA, helping you track trend, pullbacks, and breakouts without cluttering the chart.
Key Features
Manage 5 MAs from a single indicator
Per-line MA type selection: SMA, EMA, WMA, RMA, HMA, VWMA
Independent length/color/width/show for each line
Optional band fill between MA1 and MA5
Price vs MA cross alert conditions included
Selectable input source (e.g., close, hlc3)
Inputs
Source: price source used for calculations (default: close)
MA1–MA5
Type: SMA / EMA / WMA / RMA / HMA / VWMA
Length: period (e.g., 5, 20, 50, 100, 200)
Color: line color
Width: line width
Show: visibility toggle
Fill between MA1 and MA5: draw a subtle band between MA1 and MA5
Enable price-cross alerts: expose alertconditions for price crossing each MA
Alerts (Price × MA)
Price crosses UP MA#: close crosses above MA#
Price crosses DOWN MA#: close crosses below MA#
Create alerts via the chart’s Alerts panel and choose the desired condition from this indicator.
Note: alertcondition() is declared in the global scope. On/off is controlled by an input flag.
How to Use
Paste the code into the Pine Editor → Save → Add to chart.
Configure Type / Length / Color / Width / Show for each MA.
Turn on Fill between MA1 and MA5 if you want a band.
Enable price-cross alerts and set them up in the Alerts panel.
Suggested Defaults
MA1: EMA 5
MA2: SMA 20
MA3: SMA 50
MA4: SMA 100
MA5: SMA 200
Good all-round set for intraday to swing and higher timeframes.
Best Practices
Check the same params across multiple timeframes to assess trend consistency.
The MA1–MA5 band helps visualize trend strength and volatility expansion/contracting.
Picking a type:
EMA: faster response, good for short-term signals
SMA: standard smoothing
HMA: smooth yet responsive
VWMA: volume-weighted perspective
FAQ / Troubleshooting
“Syntax error at input 'end of line without line continuation'”
Wrap multi-line ternaries in parentheses or use a switch. The script uses switch to avoid this.
“Cannot use 'fill' in local scope”
fill() must be in the global scope. Here it’s always called globally; on/off is done with a transparent color.
Performance
Hide unused lines and keep widths modest if your chart feels heavy.
Disclaimer
This script is for educational and informational purposes only and is not financial advice. Use at your own risk.
Five MAs|5本移動平均パック(SMA/EMA/WMA/RMA/HMA/VWMA)
1つのインジで最大5本の移動平均線を表示。種類・期間・色・太さ・表示ON/OFFを個別設定。価格が各MAを上下クロスするアラート内蔵。
概要
このインジケーターは、**1つのスクリプトで5本の移動平均(MA)**を同時表示します。
各ラインは 種類(SMA/EMA/WMA/RMA/HMA/VWMA)、期間、色、太さ、表示を個別に調整できます。さらに、価格が各MAをクロスした際のアラート条件を標準搭載。短期〜長期のトレンド判定、押し目/戻り目の把握、クロス監視などに活用できます。
主な機能
5本のMAを1つのインジで管理(チャートをすっきり)
MAの種類を個別に選択(SMA/EMA/WMA/RMA/HMA/VWMA)
期間・色・線幅・表示/非表示を個別設定
**MA1とMA5の帯(フィル)**の任意描画(ON/OFF)
価格×各MAのクロスをアラート条件として登録可能
入力ソース切替(close / hlc3 など)
入力パラメータ
Source:計算に使う価格(既定:close)
MA1〜MA5
Type:SMA / EMA / WMA / RMA / HMA / VWMA
Length:期間(例:5, 20, 50, 100, 200 など)
Color:ライン色
Width:ライン太さ
Show:表示/非表示
Fill between MA1 and MA5:MA1とMA5の間を塗りつぶす(薄い帯)
Enable price-cross alerts:価格が各MAを上下クロスした際のアラート条件を有効化
アラート(価格×MA)
Price crosses UP MA#:close が MA# を上抜け
Price crosses DOWN MA#:close が MA# を下抜け
アラート作成:チャート右上「アラート」→「条件」から本インジの該当項目を選択。
注:alertcondition() はグローバルスコープで宣言しています。ON/OFFは入力フラグで制御しています。
使い方(手順)
Pineエディタにコードを貼り付け → 保存 → チャートへ追加。
設定で各MAの Type / Length / Color / Width / Show を調整。
帯を使う場合は Fill between MA1 and MA5 をON。
クロス通知を使う場合は Enable price-cross alerts をONにし、アラート画面で該当条件を選択して作成。
推奨の初期構成(例)
MA1:EMA 5
MA2:SMA 20
MA3:SMA 50
MA4:SMA 100
MA5:SMA 200
短期〜長期のバランスが良く、デイトレ〜スイング〜中長期まで幅広く確認可能。
ベストプラクティス
時間軸をまたいで同じパラメータを見ると、トレンドの一貫性を評価しやすいです。
帯(MA1–MA5)はトレンド強度やボラの広がり/収縮の視覚化に有効です。
種類の選択:
EMA:反応が速く短期向き
SMA:ノイズを均しやすい標準
HMA:滑らか&速い応答
VWMA:出来高加重で指値の厚みを反映
よくある質問・トラブルシュート
「Syntax error at input 'end of line without line continuation'」
三項演算子を改行で繋ぐときは全体を括弧で包むか、switch 構文を使ってください。最新版では switch を採用しています。
「Cannot use 'fill' in local scope」
fill() は ローカルスコープ不可。本スクリプトでは常時グローバルで呼び、ON/OFFは透明色で制御しています。
表示が重い
必要なMAのみ表示(Show)にしたり、線幅を細くすることで軽くなります。
免責
本スクリプトは情報提供のみを目的としており、投資助言ではありません。利用による損失について作者は責任を負いません。
Smart Money Flow TrackerSmart Money Flow Tracker - Liquidity & Fair Value Gap Indicator
Overview
The Smart Money Flow Tracker is a comprehensive Pine Script indicator designed to identify and analyze institutional trading patterns through liquidity prints and Fair Value Gaps (FVGs). This advanced tool combines multiple analytical approaches to help traders understand where smart money is operating in the market, providing crucial insights for better trade timing and market structure analysis.
Core Functionality
1. Liquidity Prints Detection
The indicator identifies liquidity prints by analyzing pivot highs and lows that represent potential areas where institutional orders may be resting. Key features include:
Pivot-Based Analysis: Uses configurable pivot lengths (default 5) to identify significant highs and lows
Volume Confirmation: Optional volume filter ensures liquidity prints occur during periods of significant trading activity
Dynamic Labeling: Visual markers on chart showing liquidity print locations with customizable colors
Success Rate Tracking: Monitors how often liquidity prints lead to meaningful price reactions
2. Fair Value Gap (FVG) Analysis with Volume Integration
Advanced FVG detection that goes beyond basic gap identification:
Three-Bar Pattern Recognition: Identifies gaps where the high of bar 1 is below the low of bar 3 (bullish) or low of bar 1 is above high of bar 3 (bearish)
Volume-Enhanced Detection: Incorporates comprehensive volume analysis including:
Average volume calculation over configurable periods
Total volume across the 3-bar FVG pattern
Dominant volume bar identification
Volume ratio calculations for strength assessment
Volume Threshold Filtering: Optional minimum volume requirements to filter out low-conviction FVGs
Visual Enhancement: FVG boxes with volume-based coloring and detailed volume labels
3. Comprehensive Statistics Dashboard
Real-time statistics table displaying:
Total liquidity prints detected
Success rate percentage with dynamic color coding
Volume filter status
Total Fair Value Gaps identified
High-volume FVG count and percentage
All metrics update in real-time as new data becomes available
4. Advanced Alert System
Multiple alert conditions for different scenarios:
Standard liquidity print detection
Volume-confirmed liquidity prints
Bullish and bearish FVG formation
High-volume FVG alerts for institutional-grade setups
Key Input Parameters
Display Controls
Show Liquidity Prints: Toggle main functionality on/off
Show Statistics Table: Control visibility of the analytics dashboard
Show Fair Value Gaps: Enable/disable FVG detection and display
Technical Settings
Pivot Length: Adjusts sensitivity of liquidity print detection (1-20 range)
Volume Confirmation: Requires above-average volume for liquidity print validation
Volume Lookback: Period for calculating average volume (5-50 bars)
FVG Volume Settings
Show FVG Volume Info: Display detailed volume metrics on FVG labels
FVG Volume Threshold: Minimum volume multiplier for high-volume FVG classification
FVG Volume Average Period: Lookback period for FVG volume calculations
Visual Customization
Bullish/Bearish Colors: Separate color schemes for different market directions
Text Colors: Bright lime green for optimal visibility on all background types
Table Positioning: Flexible placement options for the statistics dashboard
Trading Applications & Use Cases
1. Institutional Order Flow Analysis
Liquidity Hunting: Identify areas where institutions may be targeting retail stops
Smart Money Tracking: Follow institutional footprints through volume-confirmed liquidity prints
Market Structure Understanding: Recognize key levels where large orders are likely resting
2. Fair Value Gap Trading Strategies
Gap Fill Trading: Trade the statistical tendency of FVGs to get filled
Volume-Confirmed Entries: Use high-volume FVGs as higher-probability trade setups
Institutional FVG Recognition: Focus on FVGs with dominant volume bars indicating institutional participation
3. Multi-Timeframe Analysis
Higher Timeframe Context: Use on daily/weekly charts to identify major institutional levels
Intraday Precision: Apply to lower timeframes for precise entry and exit timing
Cross-Timeframe Confirmation: Combine signals across multiple timeframes for enhanced accuracy
4. Risk Management Applications
Stop Loss Placement: Use liquidity print levels as logical stop loss areas
Position Sizing: Adjust position sizes based on volume confirmation and success rates
Trade Filtering: Use statistics dashboard to assess current market conditions
Technical Logic & Methodology
Liquidity Print Algorithm
Pivot Identification: Scans for pivot highs/lows using the specified lookback period
Volume Validation: Optionally confirms prints occur during above-average volume periods
Success Tracking: Monitors subsequent price action to calculate effectiveness rates
Dynamic Updates: Continuously updates statistics as new data becomes available
FVG Detection Process
Pattern Recognition: Identifies 3-bar patterns with qualifying gaps
Volume Analysis: Calculates comprehensive volume metrics across the pattern
Strength Assessment: Determines volume ratios and dominant bars
Classification: Categorizes FVGs based on volume thresholds and characteristics
Visual Representation: Creates boxes and labels with volume-based styling
Statistical Framework
Real-time Calculations: All metrics update with each new bar
Percentage-based Metrics: Success rates and volume confirmations shown as percentages
Color-coded Feedback: Visual indicators for quick assessment of current conditions
Historical Tracking: Maintains running totals throughout the session
Best Practices for Usage
1. Parameter Optimization
Start with default settings and adjust based on market conditions
Lower pivot lengths for more sensitive detection on volatile instruments
Higher volume thresholds for cleaner signals in high-volume markets
2. Market Context Consideration
Combine with broader market structure analysis
Consider economic events and news that may affect institutional flow
Adjust expectations based on market volatility and liquidity conditions
3. Integration with Other Analysis
Use alongside support/resistance levels for confluence
Combine with momentum indicators for timing confirmation
Integrate with volume profile analysis for additional context
Conclusion
The Smart Money Flow Tracker represents a sophisticated approach to institutional flow analysis, combining traditional liquidity concepts with modern volume analytics. By providing both visual signals and comprehensive statistics, it enables traders to make more informed decisions based on where smart money is likely operating in the market. The indicator's flexibility and customization options make it suitable for various trading styles and timeframes, from scalping to position trading.
FOMC Policy Events[nakano]### FOMC Policy Events
#### Summary / 概要
This indicator plots the historical policy decisions of the U.S. Federal Open Market Committee (FOMC) directly onto your chart. It is an essential tool for traders and analysts who want to visualize how the market reacts to changes in monetary policy. All historical event data from 2000 onwards is hard-coded into the script for fast and reliable performance.
このインジケーターは、米国連邦公開市場委員会(FOMC)の過去の政策決定をチャート上に直接プロットします。金融政策の変更に対する市場の反応を視覚的に分析したいトレーダーやアナリストにとって不可欠なツールです。2000年以降の全ての過去イベントデータが含まれます。
---
#### Features / 主な機能
* **Comprehensive Historical Data / 包括的な過去データ**
Includes all historical scheduled and emergency FOMC rate decisions from January 2000.
2000年1月以降の、全ての定例および緊急のFOMC金利決定の履歴を含みます。
* **Detailed Event Labels / 詳細なイベントラベル**
Each event is marked with a clear label showing:
各イベントには、以下の情報を示す明確なラベルが表示されます:
* The exact date of the announcement.
発表の正確な日付
* The type of decision (Rate Hike, Rate Cut, Hold, or Emergency Cut).
決定内容(利上げ、利下げ、据え置き、緊急利下げ)
* The resulting Federal Funds Target Rate.
決定後の政策金利(FF金利ターゲット)
* **Fully Customizable Display / 柔軟な表示設定**
From the indicator's settings menu, you can:
インジケーターの設定画面から、以下の操作が可能です:
* Individually toggle the visibility of Rate Hikes, Rate Cuts, and Holds.
「利上げ」「利下げ」「据え置き」の表示・非表示を個別に切り替える
* Choose your preferred language for the labels (English or Japanese).
ラベルの表示言語を「英語」または「日本語」から選択する
* **Clear Visual Cues / 明確なビジュアル**
* **Rate Hikes:** Green labels positioned below the price bars.
**利上げ:** バーの下に緑色のラベル
* **Rate Cuts:** Red labels positioned above the price bars.
**利下げ:** バーの上に赤色のラベル
* **Holds:** Gray labels positioned above the price bars.
**据え置き:** バーの上に灰色のラベル
* **Emergency Events:** Specially highlighted in maroon for easy identification.
**緊急イベント:** 識別しやすいように特別な色(ワインレッド)で強調表示
---
#### How to Use / 使用方法
1. Add the indicator to your chart.
インジケーターをチャートに追加します。
2. Click the **Settings (gear icon)** next to the indicator name on your chart.
チャート上のインジケーター名の横にある**設定(歯車アイコン)**をクリックします。
3. In the "Display Settings" section, check or uncheck the boxes to show or hide different event types.
「Display Settings」セクションで、各イベントタイプの表示・非表示をチェックボックスで切り替えます。
4. In the "Language Settings" section, select your preferred language from the dropdown menu.
「Language Settings」セクションで、ドロップダウンメニューからお好みの言語を選択します。
---
#### A Note on Data / データについて
The event data included in this script is static and contains historical decisions up to September 2025. The script does not plot future scheduled meetings and will need to be manually updated as new policy decisions are made.
このスクリプトに含まれるイベントデータは静的なものであり、2025年9月までの過去の決定を含んでいます。未来のスケジュールをプロットする機能はなく、新しい金融政策が決定された場合は、スクリプトの手動更新が必要です。
Abhijeet_IndicatorThis is private Indicator, It is under testing phase. will be available very soon.
Trend Engine Pro v1.3Trend Engine Pro v1.3 is a custom-built trading indicator designed to simplify market direction and decision-making by combining multiple confirmations into one tool. It analyzes price action across the 4H, 1H, 30M, and 5M timeframes, pulling both regular candle trends and Heikin-Ashi candle trends together to form a stronger, more reliable signal. The indicator also integrates a dynamic 20 EMA ribbon, which changes color based on trend direction and strength, giving instant visual feedback on momentum shifts. On top of that, fractals are plotted directly on the chart with customizable colors, helping traders spot potential reversal points or continuation setups with clarity. All results are summarized in a boxed panel, which displays the trend status of each timeframe, the overall market bias (Strong Buy, Strong Sell, or Hold), and a real-time trading tip. The goal is to remove second-guessing, keep you aligned with the trend, and reinforce discipline—so you can focus on executing your strategy with confidence.
Forex Fire Break Out# Forex Fire Break Out - Technical Analysis Tool
## Overview
The Forex Fire Break Out indicator is a comprehensive technical analysis tool designed to identify potential trendline breakout opportunities using advanced pivot point detection and dynamic target calculations. This educational tool helps traders visualize trend line breaks with automatic target projections and performance tracking capabilities.
## How It Works
### Core Methodology:
The indicator employs sophisticated algorithms to:
- **Detect Pivot Points**: Automatically identifies significant highs and lows using customizable period settings
- **Draw Dynamic Trendlines**: Creates trendlines connecting pivot points with adjustable extension lengths
- **Monitor Breakouts**: Tracks price action relative to established trendlines
- **Calculate Targets**: Uses ATR-based calculations to project potential price objectives
### Technical Features:
- **Trend Type Selection**: Choose between 'Wicks' or 'Body' for pivot detection
- **Period Customization**: Adjustable lookback period (default: 10 bars)
- **Extension Options**: Multiple trendline extension lengths (25, 50, or 75 bars)
- **Visual Customization**: Customizable colors and line styles
- **Gradient Fills**: Color-coded zones between trendlines for trend visualization
## Key Features
### 🎯 **Automatic Target Calculation**
- Uses volatility-adjusted ATR calculations
- Customizable target multiplier (default: 1.5x)
- Visual target lines and labels
- Fixed positioning prevents annotation drift
### 📊 **Live Performance Tracking**
The indicator includes a comprehensive statistics table displaying:
- **Total Trades**: Complete count of all entry signals
- **Winning Trades**: Number of successful target hits (displayed in green)
- **Losing Trades**: Number of failed trades (displayed in red)
- **Active Trades**: Real-time count of open positions (highlighted in orange)
- **Gross P&L**: Live profit/loss calculation in USD
- **Win Rate %**: Success percentage with color-coded performance metrics
### 🔔 **Alert System Setup**
#### Creating Entry Alerts:
1. **Right-click** on your chart and select **"Add Alert"**
2. In the alert dialog, set **Condition** to your indicator
3. Choose from three alert types:
- **"Long Entry Alert"** - Bullish breakout signals only
- **"Short Entry Alert"** - Bearish breakout signals only
- **"Any Entry Alert"** - Both long and short signals
#### Alert Messages:
- Long signals: "Forex Fire Break Out - Long Entry Signal!"
- Short signals: "Forex Fire Break Out - Short Entry Signal!"
- Combined: "Forex Fire Break Out - Trade Entry Signal!"
#### Delivery Options:
- Mobile push notifications
- Email alerts
- Webhook integration for automated systems
- Desktop sound notifications
### 📈 **Live P&L Display Box**
The statistics table provides real-time performance metrics:
- **Location**: Top-right corner of chart
- **Updates**: Automatically refreshes with each completed trade
- **Color Coding**: Green for profits, red for losses, orange for active positions
- **Calculations**: Based on your custom risk per trade settings
#### P&L Formula:
- **Gross Profit** = Winning Trades × (Risk Amount × Target Multiplier)
- **Gross Loss** = Losing Trades × Risk Amount
- **Net P&L** = Gross Profit - Gross Loss
## Settings Configuration
### 📋 **Core Settings:**
- **Period**: Pivot detection lookback period
- **Type**: Trend detection method (Wicks/Body)
- **Extend**: Trendline extension length
- **Line Colors**: Custom color scheme
- **Show Targets**: Toggle target display on/off
### 💰 **Trading Settings:**
- **Risk Per Trade (USD)**: Set position sizing for P&L calculations
- **Target Multiplier**: Risk-to-reward ratio customization
- **Show Statistics Table**: Toggle performance display
## Visual Signals
### Entry Indicators:
- **Green Arrow Up**: Bullish trendline breakout (below price)
- **Red Arrow Down**: Bearish trendline breakout (above price)
- **Target Lines**: Dashed lines showing profit objectives
- **Target Labels**: "Target" annotations at projected levels
### Performance Colors:
- **Green Labels**: Successful trade completion
- **Red Labels**: Trade stopped out
- **Orange Elements**: Active/pending trades
## Best Practices
### 🎓 **Educational Usage:**
1. **Study Market Structure**: Use to understand how price reacts at key levels
2. **Backtest Strategies**: Analyze historical performance before live implementation
3. **Risk Management**: Always use appropriate position sizing
4. **Multiple Confirmations**: Combine with other technical analysis methods
5. **Practice First**: Test on demo accounts before live trading
### ⚙️ **Optimization Tips:**
- Adjust period settings based on your timeframe
- Customize target multipliers to match your risk tolerance
- Use alerts to avoid missing opportunities
- Monitor the P&L display for strategy evaluation
## Important Disclaimers
### ⚠️ **Risk Warning:**
- This indicator is provided for **educational purposes only**
- Trading involves substantial risk of loss and is not suitable for all investors
- Past performance does not guarantee future results
- No trading system or methodology has ever been developed that can guarantee profits or ensure freedom from losses
### 🚫 **Not Financial Advice:**
- This tool does not constitute financial, investment, or trading advice
- All trading decisions remain solely your responsibility
- Consult with qualified financial advisors before making investment decisions
- Consider your risk tolerance, trading experience, and financial situation
### 📚 **Educational Nature:**
- Intended for learning technical analysis concepts
- Results shown are theoretical and for educational purposes
- Requires proper risk management and trading education
- Should be used in conjunction with comprehensive trading education
## Technical Requirements
- Compatible with all TradingView accounts
- Works on all timeframes (recommended: M15 and above)
- Suitable for all markets (Forex, Stocks, Crypto, Commodities)
- Requires basic understanding of technical analysis concepts
---
**Remember**: Successful trading requires proper education, risk management, and emotional discipline. This indicator is a tool to assist in technical analysis, not a guarantee of trading success. Always trade responsibly and within your means.
Forex Fire Trend Filter# Forex Fire Trend Filter - Usage Guide
## Overview
The Forex Fire Trend Filter is a technical analysis indicator that combines advanced noise filtering with dynamic support/resistance bands and an EMA overlay to help identify trend direction and potential entry opportunities.
## How It Works
### Core Components:
1. **Triple-Smoothed Trend Line**: Uses a noise filter with three-stage exponential smoothing to reduce market noise while maintaining responsiveness
2. **Dynamic Bands**: Creates 6 Fibonacci-based bands around the trend line (3 above, 3 below) using ratios of 0.236, 0.382, and 0.618
3. **Gradient Coloring**: Visual representation of trend strength with color gradients
4. **EMA 21**: Additional moving average for confluence and retest opportunities
5. **Signal Diamonds**: Orange markers indicating potential trend changes
### Visual Elements:
- **Green Trend Line**: Bullish momentum (diff ≥ 0)
- **Red Trend Line**: Bearish momentum (diff < 0)
- **Black EMA Line**: 21-period exponential moving average
- **Colored Bands**: Gradient-filled areas showing trend strength zones
- **Orange Diamonds**: Crossover signals when trend momentum changes direction
## Suggested Trading Approach (Educational Purpose Only)
### Bullish Setup:
1. **Trend Identification**: Price and trend line are in bullish mode (green)
2. **EMA Confluence**: Wait for price to retrace to EMA 21
3. **Retest Entry**: Consider long positions when price bounces off EMA 21 while remaining above the trend filter
4. **Confirmation**: Look for price to respect the lower bands as support
### Bearish Setup:
1. **Trend Identification**: Price and trend line are in bearish mode (red)
2. **EMA Confluence**: Wait for price to retrace to EMA 21
3. **Retest Entry**: Consider short positions when price rejects EMA 21 while remaining below the trend filter
4. **Confirmation**: Look for price to respect the upper bands as resistance
### Entry Rules (Example System):
- **Long Entry**: Trend filter is bullish + price retraces to and bounces from EMA 21
- **Short Entry**: Trend filter is bearish + price retraces to and rejects from EMA 21
- **Stop Loss**: Beyond the opposite side bands or recent swing points
- **Take Profit**: At band extremes or predetermined risk/reward ratios
## Key Features:
- **Noise Reduction**: Triple-smoothed algorithm reduces false signals
- **Multi-Timeframe**: Works on all timeframes from M1 to Monthly
- **Customizable**: Adjustable colors, line widths, and EMA settings
- **Clear Signals**: Visual diamond markers for trend changes
- **Trend Strength**: Gradient coloring shows momentum intensity
## Settings:
- **Source**: Price input (default: close)
- **Length**: Smoothing period (default: 25)
- **Line Width**: Trend line thickness
- **Colors**: Bullish/bearish color scheme
- **Transparency**: Band fill transparency
- **EMA Length**: Moving average period (default: 21)
- **EMA Width**: EMA line thickness
## Best Practices:
1. **Multiple Confirmations**: Use with other technical analysis tools
2. **Risk Management**: Always use appropriate position sizing
3. **Market Context**: Consider overall market conditions
4. **Backtesting**: Test any strategy on historical data first
5. **Practice**: Use demo accounts before live trading
## Important Notes:
- This indicator is for educational and analysis purposes only
- Past performance does not guarantee future results
- Always conduct your own analysis and risk assessment
- Trading involves substantial risk of loss
- Consider your risk tolerance and trading experience
- The suggested system is theoretical and requires proper testing
## Disclaimer:
This indicator and any suggested trading approaches are provided for educational purposes only and should not be considered as financial advice. Trading in financial markets carries significant risk and may not be suitable for all investors. Always consult with a qualified financial advisor and conduct thorough research before making any trading decisions. The creator of this indicator is not responsible for any trading losses that may occur from its use.
Real Yields vs Gold vs DXYThis indicator overlays U.S. real yields, gold prices, and the U.S. Dollar Index (DXY) on the same chart, with optional normalization (raw values, Z-Score, or % change since start). It pulls macroeconomic data directly from the Federal Reserve Economic Data (FRED) (TIPS yields, nominal Treasuries, and breakeven inflation) and compares it against market feeds for gold and the dollar.
⸻
📌 What it shows you
1. Real Yields (teal line):
• The inflation-adjusted interest rate.
• Higher real yields typically reduce gold’s appeal (since gold doesn’t yield anything).
• Lower real yields usually support gold, as holding non-yielding assets becomes more attractive.
2. Gold (orange line, with optional MA):
• Spot gold (or futures) price series.
• Often moves inversely to real yields, but can diverge when inflation fears or safe-haven demand dominate.
3. U.S. Dollar Index (DXY) (blue line):
• The strength of the U.S. dollar versus major currencies.
• A strong USD often pressures gold (since it’s priced in dollars).
• Weakness in the USD often supports gold.
4. Reference Lines (0, +3, –3):
• In Z-Score mode, these act as statistical boundaries.
• Movements beyond +3 or –3 standard deviations usually signal extreme, unsustainable conditions.
📌 Why it matters for macro outlook
This indicator lets you see the three most important macro forces on gold in one pane:
• Real yields → reflect Fed policy, inflation expectations, and bond market pricing.
• DXY → reflects capital flows into or out of the USD.
• Gold → reacts to both, serving as a hedge, safe-haven, or inflation play.
By watching how these move together or diverge, you can answer key macro questions:
• Is gold moving inversely to real yields (normal regime)?
• Is gold rising even when real yields rise (inflation stress or risk aversion)?
• Is the dollar breaking the relationship (e.g., strong USD pushing gold lower despite falling yields)?
• Are we at statistical extremes (beyond ±3 Z-score), signaling stretched positioning?
⸻
✅ In short: This indicator is a macro overlay tool. It tells the story of how bond markets (real yields), currency markets (USD), and commodities (gold) interact — and whether gold’s behavior is consistent with macro fundamentals or signaling something unusual.
Forex Fire Support/Resistance Volume Boxes# Forex Fire Support/Resistance Volume Boxes
## Overview
The Forex Fire Support/Resistance Volume Boxes indicator is an educational tool designed to help traders identify potential support and resistance levels based on volume analysis and pivot point detection. This indicator combines traditional technical analysis concepts with volume-weighted level identification.
## How It Works
### Technical Methodology
- **Pivot Point Detection**: Uses configurable lookback periods to identify significant highs and lows in price action
- **Volume Analysis**: Calculates delta volume (positive/negative volume based on candle direction) to filter significant levels
- **Dynamic Box Creation**: Generates visual boxes around identified support and resistance areas with ATR-based width adjustment
### Key Features
**Volume-Filtered Levels**
- Support levels are identified at pivot lows with above-average positive volume
- Resistance levels are identified at pivot highs with below-average negative volume
- Customizable volume filter length to adjust sensitivity
**Visual Box System**
- Green boxes indicate potential support zones
- Red boxes indicate potential resistance zones
- Box transparency and color intensity reflect relative volume strength
- Boxes extend dynamically as new bars form
**Break and Retest Detection**
- Monitors price interaction with identified levels
- Visual markers (diamonds) indicate when levels hold or break
- Color changes when support becomes resistance (and vice versa)
- Text labels identify significant breakout events
## Educational Benefits
**For Technical Analysis Learning**
- Demonstrates the relationship between volume and price levels
- Shows how support/resistance concepts work in real market conditions
- Illustrates the concept of role reversal (support becoming resistance)
**For Market Structure Understanding**
- Helps visualize significant price levels based on market participation (volume)
- Shows how institutional activity (high volume) can create lasting price levels
- Educational tool for understanding market psychology at key levels
## Configuration Options
**Adjustable Parameters**
- Lookback Period: Controls sensitivity of pivot point detection (default: 20)
- Delta Volume Filter Length: Adjusts volume filtering sensitivity (default: 2)
- Box Width Adjustment: Customizes visual box width using ATR calculation (default: 1.0)
## Important Disclaimers
**Educational Purpose Only**
This indicator is designed for educational and informational purposes to help traders understand support/resistance concepts and volume analysis. It should not be used as the sole basis for trading decisions.
**No Predictive Guarantees**
- Past performance and historical patterns do not guarantee future results
- Market conditions can change rapidly, affecting the relevance of identified levels
- Support and resistance levels can fail, and breakouts can result in false signals
**Risk Considerations**
- All trading involves risk of loss
- Users should combine this tool with comprehensive market analysis
- Consider multiple timeframes and confirmation signals before making trading decisions
- Always use proper risk management techniques
## Best Practices for Use
**Complementary Analysis**
- Use alongside other technical analysis tools and indicators
- Confirm signals with price action, momentum, and trend analysis
- Consider multiple timeframe perspectives
**Risk Management**
- Never risk more than you can afford to lose
- Use appropriate position sizing
- Set stop-loss levels based on your risk tolerance
- Consider market volatility and conditions
**Continuous Learning**
- Study how the indicator performs in different market conditions
- Practice on demo accounts before live trading
- Understand the limitations of any technical analysis tool
## Technical Specifications
- Compatible with Pine Script v6
- Overlay indicator designed for price charts
- Maximum 50 boxes displayed to maintain chart clarity
- Real-time updates as new price/volume data becomes available
---
**Disclaimer**: This indicator is an educational tool for technical analysis learning. Trading involves substantial risk of loss and is not suitable for all investors. Past performance does not guarantee future results. Always conduct your own research and consider your financial situation before making trading decisions.
CRT IndicatorCRT Indicator, designed to help you spot high-probability reversal setups in the markets. This indicator is built to catch those sneaky "trap" patterns where the market lures traders in before reversing, and it’s now smarter with multi-timeframe trend filtering to keep you trading in the direction of the bigger picture.
The CRT Indicator identifies two key patterns:
Bullish CRT (CRT LOW): A bearish candle followed by a bullish candle that dips below the first candle’s low but closes within its range. This often signals a buying opportunity on pullbacks in an uptrend.
Bearish CRT (CRT HIGH): A bullish candle followed by a bearish candle that pushes above the first candle’s high but closes within its range. This can indicate a selling opportunity on rallies in a downtrend.
To make sure you’re getting the best setups, I’ve added filters:
The first candle needs a strong body (bigger than the 14-period ATR).
The second candle’s body is smaller, showing weakening momentum.
Higher volume on the second candle, hinting at a potential trap.
The game-changer? It only shows patterns that align with the trend on a higher timeframe (default: Daily, 200-period EMA). So, if the daily chart is in an uptrend, you’ll only see Bullish CRTs on your H1 or H4 chart for pullbacks. If the daily’s in a downtrend, only Bearish CRTs pop up for rallies. You can tweak the higher timeframe and moving average settings to match your trading style—works great for scalpers on lower timeframes too!
Market Intelligence V.2.0Market Intelligence V.2.0 - Multi-Timeframe Trend Analysis
A comprehensive trend analysis tool that displays real-time market intelligence across multiple timeframes
(15M, 30M, 1H, Daily) in a clean table format.
Key Features:
• Multi-timeframe EMA trend analysis with slope calculations
• RSI momentum indicator (14-period)
• VWAP position tracking
• EMA 200 long-term trend reference
• Color-coded bullish/bearish signals
• Trend strength percentages
What You'll See:
The indicator displays a table in the top-right corner showing trend direction and strength for each
timeframe, plus key technical levels. Green indicates bullish conditions, red shows bearish, with percentage
values showing trend momentum.
Best For:
Swing traders and day traders who need quick visual confirmation of trend alignment across multiple timeframes
before entering positions.
K-Rib VWAP Crossover — On The Mark TradingK-Rib VWAP Crossover — User Guide
What it is
A fast, rule-based crossover system built on a Kalman-smoothed moving-average ribbon (“K-Rib”).
It plots a Fast line (inner rib) and a Slow line (outer rib). Trades trigger when the Fast crosses the Slow, with optional slope, compression, buffer, and VWAP filters to cut noise. Non-repaint mode is supported.
How signals are built
Kalman + Ribbon
Price is filtered with a 1-D Kalman filter (R = measurement noise, Q = process noise), then optionally smoothed (RMA/EMA).
A rib set turns that baseline into multiple lengths; the script uses s1 (fastest rib) and the outermost rib as Fast/Slow.
Buffered crossover
Long when Fast > Slow + buffer and it was not above by buffer on the prior bar.
Short when Fast < Slow − buffer and it was not below by buffer on the prior bar.
Buffer can be None, % of price, or ATR × multiplier (default).
Filters (optional)
Slope: require the midline slope to agree (up for longs, down for shorts).
Compression gate: only allow signals if the ribbon was tight on the previous bar (true breakout behavior).
Bar-close confirm: waits for the bar to close → non-repaint.
VWAP bias (optional)
Longs only if price is above VWAP (or above upper band if you require bands).
Shorts only if below VWAP (or below lower band).
Alerts fire on final (filtered) long/short signals.
Presets (one-click)
Breakout (Tight / Standard / Loose)
Sets compression & ATR buffer for you. Use Tight for very noisy LTFs, Loose for smoother HTFs/trending markets.
Custom
You control everything (confirm, slope, compression, buffer type/value).
Inputs cheat-sheet
Kalman (R, Q, Smoothing):
Higher R → trust price less → slower/smoother.
Higher Q → allow more state change → faster/snappier.
Ribbon: number of ribs & MA type for the baseline (RMA/EMA). Crossover uses s1 vs outermost.
Crossover:
Confirm on close = non-repaint.
Slope agreement = trend-aligned signals.
Compression = breakout-style filter; threshold is fraction of price.
Buffer = None / % / ATR× (robust across symbols/TFs).
VWAP:
Enable bias, require band breach or not, sigma and length.
Optional plots for VWAP and bands.
Visuals:
Fast/Slow colors change with slope; optional fill; tiny L/S markers on signals.
Quick start (sensible defaults)
5–15m crypto/FX: Preset = Breakout (Standard), ATR len 14, buffer × 0.06, Compression ≤ 0.012, Confirm on close ON, Slope ON, VWAP bias OFF (or ON during sessions).
1H–4H swing: Try Loose preset; you can raise R a bit (smoother) and keep slope ON.
How to trade it (simple)
Breakout-continuation
Take Long when long signal prints; SL under local swing or 0.7–1.0× ATR; TP at 1.5–2R or trail.
Fade the failed cross (advanced)
If a signal prints against HTF bias and quickly fails back through Slow, fade back into the HTF direction (use at your discretion).
Tip: Combine with HTF bias (e.g., 1H trend UP) and trade LTF signals with that bias.
Repainting note
With Confirm on close = ON, the signal is locked at bar close (no repaint).
Turning it OFF allows early prints that can flip intrabar.
Best practices
Prefer ATR buffer over raw % for instruments with changing volatility.
Tighten compression threshold for scalping; relax for HTFs.
Avoid trading into high-impact news; widen buffers in high-vol regimes.
Disclaimer: Educational use only. Not financial advice. Trade responsibly.
Ramen & OJ V1Ramen & OJ V1 — Strategy Overview
Ramen & OJ V1 is a mechanical price-action system built around two entry archetypes—Engulfing and Momentum—with trend gates, session controls, risk rails, and optional interval take-profits. It’s designed to behave the same way you’d trade it manually: wait for a qualified impulse, enter with discipline (optionally on a measured retracement), and manage the position with clear, rules-based exits.
Core Idea (What the engine does)
At its heart, the strategy looks for a decisive candle, then trades in alignment with your defined trend gates and flattens when that bias is no longer valid.
Entry Candle Type
Engulfing: The body of the current candle swallows the prior candle’s body (classic momentum shift).
Momentum: A simple directional body (close > open for longs, close < open for shorts).
Body Filter (lookback): Optional guard that requires the current body to be at least as large as the max body from the last N bars. This keeps you from chasing weak signals.
Primary MA (Entry/Exit Role):
Gate (optional): Require price to be above the Primary MA for longs / below for shorts.
Exit (always): Base exit occurs when price closes back across the Primary MA against your position.
Longs: qualifying bullish candle + pass all enabled filters.
Shorts: mirror logic.
Entries (Impulse vs. Pullback)
You choose how aggressive to be:
Market/Bars-Close Entry: Fire on the bar that confirms the signal (respecting filters and sessions).
Retracement Entry (optional): Instead of chasing the close, place a limit around a configurable % of the signal candle’s range (e.g., 50%). This buys the dip/sells the pop with structure, often improving average entry and risk.
Flip logic is handled: when an opposite, fully-qualified signal appears while in a position, the strategy closes first and then opens the new direction per rules.
Exits & Trade Management
Primary Exit: Price closing back across the Primary MA against your position.
Interval Take-Profit (optional):
Pre-Placed (native): Automatically lays out laddered limit targets every X ticks with OCO behavior. Each rung can carry its own stop (per-rung risk). Clean, broker-like behavior in backtests.
Manual (legacy): Closes slices as price steps through the ladder levels intrabar. Useful for platforms/brokers that need incremental closes rather than bracketed OCOs.
Per-Trade Stop: Choose ticks or dollars, and whether the $ stop is per position or per contract. When pre-placed TP is on, each rung uses a coordinated OCO stop; otherwise a single hard stop is attached.
Risk Rails (Session P&L Controls)
Session Soft Lock: When a session profit target or loss limit is hit, the strategy stops taking new trades but does not force-close open positions.
Session Hard Lock: On reaching your session P&L limit, all orders are canceled and the strategy flattens immediately. No new orders until the next session.
These rails help keep good days good and bad days survivable.
Filters & How They Work Together
1) Trend & Bias
Primary MA Gate (optional): Only long above / only short below. This keeps signals aligned with your primary bias.
Primary MA Slope Filter (optional): Require a minimum up/down slope (in degrees over a defined bar span). It’s a simple way to force impulse alignment—green light only when the MA is actually moving up for longs (or down for shorts).
Secondary MA Filter (optional): An additional trend gate (SMA/EMA, often a 200). Price must be on the correct side of this higher-timeframe proxy to trade. Great for avoiding countertrend picks.
How to combine:
Use Secondary MA as the “big picture” bias, Primary MA gate as your local regime check, and Slope to ensure momentum in that regime. That three-layer stack cuts a lot of chop.
2) Volatility/Exhaustion
CCI Dead Zone Filter (optional): Trades only when CCI is inside a specified band (default ±200). This avoids entries when price is extremely stretched; think of it as a no-chase rule.
TTM Squeeze Filter (optional): When enabled, the strategy avoids entries during a squeeze (Bollinger Bands inside Keltner Channels). You’re effectively waiting for the release, not the compression itself. This plays nicely with momentum entries and the slope gate.
How to combine:
If you want only the clean breaks, enable Slope + Squeeze; if you want structure but fewer chases, add CCI Dead Zone. You’ll filter out a lot of low-quality “wiggle” trades.
3) Time & Market Calendar
Sessions: Up to two session windows (America/Chicago by default), with background highlights.
Good-Till-Close (GTC): When ON, trades can close outside the session window; when OFF, all positions are flattened at session end and pending orders canceled.
Market-Day Filters: Skip US listed holidays and known non-full Globex days (e.g., Black Friday, certain eves). Cleaner logs and fewer backtest artifacts.
How to combine:
Run your A-setup window (e.g., cash open hour) with GTC ON if you want exits to obey system rules even after the window, or GTC OFF if you want the book flat at the bell, no exceptions.
Practical Profiles (mix-and-match presets)
Trend Rider: Primary MA gate ON, Slope filter ON, Secondary MA ON, Retracement ON (50%).
Goal: Only take momentum that’s already moving, buy the dip/sell the pop back into trend.
Structure-First Pullback: Primary MA gate ON, Secondary MA ON, CCI Dead Zone ON, Retracement 38–62%.
Goal: Filter extremes, use measured pullbacks for better R:R.
Break-Only Mode: Slope ON + Squeeze filter ON (avoid compression), Body filter ON with short lookback.
Goal: Only catch clean post-compression impulses.
Session Scalper: Tight session window, GTC OFF, Interval TP ON (small slices, short rungs), per-trade tick stop.
Goal: Quick hits in a well-defined window, always flat after.
Automation Notes
The system is built with intrabar awareness (calc_on_every_tick=true) and supports bracket-style behavior via pre-placed interval TP rungs. For webhook automation (e.g., TradersPost), keep chart(s) open and ensure alerts are tied to your order events or signal conditions as implemented in your alert templates. Always validate live routing with a small-size shakedown before scaling.
Tips, Caveats & Good Hygiene
Intrabar vs. Close: Backtests can fill intrabar where your broker might not. The pre-placed mode helps emulate OCO behavior but still depends on feed granularity.
Slippage & Fees: Set realistic slippage/commission in Strategy Properties to avoid fantasy equity curves.
Session Consistency: Use the correct timezone and verify that your broker’s session aligns with your chart session settings.
Don’t Over-stack Filters: More filters ≠ better performance. Start with trend gates, then add one volatility filter if needed.
Disclosure
This script is for educational purposes only and is not financial advice. Markets carry risk; only trade capital you can afford to lose. Test thoroughly on replay and paper before using any automated routing.
TL;DR
Identify a decisive candle → pass trend/vol filters → (optionally) pull back to a measured limit → scale out on pre-planned rungs → exit on Primary MA break or session rule. Clear, mechanical, repeatable.
WAVE (Fusion B-L/S)Title: WAVE (Fusion B-L/S)
This strategy executes entries and exits according to the logic described below; set capital, commission and slippage in Properties to match publication defaults.
Esta estrategia ejecuta entradas y salidas según la lógica descrita abajo; ajusta capital, comisión y slippage en Propiedades para que coincidan con los valores por defecto de la publicación.
Overview
• Timeframe: 5 minutes. Market: /MNQ (Micro E-mini Nasdaq-100 futures).
• Entries: EMA cross confirmation + VWAP proximity + Weinstein (WSA) + volatility gate (ATR by default, optional Regime filter ADX+ATRrel).
• Management: fixed SL/TP per direction + trailing stop (step-line) + optional auto-close by bars + on-chart bars counter.
• Signals/Webhooks: supports “Order fills (alert_message)”, “alert() only”, or “Both (debug)”. RTH gate affects only alert sending (not backtest).
• Version tag in payloads: mnq_wave_v4.
Core Logic (concise)
• Long: fast EMA crosses above slow EMA, plus WSA long condition, VWAP proximity (price above smoothed VWAP within % window), and volatility OK (ATR or Regime). One position at a time.
• Short: fast EMA crosses below slow EMA with fast<slow, plus WSA short, VWAP proximity (price below VWAP within % window), and volatility OK. One position at a time.
• Exits: directional TP, directional SL, or trailing stop (activates after % run-up/run-down from entry). Optional auto-close after N bars. Bars label shows “LONG/SHORT x/y”.
What’s New in this Update (non-breaking)
• CME Break Shield (NY time): protects around 17:00–18:00 NY with configurable pre/post buffers. Helps avoid clustered signals near the daily CME break.
• Session Entry Filter (NY): optional blocks for Sunday 18:00–18:16 and Mon–Thu 17:00–17:16.
• Webhook RTH Gate: optional limit to send alerts only between 09:30–16:00 NY with a cutoff buffer before the close. This DOES NOT change backtest fills—only alert dispatch timing.
• Payloads remain unchanged and include meta {ch:"advice"|"signal"} and version "mnq_wave_v4".
Properties (set these defaults for fair, realistic results)
• Initial capital: 10,000 (USD).
• Commission: Cash per order = 1.42.
• Slippage: 1–2 ticks recommended for /MNQ (set in Properties → Slippage).
• Order size: 1 contract (fixed).
• Pyramiding: off (flat-only).
• Backtest fill limits assumption: 0.
• Bar close confirmation: entries and exits evaluate on confirmed bars.
Key Inputs (high-level)
• EMA (per side): Fast=5, Slow=13 (type/source selectable).
• VWAP (per side): smoothed VWAP (default SMA 22); proximity gate (Long 1.1%, Short 0.3%).
• WSA: SMA(23) slope and simple volume confirmation per side.
• Volatility:
– Default ATR filter with length/smoothing per side, threshold=8.0.
– Optional Regime filter (ADX + ATR relative): modes “Block Chop Only”, “Trend Only”, “Trend + Transition”; optional DI bias.
• Management:
– Long: SL 1.2%, TP 2.7%, trailing start 0.5%, trail 0.4%.
– Short: SL 1.0%, TP 4.5%, trailing start 0.5%, trail 0.4%.
– Optional auto-close by bars (default 20) + on-chart bars counter label.
• Direction selector: Both / Longs Only / Shorts Only.
Alerts / Webhooks (summary)
• “Order fills (alert_message)”: attaches an execution-style JSON; optional include SL/TP on entries.
• “alert() only”: pushes pre-built JSON for /advice or /signal; quantity from input.
• “Both (debug)”: emits both simultaneously.
• RTH gate (if enabled) restricts sending window only; strategy/backtest logic and fills do not change.
Usage Notes
• Set the chart timezone to America/New_York to keep session gates aligned.
• This strategy does not repaint; signals confirm on bar close.
• Risk discipline: keep per-trade risk under 5–10% of account; results vary across brokers due to slippage, margins, and fees.
Changelog (update)
• Added CME Break Shield and NY filters near the CME break (17:00–18:00 NY) and early reopening minutes.
• Added optional RTH send-window for alert/webhook dispatch only (unchanged trading logic and backtest).
• No removals of plots/inputs; prior payload structure preserved (version "mnq_wave_v4").
----------------------------------------------------------------------------------------------------------------------
Estrategia 5m para /MNQ: entradas por cruce de EMAs + proximidad a VWAP y WSA, con filtro de volatilidad (ATR por defecto o Regime ADX+ATRrel). Gestión con SL/TP por lado, trailing stop y cierre opcional por barras (contador en gráfico). Incluye “CME Break Shield” y filtros NY; la compuerta RTH limita solo el envío de alertas (backtest sin cambios). Soporta Order fills, alert() o ambos; payloads con versión mnq_wave_v4.
Astra Flow V1Astra Flow V1 is an all-in-one trading framework designed to bring structure and clarity to price action.
It combines:
Super trend logic for trend direction
Market Structure for shifts in control
Fair Value Gaps & Liquidity zones for smart money concepts
Auto-Fibonacci & Gann swings for confluence
Volume Profile overlays to highlight key levels
Dynamic alerts for long/short setups
Compression Zones by @crypto.erkeCompression Zones - a handy tool I whipped up to spot those quiet moments in the market where volatility drops low. These compression zones often hint at big breakouts or trend shifts.
Key Features:
Volatility Check: I built it with Standard Deviation or ATR, using a 14-period lookback and 50-period SMA to track those calm patches.
Compression Alert: You’ll see a "+" pop up just above the candle when a zone kicks in, with an alert hitting you at candle close—simple and to the point.
Last 20 Zones: Keeps the last 20 zones on your chart so you can glance back at the action.
Tweak It: Defaults are set, but hidden inputs let you play around if you’re feeling adventurous.
How to Use:
Drop it on your chart.
Set an alert for "Compression found" to catch those sweet spots.
Keep an eye on the "+" - great for planning your next move in or out.
Notes:
Works like a charm on crypto, but it’s versatile for any asset.
Hidden settings are there if you want to dig deeper.
The "+" stays put pretty well, even when you zoom—thanks to some label magic I figured out!
Imbalance (FVG)Indicator Description
This script is designed to automatically identify and visualize Fair Value Gaps (FVGs), also known as Imbalances, on your chart. An FVG is a key price action concept that highlights areas where the price moved swiftly, leaving a gap behind. This indicator is simple to use and fully customizable, making it an excellent tool for both novice and experienced traders.
Key Features
Automatic Detection: The indicator scans the market in real-time, automatically drawing FVG zones for both Bullish and Bearish moves.
Mitigation Tracking: When the price returns to an FVG zone, the indicator automatically marks it as "mitigated" (filled) by changing its color and style. This provides a clear signal that the imbalance has been neutralized.
Extend Zones Into the Future: Unmitigated FVG zones are automatically extended into the future, allowing them to be used as potential future support or resistance levels.
Full Customization: The user has complete control over the indicator's appearance. You can change the colors for bullish, bearish, and mitigated zones, as well as toggle their visibility on and off.
Performance Optimization: A built-in limit for the number of drawn objects prevents chart clutter and avoids errors from TradingView's drawing limits, ensuring smooth performance.
How to Use?
FVG zones can be used in various ways, including:
Price Magnets: Markets often tend to revert to "fill" these gaps.
Potential Entry Points: Price entering an FVG zone can present an opportunity to open a position, especially if confirming signals appear.
Support/Resistance Zones: Unfilled gaps can act as strong, dynamic levels of support or resistance.
ICT Institutional Order Flow (Riz)This indicator implements Inner Circle Trader (ICT) institutional order flow concepts to identify high-probability entry points where smart money is actively participating in the market. It combines volume analysis, market structure, and price action patterns to detect institutional accumulation and distribution zones.
Core Concepts & Methodology
1. Institutional Order Blocks Detection
Order blocks represent the last opposing candle before a strong directional move, indicating institutional accumulation (bullish) or distribution (bearish) zones.
How it works:
⦁ Identifies the final bearish candle before bullish expansion (accumulation)
⦁ Identifies the final bullish candle before bearish expansion (distribution)
⦁ Validates with volume spike (2x average) to confirm institutional participation
⦁ Requires minimum 0.5% price displacement to filter weak moves
⦁ Tracks these zones as future support/resistance levels
2. Fair Value Gap (FVG) Analysis
FVGs are price inefficiencies created by aggressive institutional orders that leave gaps in price action.
Detection method:
⦁ Bullish FVG: When current low > high from 2 bars ago
⦁ Bearish FVG: When current high < low from 2 bars ago
⦁ Minimum gap size filter (0.1% default) eliminates noise
⦁ Monitors gap fills with volume for entry signals
⦁ Gaps act as magnets drawing price back for "rebalancing"
3. Liquidity Hunt Detection
Institutions often trigger retail stop losses before reversing direction, creating liquidity for their positions.
Algorithm:
⦁ Calculates rolling 20-period highs/lows as liquidity pools
⦁ Detects wicks beyond these levels (0.1% sensitivity)
⦁ Identifies rejection back inside range (liquidity grab)
⦁ Volume spike confirmation ensures institutional involvement
⦁ These reversals often mark significant turning points
4. Volume Profile Integration
Analyzes volume distribution across price levels to identify institutional interest zones.
Components:
⦁ Point of Control (POC): Price level with highest volume (institutional consensus)
⦁ Value Area: 70% of volume range (institutional comfort zone)
⦁ Uses 50-bar lookback to build volume histogram
⦁ 20 price levels for granular distribution analysis
5. Market Structure Analysis
Determines overall trend bias using pivot points and swing analysis.
Process:
⦁ Identifies swing highs/lows using 3-bar pivots
⦁ Bullish structure: Price above last swing high
⦁ Bearish structure: Price below last swing high
⦁ Filters signals to trade with institutional direction
Signal Generation Logic
BUY signals trigger when ANY condition is met:
1. Order Block Formation: Bearish-to-bullish transition + volume spike + strong move
2. Liquidity Grab Reversal: Sweep below lows + recovery + volume spike
3. FVG Fill: Price fills bullish gap with institutional volume (within 3 bars)
4. Order Block Respect: Price bounces from previous bullish OB + volume
SELL signals trigger when ANY condition is met:
1. Order Block Formation: Bullish-to-bearish transition + volume spike + strong move
2. Liquidity Grab Reversal: Sweep above highs + rejection + volume spike
3. FVG Fill: Price fills bearish gap with institutional volume (within 3 bars)
4. Order Block Respect: Price rejects from previous bearish OB + volume
Additional filters:
⦁ Signals align with market structure (no counter-trend trades)
⦁ No new signals while position is active
⦁ All signals require volume confirmation (institutional fingerprint)
Trading Style Auto-Configuration
The indicator features intelligent preset configurations for different trading styles:
Scalping Mode (1-5 min charts):
⦁ Volume multiplier: 1.5x (more signals)
⦁ Tighter parameters for quick trades
⦁ Risk:Reward 1.5:1, ATR multiplier 1.0
Day Trading Mode (15-30 min charts):
⦁ Volume multiplier: 1.7x (balanced)
⦁ Medium sensitivity settings
⦁ Risk:Reward 2:1, ATR multiplier 1.5
Swing Trading Mode (1H-4H charts):
⦁ Volume multiplier: 2.0x (quality focus)
⦁ Conservative parameters
⦁ Risk:Reward 3:1, ATR multiplier 2.0
Custom Mode:
⦁ Full manual control of all parameters
Visual Components
⦁ Order Blocks: Colored rectangles (green=bullish, red=bearish)
⦁ Fair Value Gaps: Orange boxes showing imbalances
⦁ Liquidity Levels: Dashed blue lines at key highs/lows
⦁ Volume Spikes: Yellow background highlighting
⦁ POC Line: Orange line showing highest volume price
⦁ Value Area: Blue shaded zone of 70% volume
⦁ Buy/Sell Signals: Triangle markers with text labels
⦁ Stop Loss/Take Profit: Dotted lines (red/green)
Information Panel
Real-time dashboard displaying:
⦁ Current trading mode
⦁ Volume ratio (current vs average)
⦁ Market structure (bullish/bearish)
⦁ Active order blocks count
⦁ Position status
⦁ Configuration details
How to Use
Step 1: Select Trading Style
Choose your style in settings - all parameters auto-adjust
Step 2: Timeframe Selection
⦁ Scalping: 1-5 minute charts
⦁ Day Trading: 15-30 minute charts
⦁ Swing: 1H-4H charts
Step 3: Signal Interpretation
⦁ Wait for BUY/SELL markers
⦁ Check volume ratio >2 for strong signals
⦁ Verify market structure alignment
⦁ Note automatic SL/TP levels
Step 4: Risk Management
⦁ Default 2:1 risk:reward (adjustable)
⦁ Stop loss: 1.5x ATR from entry
⦁ Position sizing based on stop distance
Best Practices
1. Higher probability setups occur when multiple conditions align
2. Volume confirmation is crucial - avoid signals without volume spikes
3. Trade with structure - longs in bullish, shorts in bearish structure
4. Monitor POC - acts as dynamic support/resistance
5. Confluence zones where OBs, FVGs, and liquidity levels overlap are strongest
Important Notes
⦁ Not a standalone system - combine with your analysis
⦁ Works best in trending markets with clear structure
⦁ Adjust settings based on instrument volatility
⦁ Backtest thoroughly on your specific markets
⦁ Past performance doesn't guarantee future results
Alerts Available
⦁ ICT Buy Signal
⦁ ICT Sell Signal
⦁ Volume Spike Detection
⦁ Liquidity Grab Detection
This indicator provides a systematic approach to ICT concepts, helping traders identify where institutions are entering positions through volume analysis and key price action patterns. The auto-configuration feature ensures optimal settings for your trading style without manual adjustment.
Disclaimer
This tool is for educational and research purposes only. It is not financial advice, nor does it guarantee profitability. All trading involves risk, and users should test thoroughly before applying live.