Consolidation Range with Signals (Zeiierman)█  Overview 
 Consolidation Range with Signals (Zeiierman)  is a precision tool for identifying and trading market consolidation zones, where price contracts into tight ranges before significant movement. It provides dynamic range detection using either ADX-based trend strength or volatility compression metrics, and offers built-in take profit and stop loss signals based on breakout dynamics.
  
Whether you trade breakouts, range reversals, or trend continuation setups, this indicator visualizes the balance between supply and demand with clearly defined mid-bands, breakout zones, and momentum-sensitive TP/SL placements.
  
█  How It Works 
 ⚪  Multi-Method Range Detection 
 ADX Mode 
Uses the Average Directional Index (ADX) to detect low-trend-strength environments. When ADX is below your selected threshold, price is considered to be in consolidation.
 Volatility Mode 
This mode detects consolidation by identifying periods of volatility compression. It evaluates whether the following metrics are simultaneously below their respective historical rolling averages:
 
 Standard Deviation
 Variance
 Average True Range (ATR)
 
⚪  Dynamic Range Band System 
Once a range is confirmed, the system builds a dynamic band structure using a volatility-based filter and price-jump logic:
 
 Middle Line (Trend Filter):  Reacts to price imbalance using adaptive jump logic.
 Upper & Lower Bands:  Calculated by expanding from the middle line using a configurable multiplier.
 
This creates a clean, visual box that reflects current consolidation conditions and adapts as price fluctuates within or escapes the zone.
⚪  SL/TP Signal Engine 
On detection of a breakout from the range, the indicator generates up to 3 Take Profit levels and one Stop Loss, based on the breakout direction:
 
 All TP/SL levels  are calculated using the filtered base range and multipliers.
 Cooldown logic  ensures signals are not spammed bar-to-bar.
 Entries are visualized  with colored lines and labeled levels.
 
This feature is ideal for traders who want automated risk and reward reference points for range breakout plays. 
█  How to Use 
⚪  Breakout Traders 
Use the SL/TP signals when the price breaks above or below the range bands, especially after extended sideways movement. You can customize how far TP1, TP2, and TP3 sit from the entry using your own risk/reward profile.
  
⚪  Mean Reversion Traders 
Use the bands to locate high-probability reversion zones. These serve as reference zones for scalping or fade entries within stable consolidation phases.
  
█  Settings 
 
 Range Detection Method  – Choose between ADX or Volatility compression to define range criteria.
 Range Period  – Determines how many bars are used to compute trend/volatility.
 Range Multiplier  – Scales the width of the consolidation zone.
 SL/TP System  – Optional levels that project TP1/TP2/TP3 and SL from the base price using multipliers.
 Cooldown  – Prevents repeated SL/TP signals from triggering too frequently.
 ADX Threshold & Smoothing  – Adjusts sensitivity of trend strength detection.
 StdDev / Variance / ATR Multipliers  – Fine-tune compression detection logic.
 
-----------------
Disclaimer
The content provided in my scripts, indicators, ideas, algorithms, and systems is for educational and informational purposes only. It does not constitute financial advice, investment recommendations, or a solicitation to buy or sell any financial instruments. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, backtest, or individual's trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.
חפש סקריפטים עבור "imbalance"
MirPapa:ICT:HTF: FVG OB Threeple# MirPapa:ICT:HTF: FVG OB (Fair Value Gap Order Block)
**Version:** Pine Script® v6  
**Author:** © goodia  
**License:** MPL-2.0 (Mozilla Public License 2.0)
---
## Overview  
“FVG OB” (Fair Value Gap Order Block) identifies higher-timeframe candle ranges where a gap (imbalance) exists between two non-consecutive candles, signaling potential institutional order blocks. This module draws bullish or bearish FVG OB boxes on your lower-timeframe chart, extends them until price interacts a specified number of times, and then finalizes (recolors) the box.
---
## Inputs  
- **Enable FVG OB Boxes** (`bool`)  
  Toggle drawing of HTF FVG OB boxes on the chart.
- **Enable FVG OB Midlines** (`bool`)  
  Toggle drawing of a midpoint line inside each FVG OB box.
- **FVG OB Close Count** (`int` 1–10)  
  Number of HTF closes beyond the FVG range required to finalize (recolor) the box.
- **FVG OB Bull Color** (`color`)  
  Fill & border color for bullish FVG OB boxes.
- **FVG OB Bear Color** (`color`)  
  Fill & border color for bearish FVG OB boxes.
- **FVG OB Box Transparency** (`int` 1–100)  
  Opacity level for FVG OB box fills (higher = more transparent).
---
## How It Works
1. **HTF Data Retrieval**  
   - The script uses `request.security()` (via `GetHTFrevised()`) to fetch HTF OHLC and historical values:  
     - `_htfHigh3` (high three bars ago) and `_htfLow1` (low one bar ago) for bullish FVG OB.  
     - `_htfLow3` (low three bars ago) and `_htfHigh1` (high one bar ago) for bearish FVG OB.  
   - It also tracks the HTF `bar_index` on the lower timeframe to align drawing.
2. **FVG OB Detection**  
   - **Bullish FVG OB**: Occurs when the HTF low of the previous bar (`low `) is strictly above the HTF high of three bars ago (`high `), creating a gap.  
   - **Bearish FVG OB**: Occurs when the HTF high of the previous bar (`high `) is strictly below the HTF low of three bars ago (`low `), creating a gap.
3. **Box Creation**  
   - On each new HTF bar (`ta.change(time(HTF)) != 0`), if a bullish or bearish FVG OB condition is met, the script calls `CreateBoxData()` with:  
     - **Bullish**: `bottom = HTF low `, `top = HTF high `, `_isBull = true`.  
     - **Bearish**: `bottom = HTF low `, `top = HTF high `, `_isBull = false`.  
     - Midline toggled by input.  
   - A `BoxData` struct is created and stored in either the Bull or Bear array.
4. **Box Extension & Finalization**  
   - On **every LTF bar**, `ProcessBoxDatas(...)` iterates over all active FVG OB boxes:  
     1. **Extend Right Edge**: `box.set_right(bar_index)` ensures the box follows the latest bar.  
     2. **Record Volume Delta**: Tracks buy/sell volume inside the box.  
     3. **Touch Stage Update**: `modBoxUpdateStage()` increments `_stage` when price touches its “basePoint” (for FVG OB, the basePrice is one side of the gap).  
     4. **Finalize**: `setBoxFinalize()` checks if the configured number of closes beyond the FVG gap (`FVG OB Close Count`) has occurred. If so:  
        - `_isActive := false`  
        - Border and background colors are changed to the “Box Close Color” (input).  
   - Finalized boxes remain on screen semi-transparent, indicating that the FVG OB zone has been tested.
5. **Midline (Optional)**  
   - If “Enable FVG OB Midlines” is checked, `ProcessBoxDatas()` also extends a horizontal midpoint line inside the box with `line.set_x2(bar_index)`.
---
## Usage Instructions  
1. **Installation**  
   - Copy the FVG OB section of the Pine Script into TradingView’s Pine Editor (ensure the library import is included).  
   - Click “Add to Chart.”
2. **Configure Inputs**  
   - Choose a Higher Time Frame via the dropdown (e.g., “4시간” maps to a 4H timeframe).  
   - Toggle “Enable FVG OB Boxes” and “Enable FVG OB Midlines.”  
   - Select colors for bullish and bearish boxes and set transparency.  
   - Adjust “FVG OB Close Count” to control how many closes beyond the gap finalize the box.
3. **Interpretation**  
   - **Active FVG OB Boxes** extend to the right until price closes beyond the gap range the specified number of times.  
   - When finalized, each box changes to the “Box Close Color,” signaling that institutional orders in that gap have likely been filled.
Enjoy precise visualization of higher-timeframe Fair Value Gap Order Blocks on your lower-timeframe chart!
FvgCalculations█ OVERVIEW 
This library provides the core calculation engine for identifying Fair Value Gaps (FVGs) across different timeframes and for processing their interaction with price. It includes functions to detect FVGs on both the current chart and higher timeframes, as well as to check for their full or partial mitigation.
 █ CONCEPTS 
