Smart Volatility Squeeze + Trend Filter
Smart Volatility Squeeze + Trend Filter
This advanced indicator detects low-volatility squeeze conditions and plots breakout signals, helping you spot strong price moves before they happen.
How it works
This script combines Bollinger Bands (BB) and the Keltner Channel (KC) — two popular volatility tools — to identify squeeze setups:
A squeeze occurs when the Bollinger Bands contract and move completely inside the Keltner Channel. This means the market is quiet and volatility is low — often right before a significant breakout.
When the squeeze condition is active, the background highlights the chart area with a soft color that gradually intensifies the longer the squeeze lasts. This gives a clear visual cue that pressure is building.
A breakout signal triggers when price crosses above the upper Bollinger Band (bullish) or below the lower Bollinger Band (bearish) — confirming that the squeeze has ended and a new impulse is likely starting.
To reduce false breakouts, you can enable the built-in trend filter. By default, it uses a simple EMA: breakouts are confirmed only if the price action aligns with the overall trend direction.
Key features
🔹 Bollinger Bands + Keltner Channel squeeze detection
🔹 Automatic squeeze marker and background shading
🔹 Breakout arrows for up and down signals
🔹 Optional trend filter with adjustable EMA length
🔹 Works on any market: crypto, stocks, forex, indices
🔹 Fully adjustable inputs for BB, KC and trend filter
🔹 Built-in ready-to-use alerts for breakouts
How to use
Watch for areas where the squeeze condition appears — the background will highlight them.
Wait for a breakout arrow to appear outside the bands.
Use the trend filter to focus only on breakouts in the dominant trend direction.
Combine with your existing risk management and confirmation tools.
Inputs
BB Length & StdDev: Control the Bollinger Bands settings.
KC EMA Length & ATR Multiplier: Control the Keltner Channel width.
Trend Filter Length: Adjust how smooth or sensitive the trend filter is.
Use Trend Filter: Enable or disable confirmation by trend direction.
Disclaimer
⚠️ This script is for educational purposes only and does not constitute financial advice. Always test any strategy thoroughly and trade at your own risk.
Jalur dan Saluran
CM SlingShot System (Customizable)//@version=5
indicator("CM SlingShot System (Customizable)", overlay=true, shorttitle="CM_SSS")
// ==== 📌 INPUT SETTINGS ====
group1 = "Entry Settings"
sae = input.bool(true, title="📍 Show Aggressive Entry (pullback)?", group=group1)
sce = input.bool(true, title="📍 Show Conservative Entry (confirmation)?", group=group1)
group2 = "Visual Settings"
st = input.bool(true, title="🔼 Show Trend Arrows (top/bottom)?", group=group2)
sl = input.bool(false, title="🅱🆂 Show 'B' & 'S' Letters Instead of Arrows", group=group2)
pa = input.bool(true, title="🡹🡻 Show Entry Arrows", group=group2)
group3 = "MA Settings"
fastLength = input.int(38, title="Fast EMA Period", group=group3)
slowLength = input.int(62, title="Slow EMA Period", group=group3)
timeframe = input.timeframe("D", title="Timeframe for EMAs", group=group3)
// ==== 📈 EMA CALCULATIONS ====
emaFast = request.security(syminfo.tickerid, timeframe, ta.ema(close, fastLength))
emaSlow = request.security(syminfo.tickerid, timeframe, ta.ema(close, slowLength))
col = emaFast > emaSlow ? color.lime : emaFast < emaSlow ? color.red : color.gray
// ==== ✅ SIGNAL CONDITIONS ====
pullbackUp = emaFast > emaSlow and close < emaFast
pullbackDn = emaFast < emaSlow and close > emaFast
entryUp = emaFast > emaSlow and close < emaFast and close > emaFast
entryDn = emaFast < emaSlow and close > emaFast and close < emaFast
// ==== 🌈 CHART PLOTS ====
plot(emaFast, title="Fast EMA", color=color.new(col, 0), linewidth=2)
plot(emaSlow, title="Slow EMA", color=color.new(col, 0), linewidth=4)
fill(plot(emaSlow, title="", color=color.new(col, 0)), plot(emaFast, title="", color=color.new(col, 0)), color=color.silver, transp=70)
// Highlight bars
barcolor(sae and (pullbackUp or pullbackDn) ? color.yellow : na)
barcolor(sce and (entryUp or entryDn) ? color.aqua : na)
// Trend arrows
upTrend = emaFast >= emaSlow
downTrend = emaFast < emaSlow
plotshape(st and upTrend, title="UpTrend", style=shape.triangleup, location=location.belowbar, color=color.green)
plotshape(st and downTrend, title="DownTrend", style=shape.triangledown, location=location.abovebar, color=color.red)
// Entry indicators
plotarrow(pa and entryUp ? 1 : na, colorup=color.green, offset=-1)
plotarrow(pa and entryDn ? -1 : na, colordown=color.red, offset=-1)
plotchar(sl and entryUp ? low - ta.tr : na, char="B", location=location.absolute, color=color.green)
plotchar(sl and entryDn ? high + ta.tr : na, char="S", location=location.absolute, color=color.red)
CHoCH with Order Block Entry//@version=5
indicator("CHoCH with Order Block Entry", overlay=true)
// User Inputs
lookback = input.int(20, "Lookback for Highs/Lows", minval=1)
ob_zone_size = input.float(0.2, "Order Block Zone %", minval=0.1)
show_zones = input.bool(true, "Show Order Block Zones")
// Function to find recent swing high/low
var float lastHH = na
var float lastLL = na
var bool isBullChoch = false
var bool isBearChoch = false
hh = ta.highest(high, lookback)
ll = ta.lowest(low, lookback)
// Detect CHoCH
if high > lastHH and low < lastLL
isBullChoch := true
isBearChoch := false
lastHH := high
lastLL := low
else if low < lastLL and high < lastHH
isBullChoch := false
isBearChoch := true
lastHH := high
lastLL := low
// Order Block Logic
var float obHigh = na
var float obLow = na
var line obLineTop = na
var line obLineBottom = na
if isBullChoch
obHigh := high
obLow := low
if show_zones
obLineTop := line.new(bar_index, obHigh, bar_index + 10, obHigh, color=color.green, style=line.style_dashed)
obLineBottom := line.new(bar_index, obLow, bar_index + 10, obLow, color=color.green, style=line.style_dashed)
else if isBearChoch
obHigh := high
obLow := low
if show_zones
obLineTop := line.new(bar_index, obHigh, bar_index + 10, obHigh, color=color.red, style=line.style_dashed)
obLineBottom := line.new(bar_index, obLow, bar_index + 10, obLow, color=color.red, style=line.style_dashed)
// Entry Signal
buySignal = isBullChoch and close <= obHigh and close >= obLow
sellSignal = isBearChoch and close <= obHigh and close >= obLow
plotshape(buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
ORB Norman (2 Sessions, Auto Timezone)ORB Norman (2 Sessions, Auto Timezone)
This script plots Opening Range Breakout (ORB) levels for two configurable sessions. It’s designed for intraday traders—especially in futures markets like Gold (GC), Nasdaq (NQ), and S&P (ES)—who trade based on early session breakouts or range rejections. Unlike standard indicators, this tool auto-adjusts for timezones based on the instrument, ensuring precise session alignment.
Features:
Automatically adjusts for NQ/ES (Chicago time) and GC (New York time) based on the symbol.
Plots high, low, and optional midpoint lines for each session.
Clean, minimal settings with visual separation for better usability.
Ray extension length is fully customizable.
Works on any intraday chart (recommended: 5–15 minute timeframes).
Includes customizable session times, colors, ray length, and an optional midpoint line.
Default Sessions:
Session 1:
‣ 07:00–08:00 EST for GC
‣ 06:00–07:00 CT for NQ/ES
Session 2:
‣ 09:30–09:45 EST for GC
‣ 08:30–08:45 CT for NQ/ES
This tool is ideal for traders who scalp the early morning breakout or look for range rejections based on the opening auction.
This script was developed from scratch based on the author's own intraday trading needs.
Golden Ratio Trend Persistence [EWT]Golden Ratio Trend Persistence
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Overview
The Golden Ratio Trend Persistence is a dynamic tool designed to identify the strength and persistence of market trends. It operates on a simple yet powerful premise: a trend is likely to continue as long as it doesn't retrace beyond the key Fibonacci golden ratio of 61.8%.
This indicator automatically identifies the most significant swing high or low and plots a single, dynamic line representing the 61.8% retracement level of the current move. This line acts as a "line in the sand" for the prevailing trend. The background color also changes to provide an immediate visual cue of the current market direction.
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
The Power of the Golden Ratio (61.8%)
The golden ratio (ϕ≈1.618) and its inverse (0.618, or 61.8%) are fundamental mathematical constants that appear throughout nature, art, and science, often representing harmony and structure. In financial markets, this ratio is a cornerstone of Fibonacci analysis and is considered one of the most critical levels for price retracements.
Market movements are not linear; they progress in waves of impulse and correction. The 61.8% level often acts as the ultimate point of support or resistance. A trend that can hold this level demonstrates underlying strength and is likely to persist. A breach of this level, however, suggests a fundamental shift in market sentiment and a potential reversal.
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
How to Use This Indicator
This indicator is designed for clarity and ease of use.
Identifying the Trend : The visual cues make the current trend instantly recognizable.
A teal line with a teal background signifies a bullish trend. The line acts as dynamic support.
A maroon line with a maroon background signifies a bearish trend. The line acts as dynamic resistance.
Confirming Trend Persistence : As long as the price respects the plotted level, the trend is considered intact.
In an uptrend, prices should remain above the teal line. The indicator will automatically adjust its anchor to new, higher lows, causing the support line to trail the price.
In a downtrend, prices should remain below the maroon line.
Spotting Trend Reversals : The primary signal is a trend reversal, which occurs when the price closes decisively beyond the plotted level.
Potential Sell Signal : When the price closes below the teal support line, it indicates that buying pressure has failed, and the uptrend is likely over.
Potential Buy Signal : When the price closes above the maroon resistance line, it indicates that selling pressure has subsided, and a new uptrend may be starting.
Think of this tool as an intelligent, adaptive trailing stop that is based on market structure and the time-tested principles of Fibonacci analysis.
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Input Parameters
You can customize the indicator's sensitivity through the following inputs in the settings menu:
Pivot Lookback Left : This number defines how many bars to the left of a candle must be lower (for a pivot high) or higher (for a pivot low) to identify a potential swing point. A higher value will result in fewer, but more significant, pivots being detected.
Pivot Lookback Right : This defines the number of bars that must close to the right before a swing point is confirmed. This parameter prevents the indicator from repainting. A higher value increases confirmation strength but also adds a slight lag.
Fibonacci Ratio : While the default is the golden ratio (0.618), you can adjust this to other key Fibonacci levels, such as 0.5 (50%) or 0.382 (38.2%), to test for different levels of trend persistence.
Adjusting these parameters allows you to fine-tune the indicator for different assets, timeframes, and trading styles, from short-term scalping to long-term trend following.
BURSA Intraday GANN By ZAM V1.4// BURSA GANN By ZAM V1.4
// Created by Zam – Programmer & Trader
This script is designed specifically for **Bursa Malaysia** market (MYX) and combines GANN-based price levels with volume spike detection, VWAP positioning, and visual entry signal markers to support fast decision-making for scalpers and intraday traders.
✅ Key Features:
- GANN Levels displayed with color-coded zones:
🔴 Red (Major Resistance), 🟡 Yellow (Minor Zone), 🔵 Blue (Strong Support)
- Entry Point (EP) signal based on volume spike, bullish candle, and trend strength
- 9:00 AM market open marker with price label (auto-adjustable for backtest)
- VWAP short line with percentage deviation from current price
- EMA20 (thin orange) and EMA50 (thick blue) trend guides
- Upper Bollinger Band to indicate overextension zones
- GANN Info Box showing:
🎯 Zone Type | Open Price | VWAP & % Deviation
🧪 Backtest-Friendly & Modular:
- Toggle options to display EP and 9AM markers across all historical bars
- Modular controls for EP logic (Basic/Strict), VWAP, and visual elements
🎯 Purpose:
Designed for **intraday traders on Bursa Malaysia (MYX)** who want fast, high-clarity visual signals with structured zone logic for TP planning and entry timing.
This is the stable release V1.4 – fully tested and ready for live trading or strategy building.
“Build a system, not just hope.”
ORBopen range breakout- if the prices move out this band in the morning opening sess then long if no then short
Dow Theory - AnchorTime Linear Regression Channel🧭 Dow Theory – AnchorTime Linear Regression Channel
Not moving. Not smoothing. Just anchored price structure from the point that matters.
Unlike traditional regression channels that constantly shift with every new candle, this indicator allows you to anchor your channel to a fixed historical time, letting you draw a stable trend channel that reflects the real structure of price since that exact point.
🚫 Why It Was Built:
No moving averages
No smoothing techniques
This ensures that you don't distort the structure when the market moves fast, slow, or with inconsistent volatility.
Traditional regression channels recalculate and slide continuously, making it nearly impossible to identify a reliable structure for breakout or long-term channel trading.
🎯 What It Does:
You choose an anchor time (e.g., a major pivot low or breakout).
The channel is drawn from that fixed point to now, using raw price data only.
Automatically adjusts upper/lower boundaries based on actual price deviation – not based on average noise.
🧱 Why It Matters in Dow Theory:
In Dow Theory, identifying major trends requires knowing where they started.
This tool helps you:
Lock in a structural starting point
Track channel integrity over long periods
Prepare for breakouts with full visual context
⚙️ Key Features:
Fully customizable slope calculation method (Close, OHLC, Median, Typical)
Dynamic buffer-based channel deviation
Static anchor = stable channel
Clean labels and clear visual hierarchy
Dow Theory - High Timeframe Linear Regression Channel🧭 Dow Theory – High Timeframe Linear Regression Channel
No moving averages. No smoothing. Just clean structure, drawn directly from price.
This indicator is built for serious price action traders who need to stay aligned with the true structure of the market - especially when volatility shifts or price moves in irregular waves. Unlike indicators that rely on moving averages or smoothed data, this tool is based purely on confirmed high-timeframe raw price movement.
⚙️ How It Works:
Detects highs and lows from your chosen higher timeframe (e.g., H1 or H4).
Draws real-time trendlines and parallel regression channels based on true price action — no smoothing involved.
When price closes beyond the channel, the indicator breaks the trend visually and structurally.
In sideways phases, it automatically draws clean horizontal boundaries to define consolidation zones.
❌ What It Doesn’t Do:
No moving averages
No exponential or weighted filters
No price smoothing
→ Which means no distortion when price moves with inconsistent speed or volatile ranges.
🌟 Key Features:
Trend-aligned trading made visual: Clearly see if structure is trending or ranging.
Auto break detection: Trendlines are removed once structure is invalidated.
100% price-based logic: No repainting, no lag.
Customizable visuals: Adjust timeframe, color, line style, and more.
🧪 Perfect For:
Traders who avoid lagging indicators and want real structure.
Systems that require clean, event-driven signals based on HTF behavior.
Navigating fast or irregular markets without being misled by artificial smoothing.
Dow Theory - Low timeframe Linear Regression Channel🔍 Dow Theory - Minor Trend: Linear Regression Channel for Low Timeframes
Catch Every Move. No Smoothing. No Delay. Pure Price Action.
This indicator redefines how you analyze minor trends on low timeframes by applying Dow Theory principles without relying on traditional smoothing techniques like moving averages. Instead, it maps trends using pure candle high and low points, capturing even the smallest structural shifts with surgical precision.
🧠 What Makes It Special?
Unlike traditional linear regression channels that smooth price across fixed windows (which often fail during high volatility or abrupt moves), this tool is built to react instantly, adapting to the true pulse of the market—the candle’s own highs and lows. The result: no lag, no distortion, and no compromise during fast, slow, wide, or tight market phases.
🧩 Core Functionalities:
Minor Trend Mapping: Automatically identifies and draws channels using candle-by-candle pivot detection (not swing highs/lows).
Adaptive Channel Drawing: Draws real-time parallel channels as soon as a valid trend structure is detected—uptrend, downtrend, or sideway range.
Break Detection Logic: Highlights when price breaks above or below the current channel to anticipate trend shifts.
Sideway Detection: Dynamically tracks contraction phases using overlapping pivot structures.
No Repainting: All lines are fixed and historical; what you see is what really happened.
Fully Customizable:
Change trendline colors for bullish, bearish, or sideway zones.
Adjustable line width and style (solid, dashed, dotted).
Toggle on/off channel lines for clarity.
💡 Why Use This?
If you’re tired of average-based indicators that get whipsawed in volatile markets, this is your surgical tool for clarity. Whether you’re scalping, building entry logic, or looking to automate setups—this indicator gives you the raw market structure in its cleanest, most responsive form.
ENJOY!
gop 3 trong 1"This approach is designed to help traders be proactive. It focuses on identifying the footprints of 'sharks' (Smart Money) to understand institutional activity. It dynamically maps the market structure in real-time, and provides clear, proactive guidance using Fibo OTE (Optimal Trade Entry) zones for high-probability Price Action trading."
Gelismiş Piyasya ve Hizli Trend Analizi (AI Destekli)I Powered Market & Fast Trend Analysis
Dear investors and analysts,
Today, we are excited to present an advanced, AI-powered TradingView indicator designed to empower your market decisions and accelerate your trend analysis. This indicator has been developed to help you make sense of complex market data and make more informed trading decisions.
Key Features and Benefits:
Comprehensive Market Analysis: The indicator comprehensively analyzes four main market dynamics: trend, momentum, volatility, and volume. This provides an in-depth perspective on the overall health of the market.
Multi-Timeframe Integration: By combining data from both the current timeframe (4-hour) and the daily timeframe, it generates more robust and reliable signals. This allows you to balance short-term fluctuations with long-term trends.
AI-Powered Decision Mechanism: Through weights assigned to each market dynamic and dynamic thresholds, the indicator generates a combined AI-powered score and signal. This helps you make objective decisions by reducing subjective interpretations.
Market Context Integration: By analyzing data from important market indicators like BIST indices (XU100, XU030, XBANK), it relates the performance of a single asset to broader market conditions. This helps you "see the forest, not just the trees."
Clear and Understandable Signals: With clear text-based signals such as "Strong Buy," "Potential Sell," "Money Inflow," and "Money Outflow," it allows you to quickly grasp the market situation. These signals, supported by color coding, are also easy to follow visually.
Customizable Settings: Many parameters, such as periods, weights, and thresholds, can be adjusted by the user. This allows you to personalize the indicator according to your own trading strategy and risk tolerance.
Why Should You Use This Indicator?
This indicator simplifies your market analysis process while strengthening the logic behind your decisions. By leveraging the power of artificial intelligence, it helps you identify market opportunities more quickly and accurately. It is a valuable tool for both novice and experienced investors.
Thank you. Get your 1-month free demo of our indicator now!
Unified Signals + BB Expansion Filtercan be universal use for different futures product but yet to fine tune for individual use
Delta Volume Movement TrackerOverview
This Pine Script, titled "Delta Volume Movement Tracker," is a sophisticated volume analysis tool designed to run in a separate pane below the main price chart. Its primary purpose is to dissect market activity by analyzing volume data from a lower timeframe to provide a clearer picture of the real buying and selling pressure behind price movements.
The core concept is to look at the volume delta (up-tick volume minus down-tick volume) from a faster timeframe (e.g., 1-minute) and correlate it with the price action on the current chart. This allows the indicator to distinguish between different market scenarios, such as strong, confirmed buying versus selling pressure that occurs even as the price rises.
Key Components
1. Lower Timeframe Volume Delta
The script's engine is the ta.requestUpAndDownVolume() function. It pulls detailed volume data from a user-specified lower timeframe. This provides a high-resolution view of the order flow. From this, it calculates the delta, which is the net difference between buying and selling volume.
Positive Delta: More volume occurred on up-ticks than down-ticks, suggesting buying pressure.
Negative Delta: More volume occurred on down-ticks than up-ticks, suggesting selling pressure.
2. Categorizing Price and Volume Interaction
The script intelligently categorizes market action by looking at both the direction of the price change and the sign of the volume delta. This creates four distinct conditions:
Strong Buying (upPositiveDelta): Price is moving up, AND the volume delta is positive. This is a confirmation signal, indicating that the upward price move is supported by aggressive buying.
Selling into Strength (upNegativeDelta): Price is moving up, BUT the volume delta is negative. This is a divergence, suggesting that despite the price rise, larger players may be distributing or selling into the rally.
Buying into Weakness (downPositiveDelta): Price is moving down, BUT the volume delta is positive. This is also a divergence, suggesting that buyers are stepping in to absorb the selling pressure, potentially indicating a bottom.
Strong Selling (downNegativeDelta): Price is moving down, AND the volume delta is negative. This is a confirmation signal, indicating that the downward price move is supported by aggressive selling.
3. Price-Weighted Summation
Instead of just counting the occurrences, the script calculates a rolling sum for each category over a lookbackPeriod. Crucially, it weights these values by the close price, effectively measuring the monetary value of the flow in each category. This gives more significance to volume that occurs at higher price levels.
How It Appears on the Chart
The indicator plots the two most powerful confirmation signals as columns to make them easy to interpret:
Green Columns (upBuySum): Represents the cumulative, price-weighted value of "Strong Buying." Taller green bars indicate significant and sustained buying pressure.
Red Columns (downSellSum): Represents the cumulative, price-weighted value of "Strong Selling." Taller red bars indicate significant and sustained selling pressure.
EMA Lines: Smooth exponential moving averages of both the buying and selling plots are overlaid to help identify the prevailing trend in order flow.
Filled Zones: The areas beneath the zero line and the plotted columns are filled with color, making it easy to visually gauge the magnitude of buying or selling pressure at a glance.
In summary, this indicator provides a nuanced view of market dynamics, helping traders see beyond simple price action to understand the strength and conviction of the buyers and sellers driving the trend.
Machine Learning RSI with MatrixThe "Machine Learning RSI with Matrix," is an adaptive version of the traditional Relative Strength Index (RSI). It's designed to dynamically adjust to changing market conditions by learning from past price action. Instead of using a fixed calculation, it employs machine learning concepts to create a more responsive and nuanced momentum oscillator.
Core Concepts
At its heart, the indicator analyzes market characteristics like momentum and volatility over a long lookback period. It uses this information to:
Cluster Market Regimes: It categorizes the market's volatility into different states or "clusters." This allows the indicator to behave differently in calm, normal, or highly volatile environments.
Store Patterns: A unique "matrix" system stores recent RSI patterns corresponding to each volatility cluster. This creates a memory of what has happened before in similar market conditions, helping it anticipate future behavior.
Generate Probabilistic Signals: It runs thousands of Monte Carlo simulations on each bar. These simulations use weighted random probabilities based on current momentum and volatility to generate a forward-looking, probabilistic signal.
Dynamic and Adaptive Features
This isn't a static tool. Its key strength lies in its ability to adapt in real-time:
Self-Adjusting RSI Length: The indicator continuously compares its predicted RSI value to a more traditional RSI calculation. The "error" between these two is then used to dynamically adjust the RSI calculation length, making it shorter for faster response in volatile markets and longer for smoother signals in trending markets.
Adaptive Learning Rate: The speed at which the indicator adapts can be set to automatically adjust based on market volatility, allowing it to learn faster when the market is moving quickly.
Recursive Memory: The final output includes a "memory" component, which is a feedback loop from its own recent values. This helps create a smoother, more stable signal that is less prone to sudden spikes.
Final Output and Visualization
The final plotted value is a sophisticated blend of multiple elements: the adaptive RSI, the true RSI, the cluster average, and the memory average. This combined signal provides a comprehensive view of momentum.
Dynamic Thresholds: The overbought and oversold levels are not fixed at 70 and 30. They move up and down based on a Z-Score of the price, which measures how extreme the current price is relative to its recent history. This helps avoid premature signals in strong trends.
Adaptive Trend & Whale Vol + POCAdaptive Trend & Whale Vol + POC — powerful multi-tool indicator combining adaptive trend, whale volume spikes, RSI divergences, and volume-based POC to enhance trade entries and exits with clear signals and alerts.
جدول تقاطع المتوسطات وموقع المتوسط بالنسبة للسعر (دقيق)A moving average for the average and a varied and consolidated average in different formats, determining the direction of all moving and good averages A moving average for the average and a varied and consolidated average in different formats, determining the direction of all moving and good averages.
Double Fractal Entry📘 Overview
Double Fractal Entry is a structure-based indicator that identifies high-probability entry points using dynamic interaction between price and fractal levels. It combines classical fractal detection with custom logic for breakout and rebound signals, visually plotting entry, Stop-Loss, and Take-Profit levels directly on the chart.
This indicator is ideal for traders who rely on clear market geometry, offering a consistent approach to structural trading across all assets and timeframes.
🔧 Core Logic and Calculations
1. Fractal Mapping and Channel Construction
The script identifies upper and lower fractals based on a user-defined number of left/right bars. Once confirmed, fractals are connected into two channels:
- Upper Channel: connects all upper fractals
- Lower Channel: connects all lower fractals
Together, they form a real-time visual market structure used for signal generation.
2. Signal Generation: Breakout and Rebound Modes
Users can choose between two entry types:
- Fractal Breakout: a signal is triggered when price breaks beyond the last upper or lower fractal.
- Fractal Rebound: a signal is triggered when price rejects or reverses from a fractal zone.
Each signal includes:
- An entry arrow
- A horizontal line at the entry price
- SL and TP levels, calculated using the internal structure logic
3. Stop-Loss and Take-Profit Calculation
The SL/TP levels are not based on arbitrary points or ATR, but are dynamically determined using the distance between the latest upper and lower fractals (called a "fractal range").
This creates a volatility-adaptive risk structure, where TP and SL levels reflect the real rhythm of the market.
📊 Visual Elements on the Chart
- Fractals: Plotted as green/red markers above/below price
- Fractal Channels: Lines connecting same-side fractals (upper/lower)
- Entry Arrows: Show direction and type of entry (breakout or rebound)
- Entry Line: Horizontal level where signal occurred
- Stop-Loss / Take-Profit Lines: Drawn proportionally from fractal range
- Signal History: Optional display of previous signals for reference
⚙️ Inputs and Customization
You can configure:
- Fractal sensitivity (bars left/right)
- Entry type: Breakout or Rebound
- SL/TP distance (in fractal range units)
- Signal visibility and history depth
- Colors, widths, and line styles for all elements
🧠 How to Use
- Breakout Mode – Use when price shows momentum and trend structure (e.g., trending market)
- Rebound Mode – Use in sideways or reactive environments (e.g., pullbacks, ranges)
- Plan your risk with SL/TP already on the chart.
- Combine with volume, trend direction, or your strategy rules for confirmation.
This tool supports both discretionary trading and automated alert logic.
💡 What Makes It Unique
Unlike standard fractal or Zigzag indicators, Double Fractal Entry creates a dual-structure view that reflects the true swing structure of the market. Its logic is:
- Based on price geometry, not traditional indicators
- Adaptable to any volatility, thanks to dynamic fractal spacing
- Capable of filtering noise, especially in lower timeframes
The indicator also enables clean signal logic for those building trading systems, while providing immediate visual clarity for manual traders.
⚠️ Disclaimer
This indicator is designed for technical analysis and educational use only. It does not predict future market direction or guarantee profitable trades. Always combine tools with proper risk management and a well-tested strategy.
🔒 Invite-Only Script Notice
This is a closed-source invite-only script. It is fully built on proprietary fractal logic without using built-in oscillators, trend indicators, or repainting elements. Entry decisions and SL/TP levels are based entirely on price structure.
TPI+Ratio Quant Equity (Assets Individually Selectable)measures performance against evenly weighted index of assets using the dots indicator.
AUTO SBSThis is my auto SBS , with alerts!
its so simple and i created it for me and my friends so nothing to sya here