RSI5vsRSI14indicator("RSI5vsRSI14")
plot(ta.rsi(close, 14), color=color.red)
plot(ta.rsi(close, 5), color=color.green)
// plot(ta.rsi(close, 2), color=color.blue)
Indicators and strategies
DCA + Liquidation LevelsThe indicator combines a Dollar-Cost Averaging (DCA) strategy after downtrends with liquidation level detection, providing comprehensive market analysis.
📈 Working Principle
1. DCA Strategy Foundation
EMA 50 and EMA 200 - used as primary trend indicators
EMA-CD Histogram - difference between EMA50 and EMA200 with signal line
BHD Levels - dynamic support/resistance levels based on volatility
2. DCA Entry Logic
pinescript
// Entry Conditions
entry_condition1 = nPastCandles > entryNumber * 24 * 30 // Monthly interval
entry_condition2 = emacd < 0 and hist < 0 and hist > hist // Downtrend reversal
ENTRY_CONDITIONS = entry_condition1 and entry_condition2
Entry triggers when:
Specified time has passed since last entry (monthly intervals)
EMA-CD is negative but showing reversal signs (histogram increasing)
Market is emerging from downtrend
3. Price Zone Coloring System
pinescript
// BHD Unit Calculation
bhd_unit = ta.rma(high - low, 200) * 2
price_level = (close - ema200) / bhd_unit
Color Zones:
🔴 Red Zone: Level > 5 (Extreme Overbought)
🟠 Orange Zone: Level 4-5 (Strong Overbought)
🟡 Yellow Zone: Level 3-4 (Overbought)
🟢 Green Zone: Level 2-3 (Moderate Overbought)
🔵 Light Blue: Level 1-2 (Slightly Overbought)
🔵 Blue: Level 0-1 (Near EMA200)
🔵 Dark Blue: Level -1 to -4 (Oversold)
🔵 Extreme Blue: Level < -4 (Extreme Oversold)
4. Liquidation Levels Detection
pinescript
// Open Interest Delta Analysis
OI_delta = OI - nz(OI )
OI_delta_abs_MA = ta.sma(math.abs(OI_delta), maLength)
Liquidation Level Types:
Large Liquidation Level: OI Delta ≥ 3x MA
Middle Liquidation Level: OI Delta 2x-3x MA
Small Liquidation Level: OI Delta 1.2x-2x MA
Leverage Calculations:
5x, 10x, 25x, 50x, 100x leverage levels
Both long and short liquidation prices
⚙️ Technical Components
1. Moving Averages
EMA 50: Short-term trend direction
EMA 200: Long-term trend foundation
EMA-CD: Momentum and trend strength measurement
2. BHD Levels Calculation
pinescript
bhd_unit = ta.rma(high - low, 200) * 2
bhd_upper = ema200 + bhd_unit * N // Resistance levels
bhd_lower = ema200 - bhd_unit * N // Support levels
Where N = 1 to 5 for multiple levels
3. Open Interest Integration
Fetches Binance USDT perpetual contract OI data
Calculates OI changes to detect large position movements
Identifies potential liquidation clusters
🔔 Alert System
Zone Transition Alerts
Triggers: When price moves between different BHD zones
Customizable: Each zone alert can be enabled/disabled individually
Information: Includes exact level, price, and EMA200 value
Alert Types Available:
🔴 Red Zone Alert
🟠 Orange Zone Alert
🟡 Yellow Zone Alert
🟢 Green Zone Alert
🔵 Light Blue Zone Alert
🔵 Blue Zone Alert
🔵 Dark Blue Zone Alert
🔵 Extreme Blue Zone Alert
🎨 Visual Features
1. Candle Coloring
Real-time color coding based on price position relative to EMA200
Immediate visual identification of market conditions
2. Level Displays
EMA lines (50 & 200)
BHD support/resistance levels
Liquidation level lines with different styles based on significance
3. Entry Markers
Green upward labels below bars indicating DCA entry points
Numbered sequentially for tracking
📊 Input Parameters
DCA Settings
Start/End dates for backtesting
EMA periods customization
Liquidation Levels Settings
MA Length for OI Delta
Threshold multipliers for different liquidation levels
Display toggles for lines and histogram
Alert Settings
Individual zone alert enable/disable
Customizable sensitivity
🔧 Usage Recommendations
For DCA Strategy:
Enter positions at marked DCA points after downtrends
Use BHD levels for position sizing and take-profit targets
Monitor zone transitions for market condition changes
For Liquidation Analysis:
Watch for price approaches to liquidation levels
Use histogram for density of liquidation clusters
Combine with zone analysis for entry/exit timing
⚠️ Limitations
Data Dependency: Requires Binance OI data availability
Market Specific: Optimized for cryptocurrency markets
Timeframe: Works best on 1H+ timeframes for reliable signals
Volatility: BHD levels may need adjustment for different volatility regimes
🔄 Updates and Maintenance
Regular compatibility checks with TradingView updates
Performance optimization for different market conditions
User feedback incorporation for feature improvements
This indicator provides institutional-grade market analysis combined with systematic DCA strategy implementation, suitable for both manual trading and algorithmic strategy development.
Mambo MA & HAMambo MA & HA is a combined trend-view indicator that overlays Heikin Ashi direction markers and up to eight customizable moving averages on any chart.
The goal is to give a clear, uncluttered visual summary of short-term and long-term trend direction using both regular chart data and Heikin Ashi structure.
This indicator displays:
Heikin Ashi (HA) directional markers on the chart timeframe
Optional Heikin Ashi markers from a second, higher timeframe
Up to eight different moving averages (SMA, EMA, SMMA/RMA, WMA, VWMA)
Adjustable colors and transparency for visual layering
Offset controls for HA markers to prevent overlap with price candles
It is designed for visual clarity without altering the underlying price candles.
Heikin Ashi Direction Markers (Chart Timeframe)
The indicator generates HA OHLC values internally and compares the HA open and close:
Green (bullish) HA candle → triangle-up marker plotted above the bar
Red (bearish) HA candle → triangle-down marker plotted above the bar
The triangles use soft pastel colors for minimal obstruction:
Up marker: light green (rgb 204, 232, 204)
Down marker: light red (rgb 255, 204, 204)
The “HA Offset (chart TF ticks)” input lets users shift the triangle vertically in price terms to avoid overlapping the real candles or MAs.
Heikin Ashi Markers from a Second Timeframe
An optional second timeframe (default: 60m) shows additional HA direction:
Green HA (higher timeframe) → tiny triangle-up below the bar
Red HA (higher timeframe) → tiny triangle-down below the bar
This allows a trader to see higher-timeframe HA structure without switching charts.
The offset for the second timeframe is independent (“HA Offset (extra TF ticks)”).
Custom Moving Averages (Up to Eight)
The indicator includes eight individually configurable MAs, each with:
On/off visibility toggle
MA type
SMA
EMA
SMMA / RMA
WMA
VWMA
Source
Length
Color (with preset 70% transparency for visual stacking)
The default MA lengths are: 10, 20, 50, 100, 150, 200, 250, 300.
All MA colors are slightly transparent by design to avoid obscuring price bars and HA markers.
Purpose of the Indicator
This tool provides a simple combined view of:
Immediate trend direction (chart-TF HA markers)
Higher-timeframe HA trend bias (extra-TF markers)
Overall moving-average structure from short to very long periods
It is particularly useful for:
Monitoring trend continuation vs. reversal
Confirming entries with multi-TF Heikin Ashi direction
Identifying pullbacks relative to layered moving averages
Viewing trend context without switching timeframes
There are no signals, alerts, or strategy components.
It is strictly a visual trend-context tool.
Key Features Summary
Two-timeframe Heikin Ashi direction
Separate offsets for HA markers
Eight fully configurable MAs
Clean color scheme with low opacity
Non-intrusive overlays
Compatible with all markets and chart types
Volume Accumulation Percentage with SignalsConverted from TOS Tape Reader. Tape Reader Version TWO
changed colors to be more compatible with dark mode
candle painting now works and has been added
changed the volume calculations which radically changed the trend dashboard
trend line has been moved to the the bottom of the indicator from the zeroline to give it more prominence
sell arrow more timely
streamlined the chart
scanner re-written.
Trend is now based on the delta in buying pressure in relation to its moving average.
Buying pressure is the important facet of volume when looking for reversals.
This allowed us to remove all the various other lower volume charts.
Candle painting was requested but was problematic given the manner of the calculations.
The calculations have been modified to be 'candle painting' friendly
Added 'dark mode' option which will change the reversal spikes and arrows to WHITE
usethinkscript.com
Dojo La Nuit - ASIADojo La Nuit - ASIA è un indicatore visivo che evidenzia automaticamente le prime 8 ore di trading di ogni giornata, corrispondenti alla sessione asiatica.
🎯 FUNZIONALITÀ
Lo script colora in blu le candele che si formano durante le prime 8 ore dalla mezzanotte UTC, permettendoti di identificare a colpo d'occhio:
La sessione asiatica su qualsiasi timeframe
Le zone di consolidamento notturno
I range formati durante le ore asiatiche
I livelli chiave stabiliti prima dell'apertura europea
⏱️ TIMEFRAME SUPPORTATI
L'indicatore è compatibile con tutti i timeframe da 1 minuto a 8 ore:
✅ Ottimale per: 1m, 5m, 15m, 30m, 1h, 4h, 8h
❌ Non utilizzare con: timeframe giornalieri o superiori
Lo script calcola automaticamente quante candele colorare in base al timeframe selezionato, garantendo sempre la corretta evidenziazione delle prime 8 ore.
💡 COME UTILIZZARLO
Per trader intraday: Identifica rapidamente il range asiatico per pianificare breakout o strategie mean reversion all'apertura europea/americana.
Per swing trader: Visualizza le zone di accumulo notturno e i livelli chiave stabiliti durante le sessioni a basso volume.
Per volume profile trader: Combina con il volume profile per identificare il POC formatosi durante la sessione asiatica.
🔧 CARATTERISTICHE TECNICHE
Colorazione automatica basata sul timeframe
Reset giornaliero alla mezzanotte UTC
Adattamento dinamico al numero di candele
Overlay pulito senza disturbare il grafico
Zero lag, zero repaint
🥷 DOJO LA NUIT 🌙
Strumento essenziale per chi fa trading seguendo le sessioni di mercato.
----------------------------------------------------------
Dojo La Nuit - ASIA is a visual indicator that automatically highlights the first 8 hours of trading each day, corresponding to the Asian session.
🎯 FUNCTIONALITY
The script colors in blue the candles that form during the first 8 hours from UTC midnight, allowing you to identify at a glance:
The Asian session on any timeframe
Overnight consolidation zones
Ranges formed during Asian hours
Key levels established before European open
⏱️ SUPPORTED TIMEFRAMES
The indicator is compatible with all timeframes from 1 minute to 8 hours:
✅ Optimal for: 1m, 5m, 15m, 30m, 1h, 4h, 8h
❌ Do not use with: daily timeframes or higher
The script automatically calculates how many candles to color based on your selected timeframe, always ensuring correct highlighting of the first 8 hours.
💡 HOW TO USE IT
For intraday traders: Quickly identify the Asian range to plan breakouts or mean reversion strategies at European/American open.
For swing traders: Visualize overnight accumulation zones and key levels established during low-volume sessions.
For volume profile traders: Combine with volume profile to identify the POC formed during the Asian session.
🔧 TECHNICAL FEATURES
Automatic coloring based on timeframe
Daily reset at UTC midnight
Dynamic adaptation to candle count
Clean overlay without cluttering the chart
Zero lag, zero repaint
🥷 DOJO LA NUIT 🌙
Essential tool for traders who follow market sessions.
Thirdeyechart Gold Simulation)The 8 XAU Global Trend Simulation Version is designed for gold traders who need a fast and accurate way to read overall market pressure across all major XAU pairs. This version monitors 8 different gold pairs at the same time and generates a clean, unified simulation that reflects the dominant directional force of gold in the global market.
By observing how all XAU pairs move collectively, the script produces a simplified trend simulation that highlights whether the market environment is showing strong momentum, weakening pressure, or shifting conditions. The goal is not to provide signals, but to offer a macro-level visual model of gold behaviour across multiple international markets.
Combined with enhanced total-average logic, this version provides a clearer representation of global strength versus weakness. Traders can quickly identify whether gold is experiencing broad alignment or mixed sentiment across the 8 pairs. Everything is displayed in a clean, boxed layout for maximum clarity and rapid decision-support.
This version is built for speed, simplicity, and accuracy—ideal for traders who rely on multi-pair confirmation to understand the true state of gold’s global trend.
Disclaimer
This tool is for educational and analytical purposes only. It does not provide trading signals or financial advice. Markets carry risk and all decisions remain the responsibility of the user.
[CT] ATR Chart Levels From Open ATR Chart Levels From Open is a volatility mapping tool that projects ATR based price levels directly from a user defined center price, most commonly the current session open, and displays them as clean horizontal levels across your chart. The script pulls an Average True Range from a higher timeframe, by default the daily, using a user selectable moving average type such as SMA, EMA, WMA, RMA or VWMA. That ATR value is then used as the unit of measure for all projected levels. You can choose the ATR length and timeframe so the bands can represent anything from a fast intraday volatility regime to a smoother multi week average range.
The core of the tool is the center line, which is treated as zero ATR. By default this center is the current session open, but you can instead anchor it to the previous close, previous open, previous high or low, or several blended prices such as HLC3, HL2, HLCC4 and OHLC4, including options that use the minimum or maximum of the previous close and current open. From this center, the indicator builds a symmetric grid of ATR based levels above and below the zero line. The grid size input controls the spacing in ATR units, for example a value of 0.25 produces levels at plus or minus 25, 50, 75, 100 percent of ATR and so on, while the number of grids each side determines how far out the bands extend. You can restrict levels to only the upper side, only the lower side, or draw both, which is useful when you want to focus on upside targets or downside expansion separately.
The levels themselves are drawn as horizontal lines on the main price chart, with configurable line style and width. Color handling is flexible. You can assign separate colors to the upper and lower levels, keep the center line in a neutral color, and choose how the colors are applied. The “Cool Towards Center” and “Cool Towards Outermost” modes apply smooth gradients that either intensify toward the middle or toward the outer bands, giving an immediate visual sense of how extended price is relative to its average range. Alternatively, the “Candle’s Close” mode dynamically colors levels based on whether the current close is above or below a given band, which can help highlight zones that are acting as resistance or support in real time.
Each level is optionally labeled at its right endpoint so you always know exactly what you are looking at. The center line label shows “Daily Open”, or more generally the chosen center, along with the exact price. All other bands show the percentage of ATR and the corresponding price, for example “+25% ATR 25999.90”. The label offset input lets you push those tags a user defined number of bars to the right of the current price action so the chart remains clean while still keeping the information visible. As new bars print, both the lines and their labels automatically extend and slide to maintain that fixed offset into the future.
To give additional context about current volatility, the script includes an optional table in the upper right corner of the chart. This table shows the latest single period ATR value on the chosen higher timeframe alongside the smoothed ATR used for the bands, clearly labeled with the timeframe and ATR length. When enabled, a highlight color marks the table cells whenever the most recent ATR reading exceeds the average, making it easy to see when the market is operating in an elevated volatility environment compared to its recent history.
In practical trading terms, ATR Chart Levels From Open turns the abstract concept of “average daily range” into specific, actionable intraday structure. The bands can be used to frame opening range breakouts, define realistic intraday profit targets, establish volatility aware stop placement, or identify areas where price has moved an unusually high percentage of its average range and may be vulnerable to mean reversion or responsive flow. Because the ATR is computed on a higher timeframe yet projected on whatever chart you are trading, you can sit on a one minute or five minute chart and still see the full higher timeframe volatility envelope anchored from your chosen center price for the session.
Fixed EMAsMulti-Timeframe EMA Levels – Fixed Horizontal Lines
Clean display of 15min, 1H or 4H EMAs as fixed horizontal lines with exact price labels on the right + last price
CL INVENTORY (Cartoon_Futures)Tracks the 30min range on the weekly inventory news
Designed for 30min chart and under.
HTF Pivots SignalsIntroduction:
HPS (HTF Pivot Signals) provides traders with a systematic approach to Higher Timeframe structure analysis and signal confirmation. Designed for traders seeking to identify confirmed structure changes, this indicator detects HTF pivot interactions and generates entry signals when price confirms beyond chart timeframe pivot levels. The indicator helps analysts identify key structure breaks, momentum shifts, and high-probability entry points based on confirmed pivot interactions.
Description:
HPS is rooted in the principle that Higher Timeframe structure changes provide context for lower timeframe price action. When an HTF pivot is interacted with (mitigated), it signals a potential opportunity for a mean reversal. The indicator then waits for confirmation on the chart timeframe before generating a signal, ensuring only confirmed setups are highlighted.
Main indicator screenshot showing HTF pivots and confirmation signals
The system operates by detecting pivot highs and lows on a higher timeframe, tracking when these pivots are interacted with, and confirming signals when price closes beyond chart timeframe pivot levels. This two-step process—interaction followed by confirmation—filters out false signals and provides only actionable setups.
HPS automatically calculates the optimal higher timeframe pairing (typically 15-16x the chart timeframe) or allows manual selection. The indicator remains stable and non-repainting, offering traders reliable, unchanged levels within the given time period. Pivot cleanup is managed by mitigation order rather than age, ensuring the most recent interactions remain visible while older ones are removed systematically.
Key Features:
Automatic HTF Selection: The indicator automatically calculates the optimal higher timeframe pairing based on your chart timeframe, typically using 15-16x multiples (e.g., 5m → 1h, 15m → 4h, 1h → 1D). For a more dynamic experience, the Automatic feature autonomously adjusts the higher timeframe pairing based on the current chart timeframe, ensuring accurate alignment with structure analysis. Manual override is available for custom timeframe selection.
Confirmed Pivot Detection: HPS only displays confirmed HTF pivots that have been interacted with. Unlike basic pivot indicators that show all pivots, HPS requires pivot interaction before displaying, eliminating noise and focusing on actionable structure changes. Pivots are marked with PH (Pivot High) and PL (Pivot Low) labels when enabled.
Signal Confirmation System: When an HTF pivot is interacted with, a pending signal is created signaling a potential mean reversal opportunity. The signal confirms when price closes beyond the chart timeframe pivot level—pivot low for bearish signals, pivot high for bullish signals. Confirmed signals display with OB+ (bullish) or OB- (bearish) labels and extending confirmation lines that mark the entry level.
Mitigation-Based Cleanup: Pivot cleanup is managed by mitigation order rather than age. The system maintains the latest mitigated pivots while removing older ones based on interaction time. This ensures recent interactions remain visible while preventing chart clutter. The maximum number of mitigated pivots displayed is configurable based on the max pivots setting.
Customizable Display: Full control over visual elements including pivot highs/lows visibility, pivot labels (PH/PL), confirmation lines, colors, and line width. Confirmation line labels (OB+/OB-) always display regardless of label toggle settings, ensuring signal visibility. Adjust the maximum number of pivots displayed to match your charting style and analysis needs.
Stop Level Calculation: Automatically calculates stop levels based on the maximum price (for bearish signals) or minimum price (for bullish signals) from signal creation to confirmation. These levels represent the risk point for each confirmed signal, providing clear risk management reference points.
Stop level calculation visualization
Multi-Timeframe Compatibility: Works across all TradingView timeframes and market types including Forex, Crypto, Stocks, and Futures. The automatic HTF selection adapts to any chart timeframe, providing consistent structure analysis regardless of the trading instrument or timeframe selected.
Multi-timeframe compatibility example
Usage Guidance:
Add HPS (HTF Pivot Signals) to your TradingView chart.
Select your preferred HTF pairing (Automatic or Manual) and adjust display settings to match your visual preferences.
Monitor for HTF pivot interactions—when price mitigates an HTF pivot, a pending signal is created signaling a potential mean reversal opportunity. Wait for confirmation when price closes beyond the chart timeframe pivot level, indicated by OB+ or OB- labels.
Use the confirmation lines and stop levels to identify entry points and manage risk. Combine with your existing analysis methods to enhance structure-based trading decisions.
Step-by-step usage guide
Terms and Conditions
Our charting tools are products provided for informational and educational purposes only and do not constitute financial, investment, or trading advice. Our charting tools are not designed to predict market movements or provide specific recommendations. Users should be aware that past performance is not indicative of future results and should not be relied upon for making financial decisions. By using our charting tools, the purchaser agrees that the seller and the creator are not responsible for any decisions made based on the information provided by these charting tools. The purchaser assumes full responsibility and liability for any actions taken and the consequences thereof, including any loss of money or investments that may occur as a result of using these products. Hence, by purchasing these charting tools, the customer accepts and acknowledges that the seller and the creator are not liable nor responsible for any unwanted outcome that arises from the development, the sale, or the use of these products. Finally, the purchaser indemnifies the seller from any and all liability. If the purchaser was invited through the Friends and Family Program, they acknowledge that the provided discount code only applies to the first initial purchase. The purchaser is therefore responsible for cancelling – or requesting to cancel – their subscription in the event that they do not wish to continue using the product at full retail price. If the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable. We hold no reimbursement, refund, or chargeback policy. Once these Terms and Conditions are accepted by the Customer, before purchase, no reimbursements, refunds or chargebacks will be provided under any circumstances.
By continuing to use these charting tools, the user acknowledges and agrees to the Terms and Conditions outlined in this legal disclaimer.
OPEN/CLOSE RANGES (Cartoon_Futures)OPEN AND CLOSE INDICATOR, as well as SESSION OPEN/CLOSE
warning i am not a professional coder.
DOES NOT integrate lower time frame charts. So if you have it on 15min chart, you get 15min ranges, if you are 1min chart, the ranges are adjustable by the 1min. hopefully a new rev coming soon that fixes this
also provides the futures Halfgap pivot 50% of NY open and previous close
works with adjustable ranges.
Moving VWAP-KAMA CloudMoving VWAP-KAMA Cloud
Overview
The Moving VWAP-KAMA Cloud is a high-conviction trend filter designed to solve a major problem with standard indicators: Noise. By combining a smoothed Volume Weighted Average Price (MVWAP) with Kaufman’s Adaptive Moving Average (KAMA), this indicator creates a "Value Zone" that identifies the true structural trend while ignoring choppy price action.
Unlike brittle lines that break constantly, this cloud is "slow" by design—making it exceptionally powerful for spotting genuine trend reversals and filtering out fakeouts.
How It Works
This script uses a unique "Double Smoothing" architecture:
The Anchor (MVWAP): We take the standard VWAP and smooth it with a 30-period EMA. This represents the "Fair Value" baseline where volume has supported price over time.
The Filter (KAMA): We apply Kaufman's Adaptive Moving Average to the already smoothed MVWAP. KAMA is unique because it flattens out during low-volatility (choppy) periods and speeds up during high-momentum trends.
The Cloud:
Green/Teal Cloud: Bullish Structure (MVWAP > KAMA)
Purple Cloud: Bearish Structure (MVWAP < KAMA)
🔥 The "Reversal Slingshot" Strategy
Backtests reveal a powerful behavior during major trend changes, particularly after long bear markets:
The Resistance Phase: During a long-term downtrend, price will repeatedly rally into the Purple Cloud and get rejected. The flattened KAMA line acts as a "concrete ceiling," keeping the bearish trend intact.
The Breakout & Flip: When price finally breaks above the cloud with conviction, and the cloud flips Green, it signals a structural regime change.
The "Slingshot" Retest: Often, immediately after this flip, price will drop back into the top of the cloud. This is the "Slingshot" moment. The old resistance becomes new, hardened support.
The Rally: From this support bounce, stocks often launch into a sustained, multi-month bull run. This setup has been observed repeatedly at the bottom of major corrections.
How to Use This Indicator
1. Dynamic Support & Resistance
The KAMA Wall: When price retraces into the cloud, the KAMA line often flattens out, acting as a hard "floor" or "wall." A break of this wall usually signals a genuine trend change, not just a stop hunt.
2. Trend Confirmation (Regime Filter)
Bullish Regime: If price is holding above the cloud, only look for Long setups.
Bearish Regime: If price is holding below the cloud, only look for Short setups.
No-Trade Zone: If price is stuck inside the cloud, the market is traversing fair value. Stand aside until a clear winner emerges.
3. Multi-Timeframe Versatility
While designed for trend confirmation on higher timeframes (4H, Daily), this indicator adapts beautifully to lower timeframes (5m, 15m) for intraday scalping.
On Lower Timeframes: The cloud reacts much faster, acting as a dynamic "VWAP Band" that helps intraday traders stay on the right side of momentum during the session.
Settings
Moving VWAP Period (30): The lookback period for the base VWAP smoothing.
KAMA Settings (10, 10, 30): Controls the sensitivity of the adaptive filter.
Cloud Transparency: Adjust to keep your chart clean.
Alerts Included
Price Cross Over/Under MVWAP
Price Cross Over/Under KAMA
Cloud Flip (Bullish/Bearish Trend Change)
Tip for Traders
This is not a signal entry indicator. It is a Trend Conviction tool. Use it to filter your entries from faster indicators (like RSI or MACD). If your fast indicator signals "Buy" but the cloud is Purple, the probability is low. Wait for the Cloud Flip
AP Capital – Volatility + High/Low Projection v1.1📌 AP Capital – Volatility + High/Low Projection v1.1
Predictive Daily Volatility • Session Logic • High/Low Projection Indicator
This indicator is designed to help traders visually understand daily volatility conditions, identify session-based turning points, and anticipate potential highs and lows of the day using statistical behavior observed across thousands of bars of intraday data.
It combines intraday session structure, volatility regime classification, and context from the previous day’s expansion to highlight high-probability areas where the market may set its daily high or daily low.
🔍 What This Indicator Does
1. Volatility Regime Detection
Each day is classified into:
🔴 High Volatility (trend continuation & expansion likely)
🟡 Normal Volatility
🔵 Low Volatility (chop, false breaks, mean-reversion common)
The background color automatically adapts so you always know what environment you're trading in.
2. Session-Based High/Low Identification
Different global sessions tend to create different market behaviors:
Asia session frequently sets the LOW of day
New York & Late US sessions frequently set the HIGH of day
This indicator uses those probabilities to highlight potential turning points.
3. Potential High / Low of Day Projections
The script plots:
🟢 Potential LOW of Day
🔴 Potential HIGH of Day
These appear only when:
Price hits the session-statistical turning zone
Volatility conditions match
Yesterday’s expansion or compression context agrees
This keeps signals clean and prevents over-marking.
4. Clean Visuals
Instead of cluttering the chart, highs and lows are marked only when conditions align, making this tool ideal for:
Session scalpers
Day traders
Gold / NAS100 / FX intraday traders
High-probability reversal traders
🧠 How It Works
The engine combines:
Daily range vs 20-day average
Real-time intraday high/low formation
Session-specific probability weighting
Previous day expansion and volatility filters
This results in highly reliable signals for:
Fade trades
Reversal setups
Timing entries more accurately
✔️ Best Uses
Identifying where the day’s range is likely to complete
Avoiding trades during low-volatility compression days
Detecting where the market is likely to turn during major sessions
Using potential HIGH/LOW levels as take-profit zones
Enhancing breakout or reversal strategies
⚠️ Disclaimer
This indicator does not repaint, but it is not a standalone entry tool.
It is designed to provide context, session awareness, and volatility-driven turning points to assist your existing strategy.
Always combine with sound risk management.
QREV + QR+UO - Reversal/Exit IndicatorThis indicator utilizes a "quad rotation" looking at 4 different stochastic periods that all rotate either high or low. The script, in conjunction, uses an Ultimate Oscillator cross along with the "quad rotation" to make up the QR+UO signals.
QREV signals are simply QR+UO signals with rejections of VWAP and/or its extensions.
Use this indicator to look for price reversals or as an exit indicator.
Reversals - A QR+UO or QREV signal must print, now wait for a structural break in the direction of the signal.
This script should be used on the 1 minute timeframe or lower. Adjusting the "High Level" and "Low Level" inputs in the indicator will print more or less signals depending on the values you input.
المحلل الفني Technical Analyzer is an intelligent indicator designed to help traders interpret market structure and understand price movement more clearly.
The indicator automatically detects the market trend (uptrend, downtrend, or sideways), identifies key support and resistance levels, and generates buy/sell signals with suggested Take Profit (TP) and Stop Loss (SL) levels.
Key Features:
• Detects market trend direction (bullish / bearish / neutral)
• Automatically identifies support and resistance zones
• Generates entry signals with target and stop-loss suggestions
• Suitable for day traders, scalpers, and swing traders
• Works on all timeframes and instruments
How to Use:
1. Select your preferred timeframe based on your strategy.
2. Follow the trend direction highlighted by the indicator.
3. Enter trades only when a new signal appears and aligns with price action.
4. Use TP and SL levels as guidance, and adjust based on your risk management.
Important Note:
This indicator is a tool to assist your analysis, not a direct buy or sell recommendation. Always combine it with proper risk management and your own market evaluation.
SCOTTGO - DAY TRADE STOCK QUOTEThis indicator is a comprehensive, customizable information panel designed for active day traders and scalpers. It consolidates key financial, volatility, volume, and ownership metrics into a single, clean table overlaid on your chart, eliminating the need to constantly switch tabs or look up data externally.
المحلل الفني المحلل الفني هو مؤشر ذكي يساعد المتداول على قراءة حركة السعر واتخاذ قرارات أوضح في الأسواق المالية.
يقوم المؤشر بتحليل الاتجاه العام (ترند صاعد أو هابط)، وتحديد مستويات الدعم والمقاومة، ثم يولّد إشارة دخول مع هدف متوقَّع (TP) ووقف خسارة مقترح (SL).
يعتمد المؤشر بشكل رئيسي على:
• هيكل السعر (قمم وقيعان السوق)
• قوة الاتجاه
• مناطق الانعكاس المحتملة
مميزات المؤشر:
• يوضّح اتجاه السوق الحالي (صاعد / هابط / جانبي)
• يحدّد مستويات دعم ومقاومة تلقائياً
• يعطي إشارات شراء وبيع مع هدف ووقف خسارة
• مناسب للمتداول اليومي والاسكالبر وكذلك سوينغ
طريقة الاستخدام:
1. اختيار الإطار الزمني المناسب لأسلوبك في التداول.
2. متابعة اتجاه المؤشر (اتجاه صاعد أو هابط).
3. الدخول مع الاتجاه فقط عند ظهور إشارة جديدة مدعومة بحركة السعر.
4. استخدام مستويات TP و SL كمرجع مع إمكانية تعديلها بحسب إدارة المخاطر الخاصة بك.
تنبيه مهم:
هذا المؤشر أداة مساعدة فقط ولا يُعتبر توصية مباشرة بالشراء أو البيع. يُفضّل دمجه مع إدارة مخاطر صارمة وتحليل شخصي قبل اتخاذ أي قرار استثماري
Technical Analyzer is an intelligent indicator designed to help traders interpret market structure and understand price movement more clearly.
The indicator automatically detects the market trend (uptrend, downtrend, or sideways), identifies key support and resistance levels, and generates buy/sell signals with suggested Take Profit (TP) and Stop Loss (SL) levels.
Key Features:
• Detects market trend direction (bullish / bearish / neutral)
• Automatically identifies support and resistance zones
• Generates entry signals with target and stop-loss suggestions
• Suitable for day traders, scalpers, and swing traders
• Works on all timeframes and instruments
How to Use:
1. Select your preferred timeframe based on your strategy.
2. Follow the trend direction highlighted by the indicator.
3. Enter trades only when a new signal appears and aligns with price action.
4. Use TP and SL levels as guidance, and adjust based on your risk management.
Important Note:
This indicator is a tool to assist your analysis, not a direct buy or sell recommendation. Always combine it with proper risk management and your own market evaluation.
# Estrategia CRT [̲̅$̲̅(̲̅TREJO)̲̅$̲̅] 👨🏻💻CRT Theory Script
▷ Sessions
▷ Engulfing Candle
▷ Highs & Lows
▷ Previous Daily & Weekly
▷ PO3
▷ Trading Range This theory is enabled for 4h, 8h, 12h, and Daily timeframes. It will display the lines and label in green, indicating an active bullish range; the same will happen when the active range is bearish, displaying the lines and label in red.
SCOTTGO - DAY TRADE STOCK QUOTE V2The ultimate Day Trading Data Hub. Forget jumping between multiple screens—this indicator puts every vital stock detail right on your chart. It delivers real-time Float, Market Cap, precise Relative Volume (RVOL and 5m RVOL), daily range statistics (ADR/ATR), and current momentum data (Volume Buzz, U/D Ratio) in one highly visible table.
Debt-Cycle vs Bitcoin-CycleDebt-Cycle vs Bitcoin-Cycle Indicator
The Debt-Cycle vs Bitcoin-Cycle indicator is a macro-economic analysis tool that compares traditional financial market cycles (debt/credit cycles) against Bitcoin market cycles. It uses Z-score normalization to track the relative positioning of global financial conditions versus cryptocurrency market sentiment, helping identify potential turning points and divergences between traditional finance and digital assets.
Key Features
Dual-Cycle Analysis: Simultaneously tracks traditional financial cycles and Bitcoin-specific cycles
Z-Score Normalization: Standardizes diverse data sources for meaningful comparison
Multi-Asset Coverage: Analyzes currencies, commodities, bonds, monetary aggregates, and on-chain metrics
Divergence Detection: Identifies when Bitcoin cycles move independently from traditional finance
21-Day Timeframe: Optimized for Long-term cycle analysis
What It Measures
Finance-Cycle (White Line)
Tracks traditional financial market health through:
Currencies: USD strength (DXY), global currency weights (USDWCU, EURWCU)
Commodities: Oil, gold, natural gas, agricultural products, and Bitcoin price
Corporate Bonds: Investment-grade spreads, high-yield spreads, credit conditions
Monetary Aggregates: M2 money supply, foreign exchange reserves (weighted by currency)
Treasury Bonds: Yield curve (2Y/10Y, 3M/10Y), term premiums, long-term rates
Bitcoin-Cycle (Orange Line)
Tracks Bitcoin market positioning through:
On-Chain Metrics:
MVRV Ratio (Market Value to Realized Value)
NUPL (Net Unrealized Profit/Loss)
Profit/Loss Address Distribution
Technical Indicators:
Bitcoin price Z-score
Moving average deviation
Relative Strength:
ETH/BTC ratio (altcoin strength indicator)
Visual Elements
White Line: Finance-Cycle indicator (positive = expansionary conditions, negative = contractionary)
Orange Line: Bitcoin-Cycle indicator (positive = bullish positioning, negative = bearish)
Zero Line: Neutral reference point
Interpretation
Cycle Alignment
Both positive: Risk-on environment, favorable for crypto
Both negative: Risk-off environment, caution warranted
Divergence: Potential opportunities or warning signals
Divergence Signals
Finance positive, Bitcoin negative: Bitcoin may be undervalued relative to macro conditions
Finance negative, Bitcoin positive: Bitcoin may be overextended or decoupling from traditional finance
Important Limitations
This indicator uses some technical and macro data but still has significant gaps:
⚠️ Limited monetary data - missing:
Funding rates (repo, overnight markets)
Comprehensive bond spread analysis
Collateral velocity and quality metrics
Central bank balance sheet details
⚠️ Basic economic coverage - missing:
GDP growth rates
Inflation expectations
Employment data
Manufacturing indices
Consumer confidence
⚠️ Simplified on-chain analysis - missing:
Exchange flow data
Whale wallet movements
Mining difficulty adjustments
Hash rate trends
Network fee dynamics
⚠️ No sentiment data - missing:
Fear & Greed Index
Options positioning
Futures open interest
Social media sentiment
The indicator provides a high-level cycle comparison but should be combined with comprehensive fundamental analysis, detailed on-chain research, and proper risk management.
Settings
Offset: Adjust the horizontal positioning of the indicators (default: 0)
Timeframe: Fixed at 21 days for optimal cycle detection
Use Cases
Macro-crypto correlation analysis: Understand when Bitcoin moves with or against traditional markets
Cycle timing: Identify potential tops and bottoms in both cycles
Risk assessment: Gauge overall market conditions across asset classes
Divergence trading: Spot opportunities when cycles diverge significantly
Portfolio allocation: Balance traditional and crypto assets based on cycle positioning
Technical Notes
Uses Z-score normalization with varying lookback periods (40-60 bars)
Applies HMA (Hull Moving Average) smoothing to reduce noise
Asymmetric multipliers for upside/downside movements in certain metrics
Requires access to FRED economic data, Glassnode, CoinMetrics, and IntoTheBlock feeds
21-day timeframe optimized for cycle analysis
Strategy Applications
This indicator is particularly useful for:
Cross-asset allocation - Decide between traditional finance and crypto exposure
Cycle positioning - Identify where we are in credit/debt cycles vs. Bitcoin cycles
Regime changes - Detect shifts in market leadership and correlation patterns
Risk management - Reduce exposure when both cycles turn negative
Disclaimer: This indicator is a cycle analysis tool and should not be used as the sole basis for investment decisions. It has limited coverage of monetary conditions, economic fundamentals, and on-chain metrics. The indicator provides directional insight but cannot predict exact timing or magnitude of market moves. Always conduct thorough research, consider multiple data sources, and maintain proper risk management in all investment decisions.
MarketSurge EPS Line [tradeviZion]MarketSurge EPS Line
EPS trend line overlay for TradingView charts, inspired by the IBD MarketSurge (formerly MarketSmith) EPS line style.
Comparison: Left side shows IBD MarketSurge EPS line as reference. Right side shows this TradingView script producing similar output with interactive tooltips. The left side image is for reference only to demonstrate similarity - it is not part of the TradingView script.
Features:
Displays EPS trend line on price charts
Uses 4-quarter earnings moving average
Shows earnings momentum over time
Works with actual, estimated, or standardized earnings data
Customizable line color and width
Interactive tooltips with detailed earnings information
Custom symbol analysis support
How to Use:
Add script to chart
EPS line appears automatically
Adjust color and width in settings if needed
Hover over line for earnings details
Settings Explained:
Display Settings:
Show EPS Line: Toggle to show or hide the EPS trend line
EPS Line Color: Choose the color for the EPS trend line and labels
EPS Line Width: Adjust the thickness of the EPS trend line (1-5 pixels)
Symbol Settings:
By default, the indicator analyzes the EPS data for the symbol currently displayed on your chart. The Custom Symbol feature allows you to:
Analyze EPS data for a different symbol without changing your chart
Compare earnings trends of related stocks or competitors
View EPS data for one symbol while analyzing price action of another
To use Custom Symbol:
Enable "Use Custom Symbol" checkbox
Click on "Custom Symbol" field to open TradingView's symbol picker
Search and select the symbol you want to analyze
The indicator will fetch and display EPS data for the selected symbol
Note: The chart will still show price action for your current symbol, but the EPS line will reflect the custom symbol's earnings data.
Data Settings:
EPS Field: Choose which earnings data source to use:
Actual Earnings: Reported earnings from company financial statements (default). Use this to analyze historical performance based on what companies actually reported.
Estimated Earnings: Analyst consensus forecasts for future quarters. Use this to see what analysts expect and compare expectations with actual results.
Standardized Earnings: Earnings adjusted for comparability across companies. Use this when comparing multiple stocks as it normalizes accounting differences.
Display Scale:
For the indicator to display correctly on the existing chart, it uses its own axis (right scale) by default. However, you can change this, but the view will not look the same. The right scale is recommended for optimal visibility as it allows the EPS line to be clearly visible alongside price action without compression.
Example: EPS line on separate right scale (recommended) - hover over labels to view detailed earnings tooltips
Example: EPS line pinned to Scale A (not recommended - appears as straight line due to small EPS range compared to price)
Example: EPS line displayed in separate pane below price chart
Methodology Credits:
This indicator implements the EPS line visualization methodology developed by Investor's Business Daily (IBD) for their MarketSurge platform (formerly known as MarketSmith). The EPS line concept helps visualize earnings momentum alongside price action, providing a fundamental overlay for technical analysis.
Technical Details:
Designed for daily, weekly, and monthly timeframes
Minimum 4 quarters of earnings data required
Uses TradingView's built-in earnings data
Automatically handles missing or invalid data
This indicator helps you visualize earnings trends alongside price action, providing a fundamental overlay for your technical analysis.






