The library's primary functions revolve around the concept of Fair Value Gaps and their lifecycle.
 Fair Value Gap (FVG) Identification 
An FVG, or imbalance, represents a price range where buying or selling pressure was significant enough to cause a rapid price movement, leaving an "inefficiency" in the market. This library identifies FVGs based on three-bar patterns:
 
   Bullish FVG:  Forms when the low of the current bar (bar 3) is higher than the high of the bar two periods prior (bar 1). The FVG is the space between the high of bar 1 and the low of bar 3.
   Bearish FVG:  Forms when the high of the current bar (bar 3) is lower than the low of the bar two periods prior (bar 1). The FVG is the space between the low of bar 1 and the high of bar 3.
 
The library provides distinct functions for detecting FVGs on the current (Low Timeframe - LTF) and specified higher timeframes (Medium Timeframe - MTF / High Timeframe - HTF).
 FVG Mitigation 
Mitigation refers to price revisiting an FVG.
 
   Full Mitigation:  An FVG is considered fully mitigated when price completely closes the gap. For a bullish FVG, this occurs if the current low price moves below or touches the FVG's bottom. For a bearish FVG, it occurs if the current high price moves above or touches the FVG's top.
   Partial Mitigation (Entry/Fill):  An FVG is partially mitigated when price enters the FVG's range but does not fully close it. The library tracks the extent of this fill. For a bullish FVG, if the current low price enters the FVG from above, that low becomes the new effective top of the remaining FVG. For a bearish FVG, if the current high price enters the FVG from below, that high becomes the new effective bottom of the remaining FVG.
 
 FVG Interaction 
This refers to any instance where the current bar's price range (high to low) touches or crosses into the currently unfilled portion of an active (visible and not fully mitigated) FVG.
 Multi-Timeframe Data Acquisition 
