Göstergeler ve stratejiler
spx levelsThis script accommodates a 'string' using the formatting $ symbol then label (liek support for example). The string can be anything oyu want that you make up. I use it for SPX and publish a string daily for my substack subscribers. This is here for them but its free for anyone
YesmypageProfessional daily pivot point calculator using previous day's High, Low, and Close data. Displays 7 horizontal levels: R3/R2/R1 (green resistance), PP (blue pivot), S1/S2/S3 (red support) with exact price labels. Updates automatically each trading day. Perfect for Indian markets with clean visual design, customizable settings and summary table for quick reference.
Smart Ichimoku BreaksPremium private Ichimoku-based indicator with break confirmations, MTF logic, and automated TP/SL. Access by permission only.
GCM Price Boost📌 GCM Price Boost (GCMPB) – by
📈 Overview:
The GCM Price Boost indicator combines Volume Rate of Change (VROC) with a modified RSI Histogram to detect early momentum surges and potential reversal zones — giving you a powerful dual-momentum edge in all markets.
This tool is built for traders who want to spot strong price bursts (boosts) backed by volume and momentum, with visual clarity.
🔍 What It Includes:
✅ VROC Histogram:
Tracks how quickly volume is increasing alongside price.
Helps spot "pump" scenarios — surges in buying or selling pressure.
Color-coded for trend:
🟢 Green when price is rising
🔴 Red when price is falling
⚪ Gray when neutral
Two thresholds:
Small Pump (default 0.5)
Big Pump (default 10.0)
✅ RSI Histogram:
Based on RSI deviations from 50 (mid-level), scaled by a user-defined multiplier.
Color-coded histogram fill for momentum strength:
🟢 Positive = bullish pressure
🔴 Negative = bearish pressure
Histogram line color:
Above zero: 🟢 #2dff00 (bullish)
Below zero: 🔴 #ff0000 (bearish)
✅ Customizable Settings:
Adjustable VROC lookback and thresholds.
Custom RSI period and multiplier.
Amplify VROC histogram height visually via scaling multiplier.
✅ Alerts Built-in:
🔔 GCM Small Pump Detected
🔔 GCM Big Pump Detected
🔔 RSI Buy Signal
🔔 RSI Sell Signal
⚙️ Best Used For:
Spotting volume-backed momentum shifts
Surfing strong price waves (breakouts, pumps)
Timing buy/sell zones using RSI momentum
Combining with other confirmation tools (trend filters, S/R zones, etc.)
🚀 How to Use:
Add this indicator to your chart.
Watch for:
VROC bars crossing pump levels
RSI Histogram entering buy/sell zones
Use alerts to stay notified of key shifts.
Combine with price action or trend filters for higher confidence.
🧠 Pro Tip:
For aggressive traders: Enter when RSI crosses buy/sell level with a matching VROC boost.
For swing traders: Use this as an early warning of upcoming strength or exhaustion.
💬 Feedback & Upgrades:
If you’d like:
Buy/sell arrows
A strategy version for backtesting
Multi-timeframe enhancements
Drop a comment or message — I’m actively maintaining and improving this tool 💪
Cross Roads - A 2 lines cross indicator for trend tradingWe, at Stonehill Forex are posting our first homegrown indicator, which was profiled on the Stonehill Forex website in March ‘25. The original version was coded for MetaTrader 4 (MT4) and subsequently coded for MT5 and TradingView, based on community interest. They (MT4/5) will be available from our on-line library, HERE . This one comes to you at no cost and begins our TV library.
It’s a two lines cross price overlay which, at its heart, uses two weighted moving average lines run through a very sleek filter. The result calls out pretty accurate signals. We tested it over a three-year period and our results can be viewed in the blog, HERE . Additionally, there is an accompanying technical analysis video to show you how to use it. The video is embedded in the blog for ease and convenience.
The indicator has two settings;
StartLen: The starting point where the math begins to gather data. The default value is 2.
There are two caveats we wanted to mention regarding the settings for “StartLen”;
The “StartLen” setting variable must not be less than zero.
The “StartLen” setting must beless than the “LOOKBACK_period”.
LOOKBACK_period: This is the number of historical data periods the math will include when generating the signal lines. The default value is 24.
How to use it;
Long: When the green signal line crosses above the magenta signal line.
Short: When the red signal line crosses above the green signal line.
Thanks for checking us out. Watch for additional indicators from us coming in the near future.
EMA Trend Screener//@version=5
indicator("EMA Trend Screener", shorttitle="ETS", format=format.inherit)
// EMA Calculations
ema10 = ta.ema(close, 10)
ema20 = ta.ema(close, 20)
ema50 = ta.ema(close, 50)
ema100 = ta.ema(close, 100)
ema200 = ta.ema(close, 200)
// RSI Calculations
rsi_daily = ta.rsi(close, 14)
rsi_weekly = request.security(syminfo.tickerid, "1W", ta.rsi(close, 14))
// Core Conditions with 99% thresholds
price_above_10ema = close > (ema10 * 0.99)
ema10_above_20 = ema10 > (ema20 * 0.99)
ema20_above_50 = ema20 > (ema50 * 0.99)
ema50_above_100 = ema50 > (ema100 * 0.99)
ema100_above_200 = ema100 > (ema200 * 0.99)
// RSI Conditions
rsi_daily_bullish = rsi_daily > 50
rsi_weekly_bullish = rsi_weekly > 50
// EMA Spread Calculation
ema_max = math.max(ema10, math.max(ema20, math.max(ema50, math.max(ema100, ema200))))
ema_min = math.min(ema10, math.min(ema20, math.min(ema50, math.min(ema100, ema200))))
ema_spread_pct = (ema_max / ema_min - 1) * 100
// Price to 20 EMA Distance
price_to_20ema_pct = (close / ema20 - 1) * 100
// Additional Conditions
ema_spread_ok = ema_spread_pct < 10
price_to_20ema_ok = price_to_20ema_pct < 10
ema200_positive = ema200 > 0
// Final Signal Calculation
all_conditions_met = price_above_10ema and ema10_above_20 and ema20_above_50 and
ema50_above_100 and ema100_above_200 and rsi_daily_bullish and
rsi_weekly_bullish and ema_spread_ok and price_to_20ema_ok and ema200_positive
// SCREENER OUTPUT - This is the key for premium screener
// Return 1 for stocks meeting criteria, 0 for those that don't
screener_signal = all_conditions_met ? 1 : 0
// Plot the screener signal (this will be the column value)
plot(screener_signal, title="EMA Trend Signal", display=display.none)
// Additional screener columns you can add
plot(rsi_daily, title="RSI Daily", display=display.none)
plot(rsi_weekly, title="RSI Weekly", display=display.none)
plot(ema_spread_pct, title="EMA Spread %", display=display.none)
plot(price_to_20ema_pct, title="Price to 20EMA %", display=display.none)
// Screener-friendly outputs for individual conditions
plot(price_above_10ema ? 1 : 0, title="Price > 10EMA", display=display.none)
plot(ema10_above_20 ? 1 : 0, title="10EMA > 20EMA", display=display.none)
plot(ema20_above_50 ? 1 : 0, title="20EMA > 50EMA", display=display.none)
plot(ema50_above_100 ? 1 : 0, title="50EMA > 100EMA", display=display.none)
plot(ema100_above_200 ? 1 : 0, title="100EMA > 200EMA", display=display.none)
// Market cap condition (note: market cap data may not be available in all cases)
// You'll need to set this in the main screener interface
// Performance 3Y condition
// This also needs to be set in the main screener interface as it's fundamental data
Reversal Signal using 9 EMA & 20 EMA Rajdeep MThis is a reversal strategy.
This can be used in smaller timeframes like 3 or 5 or 15 min.
One should use 1:1 RR ratio.
Best entry in trade can be defined if the "Reversal" candle is doji, hammer, engulfing or harami candle.
TRADE AS PER YOUR RISK.
Deep M
Reversal Signal using 9 EMA & 20 EMA Rajdeep MThis is a reversal strategy.
This can be used in smaller timeframes like 3 or 5 or 15 min.
One should use 1:1 RR ratio.
Best entry in trade can be defined if the "Reversal" candle is doji, hammer, engulfing or harami candle.
TRADE AS PER YOUR RISK.
Deep M
AriezuFx Golden EntryThe AzurieFX Gold Entry Premium indicator is designed to help traders identify high-probability trade entries based on Smart Money Concepts (SMC) and price action strategies. This tool aims to visually assist in planning trade setups such as entries, stop-loss levels, and take-profit zones, making it ideal for traders who value structure and precision.
⚠️ DISCLAIMER:
This indicator is provided for educational and informational purposes only. It does not constitute financial advice or a recommendation to buy or sell any financial instruments. Trading involves risk and may result in loss of capital. Always do your own research and consult with a licensed financial advisor before making trading decisions. The developer of this tool is not responsible for any losses incurred from its use.
BankNifty ORB + RSI + MACD Signal//@version=5
indicator("BankNifty ORB + RSI + MACD Signal", overlay=true)
startHour = 9
startMinute = 15
endHour = 9
endMinute = 30
inSession = (hour == startHour and minute >= startMinute) or (hour == endHour and minute <= endMinute)
var float orHigh = na
var float orLow = na
if inSession
orHigh := na(orHigh) ? high : math.max(orHigh, high)
orLow := na(orLow) ? low : math.min(orLow, low)
rsi = ta.rsi(close, 14)
= ta.macd(close, 12, 26, 9)
buyCond = close > orHigh and rsi > 60 and macdLine > signalLine
sellCond = close < orLow and rsi < 40 and macdLine < signalLine
plotshape(buyCond, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.arrowup, size=size.small)
plotshape(sellCond, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.arrowdown, size=size.small)
bgcolor(buyCond ? color.new(color.green, 85) : na)
bgcolor(sellCond ? color.new(color.red, 85) : na)
RSI Combo: Buy + Sell + COMBOONLY FOR CRYPTO ASSETS!
This script generates RSI-based Buy and Sell signals for the current asset, with optional confirmation from the USDT Dominance index (USDT.D).
🔍 Logic Overview:
A Buy signal is triggered when:
RSI is below a defined threshold (default: 21)
Price is below the EMA (default: 100)
A Sell signal is triggered when:
RSI is above a defined threshold (default: 80)
Price is above the EMA
🔁 Combo Signals:
If a signal on the main asset is confirmed by an opposite signal on USDT.D (inverse logic), the script replaces the standard signal with a "combo" version:
combo buy = Buy signal on asset + Sell signal on USDT.D
combo sell = Sell signal on asset + Buy signal on USDT.D
This confirms a risk-off to risk-on (or vice versa) shift in the market.
✅ Features:
Works on any timeframe and any ticker
Inputs for custom RSI/EMA parameters
Alerts for all signal types:
Regular buy / sell
Enhanced combo buy / combo sell
Designed for overlay on the chart
USDT.D ticker can be customized
E&S Whole Level 1.0🟦 E&S Whole Level 1.0 – Precise Price Zone Visualizer
E&S Whole Level 1.0 is a technical analysis indicator that dynamically displays structured Whole Levels – key round-number price zones – with granular percentage-based subdivisions above and below the current market price. This tool is specifically designed for instruments with at least two digits before the decimal, such as Gold (XAU/USD), Oil, Indices, and many stocks.
✅ Key Features
Automatically detects the nearest Whole Level based on a customizable Whole Level Step Size
Displays over 50 sub-levels in percent-based increments (e.g., +90%, +50%, –10%, etc.)
Uses color-coded zone boxes to visually segment price clusters
Helps identify potential liquidity zones and institutional reaction areas
🎯 Best Suited For
Gold (XAU/USD)
Crude Oil (WTI, Brent)
Indices (e.g., DAX, Nasdaq)
Stocks priced with full-number values
⚠️ Limitations
Not suitable for classic Forex pairs such as EUR/USD or GBP/USD with prices like 1.0850.
The indicator is designed for markets where price values have at least two digits before the decimal point (e.g., 1950.00).
⚙️ Settings
Whole Level Step Size: Defines the spacing between main price zones (e.g., 1.00, 0.10, 0.01)
KDJ```
**KDJ Indicator - Enhanced Stochastic Oscillator**
The KDJ indicator is an advanced technical analysis tool that extends the traditional stochastic oscillator with an additional J line, providing enhanced momentum analysis for trading decisions.
**What is KDJ?**
KDJ consists of three lines:
- **K Line (Blue)**: Fast stochastic line showing short-term momentum
- **D Line (Orange)**: Smoothed version of K line, representing medium-term trend
- **J Line (White)**: Divergence line calculated as (3×K - 2×D), showing momentum acceleration
**Key Features:**
- Fully customizable parameters for optimal strategy adaptation
- Independent signal smoothing for K and D lines
- Visual background coloring for quick trend identification
- Standard overbought (80) and oversold (20) levels
- Clean, professional chart presentation
**Parameters:**
- **Period**: Lookback period for highest/lowest calculations (default: 42)
- **Signal K**: Smoothing factor for K line (default: 4)
- **Signal D**: Smoothing factor for D line (default: 4)
**Trading Signals:**
- **Bullish**: J line crosses above D line (green background)
- **Bearish**: J line crosses below D line (red background)
- **Overbought**: Values above 80 level
- **Oversold**: Values below 20 level
**Best Use:**
Ideal for identifying trend reversals, momentum shifts, and entry/exit points across all timeframes and markets. The J line provides early signals compared to traditional stochastic indicators.
Perfect for swing trading, scalping, and trend following strategies.
```
Minervini Trend Screener v6Screener for Mark Minervini's method in Pine. The only current one does not include RS so I have done this to fill that gap.
15m-SuperTrendThis indicator is specifically designed for short-term trend trading and is highly optimized for the 15-minute timeframe. It automatically identifies key buy and sell signals. All core logic and parameters are fully embedded and protected—users cannot view or modify them. Only the take-profit and stop-loss ATR multipliers are open for custom adjustment.
Each entry signal is clearly marked as "Long" or "Short" directly on the chart, with a dynamic panel displaying live position details, take-profit, and stop-loss levels to support efficient decision-making.
The 15-minute timeframe is recommended for best performance, but the indicator remains compatible with various markets and timeframes.
Ideal for professional users who require precise entries and strict risk management. It is recommended to fine-tune risk parameters based on your own trading style.
This indicator is published as closed-source. All strategy details are strictly protected. Unauthorized commercial use is strictly prohibited.
该指标专为短期趋势交易而设计,并针对 15 分钟时间框架进行了高度优化。它会自动识别关键的买入和卖出信号。所有核心逻辑和参数均已完全嵌入并受保护——用户无法查看或修改它们。只有止盈和止损的 ATR 乘数可供自定义调整。
每个入场信号都会在图表上直接清晰地标记为“多头”或“空头”,并配有动态面板显示实时仓位详情、止盈和止损水平,以支持高效决策。
建议使用 15 分钟时间框架以获得最佳性能,但该指标仍然兼容各种市场和时间框架。
非常适合需要精准入场和严格风险管理的专业用户。建议根据您自己的交易风格微调风险参数。
该指标以闭源形式发布。所有策略细节均受到严格保护。严禁未经授权的商业使用。
IKODO Pro Zone Marker🧠 IKODO Pro Zone Marker
Automatic Support & Resistance Zone Identifier – Your Edge in the Chaos
🔍 What is it?
IKODO Pro Zone Marker is an advanced, no-nonsense indicator engineered to automatically detect and display key support and resistance zones across any asset and timeframe. Designed with precision, this tool empowers traders to instantly identify reaction zones, enhancing their entries, exits, and overall market awareness.
⚙️ Core Mechanics
🧠 Intelligent Zone Detection
Detects demand (support) and supply (resistance) zones using price action logic and candlestick strength.
Filters for meaningful reactions and strong momentum shifts only — no noise.
⏱️ Multi-Timeframe Zone Mapping
Overlay zones from 30m to 1W timeframes simultaneously.
Perfect for identifying HTF confluences while scalping or swing trading.
🎯 Dynamic Zone Validation
Zones self-clean when broken — no manual cleanup.
Your chart stays relevant, clean, and smart.
🎨 Custom Visual Layers
Custom colors, borders, and labeling for both support and resistance.
Toggle price tags, zone names, and extension ranges with full control.
Projection bars into the future to track potential plays.
🛠️ Configuration Options
Feature Description
Zone Sensitivity Adjust the strictness for zone generation
Projection Length Define how far zones stretch forward in bars
Timeframe Filters Choose which TFs to display zones from
Zone Label Settings Customize label text, color, size, and position
LTF Visibility Option to hide or show lower timeframe zones
📈 How to Trade with It
Add to Chart – Load the script from your TradingView panel.
Customize It – Set your desired timeframes, styling, and zone rules.
Observe Reactions – Look for clean touches, wicks, or rejections at zone borders.
Confluence = Confidence – Combine with RSI, MACD, order blocks, or volume analysis.
Trade Smart – Let zones define risk/reward, but trust your plan.
🚫 No Gimmicks
✅ Real-time updates
✅ No repainting
✅ Works on all assets (crypto, forex, stocks, etc.)
✅ Fully rule-based and transparent
💡 "The smart trader doesn't chase price. He waits where price reacts."
– Let IKODO Pro Zone Marker mark that spot.
👍 If it boosts your trading, don’t forget to give it a star and share with your fellow traders.
Happy trading.
– Team IKODO
YB Pips AcademyThe YB Academy SNR indicator is a complete swing-based Support & Resistance mapping tool with powerful built-in entry/exit signals. Designed for traders who want to identify high-probability reaction zones and get real-time alerts for the best buy and sell opportunities, this script helps you trade with structure, confidence, and discipline—on any time frame.
How It Works
1. Automatic Support & Resistance Detection
The indicator automatically scans for major swing highs and swing lows on your chart using a sensitivity parameter.
Every time a new swing high/low forms, a horizontal SNR line is drawn at that price level.
Both support and resistance lines automatically extend to the right of your chart, providing a persistent map of key levels for future entries and exits.
You can control how many recent zones are shown (max_snrs), keeping your chart clean and focused.
2. Smart Buy/Sell Signal Generation
Buy signals (“YB Buy”): Trigger when price touches or bounces off a support line, with trend/momentum/freshness filters:
Price is above the EMA50 (trend filter)
MACD is bullish (momentum)
RSI confirms no overbought
Sell signals (“YB Sell”): Trigger when price hits resistance, with strict confirmation:
Price is below EMA50
MACD is bearish
RSI not oversold
Both signals are shown as clear up/down triangle arrows directly on your chart.
3. Powerful Alerts
Never miss a trade: Real-time alerts fire as soon as a valid buy or sell condition appears.
Use with TradingView app, web, or SMS for 24/7 notification—no chart-watching needed.
4. Fully Customizable
Change sensitivity for tighter/looser SNR mapping.
Control the look and feel: colors for SNR, signals, number of zones, extension distance.
Works on any market: gold, forex, indices, crypto, stocks.
5. Clean Visuals, Zero Clutter
SNR lines are automatically managed—older zones are removed as new ones appear.
Only the latest/best buy/sell signals are shown, so you can act quickly and decisively.
Perfect For:
Scalpers, Day Traders, Swing Traders
Anyone who wants to trade using clean price action levels, NOT lagging indicators
Traders looking for rule-based, mechanical entries and exits
What Makes This Unique?
Precision: Uses swing structure, not arbitrary pivots or moving averages, for SNR.
Multi-Filter Entries: Combines trend, momentum, and overbought/oversold logic for high-probability signals.
Alerts & Automation: Built-in, with no need for manual chart watching.
Simple to Use: Add to any TradingView chart, adjust settings, and go.
Upgrade your trading with the YB Academy SNR!
Get alerted to the real opportunities—right at the key price zones, with all the discipline of a professional.
Etiqueta en la vela 150 desde la actualThis indicator places a label on the candle you choose, counting backward from the most recent one. For example, you can mark candle number 150 from the current candle. Its purpose is to help you display only the necessary number of candles on the chart, making it easier to visualize standardized time ranges. This is especially useful for using the Visible Range Volume Profile indicator in a more consistent and standardized way.
HGDA TradeMatrixHGDA Trade Matrix — Precision-Based Zones + Dual Momentum Signals
HGDA Trade Matrix is a complete market framework indicator that combines high-precision price zones with automated trading signals generated through a fusion of MACD and Stochastic crossovers.
It provides both structural clarity and entry confidence in one unified tool.
🧠 What It Does:
The indicator derives 6 high-precision rectangular zones from the previous day’s high and low, using Fibonacci-based ratios. These zones act as support/resistance and trade planning areas.
It also calculates the midpoint (equilibrium line) and places labels inside each zone to assist in intraday navigation.
⚙️ Signal Engine Logic:
Built into the indicator is a dual-momentum signal system using:
📈 MACD Crossovers, filtered by zero-line positioning
📉 Stochastic Crossovers, filtered to avoid overbought/oversold traps
This produces:
✅ Buy/Sell Signals when either indicator triggers
💥 Strong Buy/Sell Signals when both align simultaneously
Signal labels are displayed directly on the chart, and alerts are provided for strong confluence signals.
📈 How To Use:
Use the price zones to determine high-interest levels for potential reactions.
Observe the Buy/Sell labels triggered by MACD/Stochastic logic near or within zones.
Combine signals with candlestick behavior or your own system for confirmation.
Use the midline to assess daily directional bias.
🧬 What Makes It Original:
HGDA Trade Matrix is not a basic zone indicator. It fuses price structure with filtered momentum signals, providing a dual-layer edge:
Where to trade (zones)
When to trade (signals)
This results in fewer false entries and more disciplined decision-making.
🔒 Invite-Only script. Intended for traders who seek a rules-based system combining structure and signal accuracy.
📩 To request access, message us privately.
🧩 HOW-TO: Use the HGDA Trade Matrix for Precision Trading
The HGDA Trade Matrix is a private invite-only indicator designed to provide daily adaptive price zones and dual-confirmation momentum signals, helping traders identify high-probability entries with structure and discipline.
🔷 What the Indicator Provides:
6 Auto-Generated Price Zones based on the previous day's high/low range
Midline Reference for directional bias
Auto Labels showing exact price levels for quick visual decisions
MACD & Stochastic Signals to confirm potential entries
BUY / SELL / STRONG BUY / STRONG SELL shapes shown on the chart
Alerts for Strong Buy/Sell signals
📈 How to Use It:
Step 1 — Start Your Day:
Load the indicator at the market open. It will automatically plot:
Key zones for reversals, breakouts, and reactions
A center line for market balance
Step 2 — Watch for Price Interactions:
When price enters a zone, observe:
Candle patterns (rejections, engulfing, inside bars)
Volume (if applicable)
Step 3 — Confirm with Signals:
Pay attention to the signal shapes:
✅ BUY/SELL: Either MACD or Stochastic confirms
💥 STRONG BUY/SELL: Both indicators confirm together
Use these as confirmation, not standalone.
Step 4 — Manage Entry & Risk:
Enter when the signal aligns with the zone interaction
Use the opposite zone or midline as your stop or target reference
Avoid chasing trades outside of structured areas
💡 Tips:
Works on Forex, Indices, Gold, Crypto
Best used on 15m, 1h, or 4h charts
Adjust lookback settings for different volatility
🔒 Access & Integrity:
This tool is Invite-Only, designed for traders who value clean structure and filtered signals.
To request access or learn more, contact us privately via TradingView.
Mark specific candle (e.g. bar 20)This Pine Script indicator, "Mark specific candle (e.g. bar 20)" (short title "Mark candle"), is a simple yet powerful tool to visually highlight a particular candle on your chart.
What it does:
It marks a specific candle (e.g., the 20th, 10th, or any number you choose) counting backwards from the most recent candle on your chart. The marked candle will be colored in a subtle light grey and also feature a tiny, matching grey arrow pointing down from above it.
Why it's useful:
This indicator helps you quickly identify and track a consistent reference point in recent price action. It's great for strategies that depend on fixed look-back periods or for simply keeping an eye on a specific historical candle's position as new data comes in.
Key Features:
Adjustable Candle Number: Easily change which candle is marked (e.g., 20th, 10th, 5th) directly from the indicator settings using the "Candle Number to Mark (from end)" input.
Clear Visuals: Both the candle color and a small arrow provide a subtle, yet effective, visual cue.
How to use:
Simply add this script to your TradingView chart. Then, open the indicator's settings to set your desired candle number.
Heatmap Trailing Stop with Breakouts (Zeiierman)█ Overview
Heatmap Trailing Stop with Breakouts (Zeiierman) is a trend and breakout detection tool that combines dynamic trailing stop logic, Fibonacci-based levels, and a real-time market heatmap into a single, intuitive system.
This indicator is designed to help traders visualize pressure zones, manage stop placement, and identify breakout opportunities supported by contextual price–derived heat. Whether you're trailing trends, detecting reversals, or entering on explosive breakouts — this tool keeps you anchored in structure and sentiment.
It projects adaptive trailing stop levels and calculates Fibonacci extensions from swing-based extremes. These levels are then colored by a market heatmap engine that tracks price interaction intensity — showing where the market is "hot" and likely to respond.
On top of that, it includes breakout signals powered by HTF momentum conditions, trend direction, and heatmap validation — giving you signals only when the context is strong.
█ How It Works
⚪ Trailing Stop Engine
At its core, the script uses an ATR-based trailing stop with trend detection:
ATR Length – Defines volatility smoothing using EMA MA of true range.
Multiplier – Expands/retracts the trailing offset depending on market aggression.
Real-Time Extremum Tracking – Uses local highs/lows to define Fibonacci anchors.
⚪ Fibonacci Projection + Heatmap
With each trend shift, Fibonacci levels are projected from the new swing to the current trailing stop. These include:
Fib 61.8, 78.6, 88.6, and 100% (trailing stop) lines
Heatmap Coloring – Each level'slevel's color is determined by how frequently price has interacted with that level in the recent range (defined by ATR).
Strength Score (1–10) – The number of touches per level is normalized and averaged to create a heatmap ""score"" displayed as a colored bar on the chart.
⚪ Breakout Signal System
This engine detects high-confidence breakout signals using a higher timeframe candle structure:
Bullish Breakout – Strong bullish candle + momentum + trend confirmation + heatmap score threshold.
Bearish Breakout – Strong bearish candle + momentum + trend confirmation + heatmap score threshold.
Cooldown Logic – Prevents signals from clustering too frequently during volatile periods.
█ How to Use
⚪ Trend Following & Trail Stops
Use the Trailing Stop line to manage positions or time entries in line with trend direction. Trailing stop flips are highlighted with dot markers.
⚪ Fibonacci Heat Zones
The projected Fibonacci levels serve as price magnets or support/resistance zones. Watch how price reacts at Fib 61.8/78.6/88.6 levels — especially when they're glowing with high heatmap scores (more glow = more historical touches = stronger significance).
⚪ Breakout Signals
Enable breakout signals when you want to trade breakouts only under strong context. Use the "Heatmap Strength Threshold" to require a minimum score (1–10).
█ Settings
Stop Distance ATR Length – ATR period for volatility smoothing
Stop Distance Multiplier – Adjusts the trailing stop'sstop's distance from price
Heatmap Range ATR Length – Defines how far back the heatmap scans for touches
Number of Heat Levels – Total levels used in the heatmap (more = finer resolution)
Minimum Touches per Level – Defines what counts as a ""hot"" level
Heatmap Strength Threshold – Minimum average heat score (1–10) required for breakouts
Timeframe – HTF source used to evaluate breakout momentum structure
-----------------
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.