Keltner BandWidthThis script measures the bandwidth of Keltner Channels using the same formula as is typical for Bollinger Bandwidth - (Upper band - Lower Band)/Basis where basis is the 20 period moving average. In the case of Keltner Channels, the basis uses the exponential moving average and a 10-period Average True Range as the multiplier. My use case for the indicator is to compare Bollinger Bandwidth to three different KC parameters (multipliers of 1x, 1.5x and 2x) for the identification of squeeze conditions used in the Simpler Trading Squeeze Pro indicator.
Jalur dan Saluran
D-LevelsThis indicator accepts a comma-separated list of price ranges as input and visualizes each range as a distinct zone on the chart, using randomized colors for distinction.
Ai Golden Support and Resistance 🔰 Ai Golden Support & Resistance — by GoldenCryptoSignals
This advanced tool automatically identifies high-probability support and resistance zones using adaptive smart analysis driven by price action behavior and dynamic market conditions. It provides AI-enhanced detection of potential reversal areas, offering traders precise levels to watch for possible entries, exits, or stop placements.
🧠 Key Features:
AI-style Adaptive Zones: Dynamically generated support and resistance levels based on changing volatility and price behavior.
Breakout & Retest Visualization: Highlights critical price levels and potential reaction zones when the market breaks key levels.
Explosive Move Detection: Alerts traders to areas where the price previously made strong directional moves, indicating possible institutional footprints.
Flexible Risk Profiles: Choose between High, Medium, or Low Risk zone sensitivity — adapt the algorithm to your trading style.
Smart Zone Persistence: Zones remain visible until invalidated, helping traders visually track active supply and demand levels.
Auto Labeling and Color Coding: Easy-to-understand visuals showing market structure, zone type, and breakout signals.
Optimized for Clarity: Minimal chart clutter with elegant layout, auto-zoning boxes, and breakout signals that assist decision-making.
🔎 Use Cases:
Spot institutional levels where price is likely to react.
Use zones for confluence with other strategies or indicators.
Anticipate potential breakout or fakeout areas.
Track active vs inactive zones dynamically.
⚠️ Disclaimer:
This script is designed to assist in analysis and does not provide financial advice. Always manage your own risk and test any tool before using it in live trading. This is a closed-source indicator developed by GoldenCryptoSignals.
Cubic Regression with Rainbow Grid (Adaptive StDev)Cubic Regression with Rainbow Channel
Description
The Cubic Regression with Rainbow Channel is an advanced technical analysis tool designed to identify trends and measure market volatility. It plots a cubic regression trendline surrounded by a "rainbow" of quantile bands.
Its primary feature is a unique adaptive volatility model. Instead of using a single period for standard deviation, it blends a long-term (stable) and a short-term (responsive) deviation. The user can control the weight between these two, allowing for fine-tuning of the channel's sensitivity to recent volatility changes.
How to Use and Recommendations
This indicator can be used for trend analysis, volatility assessment, and generating trading signals.
1. Trend Identification:
The central white line represents the calculated cubic regression trend.
Uptrend: The line curves upwards.
Downtrend: The line curves downwards.
Consolidation: The line moves sideways.
The curve's angle indicates the trend's strength.
2. Volatility Analysis:
The width of the rainbow is a direct measure of market volatility.
Wide Channel (High Volatility): Indicates significant price movement and uncertainty. Be cautious, as prices can swing wildly.
Narrow Channel (Low Volatility): Signals a period of consolidation or low market activity. Often, a "squeeze" (a very narrow channel) precedes a strong breakout.
3. Trading Signals:
Mean Reversion (Primary Strategy):
Sell Signal: When the price reaches the upper, "hot" bands (yellow, orange, red), it is considered overbought or overextended. Look for a potential reversal back towards the central white line.
Buy Signal: When the price touches the lower, "cold" bands (aqua, navy, purple), it is considered oversold. Look for a potential bounce back towards the central trendline.
Breakout Confirmation:
If the price consistently closes outside the outer bands (red or purple), especially as the channel is widening, it may signal the start of a very strong new trend, invalidating the mean-reversion signal.
4. Key Recommendations:
Always Use Confirmation: Do not use this indicator in isolation. Confirm its signals with other tools like RSI for momentum, MACD for trend confirmation, or Volume analysis.
Tune the Parameters:
Regression Period: Adjust this to fit the character of the asset. A longer period creates a smoother, more stable trendline suitable for long-term analysis. A shorter period makes it more responsive to recent price action.
Short StDev Weight (%): This is the most important setting. Start with a value around 20-40%.
Increase the weight to make the channel react faster to volatility spikes (good for short-term trading).
Decrease the weight for a smoother, more stable channel that filters out market noise (better for trend-following).
Context is King: The indicator is most reliable in markets that tend to revert to a mean. In a very strong, one-directional trend, mean-reversion signals may fail repeatedly.
DXTRADE//@version=5
indicator(title="DXTRADE", shorttitle="", overlay=true)
// التأكد من أن السوق هو XAUUSD فقط
isGold = syminfo.ticker == "XAUUSD"
// حساب شموع الهايكن آشي
haClose = (open + high + low + close) / 4
var float haOpen = na
haOpen := na(haOpen ) ? open : (haOpen + haClose ) / 2
haHigh = math.max(high, math.max(haOpen, haClose))
haLow = math.min(low, math.min(haOpen, haClose))
// إعداد المعلمات
atr_len = input.int(3, "ATR Length", group="SuperTrend Settings")
fact = input.float(4, "SuperTrend Factor", group="SuperTrend Settings")
adxPeriod = input(2, title="ADX Filter Period", group="Filtering Settings")
adxThreshold = input(2, title="ADX Minimum Strength", group="Filtering Settings")
// حساب ATR
volatility = ta.atr(atr_len)
// حساب ADX يدويًا
upMove = high - high
downMove = low - low
plusDM = upMove > downMove and upMove > 0 ? upMove : 0
minusDM = downMove > upMove and downMove > 0 ? downMove : 0
smoothedPlusDM = ta.rma(plusDM, adxPeriod)
smoothedMinusDM = ta.rma(minusDM, adxPeriod)
smoothedATR = ta.rma(volatility, adxPeriod)
plusDI = (smoothedPlusDM / smoothedATR) * 100
minusDI = (smoothedMinusDM / smoothedATR) * 100
dx = math.abs(plusDI - minusDI) / (plusDI + minusDI) * 100
adx = ta.rma(dx, adxPeriod)
// حساب SuperTrend
pine_supertrend(factor, atr) =>
src = hl2
upperBand = src + factor * atr
lowerBand = src - factor * atr
prevLowerBand = nz(lowerBand )
prevUpperBand = nz(upperBand )
lowerBand := lowerBand > prevLowerBand or close < prevLowerBand ? lowerBand : prevLowerBand
upperBand := upperBand < prevUpperBand or close > prevUpperBand ? upperBand : prevUpperBand
int _direction = na
float superTrend = na
prevSuperTrend = superTrend
if na(atr )
_direction := 1
else if prevSuperTrend == prevUpperBand
_direction := close > upperBand ? -1 : 1
else
_direction := close < lowerBand ? 1 : -1
superTrend := _direction == -1 ? lowerBand : upperBand
= pine_supertrend(fact, volatility)
// فلتر التوقيت (من 8 صباحاً إلى 8 مساءً بتوقيت العراق UTC+3)
withinSession = time >= timestamp("Asia/Baghdad", year, month, dayofmonth, 8, 0) and time <= timestamp("Asia/Baghdad", year, month, dayofmonth, 20, 0)
// إشارات الدخول مع فلتر ADX والتوقيت
validTrend = adx > adxThreshold
longEntry = ta.crossunder(dir, 0) and isGold and validTrend and withinSession
shortEntry = ta.crossover(dir, 0) and isGold and validTrend and withinSession
// وقف الخسارة والهدف
pipSize = syminfo.mintick * 10
takeProfit = 150 * pipSize
stopLoss = 150 * pipSize
// حساب الأهداف والستوب بناءً على شمعة الدخول (haClose للشمعة الحالية)
longTP = haClose + takeProfit
longSL = haClose - stopLoss
shortTP = haClose - takeProfit
shortSL = haClose + stopLoss
// إشارات الدخول
plotshape(series=longEntry, location=location.belowbar, color=color.green, style=shape.labelup, title="BUY")
plotshape(series=shortEntry, location=location.abovebar, color=color.red, style=shape.labeldown, title="SELL")
// رسم خطوط الأهداف ووقف الخسارة عند بداية الشمعة التالية للإشارة
if longEntry
line.new(bar_index, haClose + takeProfit, bar_index + 10, haClose + takeProfit, color=color.green, width=2, style=line.style_dashed)
line.new(bar_index, haClose - stopLoss, bar_index + 10, haClose - stopLoss, color=color.red, width=2, style=line.style_dashed)
if shortEntry
line.new(bar_index, haClose - takeProfit, bar_index + 10, haClose - takeProfit, color=color.green, width=2, style=line.style_dashed)
line.new(bar_index, haClose + stopLoss, bar_index + 10, haClose + stopLoss, color=color.red, width=2, style=line.style_dashed)
// إضافة تنبيهات
alertcondition(longEntry, title="Buy Alert", message="Gold Scalping - Buy Signal!")
alertcondition(shortEntry, title="Sell Alert", message="Gold Scalping - Sell Signal!")
RSI Shift Zone [ChartPrime]OVERVIEW
RSI Shift Zone is a sentiment-shift detection tool that bridges momentum and price action. It plots dynamic channel zones directly on the price chart whenever the RSI crosses above or below critical thresholds (default: 70 for overbought, 30 for oversold). These plotted zones reveal where market sentiment likely flipped, helping traders pinpoint powerful support/resistance clusters and breakout opportunities in real time.
⯁ HOW IT WORKS
When the RSI crosses either the upper or lower level:
A new Shift Zone channel is instantly formed.
The channel’s boundaries anchor to the high and low of the candle at the moment of crossing.
A mid-line (average of high and low) is plotted for easy visual reference.
The channel remains visible on the chart for at least a user-defined minimum number of bars (default: 15) to ensure only meaningful shifts are highlighted.
The channel is color-coded to reflect bullish or bearish sentiment, adapting dynamically based on whether the RSI breached the upper or lower level. Labels with actual RSI values can also be shown inside the zone for added context.
⯁ KEY TECHNICAL DETAILS
Uses a standard RSI calculation (default length: 14).
Detects crossovers above the upper level (trend strength) and crossunders below the lower level (oversold exhaustion).
Applies the channel visually on the main chart , rather than only in the indicator pane — giving traders a precise map of where sentiment shifts have historically triggered price reactions.
Auto-clears the zone when the minimum bar length is satisfied and a new shift is detected.
⯁ USAGE
Traders can use these RSI Shift Zones as powerful tactical levels:
Treat the channel’s high/low boundaries as dynamic breakout lines — watch for candles closing beyond them to confirm fresh trend continuation.
Use the midline as an equilibrium reference for pullbacks within the zone.
Visual RSI value labels offer quick checks on whether the zone formed due to extreme overbought or oversold conditions.
CONCLUSION
RSI Shift Zone transforms a simple RSI threshold crossing into a meaningful structural tool by projecting sentiment flips directly onto the price chart. This empowers traders to see where momentum-based turning points occur and leverage those levels for breakout plays, reversals, or high-confidence support/resistance zones — all in one glance.
VectorTraderMBK 714 vertical linesVectorTraderMBK 714 vertical lines.
This TradingView indicator allows you to mark two customizable times on your chart with vertical red lines. Designed to work seamlessly on 5-minute timeframes, it draws precise vertical lines at the exact UTC times you specify in the indicator’s settings.
Key Features:
User-friendly inputs to set the hour and minute for two separate vertical lines
Automatically plots vertical lines at the selected UTC times every trading day
Compatible with charts set to the UTC timezone (UTC+0)
Lines extend vertically across the entire visible chart for easy visual reference
Ideal for marking important market sessions, news events, or specific trading windows
Use this indicator to visually track critical time points on your charts and improve your trading timing
How it works.
To setup the 714 Method,
1.Go to Indicator settings
2. Change Value of First Line Hour to 7
3. Change Value of Secound Line Hour to 8
4. Save as defaults.
Perfect Price-Anchored Fib GridAll credits go to Hopiplaka. He is the brain behind this. Since its just a matter of time since people go crazy about it and trying to sell you mentorships based on this, here you get an indicator. Will further develop it and add some additional stuff to it.
But for those that know the last magical thing he gave us, know already how to use this.
Dual POC Multi-Period📊 Overview
This indicator displays Point of Control (POC) levels from multiple time periods using dual calculation methods. POC represents the price level with the highest traded volume, providing key support and resistance levels for traders.
✨ Key Features
1. Dual Calculation Methods
Sensitive POC: Precise volume distribution based on High-Low range
Smooth POC: Traditional calculation using close prices with wider distribution
Both Mode: Display both methods simultaneously for comprehensive analysis
2. Multi-Period Analysis
Full period (100%)
Half period (50%)
Quarter period (25%)
Eighth period (12.5%)
3. Visual Signal Strength Indicator
Phone signal bar-style display showing trend strength
Fixed position table that doesn't interfere with chart analysis
Color-coded for bullish, bearish, and neutral conditions
Adjustable size (tiny, small, medium, large)
4. Higher Timeframe Support
Display POC from higher timeframes on current chart
Helps identify major support/resistance levels
🎯 How to Use
Choose Calculation Mode
Select between Sensitive, Smooth, or Both modes based on your trading style
Sensitive mode is better for precise levels
Smooth mode provides broader zones
Adjust Period Settings
Base Period Length: Number of bars for calculation (50-1000)
Price Level Resolution: Granularity of volume distribution (10-500)
Visual Interpretation
4 filled bars = Strong uptrend (price above all POCs)
3 filled bars = Uptrend
2 filled bars = Neutral/Consolidation
1 filled bar = Downtrend
0 filled bars = Strong downtrend (price below all POCs)
POC Lines as Support/Resistance
Use POC levels as potential support in uptrends
Use POC levels as potential resistance in downtrends
Confluence of multiple POCs indicates stronger levels
⚠️ Important Notes
1. Repainting Warning
Higher timeframe POC may repaint until that timeframe closes
Current timeframe calculations use confirmed historical data only
2. Performance Considerations
Higher resolution settings may impact performance on lower-end devices
Recommended: Start with default settings and adjust as needed
3. Not Financial Advice
This indicator is for educational and informational purposes only
Past performance does not guarantee future results
Always conduct your own research and risk management
🔧 Customization Options
Visual Settings: Colors, line styles, and transparency
Display Options: Choose which POC levels to show
Alerts: Optional alerts for POC crosses (disabled by default)
Labels: Price labels and mode indicators (disabled by default)
💡 Trading Ideas
Trend Confirmation: Use signal strength indicator for trend bias
Breakout Trading: Watch for breaks above/below major POC levels
Range Trading: Trade between POC levels in consolidation
Confluence Trading: Look for areas where multiple POCs align
Custom MA Crossover with Labels/*
This indicator displays two customizable moving averages (Fast and Slow),
defaulting to 10-period and 100-period respectively.
Key Features:
- You can choose between Simple Moving Average (SMA) or Exponential Moving Average (EMA).
- When the Fast MA crosses above the Slow MA, a green "BUY" label appears below the candle.
- When the Fast MA crosses below the Slow MA, a red "SELL" label appears above the candle.
- Alerts are available for both Buy and Sell crossovers.
Usage:
- Helps identify trend direction and potential entry/exit points.
- Commonly used in trend-following strategies and crossover systems.
- Suitable for all timeframes and assets.
Tip:
- You can adjust the Fast and Slow MA periods to fit your trading strategy.
- Try using this with volume or momentum indicators for confirmation.
*/
Pajinko - Buy/Sell + Div Alerts (Indicator)Trade more accurately with this template made for Cyborg EA users!
Real-time entry points with MSL and custom zones to match the system.
Free for all Cyborg users – full guide & support here: lin.ee
Super SharkThis script plots the 200-period Exponential Moving Average (EMA) on the main chart, helping traders identify the long-term trend direction.
It is suitable for trend following and support/resistance analysis.
Trade what you see, Not what you think
Gold 1 Min EMA Crossover & Retrace (Full Version)this is for 1mints gold indecator Established Trend: Price is trading below the EMA zone. The dashboard shows a "BEARISH" MA Stack and Trend Confirm.
The Retrace: Price attempts a weak rally and the high of a candle pushes up into the blue EMA Zone. This zone is now acting as dynamic resistance.
The Entry Trigger: The rally fails. A bearish candle forms and closes back below the fast EMA, confirming the zone has held as resistance.
Confluence: The dashboard confirms all bearish conditions are aligned at this moment. This triggers your buySignal to enter a short position, anticipating the price will continue its downward trend.
Customizable Donchian Channel with Offset Lines What makes it special for you:
- You control the offset percentages, so if someday 60/40 makes more sense—just tweak it!
- All line colors are fully customizable to suit your visual styling or layer coordination.
- Built for clarity and flexibility, right in line with your scripting ethos!
Want to add dashed lines or scale price markers in lakhs and crores next? Let’s keep sculpting!
Low Reversal Above 20 EMAThis indicator gives signals whenever a complete candle is formed above 20 Ema after being partially or completely below it.
XRP Whale Accumulation Sniper v2 by Team UndergroundXRP Whale Sniper v2 by Team Underground
The XRP Whale Sniper v2 is a precision tool developed by Team Underground to identify large-scale accumulation and distribution events by whales in the XRP/USDT market on the daily chart. It combines historical on-chain behaviour patterns, momentum shifts, and smart money accumulation models into one clear visual system.
Key Features:
Green Line (Whale Activity Tracker): Smoothed oscillator-like overlay tracking potential whale accumulation (bottoming) phases.
Yellow triangle (Buy Signal): Indicates accumulation or whale entry zones, historically correlating with strong price bounces or trend reversals.
Adaptive Behaviour: The indicator adapts dynamically to volatility and trend strength, filtering out noise to highlight only high-probability zones.
Ideal Use:
Swing traders and long-term holders looking to ride whale moves.
Confirmation tool alongside your existing momentum, volume, or trend indicators.
Works best on daily timeframes for strategic entries and exits.
Not for financial advice. Provided for Coin Theory.
Simple Breakout Zones MTFSimple Breakout Zones MTF
Overview
The "Simple Breakout Zones MTF" indicator is designed to help traders identify key breakout and rejection zones using multi-timeframe (MTF) analysis. By calculating high and low zones based on both close and high/low data, this indicator provides a comprehensive view of market movements. It is ideal for traders looking to spot potential trend reversals, breakouts, or rejections with added flexibility through MTF support and customizable tolerance modes.
Key Features
Multi-Timeframe (MTF) Support: Analyze data from different timeframes for both Close Mode and HL (High/Low) Mode to gain a broader market perspective.
Tolerance Modes: Choose from three tolerance options—ATR, Percent, or Fixed—to adjust the sensitivity of breakout and rejection signals.
Zone Visualization: Easily identify high and low zones with filled areas, making it simple to spot potential breakout or rejection levels.
Breakout and Rejection Detection: Detects breakouts and rejections for both Close and HL modes, with specific conditions to ensure accurate signals.
Custom Alerts: Set up alerts for various scenarios, including when both modes agree on a breakout or rejection, or when only one mode triggers a signal.
Multi-Timeframe (MTF) and Higher Timeframe (HTF) Utility
The Multi-Timeframe (MTF) and Higher Timeframe (HTF) modes are powerful features that significantly enhance the indicator’s versatility and effectiveness. By enabling MTF/HTF analysis, traders can integrate data from multiple timeframes—such as daily, weekly, or monthly—into a single chart, regardless of the timeframe they are currently viewing. This capability is invaluable for understanding the bigger picture of market behavior. For instance, a trader working on a 15-minute chart can leverage HTF data from a daily chart to identify overarching trends, critical support and resistance levels, or potential reversal zones that would otherwise remain hidden on shorter timeframes. This multi-layered perspective is especially beneficial for swing traders, position traders, or anyone employing strategies that require alignment with longer-term market movements.
Additionally, the MTF/HTF functionality allows traders to filter out noise and false signals often present in lower timeframes. For example, a breakout signal on a 1-hour chart gains greater significance when confirmed by HTF analysis showing a similar breakout on a 4-hour or daily timeframe. This confluence increases confidence in trade setups and reduces the likelihood of acting on fleeting market fluctuations. Whether used to spot macro trends, validate trade entries, or time exits with precision, the MTF/HTF modes make this indicator a robust tool for adapting to various trading styles and market conditions.
Non-Repainting Indicator
A standout advantage of this indicator is its non-repainting nature, which applies fully to the MTF and HTF modes. Unlike repainting indicators that retroactively alter their signals, this indicator locks in its calculated levels and zones once a bar closes on the chosen timeframe—whether it’s the current chart’s timeframe or a higher one selected via MTF/HTF settings. This reliability is critical for traders who depend on consistent historical data for strategy development and backtesting. For example, a support zone identified on a daily timeframe using HTF mode will remain unchanged in the past, present, and future, ensuring that what you see in a backtest mirrors what you would have experienced in real-time trading. This non-repainting feature fosters trust in the indicator’s signals, making it a dependable choice for both discretionary and systematic traders seeking accurate, reproducible results.
How It Works
The indicator calculates the highest and lowest values over a specified period (length) for both close prices (Close Mode) and high/low prices (HL Mode). These calculations can be performed on the current timeframe or a higher timeframe using MTF settings. The high and low zones are created by taking the maximum and minimum of the Close and HL levels, respectively.
Breakouts: A breakout occurs when the price closes beyond the calculated levels for both modes or just one, depending on the alert condition.
Rejections: A rejection is detected when the price touches the zone but fails to close beyond it, indicating potential resistance or support.
Tolerance is applied to the rejection logic to account for minor price fluctuations and can be customized using ATR, a percentage of the price, or a fixed value.
Usage Instructions
1. Input Settings
Use MTF for Close Mode?: Enable this option to analyze Close Mode data from a higher timeframe. When enabled, the indicator will use the specified 'Close Mode Timeframe' for calculations.
Close Mode Timeframe: Select the timeframe for Close Mode analysis (e.g., 'D' for daily). This allows you to incorporate longer-term close price data into your analysis.
Use MTF for HL Mode?: Enable this option to analyze HL (High/Low) Mode data from a higher timeframe. When enabled, the indicator will use the specified 'HL Mode Timeframe' for calculations.
HL Mode Timeframe: Select the timeframe for HL Mode analysis. This enables you to consider longer-term high and low price levels.
Source: Choose the data source for calculations (default is 'close').
Length: Set the lookback period for calculating the highest and lowest values.
Tolerance Mode: Select how tolerance is calculated—'ATR', 'Percent', or 'Fixed'.
ATR Length: Set the ATR period if using ATR tolerance.
ATR Multiplier: Adjust the multiplier for ATR-based tolerance.
Tolerance % of Price: Set the percentage for Percent tolerance.
Fixed Tolerance (Points): Set a fixed tolerance value in points.
2. Visual Elements
High Zone: A filled area (aqua) between the highest levels of Close Max and HL Max.
Low Zone: A filled area (orange) between the lowest levels of Close Min and HL Min.
Close Max/Min: Green and red crosses indicating the highest and lowest close prices over the specified length.
HL Max/Min: Green and red crosses indicating the highest high and lowest low prices over the specified length.
3. Alerts
The indicator provides several alert conditions to notify you of potential trading opportunities:
Both Modes New High: Triggers when both Close and HL modes agree on a new high, indicating a strong breakout signal upward.
Both Modes New Low: Triggers when both modes agree on a new low, indicating a strong breakout signal downward.
Both Modes Rejection: Triggers when both modes agree on a rejection, suggesting strong resistance or support.
Close Mode New High: Triggers when only Close Mode indicates a new high, useful for early breakout signals upward.
Close Mode New Low: Triggers when only Close Mode indicates a new low, useful for early breakout signals downward.
Weak Rejection Up: Triggers when only one mode indicates a rejection upward, signaling a weaker but noteworthy resistance.
Weak Rejection Down: Triggers when only one mode indicates a rejection downward, signaling a weaker but noteworthy support.
Why Use This Indicator?
Enhanced Market Insight: Combining data from multiple timeframes and modes provides a more complete picture of market dynamics.
Customizable Sensitivity: Adjust tolerance settings to fine-tune the indicator for different market conditions or trading styles.
Clear Visual Cues: Filled zones and plotted levels make it easy to spot key areas of interest on the chart.
Versatile Alerts: Tailor alerts to capture both strong and subtle market movements, ensuring you never miss a potential opportunity.
Reliable Signals: The non-repainting nature of the indicator ensures that the signals and zones are consistent and trustworthy, both in backtesting and live trading.
15m Breakout Box - CLEAN FIXEDscalping setup for crude oil.
wait for candle closed. if signal appears then entry with sl below/high candle and set target 10tick.
please manage your risk wisely.
Custom ATR LinesThis indicator allow you to create up to 3 Average True Range lines. I created this indicator to force me to sell winning positions both offensively and defensively.
You can customize the length of the ATR calculation
There are four bases that can be referenced (8 Day EMA, 21 Day EMA, 50 Day EMA, and Price)
You may add a multiplier to offset the plot from the base.
A box is displayed at the bottom right with the ATR calculation and % of the closing price.
If you designate one of the ATR lines as your stop loss it will define where your stop loss should be.
Black ArrowExpected Move Levels - Closer Prices
This script calculates and displays the expected move based on Implied Volatility (IV) and Days to Expiration (DTE). It helps traders visualize potential price movement ranges over a defined period using historical close price.
🔹 Key Features:
Customizable IV and DTE inputs
Displays 2 green levels above price and 2 red levels below, representing half and full expected move
Mid-lines between base price and first green/red level
Each level is labeled with its price value
Lines are drawn short and don't extend through the full chart for clarity
📘 Formula:
Expected Move = Price × IV × √(DTE / 365)
Use this tool to estimate market volatility zones and potential price targets without relying on traditional indicators.
Finance Nirvana Buy/Sell Signals Generator V1.3Finance Nirvana Buy/Sell Signals Generator V1.3 1.3 adds a 20‑period zero‑lag EMA alongside the standard EMA20, dynamically draws prior‑day pivot, R1–R3 and S1–S3 levels each session, and introduces a live “Today vs. Yesterday” high/low/current price table plus a dedicated 50/100/200 DMA panel; it streamlines buy/sell logic to require two consecutive same‑color bars above/below ZLEMA20 and the BB basis with ADX > 20 and dynamic RSI filtering, enhances the multi‑timeframe trend table with bullish/bearish signals and RSI readings on 5 m–daily, overlays Bollinger Bands with translucent fill, flags RSI over‑70/under‑30 and high/low‑volume bars, and speeds up loading with max_bars_back=100—meanwhile fixing ghost pivot‑line issues at session boundaries, correcting DMI parameters (DI = 14, ADX smoothing = 7), and ensuring all tables clear and redraw properly when switching symbols or timeframes.
Momentum_EMABand📢 Reposting this script as the previous version was shut down due to house rules. Follow for future updates.
The Momentum EMA Band V1 is a precision-engineered trading indicator designed for intraday traders and scalpers. This first version integrates three powerful technical tools — EMA Bands, Supertrend, and ADX — to help identify directional breakouts while filtering out noise and choppy conditions.
How the Indicator Works – Combined Logic
This script blends distinct but complementary tools into a single, visually intuitive system:
1️⃣ EMA Price Band – Dynamic Zone Visualization
Plots upper and lower EMA bands (default: 9-period) to form a dynamic price zone.
Green Band: Price > Upper Band → Bullish strength
Red Band: Price < Lower Band → Bearish pressure
Yellow Band: Price within Band → Neutral/consolidation zone
2️⃣ Supertrend Overlay – Reliable Trend Confirmation
Based on customizable ATR length and multiplier, Supertrend adds a directional filter.
Green Line = Uptrend
Red Line = Downtrend
3️⃣ ADX-Based No-Trade Zone – Choppy Market Filter
Manually calculated ADX (default: 14) highlights weak trend conditions.
ADX below threshold (default: 20) + Price within Band → Gray background, signaling low-momentum zones.
Optional gray triangle marker flags beginning of sideways market.
Why This Mashup & How the Indicators Work Together
This mashup creates a high-conviction, rules-based breakout system:
Supertrend defines the primary trend direction — ensuring trades are aligned with momentum.
EMA Band provides structure and timing — confirming breakouts with retest logic, reducing false entries.
ADX measures trend strength — filtering out sideways markets and enhancing trade quality.
Each component plays a specific role:
✅ Supertrend = Trend bias
✅ EMA Band = Breakout + Retest validation
✅ ADX = Momentum confirmation
Together, they form a multi-layered confirmation model that reduces noise, avoids premature entries, and improves trade accuracy.
💡 Practical Application
Momentum Breakouts: Enter when price breaks out of EMA Band with Supertrend confirmation
Avoid Whipsaws: Skip trades during gray-shaded low-momentum periods
Intraday Scalping Edge: Tailored for lower timeframes (5min–15min) where noise is frequent
⚠️ Important Disclaimer
This is Version 1 — expect future enhancements based on trader feedback.
This tool is for educational purposes only. No indicator guarantees profitability. Use with proper risk management and strategy validation.