To detect FVGs on higher timeframes, specific historical bar data (high, low, and time of bars at indices   and   relative to the higher timeframe's last completed bar) is required. The requestMultiTFBarData function is designed to fetch this data efficiently.
 █ CALCULATIONS AND USE 
The functions in this library are typically used in a sequence to manage FVGs:
 1. Data Retrieval (for MTF/HTF FVGs): 
 
  Call requestMultiTFBarData() with the desired higher timeframe string (e.g., "60", "D").
  This returns a tuple of htfHigh1, htfLow1, htfTime1, htfHigh3, htfLow3, htfTime3.
 
 2. FVG Detection: 
 
   For LTF FVGs:  Call detectFvg() on each confirmed bar. It uses high , low, low , and high along with barstate.isconfirmed.
   For MTF/HTF FVGs:  Call detectMultiTFFvg() using the data obtained from requestMultiTFBarData().
  Both detection functions return an fvgObject (defined in FvgTypes) if an FVG is found, otherwise na. They also can classify FVGs as "Large Volume" (LV) if classifyLV is true and the FVG size (top - bottom) relative to the tfAtr (Average True Range of the respective timeframe) meets the lvAtrMultiplier.
 
 3. FVG State Updates (on each new bar for existing FVGs): 
 
  First, check for overall price interaction using fvgInteractionCheck(). This function determines if the current bar's high/low has touched or entered the FVG's currentTop or currentBottom.
  If interaction occurs and the FVG is not already mitigated:
 
  Call checkMitigation() to determine if the FVG has been fully mitigated by the current bar's currentHigh and currentLow. If true, the FVG's isMitigated status is updated.
  If not fully mitigated, call checkPartialMitigation() to see if the price has further entered the FVG. This function returns the newLevel to which the FVG has been filled (e.g., currentLow for a bullish FVG, currentHigh for bearish). This newLevel is then used to update the FVG's currentTop or currentBottom.
 
 
The calling script (e.g., fvgMain.c) is responsible for storing and managing the array of fvgObject instances and passing them to these update functions.
 █ NOTES 
 
   Bar State for LTF Detection:  The detectFvg() function relies on barstate.isconfirmed to ensure FVG detection is based on closed bars, preventing FVGs from being detected prematurely on the currently forming bar.
   Higher Timeframe Data (lookahead):  The requestMultiTFBarData() function uses lookahead = barmerge.lookahead_on. This means it can access historical data from the higher timeframe that corresponds to the current bar on the chart, even if the higher timeframe bar has not officially closed. This is standard for multi-timeframe analysis aiming to plot historical HTF data accurately on a lower timeframe chart.
   Parameter Typing:  Functions like detectMultiTFFvg and detectFvg infer the type for boolean (classifyLV) and numeric (lvAtrMultiplier) parameters passed from the main script, while explicitly typed series parameters (like htfHigh1, currentAtr) expect series data.
   fvgObject Dependency:  The FVG detection functions return fvgObject instances, and fvgInteractionCheck takes an fvgObject as a parameter. This UDT is defined in the FvgTypes library, making it a dependency for using FvgCalculations.
   ATR for LV Classification:  The tfAtr (for MTF/HTF) and currentAtr (for LTF) parameters are expected to be the Average True Range values for the respective timeframes. These are used, if classifyLV is enabled, to determine if an FVG's size qualifies it as a "Large Volume" FVG based on the lvAtrMultiplier.
   MTF/HTF FVG Appearance Timing:  When displaying FVGs from a higher timeframe (MTF/HTF) on a lower timeframe (LTF) chart, users might observe that the most recent MTF/HTF FVG appears one LTF bar later compared to its appearance on a native MTF/HTF chart. This is an expected behavior due to the detection mechanism in `detectMultiTFFvg`. This function uses historical bar data from the MTF/HTF (specifically, data equivalent to `HTF_bar ` and `HTF_bar `) to identify an FVG. Therefore, all three bars forming the FVG on the MTF/HTF must be fully closed and have shifted into these historical index positions relative to the `request.security` call from the LTF chart before the FVG can be detected and displayed on the LTF. This ensures that the MTF/HTF FVG is identified based on confirmed, closed bars from the higher timeframe.
 
 █ EXPORTED FUNCTIONS 
 requestMultiTFBarData(timeframe) 
  Requests historical bar data for specific previous bars from a specified higher timeframe. 
  It fetches H , L , T  (for the bar before last) and H , L , T  (for the bar three periods prior)
from the requested timeframe. 
  This is typically used to identify FVG patterns on MTF/HTF. 
  Parameters:
     timeframe (simple string) : The higher timeframe to request data from (e.g., "60" for 1-hour, "D" for Daily). 
  Returns: A tuple containing:  . 
  - htfHigh1 (series float): High of the bar at index 1 (one bar before the last completed bar on timeframe). 
  - htfLow1 (series float): Low of the bar at index 1.
  - htfTime1 (series int) : Time of the bar at index 1.
  - htfHigh3 (series float): High of the bar at index 3 (three bars before the last completed bar on timeframe). 
  - htfLow3 (series float): Low of the bar at index 3.
  - htfTime3 (series int) : Time of the bar at index 3.
 detectMultiTFFvg(htfHigh1, htfLow1, htfTime1, htfHigh3, htfLow3, htfTime3, tfAtr, classifyLV, lvAtrMultiplier, tfType) 
  Detects a Fair Value Gap (FVG) on a higher timeframe (MTF/HTF) using pre-fetched bar data. 
  Parameters:
     htfHigh1 (float) : High of the first relevant bar (typically high ) from the higher timeframe. 
     htfLow1 (float) : Low of the first relevant bar (typically low ) from the higher timeframe. 
     htfTime1 (int) : Time of the first relevant bar (typically time ) from the higher timeframe. 
     htfHigh3 (float) : High of the third relevant bar (typically high ) from the higher timeframe. 
     htfLow3 (float) : Low of the third relevant bar (typically low ) from the higher timeframe. 
     htfTime3 (int) : Time of the third relevant bar (typically time ) from the higher timeframe. 
     tfAtr (float) : ATR value for the higher timeframe, used for Large Volume (LV) FVG classification. 
     classifyLV (bool) : If true, FVGs will be assessed to see if they qualify as Large Volume. 
     lvAtrMultiplier (float) : The ATR multiplier used to define if an FVG is Large Volume. 
     tfType (series tfType enum from no1x/FvgTypes/1) : The timeframe type (e.g., types.tfType.MTF, types.tfType.HTF) of the FVG being detected. 
  Returns: An fvgObject instance if an FVG is detected, otherwise na. 
 detectFvg(classifyLV, lvAtrMultiplier, currentAtr) 
  Detects a Fair Value Gap (FVG) on the current (LTF - Low Timeframe) chart. 
  Parameters:
     classifyLV (bool) : If true, FVGs will be assessed to see if they qualify as Large Volume. 
     lvAtrMultiplier (float) : The ATR multiplier used to define if an FVG is Large Volume. 
     currentAtr (float) : ATR value for the current timeframe, used for LV FVG classification. 
  Returns: An fvgObject instance if an FVG is detected, otherwise na. 
 checkMitigation(isBullish, fvgTop, fvgBottom, currentHigh, currentLow) 
  Checks if an FVG has been fully mitigated by the current bar's price action. 
  Parameters:
     isBullish (bool) : True if the FVG being checked is bullish, false if bearish. 
     fvgTop (float) : The top price level of the FVG. 
     fvgBottom (float) : The bottom price level of the FVG. 
     currentHigh (float) : The high price of the current bar. 
     currentLow (float) : The low price of the current bar. 
  Returns: True if the FVG is considered fully mitigated, false otherwise. 
 checkPartialMitigation(isBullish, currentBoxTop, currentBoxBottom, currentHigh, currentLow) 
  Checks for partial mitigation of an FVG by the current bar's price action. 
  It determines if the price has entered the FVG and returns the new fill level. 
  Parameters:
     isBullish (bool) : True if the FVG being checked is bullish, false if bearish. 
     currentBoxTop (float) : The current top of the FVG box (this might have been adjusted by previous partial fills). 
     currentBoxBottom (float) : The current bottom of the FVG box (similarly, might be adjusted). 
     currentHigh (float) : The high price of the current bar. 
     currentLow (float) : The low price of the current bar. 
  Returns: The new price level to which the FVG has been filled (e.g., currentLow for a bullish FVG). 
  Returns na if no new partial fill occurred on this bar. 
 fvgInteractionCheck(fvg, highVal, lowVal) 
  Checks if the current bar's price interacts with the given FVG. 
  Interaction means the price touches or crosses into the FVG's
current (possibly partially filled) range. 
  Parameters:
     fvg (fvgObject type from no1x/FvgTypes/1) : The FVG object to check. 
    Its isMitigated, isVisible, isBullish, currentTop, and currentBottom fields are used. 
     highVal (float) : The high price of the current bar. 
     lowVal (float) : The low price of the current bar. 
  Returns: True if price interacts with the FVG, false otherwise.
Delta Volume Profile [BigBeluga]🔵Delta Volume Profile    
 A dynamic volume analysis tool that builds two separate horizontal profiles: one for bullish candles and one for bearish candles. This indicator helps traders identify the true balance of buying vs. selling volume across price levels, highlighting points of control (POCs), delta dominance, and hidden volume clusters with remarkable precision. 
 🔵 KEY FEATURES   
 Split Volume Profiles (Bull vs. Bear):   
   The indicator separates volume based on candle direction:  
 
     If  close > open , the candle’s volume is added to the  bullish profile  (positive volume).  
     If  close < open , it contributes to the  bearish profile  (negative volume).  
 
 ATR-Based Binning:   
   The price range over the selected lookback is split into bins using  ATR(200)  as the bin height.  
   Each bin accumulates both bull and bear volumes to form the dual-sided profile.
 Bull and Bear Volume Bars:   
  
 
     Bullish volumes are shown as  right-facing bars  on the right side, colored with a bullish gradient.  
     Bearish volumes appear as  left-facing bars  on the left side, shaded with a bearish gradient.  
     Each bar includes a  volume label  (e.g., +12.45K or -9.33K) to show exact volume at that price level.  
    
 
   Points of Control (POC) Highlighting:   
   The bin with the highest bullish volume is marked with a border in  POC+  color (default: blue).  
   The bin with the highest bearish volume is marked with a  POC−  color (default: orange).
  
   Total Volume Density Map:   
   A neutral gray background box is plotted behind candles showing the  total volume (bull + bear)  per bin.  
   This reveals high-interest price zones regardless of direction.
  
 
 Delta and Total Volume Summary:   
 
  
     A  Delta label  appears at the top, showing net % difference between bull and bear volume.  
     A  Total label  at the bottom shows total accumulated volume across all bins.  
 
 🔵 HOW IT WORKS   
 
  The indicator captures all candles within the  lookback period .  
  It calculates the price range and splits it into bins using ATR for adaptive resolution.  
  For each candle:  
    
     If price intersects a bin and  close > open , volume is added to the  positive profile .  
     If  close < open , volume is added to the  negative profile .  
    
  The result is two side-by-side histograms at each price level—one for buyers, one for sellers.  
  The bin with the highest value on each side is visually emphasized using POC highlight colors.  
  At the end, the script calculates:  
    
      Delta:  Total % difference between bull and bear volumes.  
      Total:  Sum of all volumes in the lookback window.  
    
 
 🔵 USAGE   
 
   Volume Imbalance Zones:  Identify price levels where buyers or sellers were clearly dominant.  
   Fade or Follow Volume Clusters:  Use POC+ or POC− levels for reaction trades or breakouts.  
   Delta Strength Filtering:  Strong delta values (> ±20%) suggest momentum or exhaustion setups.  
   Volume-Based Anchoring:  Use profile levels to mark hidden support/resistance and execution zones.  
 
 🔵 CONCLUSION   
 Delta Volume Profile   offers a unique advantage in market reading by separating buyer and seller activity into two visual layers. This allows traders to not only spot where volume was high, but also who was more aggressive. Whether you’re analyzing trend continuations, reversals, or absorption levels, this indicator gives you the transparency needed to trade with confidence.
Consolidation Range [BigBeluga]A hybrid volatility-volume indicator that isolates periods of price equilibrium and reveals the directional force behind each range buildup. 
 Consolidation Range   is a powerful tool designed to detect compression phases in the market using volatility thresholds while visualizing volume imbalance within those phases. By combining low-volatility detection with directional volume delta, it highlights where accumulation or distribution is occurring—giving traders the confidence to act when breakouts follow. This indicator is particularly valuable in choppy or sideways markets where range identification and sentiment context are key.
 🔵 CONCEPTS 
 
   Volatility Compression:  Uses ADX (Average Directional Index) to detect periods of low trend strength—specifically when ADX drops below a configurable threshold.
   Range Structure:  Upon a low-volatility trigger, the script dynamically anchors horizontal upper and lower bounds based on local highs and lows.
   Directional Volume Delta:  Inside each active range, it calculates the net difference between buy and sell volume, showing who controlled the range.
   Sentiment Bias:  A label appears in the center of the zone on breakout, showing the accumulated delta and bias direction (▲ for positive, ▼ for negative).
   Range Validity Filter:  Only ranges with more than 15 bars are considered valid—short-lived consolidations are auto-filtered.
 
 🔵 KEY FEATURES   
 
  Detects  low volatility market phases  using ADX logic (crosses under "Volatility Threshold Input").  
  Automatically plots  adaptive consolidation zones  with upper and lower boundary lines.  
  Includes  dynamic midline  to visualize the price average inside the range.  
  Visual range is filled with a  progressive gradient  to reflect distance between highs and lows.  
  
  When the range is active, the indicator accumulates  volume delta (Buy - Sell volume) .  
  Upon breakout, the total volume delta is displayed  at the midpoint , providing insight into market sentiment during the consolidation phase.  
  
  Filters out weak or short-lived consolidations under 15 bars.  
 
 🔵 HOW TO USE   
 
  Spot  ranging or compression zones  with minimal effort.  
  Use  breakouts with volume delta bias  to assess the strength or weakness of moves.  
  
  Combine with trend-following tools or volume-based confirmation for stronger setups.  
  Apply to higher timeframes for  macro consolidation tracking .  
 
 🔵 CONCLUSION 
Consolidation Range   now brings together volatility filtering and directional volume delta into one smart module. This hybrid logic allows traders to not only identify balance zones but also understand  who was in control  during the buildup—offering a sharper edge for breakout and trend continuation strategies.
USDTUSD Stochastic RSI [SAKANE]Release Note
■ Overview
The USDTUSD Stochastic RSI   indicator visualizes shifts in market sentiment and liquidity by applying the Stochastic RSI to the USDT/USD price pair.
Rather than tracking the price of Bitcoin directly, this tool observes the momentum of USDT, a key intermediary in most crypto transactions, to detect early signals of trend reversals.
■ Background & Motivation
USDT exhibits two distinct characteristics:
Its credibility as a long-term store of value is limited.
Yet, it serves as one of the most liquid assets in the crypto space and is widely used as a trading base pair.
Because most BTC trades involve converting fiat into USDT and vice versa, USDT/USD frequently deviates slightly from its peg to USD.
These deviations—though subtle—often occur just before major shifts in the broader crypto market.
This indicator is designed to detect such moments of structural imbalance by applying momentum analysis to USDT itself.
■ Feature Highlights
Calculates RSI and Stochastic RSI on the USDT/USD closing price
Supports customizable smoothing via SMA or EMA
Background shading dynamically visualizes overheated or cooled market states (thresholds are adjustable)
Displayed in a separate pane, keeping it visually distinct from the price chart
■ Usage Insights
This indicator is based on an observable pattern:
When the Stochastic RSI bottoms out, Bitcoin tends to form a price bottom shortly afterward
Conversely, when the indicator peaks, Bitcoin tends to top out with a slight delay
Since USDT acts as a gateway for capital in and out of the market, changes in its momentum often foreshadow turning points in BTC.
This allows traders to anticipate shifts in sentiment rather than merely reacting to them.
■ Unique Value Proposition
Unlike conventional price-based indicators, this tool offers a structural perspective.
It focuses on USDT as a mechanism of liquidity flow, making it possible to detect the "hidden rhythm" of the crypto market.
In that sense, this is not just a technical tool, but an entry point into market microstructure analysis—allowing users to read the market’s intentions rather than just its movements.
■ Practical Tips
Look for reversals in momentum as potential BTC entry or exit points.
Overlay this indicator with the BTC chart to compare timing and divergence.
Combine with other tools such as on-chain data or macro indicators for comprehensive analysis.
■ Final Thoughts
USDTUSD Stochastic RSI   is designed with the belief that the most important market signals often come from what drives the price, not the price itself.
By tuning into the “heartbeat” of capital flow, this indicator sheds light on market dynamics that would otherwise remain unseen.
We hope it proves useful in your trading and research.
SMC Strategy BTC 1H - OB/FVGGeneral Context
This strategy is based on Smart Money Concepts (SMC), in particular:
The bullish Break of Structure (BOS), indicating a possible reversal or continuation of an upward trend.
The detection of Order Blocks (OB): consolidation zones preceding the BOS where the "smart money" has likely accumulated positions.
The detection of Fair Value Gaps (FVG), also called imbalance zones where the price has "jumped" a level, creating a disequilibrium between buyers and sellers.
Strategy Mechanics
Bullish Break of Structure (BOS)
A bullish BOS is detected when the price breaks a previous swing high.
A swing high is defined as a local peak higher than the previous 4 peaks.
Order Block (OB)
A bearish candle (close < open) just before a bullish BOS is identified as an OB.
This OB is recorded with its high and low.
An "active" OB zone is maintained for a certain number of bars (the zoneTimeout parameter).
Fair Value Gap (FVG)
A bullish FVG is detected if the high of the candle two bars ago is lower than the low of the current candle.
This FVG zone is also recorded and remains active for zoneTimeout bars.
Long Entry
An entry is possible if the price returns into the active OB zone or FVG zone (depending on which parameters are enabled).
Entry is only allowed if no position is currently open (strategy.position_size == 0).
Risk Management
The stop loss is placed below the OB low, with a buffer based on a multiple of the ATR (Average True Range), adjustable via the atrFactor parameter.
The take profit is set according to an adjustable Risk/Reward ratio (rrRatio) relative to the stop loss to entry distance.
Adjustable Parameters
Enable/disable entries based on OB and/or FVG.
ATR multiplier for stop loss.
Risk/Reward ratio for take profit.
Duration of OB and FVG zone activation.
Visualization
The script displays:
BOS (Break of Structure) with a green label above the candles.
OB zones (in orange) and FVG zones (in light blue).
Entry signals (green triangle below the candle).
Stop loss (red line) and take profit (green line).
Strengths and Limitations
Strengths:
Based on solid Smart Money analysis concepts.
OB and FVG zones are natural potential reversal areas.
Adjustable parameters allow optimization for different market conditions.
Dynamic risk management via ATR.
Limitations:
Only takes long positions.
No trend filter (e.g., EMA), which may lead to false signals in sideways markets.
Fixed zone duration may not fit all situations.
No automatic optimization; testing with different parameters is necessary.
Summary
This strategy aims to capitalize on price retracements into key zones where "smart money" has acted (OB and FVG) just after a bullish Break of Structure (BOS) signal. It is simple, customizable, and can serve as a foundation for a more comprehensive strategy.
Impulse Zones | Flux Charts💎  GENERAL OVERVIEW 
Introducing our new Impulse Zones indicator, a powerful tool designed to identify significant price movements accompanied by strong volume, highlighting potential areas of support and resistance. These Impulse Zones can offer valuable insights into market momentum and potential reversal or continuation points. For more information about the process, please check the "HOW DOES IT WORK ?" section.
  
 Impulse Zones Features  :
 
 Dynamic Zone Creation : Automatically identifies and plots potential supply and demand zones based on significant price impulses and volume spikes.
 Customizable Settings : Allows you to adjust the sensitivity of zone detection based on your trading style and market conditions.
 Retests and Breakouts : Clearly marks instances where price retests or breaks through established Impulse Zones, providing potential entry or exit signals.
 Alerts : You can set alerts for Bullish & Bearish Impulse Zone detection and their retests.
 
🚩 UNIQUENESS 
Our Impulse Zones indicator stands out by combining both price action (impulsive moves) and volume confirmation to define significant zones. Unlike simple support and resistance indicators, it emphasizes the strength behind price movements, potentially filtering out less significant levels. The inclusion of retest and breakout visuals directly on the chart provides immediate context for potential trading opportunities. The user can also set up alerts for freshly detected Impulse Zones & the retests of them.
  
📌 HOW DOES IT WORK ? 
 
 The indicator identifies bars where the price range (high - low) is significantly larger than the average true range (ATR), indicating a strong price movement. The Size Sensitivity input allows you to control how large this impulse needs to be relative to the ATR. 
 Simultaneously, it checks if the volume on the impulse bar is significantly higher than the average volume. The Volume Sensitivity input governs this threshold.
 When both the price impulse and volume confirmation criteria are met, an Impulse Zone is created in the corresponding direction. The high and low of the impulse bar define the initial boundaries of the zone. Zones are extended forward in time to remain relevant. The indicator manages the number of active zones to maintain chart clarity and can remove zones that haven't been touched for a specified period. The indicator monitors price action within and around established zones.
 A retest is identified when the price touches a zone and then moves away. A break occurs when the price closes beyond the invalidation point of a zone. Keep in mind that if "Show Historic Zones" setting is disabled, you will not see break labels as their zones will be removed from the chart.
 
The detection of Impulse Zones are immediate signs of significant buying or selling pressure entering the market. These zones represent areas where a strong imbalance between buyers and sellers has led to a rapid price movement accompanied by high volume. Bullish Impulse Zones act as a possible future support zone, and Bearish Impulse Zones act as a possible future resistance zone. Retests of the zones suggest a strong potential movement in the corresponding direction.
  
⚙️ SETTINGS 
1. General Configuration
 
 Show Historic Zones: If enabled, invalidated or expired Impulse Zones will remain visible on the chart.
 
2. Impulse Zones
 
 Invalidation Method: Determines which part of the candle (Wick or Close) is used to invalidate a zone break.
 Size Sensitivity: Controls the required size of the impulse bar relative to the ATR for a zone to be detected. Higher values may identify fewer, larger zones. Lower values may detect more, smaller zones.
 Volume Sensitivity: Controls the required volume of the impulse bar relative to the average volume for a zone to be detected. Higher values require more significant volume.
 Labels: Toggles the display of "IZ" labels on the identified zones.
 Retests: Enables the visual highlighting of retests on the zones.
 Breaks: Enables the visual highlighting of zone breaks.
Approx. Footprint: Volume DeltaThis  indicator brings you a simplified “footprint” view by charting the volume delta—the imbalance between bullish and bearish volume—alongside total bar volume.
Delta Bars: Green/red columns show where buyers (close > open) or sellers (close < open) dominated each bar.
Total Volume: Semi-transparent gray columns in the background give you overall context.
No Hidden Data: Works on any symbol/timeframe without tick-by-tick or bid/ask feeds.
Use it to quickly spot bars with strong buying or selling pressure, identify momentum shifts, and confirm breakouts or reversals—all within TradingView’s standard volume streams.
Balanced Price Range | Flux Charts💎  GENERAL OVERVIEW 
Introducing our new Balanced Price Range (BPR) indicator! A Balanced Price Range is a trading concept used by price action traders. It is detected by finding overlapping area between two contrary Fair Value Gaps (FVGs). These areas can be used as entry points during market pullbacks. For more information about the process, please check the "HOW DOES IT WORK ?" section.
  
 Balanced Price Range Features  :
 
 Balanced Price Range Detection : Identifies areas where bullish and bearish FVGs overlap, suggesting a zone of price equilibrium.
 Customizable FVG & BPR Detection : You can fine-tune FVG detection and sensitivity for BPR detection to your liking.
 Retest Labels : Bullish & Bearish retest labels will be rendered for BPRs.
 Alerts : You can set alerts for Bullish & Bearish BPR detection and their retests.
 
🚩 UNIQUENESS 
This indicator doesn't just detect standard FVGs but specifically looks for areas where bullish and bearish IFVGs (Invalidated Fair Value Gaps) overlap, defining a Balanced Price Range. It also actively manages and updates identified BPR zones, removing them when they are invalidated or remain untouched for a specified period. It highlights and alerts users to retests of established BPR zones, signaling potential trading opportunities. Users can tailor the appearance of the BPR zones and retest markers, as well as configure specific alerts for new BPR formations and retests.
  
📌 HOW DOES IT WORK ? 
A Fair Value Gap generally occur when there is an imbalance in the market. They can be detected by specific formations within the chart. The indicator first detects bullish & bearish FVG zones according to their formations on chart. Then, they are dynamically tracked and flagged as invalidated if the price crosses them, turning them into IFVGs. When a FVG & IFVG of the same type overlaps, the indicator combines them into a single BPR of corresponding type. The detected BPR is updated as new data comes in, and renders retests labels as they occur. A bullish BPR can be used to find long trade entry opportunities, while a bearish BPR can be used to find short trade entry opportunities. Retests can also indicate potential movements in the corresponding direction of the BPR. Users can set-up alerts for BPR detection & BPR retests and will get notified as they occur.
  
⚙️ SETTINGS 
Show Historic Zones: If enabled, invalidated or expired BPR zones will remain visible on the chart.
Balanced Price Range:
FVG Detection Method: Determines the criteria for the bar types forming the initial FVG.
 
 Same: All three bars forming the FVG must be of the same type (all bullish or all bearish).
 Mixed: The bar types must vary (a mix of bullish and bearish bars).
 All: Bar types can vary or be the same.
 
FVG Invalidation Method: Determines which part of the candle (wick or close) invalidates the initial FVG.
BPR Invalidation Method: Determines which part of the candle (wick or close) invalidates the Balanced Price Range.
Sensitivity: Adjusts the sensitivity of FVG detection. Higher values may identify fewer, larger BPRs, while lower values may detect more, smaller BPRs.
Labels: Toggles the display of text labels on the identified zones.
Retests: Enables or disables the detection and visualization of BPR retests.
Volumetric Entropy IndexVolumetric Entropy Index (VEI)   
 A volume-based drift analyzer that captures directional pressure, trend agreement, and entropy structure using smoothed volume flows. 
---
 🧠 What It Does:   
•  Volume Drift EMAs : Shows buy/sell pressure momentum with adaptive smoothing.  
•  Dynamic Bands : Bollinger-style volatility wrappers react to expanding/contracting drift.  
•  Baseline Envelope : Clean structural white rails for mean-reversion zones or trend momentum.  
•  Background Shading : Highlights when both sides (up & down drift) are in agreement — green for bullish, red for bearish.  
•  Alerts Included : Drift alignment, crossover events, net drift shifts, and strength spikes.  
---
 🔍 What Makes It Different:   
• Most volume indicators rely on bars, oscillators, or OBV-style accumulation — this doesn’t.  
• It compares directional EMAs of raw volume to isolate real-time bias and acceleration.  
• It visualizes the  twisting tension  between volume forces — not just price reaction.  
• Designed to show when volatility is building  inside  the volume mechanics before price follows.  
• Modular — every element is optional, so you can run it lean or fully loaded.
---
 📊 How to Use It:   
•  Drift EMAs : Watch for one side consistently dominating — sharp spikes often precede breakouts.  
•  Bands : When they tighten and start expanding, it often signals directional momentum forming.  
•  Envelope Lines : Use as high-probability reversal or continuation zones. Bands crossing envelopes = potential thrust.  
•  Background Color : Green/red backgrounds confirm volume agreement. Can be used as a filter for other signals.  
•   Net Drift : Optional smoothed oscillator showing the difference between bullish and bearish volume pressure. Crosses above or below zero signal directional bias shifts.
•  Drift Strength : Measures pressure buildup — spikes often correlate with large moves.  
---
 ⚙️ Full Customization:   
• Turn every layer on/off independently  
• Modify all colors, transparencies, and line widths  
• Adjust band width multiplier and envelope offset (%)  
• Toggle bonus plots like drift strength and net baseline  
---
 🧪 Experimental Tools:   
• Smoothed Net Drift trace  
• Drift Strength signal  
• Envelope lines and dynamic entropy bands with adjustable math  
---
 Built for signal refinement. Made to expose directional imbalance before the herd sees it.   
Created by  @Sherlock_Macgyver 
Dynamic Liquidity Depth [BigBeluga]
 Dynamic Liquidity Depth    
 A liquidity mapping engine that reveals hidden zones of market vulnerability. This tool simulates where potential large concentrations of stop-losses may exist — above recent highs (sell-side) and below recent lows (buy-side) — by analyzing real price behavior and directional volume. The result is a dynamic two-sided volume profile that highlights where price is most likely to gravitate during liquidation events, reversals, or engineered stop hunts. 
 🔵 KEY FEATURES   
 
   Two-Sided Liquidity Profiles:   
Plots two separate profiles on the chart — one above price for potential  sell-side liquidity , and one below price for potential  buy-side liquidity . Each profile reflects the volume distribution across binned zones derived from historical highs and lows.
  
   Real Stop Zone Simulation:   
Each profile is offset from the current high or low using an ATR-based buffer. This simulates where traders might cluster their stop-losses above swing highs (short stops) or below swing lows (long stops).
  
   Directional Volume Analysis:   
Buy-side volume is accumulated only from bullish candles (close > open), while sell-side volume is accumulated only from bearish candles (close < open). This directional filtering enhances accuracy by capturing genuine pressure zones.
  
  
   Dynamic Volume Heatmap:   
Each liquidity bin is rendered as a horizontal box with a color gradient based on volume intensity:
  - Low activity bins are shaded lightly.
  - High-volume zones appear more vividly in red (sell) or lime (buy).
  - The  maximum volume bin  in each profile is emphasized with a brighter fill and a volume label.
   Extended POC Zones:   
The Point of Control (PoC) — the bin with the most volume — is extended backwards across the entire lookback period to mark critical resistance (sell-side) or support (buy-side) levels.
  
   Total Volume Summary Labels: 
At the center of each profile, a summary label displays  Total Buy Liquidity  and  Total Sell Liquidity  volume.
This metric helps assess directional imbalance — when buy liquidity is dominant, the market may favor upward continuation, and vice versa.
  
   Customizable Profile Granularity:   
You can fine-tune both  Resolution (Bins)  and  Offset Distance  to adjust how far profiles are displaced from price and how many levels are calculated within the ATR range.
 
 🔵 HOW IT WORKS   
 
  The indicator calculates an ATR-based buffer above highs and below lows to define the top and bottom of the liquidity zones.  
  Using a user-defined lookback period, it scans historical candles and divides the buffered zones into bins.  
  Each bin checks if bullish (or bearish) candles pass through it based on price wicks and body.  
  Volume from valid candles is summed into the corresponding bin.  
  When volume exists in a bin, a horizontal box is drawn with a width scaled by relative volume strength.  
  The bin with the highest volume is highlighted and optionally extended backward as a zone of importance.  
  Total buy/sell liquidity is displayed with a summary label at the side of the profile.
 
 🔵 USAGE/b]  
 
   Identify Stop Hunt Zones:  High-volume clusters near swing highs/lows are likely liquidation zones targeted during fakeouts.  
   Fade or Follow Reactions:  Price hitting a high-volume bin may reverse (fade opportunity) or break with strength (confirmation breakout).  
  
   Layer with Other Tools:  Combine with market structure, order blocks, or trend filters to validate entries near liquidity.  
   Adjust Offset for Sensitivity:  Use higher offset to simulate wider stop placement; use lower for tighter scalping zones.
 
 🔵 CONCLUSION   
 Dynamic Liquidity Depth   transforms raw price and volume into a spatial map of liquidity. By revealing areas where stop orders are likely hidden, it gives traders insight into price manipulation zones, potential reversal levels, and breakout traps. Whether you're hunting for traps or trading with the flow, this tool equips you to navigate liquidity with precision.
Liquidity Levels (Smart Swing Lows)Liquidity Levels — Smart Swing Low Detection
Efficient Liquidity Sweep Visualization for Smart Money Traders
This script automatically identifies and plots liquidity-rich swing lows based on pivot logic, filters them to remove redundant levels, and overlays daily highs/lows for added context — giving Smart Money Concept (SMC) traders a clean, actionable map of liquidity.
It’s designed to be minimal yet powerful: perfect for spotting potential liquidity grabs, mitigation zones, and sweep targets with zero chart clutter.
🔍 What This Script Does:
Detects Smart Swing Lows
Uses fixed pivot detection (left = 3, right = customizable) to identify structurally significant swing lows.
Filters out swing lows that are too close together using a percentage-based spacing threshold to reduce noise.
Mitigation Cleanup Logic
Tracks whether recent price action breaches past swing lows.
If breached, the swing level is automatically removed, keeping only relevant, unmitigated liquidity levels on your chart.
Plots Daily Highs and Lows
Each new trading day, horizontal rays mark the prior day’s high and low — useful for identifying resting liquidity and possible sweep zones.
Labeling and Style Customization
Optional labels for swing lows.
Full control over label size, color, and visibility to match any chart aesthetic.
Timeframe Filtering
Runs exclusively on 5m, 10m, and 15m charts to ensure optimal reliability and signal clarity.
⚙️ Customization Features:
Pivot sensitivity (Right side control)
Minimum distance between swing lows (in %)
Label visibility, size, and color
Line width and colors for both swing levels and daily highs/lows
Mitigation cleanup lookback length
💡 How to Use:
Add the script to a qualifying intraday chart (5–15m).
Use the swing low levels to monitor liquidity-rich zones.
Combine with your personal strategy to identify liquidity grabs, potential reversal zones, or entry points following a sweep.
Let the built-in cleanup logic remove any already-mitigated levels so you can focus on active targets.
🚀 What Makes It Unique:
This isn’t just another pivot plotter — it’s a smart, self-cleaning SMC tool designed for modern liquidity-based trading strategies.
A must-have for traders using concepts like liquidity grabs, mitigation blocks, or sweep-to-reverse trade models.
🔗 Best used in combination with:
✅ First FVG — Opening Range Fair Value Gap Detector: Pinpoint the day’s first imbalance zone for intraday setups.
✅ ICT SMC Liquidity Grabs + OB + Fibonacci OTE Levels: Confluence-based entries powered by liquidity logic, order blocks, and premium/discount zones.
Used together, these scripts form a complete Smart Money toolkit — helping you build high-probability setups with confidence, clarity, and clean charts.
RVOL Effort Matrix💪🏻 RVOL Effort Matrix is a tiered volume framework that translates  crowd participation  into structure-aware visual zones. Rather than simply flagging spikes, it measures each bar’s volume as a ratio of its historical average and assigns to that effort dynamic tiers, creating a real-time map of  conviction ,  exhaustion , and  imbalance —before price even confirms.
⚖️ At its core, the tool builds a histogram of relative volume (RVOL). When enabled, a second layer overlays directional effort by estimating buy vs sell volume using candle body logic. If the candle closes higher, green (buy) volume dominates. If it closes lower, red (sell) volume leads. These components are stacked proportionally and inset beneath a colored cap line—a small but powerful layer that maintains visibility of the true effort tier even when split bars are active. The cap matches the original zone color, preserving context at all times.
Coloration communicates rhythm, tempo, and potential turning points:
• 🔴 =  structurally weak effort, i.e. failed moves, fake-outs or trend exhaustion   
• 🟡 =  neutral volume, as seen in consolidations or pullbacks   
• 🟢 =  genuine commitment, good for continuation, breakout filters, or early rotation signals   
• 🟣 =  explosive volume signaling either climax or institutional entry—beware! 
Background shading (optional) mirrors these zones across the pane for structural scanning at a glance. Volume bars can be toggled between full-stack mode or clean column view. Every layer is modular—built for composability with tools like ZVOL or OBVX Conviction Bias.
🧐  Ideal Use-Cases:  
• 🕰 HTF bias anchoring → LTF execution  
• 🧭 Identifying when structure is being driven by real crowd pressure  
• 🚫 Fading green/fuchsia bars that fail to break structure  
• ✅ Riding green/fuchsia follow-through in directional moves
🍷  Recommended Pairings:  
• ZVOL for statistically significant volume anomaly detection  
• OBVX Conviction Bias ↔️ for directional confirmation of effort zones  
• SUPeR TReND 2.718 for structure-congruent entry filtering  
• ATR Turbulence Ribbon to distinguish expansion pressure from churn
🥁 RVOL Effort Matrix is all about seeing—how much pressure is behind a move, whether that pressure is sustainable, and whether the crowd is aligned with price. It's volume, but readable. It’s structure, but dynamic. It’s the difference between obeying noise and trading to the beat of the market.
CVD Divergence Insights📘 CVD Divergence Insights – by Colicoid
Pine Script v6 | Volume Delta Divergence Oscillator with Spike Detection
⸻
🔍 Overview
CVD Divergence Insights is a volume-aware oscillator and divergence spike detector that helps you spot smart money activity, absorption, failed pressure, and hidden strength or weakness — even when price action alone gives little away.
It works by comparing normalized Cumulative Volume Delta (CVD) against normalized price movement, and optionally applying a volume-weighting layer to highlight when aggressive participation is truly behind the divergence. The result is a dynamic visual tool that identifies tension in the market, and helps you trade based on how that tension resolves.
⸻
🧠 Core Concept
	•	When price moves one way and CVD moves another, it reflects imbalance between aggression and result.
	•	Divergence is not a trigger — it’s a build-up of pressure.
	•	The real edge lies in the resolution of that pressure.
	•	Optional volume-weighting helps you ignore noise and focus on high-conviction moves only.
⸻
⚙️ How It Works
	1.	CVD Calculation
CVD is generated using lower-timeframe delta volume (buy vs. sell pressure), accumulated per bar.
	2.	Oscillator
A normalized divergence between the smoothed CVD and smoothed price.
	3.	Volume Weighting (optional)
Emphasizes divergences occurring on higher-than-normal volume, deprioritizes low-volume noise.
	4.	Signal Line (optional)
A short EMA of the oscillator to help track momentum shifts (hidden by default).
	5.	Divergence Spikes
Statistical spike detection using standard deviation — green/red dots highlight unusually large divergence activity.
⸻
🎛️ Inputs
Anchor Period	
Higher timeframe where the CVD is accumulated and processed.
Lower Timeframe	
Optional override for granularity of buy/sell volume data.
SMA Length	
Used for smoothing both price and CVD before divergence is calculated.
Volume Weighted?	
Enables adaptive weighting based on relative volume size.
Volume Normalization Length	
Lookback period used to define what is “normal” volume.
Divergence Spike Threshold	
StdDev-based threshold to detect abnormally large divergences.
Signal Line Length	
Controls the EMA smoothing of the optional signal line (hidden by default).
⸻
📈 Trade Setup Example: Hidden Bullish Divergence
	1.	Price forms a higher low, but CVD forms a lower low — hidden bullish divergence.
	2.	This shows aggressive sellers are trying, but price is resilient — likely absorption.
	3.	You wait for a "convergent signal bar":
	•	A bullish candle with strong structure or body
	•	Confirmed by CVD starting to turn upward
	4.	That’s your trigger bar — the tension resolves upward.
⸻
🤝 Recommended Pairings
For best results, combine CVD Divergence Insights with the companion script:
🔗  Cumulative Volume Delta Line (also by Colicoid) 
This lets you:
	•	See the raw CVD line and its SMA visually
	•	Spot standard and hidden divergences in price/CVD directly
	•	Use the Insights indicator to evaluate divergence quality and flag aggressive bull/bear behavior
	•	Use the same SMA length on both indicators for alignment
👉 Tip: To save screen space, drag the CVD Line indicator into the same panel as CVD Divergence Insights.
⸻
🧰 Why Use This?
	•	✅ Catch absorption setups and failed pressure zones
	•	✅ Filter out low-quality divergences using volume context
	•	✅ Understand why price is hesitating or breaking out
	•	✅ Add smart confirmation to breakout/reversal trades
	•	✅ Align your execution with who’s actually in control
⸻
📎 Created by Colicoid
Built in Pine Script v6 for advanced price-volume analysis, with focus on effort vs result, market psychology, and smart money detection.
Wyckoff Range Detector [Beta] + Smart Money ElementsThis indicator detects the key phases of the Wyckoff market structure and integrates smart money elements, such as Order Blocks (OB), Fair Value Gaps (FVG), and Breaker Blocks. It also helps identify potential reversal zones (LPS, UTAD, Spring), breakout opportunities, and provides automatic Risk-Reward (R:R) calculations.
Key Features:
Wyckoff Phases Detection:
Automatically detects key phases of Wyckoff's market structure:
B (Range) – The initial range of accumulation.
C (Spring Phase) – Accumulation phase with a potential breakout.
C (UTAD Phase) – Upthrust After Distribution, indicating a potential reversal.
D (LPS Phase) – Last Point of Support, signaling accumulation before a breakout.
E (Breakout) – Phase marking breakout from range.
Re-Accumulation – Possible continuation in the range after a breakout.
Re-Distribution – Possible breakdown of a distribution phase.
Smart Money Elements:
Order Blocks (OB): Identifies Bullish and Bearish OBs to anticipate market entries.
Fair Value Gap (FVG): Highlights imbalance areas where price is likely to return.
Breaker Blocks: Marks areas where the price has previously broken a structure, indicating strong supply/demand zones.
Automatic Risk-Reward Calculation:
Smart RR: Automatically calculates Risk-Reward (R:R) ratios from LPS phases and Order Blocks. It draws lines to indicate target and stop levels with green for the target and red for the stop.
Visual representation of the entry signal with target and stop levels displayed.
Alerts:
Set alerts for phase changes, breakout, re-accumulation, or re-distribution to stay updated on the market’s movements.
Visual Tools:
Labels are used to indicate key zones such as AR, SC, LPS, and Spring Zones.
Draw boxes for the Spring and LPS phases to highlight areas where price action is likely to reverse.
Lines to represent potential breakouts, with customizable risk-reward indicators.
How to Use:
Apply the Indicator on any chart.
Identify Wyckoff phases to understand market trends.
Monitor Smart Money Elements (OB, FVG, Breaker) for entry and exit points.
Use automatic Risk-Reward levels for managing trades.
Set alerts for various Wyckoff phases and smart money signals to stay updated.
Fair Value Gap (FVG) Detector Fair Value Gap (FVG) is an imbalance in price action that occurs when there is a strong displacement (big movement) in the market, leaving a gap between wicks. This gap represents an area where price moved too quickly, and liquidity was not fully filled.
Traders use FVGs as potential areas where price might retrace and react before continuing in the original direction.
Higher Time Frame Fair Value Gap [ZeroHeroTrading]A fair value gap (FVG) highlights an imbalance area between market participants, and has become popular for technical analysis among price action traders.
A bullish (respectively bearish) fair value gap appears in a triple-candle pattern when there is a large candle whose previous candle’s high (respectively low) and subsequent candle’s low (respectively high) do not fully overlap the large candle. The space between these wicks is known as the fair value gap.
The following script aims at identifying higher timeframe FVG's within a lower timeframe chart. As such, it offers a unique perspective on the formation of FVG's by combining the multiple timeframe data points in the same context.
You can change the indicator settings as you see fit to achieve the best results for your use case.
 Features 
 
 It draws higher timeframe bullish and bearish FVG's on the chart.
 For bullish (respectively bearish) higher timeframe FVG's, it adds the buying (respectively selling) pressure as a percentage ratio of the up (respectively down) volume of the second higher timeframe bar out of the total up (respectively down) volume of the first two higher timeframe bars.
 It adds a right extended trendline from the most recent lowest low (respectively highest high) to the top (respectively bottom) of the higher timeframe bullish (respectively bearish) FVG.
 It detects and displays higher timeframe FVG's as early as one starts forming.
 It detects and displays lower timeframe (i.e. chart's timeframe) FVG's upon confirmation.
 It allows for skipping inside first bars when evaluating FVG's.
 It allows for dismissing higher timeframe FVG's if there is no update for any period of the chart's timeframe. For instance, this can occur at lower timeframes during low trading activity periods such as extended hours.
 
 Settings 
 
 Higher Time Frame FVG  dropdown: Selects the higher timeframe to run the FVG detection on. Default is 15 minutes. It must be higher than, and a multiple of, the chart's timeframe.
 Higher Time Frame FVG  color select: Selects the color of the text to display for higher timeframe FVG's. Default is black.
 Show Trend Line  checkbox: Turns on/off trendline display. Default is on.
 Show Lower Time Frame FVG  checkbox: Turns on/off lower timeframe (i.e. chart's timeframe) FVG detection. Default is on.
 Show Lower Time Frame FVG  color select: Selects the color of the border for lower timeframe (i.e. chart's timeframe) FVG's. Default is white.
 Include Inside Bars  checkbox: Turns on/off the inclusion of inside first bars when evaluating FVG's. Default is on.
 With Consistent Updates  checkbox: Turns on/off consistent updates requirement. Default is on.
Effective FVG Indicator - ImranDescription:
The Effective FVG Indicator is a technical analysis tool designed to identify Fair Value Gaps (FVGs) in financial markets. FVGs occur when there is a significant gap between the closing price of one session and the opening price of the next session, often indicating a potential reversal point. This indicator uses volume and price movement criteria to confirm and mark these gaps effectively.
Key Features:
Fair Value Gap Detection : Identifies both bullish and bearish FVGs based on significant gaps in price.
Volume Confirmation : Confirms FVGs with high volume, ensuring that the gap is not due to a lack of liquidity.
Price Imbalance : Ensures that the gap is accompanied by a large price movement within the session, indicating strong market sentiment.
Buy/Sell Signals : Marks bullish FVGs with a green "BUY" label below the bar and bearish FVGs with a red "SELL" label above the bar.
Background Highlighting : Highlights the background with a semi-transparent green or red color when a valid FVG is detected, making it easy to spot significant gaps.
ICT NY Kill Zone Auto Trading### **ICT NY Kill Zone Auto Trading Strategy (5-Min Chart)**
#### **Overview:**
This strategy is based on Inner Circle Trader (ICT) concepts, focusing on the **New York Kill Zone**. It is designed for trading GBP/USD exclusively on the **5-minute chart**, automatically entering and exiting trades during the US session.
#### **Key Components:**
1. **Time Filter**  
   - The strategy only operates during the **New York Kill Zone (9:30 AM - 11:00 AM NY Time)**.
   - It ensures execution only on the **5-minute timeframe**.
2. **Fair Value Gaps (FVGs) Detection**  
   - The script identifies areas where price action left an imbalance, known as Fair Value Gaps (FVGs).
   - These gaps indicate potential liquidity zones where price may return before continuing in the original direction.
3. **Order Blocks (OBs) Identification**  
   - **Bullish Order Block:** Occurs when price forms a strong bullish pattern, suggesting further upside movement.
   - **Bearish Order Block:** Identified when a strong bearish formation signals potential downside continuation.
4. **Trade Execution**  
   - **Long Trade:** Entered when a bullish order block forms within the NY Kill Zone and aligns with an FVG.  
   - **Short Trade:** Entered when a bearish order block forms within the Kill Zone and aligns with an FVG.
5. **Risk Management**  
   - **Stop Loss:** Fixed at **30 pips** to limit downside risk.  
   - **Take Profit:** Set at **60 pips**, providing a **2:1 risk-reward ratio**.
6. **Visual Aids**  
   - The **Kill Zone is highlighted in blue** to help traders visually confirm the active session.
 **Objective:**
This script aims to **capitalize on institutional price movements** within the New York session by leveraging ICT concepts such as FVGs and Order Blocks. By automating trade entries and exits, it eliminates emotions and ensures a disciplined trading approach.
ICT Concepts: MML, Order Blocks, FVG, OTECore ICT Trading Concepts
These strategies are designed to identify high-probability trading opportunities by analyzing institutional order flow and market psychology.
1. Market Maker Liquidity (MML) / Liquidity Pools
Idea: Institutional traders ("market makers") place orders around key price levels where retail traders’ stop losses cluster (e.g., above swing highs or below swing lows).
Application: Look for "liquidity grabs" where price briefly spikes to these levels before reversing.
Example: If price breaks a recent high but reverses sharply, it may indicate a liquidity grab to trigger retail stops before a trend reversal.
2. Order Blocks (OB)
Idea: Institutional orders are often concentrated in specific price zones ("order blocks") where large buy/sell decisions occurred.
Application: Identify bullish order blocks (strong buying zones) or bearish order blocks (strong selling zones) on higher timeframes (e.g., 1H/4H charts).
Example: A bullish order block forms after a strong rally; price often retests this zone later as support.
3. Fair Value Gap (FVG)
Idea: A price imbalance occurs when candles gap without overlapping, creating an area of "unfair" price that the market often revisits.
Application: Trade the retracement to fill the FVG. A bullish FVG acts as support, and a bearish FVG acts as resistance.
Example: Three consecutive candles create a gap; price later returns to fill this gap, offering a entry point.
4. Time-Based Analysis (NY Session, London Kill Zones)
Idea: Institutional activity peaks during specific times (e.g., 7 AM – 11 AM New York time).
Application: Focus on trades during high-liquidity periods when banks and hedge funds are active.
Example: The "London Kill Zone" (2 AM – 5 AM EST) often sees volatility due to European market openings.
5. Optimal Trade Entry (OTE)
Idea: A retracement level (similar to Fibonacci retracement) where institutions re-enter trends after a pullback.
Application: Look for 62–79% retracements in a trend to align with institutional accumulation/distribution zones.
Example: In an uptrend, price retraces 70% before resuming upward—enter long here.
6. Stop Hunts
Idea: Institutions manipulate price to trigger retail stop losses before reversing direction.
Application: Avoid placing stops at obvious levels (e.g., above/below recent swings). Instead, use wider stops or wait for confirmation.
Fair Value Gap (FVG) by AlgoMaxxFair Value Gap (FVG) by AlgoMaxx
Advanced Fair Value Gap (FVG) detector with dynamic support/resistance lines. This professional-grade tool helps traders identify and track important market inefficiencies through Fair Value Gaps.
Features:
• Auto-detection of bullish and bearish FVGs
• Dynamic dotted extension lines for latest FVGs
• Smart gap filtering system
• Color-coded visualization
• Customizable parameters
• Clean, optimized code
Key Functions:
• Detects imbalance zones between candlesticks
• Marks FVGs with color-coded boxes
• Extends dotted lines for active reference levels
• Automatically updates with new gap formations
• Tracks gap fills in real-time
Inputs:
• Lookback Period: Historical gaps to display
• Minimum Gap Size %: Filter for gap significance
• Bullish/Bearish Colors: Visual customization
• Show Filled Gaps: Toggle filled gap visibility
Practical Applications:
1. Support/Resistance Levels
2. Mean Reversion Trading
3. Trend Continuation Setups
4. Market Structure Analysis
5. Price Action Trading
Usage Tips:
• Higher timeframes (1H+) provide more reliable signals
• Multiple FVGs in one zone indicate stronger levels
• Use in conjunction with other technical tools
• Monitor price reactions at FVG levels
• Consider gaps as zones rather than exact prices
Note: This is a premium-grade indicator designed for serious traders. Works best on higher timeframes where price inefficiencies are more significant.
═══════════════════
By Algomaxx
Version: 1.0
═══════════════════
Disclaimer:
This indicator is for informational purposes only. Trade at your own risk and always use proper risk management.
#FVG #technical #trading #algomaxx #premium
Reversal rehersal v1This indicator was designed to identify potential market reversal zones using a combination of RSI thresholds (shooting range/falling range), candlestick patterns, and Fair Value Gaps (FVGs). By combining all these elements into one indicator, it allow for outputting high probability buy/sell signals for use by scalpers on low timeframes like 1-15 mins, for quick but small profits.
Note: that this has been mainly tested on DE40 index on the 1 min timeframe, and need to be adjusted to whichever timeframe and symbol you intend to use. Refer to the backtester feature for checking if this indicator may work for you.
The indicator use RSI ranges from two timeframes to highlight where momentum is building up. During these areas, it will look for certain candlestick patterns (Sweeps as the primary one) and check for existance of fair value gaps to further enhance the hitrate of the signal.
The logic for FVG detection was based on ©pmk07's work with MTF FVG tiny indicator. Several major changes was implemented though and incorporated into this indicator. Among these are:
Automatically adjustments of FVG boxes when mitigated partially and options to extend/cull boxes for performance and clarity.
Backtesting Table (Experimental):
This indicator also features an optional simplified table to review historical theoretical performance of signals, including win rate, profit/loss, and trade statistics. This does not take commision or slippage into consideration.
Usage Notes:
Setup:
1. Add the indicator to your chart.
2. Decide if you want to use Long or Short (or both).
3. If you're scalping on ie. 1 min time frame, make sure to set FVG's to higher timeframes (ie. 5, 15, 60).
4. Enable the 'Show backtest results' and adjust the 'Signals' og 'Take profit' and 'Stop loss' values until you are satisfied with the results.
Use:
1. Setup an alert based on either of the 'BullishShooting range' or 'BearishFalling range' alerts. This will draw your attention to watch for the possible setups.
2. Verify if there's a significant imbalance prior to the signal before taking the trade. Otherwise this may invalidate the setup.
3. Once a signal is shown on the graph (either Green arrow up for buys/Red arrow down for sells) - you should enter a trade with the given 'Take profit' and 'Stop loss' values.
4. (optional) Setup an alert for either the Strong/Weak signals. Which corresponds to when one of the arrows are printed.
Important: This is the way I use it myself, but use at own risk and remember to combine with other indicators for further confluence. Remember this is no crystal ball and I do not guarantee profitable results. The indicator merely show signals with high probability setups for scalping.






















