Trading hours candle markerTake control of your trading sessions with this powerful time-highlighting tool.
This indicator automatically shades selected hours on your chart, giving you instant clarity on when the market is most relevant for your strategy.
Whether you’re backtesting or trading live, you’ll quickly see which candles form inside or outside your setup windows—helping you avoid mistakes and stay focused on high-probability trades.
✔ Customize your own start and end hours
✔ Instantly spot restricted or setup periods
✔ Works on any timeframe and market
✔ Adjustable UTC offset to perfectly match your local time
Bring more structure and precision to your trading with a simple, clean visual overlay.
Циклический анализ
Ratio Chart by JoyMukherjeThis indicator plots the relative performance of any NSE stock against the NIFTY 50 index in a separate pane below the main chart.
Key Features:
Formula: (Stock Price × 100) / NIFTY 50
20-period moving average for trend identification
Clean, distraction-free display
Real-time ratio tracking
How to Use:
Rising ratio = Stock outperforming NIFTY 50
Falling ratio = Stock underperforming the benchmark
Above MA = Bullish relative strength trend
Below MA = Bearish relative strength trend
Benefits:
✓ Identify stocks showing relative strength vs market
✓ Spot divergences between stock and index movements
✓ Perfect for sector rotation and stock selection strategies
✓ Works on any timeframe
Ideal for traders and investors who want to analyze individual stock performance relative to the broader Indian market benchmark. The 1000x multiplier makes ratio values more readable and easier to interpret.
Usage: Add to any NSE stock chart to see immediate relative strength analysis.
GusteriTBL
time based liq
am salvat o copie de la OGDubsky, pentru a putea lucra ulterior pe aceasta
Hidden Divergence with S/R & TP// This source code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © Gemini
// @version=5
// This indicator combines Hidden RSI Divergence with Support & Resistance detection
// and provides dynamic take-profit targets based on ATR. It also includes alerts.
indicator("Hidden Divergence with S/R & TP", overlay=true)
// === INPUTS ===
rsiLengthInput = input.int(14, "RSI Length", minval=1)
rsiSMALengthInput = input.int(5, "RSI SMA Length", minval=1)
pivotLookbackLeft = input.int(5, "Pivot Left Bars", minval=1)
pivotLookbackRight = input.int(5, "Pivot Right Bars", minval=1)
atrPeriodInput = input.int(14, "ATR Period", minval=1)
atrMultiplierTP1 = input.float(1.5, "TP1 ATR Multiplier", minval=0.1)
atrMultiplierTP2 = input.float(3.0, "TP2 ATR Multiplier", minval=0.1)
atrMultiplierTP3 = input.float(5.0, "TP3 ATR Multiplier", minval=0.1)
// === CALCULATIONS ===
// Calculate RSI and its SMA
rsiValue = ta.rsi(close, rsiLengthInput)
rsiSMA = ta.sma(rsiValue, rsiSMALengthInput)
// Calculate Average True Range for Take Profits
atrValue = ta.atr(atrPeriodInput)
// Identify pivot points for Support and Resistance
pivotLow = ta.pivotlow(pivotLookbackLeft, pivotLookbackRight)
pivotHigh = ta.pivothigh(pivotLookbackLeft, pivotLookbackRight)
// Define variables to track divergence and TP levels
var bool bullishDivergence = false
var bool bearishDivergence = false
var float tp1Buy = na
var float tp2Buy = na
var float tp3Buy = na
var float tp1Sell = na
var float tp2Sell = na
var float tp3Sell = na
// Reset divergence flags at each new bar
bullishDivergence := false
bearishDivergence := false
// === HIDDEN DIVERGENCE LOGIC ===
// Hidden Bullish Divergence (Higher low in price, lower low in RSI)
// Price makes a higher low, while RSI makes a lower low, suggesting trend continuation.
for i = 1 to 50 // Look back up to 50 bars for a confirmed pivot low
if not na(pivotLow ) and close < close and rsiValue < rsiValue
// Check if price is making a higher low than the pivot low, and RSI is making a lower low
if low > low and rsiValue < rsiValue
bullishDivergence := true
break // Exit loop once divergence is found
// Hidden Bearish Divergence (Lower high in price, higher high in RSI)
// Price makes a lower high, while RSI makes a higher high, suggesting trend continuation.
for i = 1 to 50 // Look back up to 50 bars for a confirmed pivot high
if not na(pivotHigh ) and close > close and rsiValue > rsiValue
// Check if price is making a lower high than the pivot high, and RSI is making a higher high
if high < high and rsiValue > rsiValue
bearishDivergence := true
break // Exit loop once divergence is found
// === SETTING TP LEVELS AND ALERTS ===
if bullishDivergence
buySignalPrice = low - atrValue * 0.5 // Entry below the low
tp1Buy := buySignalPrice + atrValue * atrMultiplierTP1
tp2Buy := buySignalPrice + atrValue * atrMultiplierTP2
tp3Buy := buySignalPrice + atrValue * atrMultiplierTP3
// Alert for buying signal
alert("Hidden Bullish Divergence Detected on " + syminfo.ticker + " - Buy Signal", alert.freq_once_per_bar_close)
else
tp1Buy := na
tp2Buy := na
tp3Buy := na
if bearishDivergence
sellSignalPrice = high + atrValue * 0.5 // Entry above the high
tp1Sell := sellSignalPrice - atrValue * atrMultiplierTP1
tp2Sell := sellSignalPrice - atrValue * atrMultiplierTP2
tp3Sell := sellSignalPrice - atrValue * atrMultiplierTP3
// Alert for selling signal
alert("Hidden Bearish Divergence Detected on " + syminfo.ticker + " - Sell Signal", alert.freq_once_per_bar_close)
else
tp1Sell := na
tp2Sell := na
tp3Sell := na
// === PLOTTING SIGNALS AND TAKE PROFITS ===
// Plotting shapes for buy/sell signals
plotshape(bullishDivergence, title="Buy Signal", style=shape.triangleup, location=location.belowbar, color=color.new(color.green, 0), text="Buy", textcolor=color.black)
plotshape(bearishDivergence, title="Sell Signal", style=shape.triangledown, location=location.abovebar, color=color.new(color.red, 0), text="Sell", textcolor=color.black)
// Plotting take-profit lines
plot(tp1Buy, "TP1 Buy", color=color.new(color.lime, 0), style=plot.style_linebr)
plot(tp2Buy, "TP2 Buy", color=color.new(color.lime, 0), style=plot.style_linebr)
plot(tp3Buy, "TP3 Buy", color=color.new(color.lime, 0), style=plot.style_linebr)
plot(tp1Sell, "TP1 Sell", color=color.new(color.orange, 0), style=plot.style_linebr)
plot(tp2Sell, "TP2 Sell", color=color.new(color.orange, 0), style=plot.style_linebr)
plot(tp3Sell, "TP3 Sell", color=color.new(color.orange, 0), style=plot.style_linebr)
// Plotting the RSI and its SMA on a sub-pane
plot(rsiValue, "RSI", color.new(color.fuchsia, 0))
plot(rsiSMA, "RSI SMA", color.new(color.yellow, 0))
hline(50, "50 Midline", color=color.new(color.gray, 50))
// Plotting background for signals
bullishColor = color.new(color.green, 90)
bearishColor = color.new(color.red, 90)
bgcolor(bullishDivergence ? bullishColor : na, title="Bullish Divergence Zone")
bgcolor(bearishDivergence ? bearishColor : na, title="Bearish Divergence Zone")
// === EXPLANATION OF CONCEPTS ===
// Deep Knowledge of Market from AI:
// This indicator is based on a powerful, yet often misunderstood, concept: divergence.
// While standard divergence signals a potential trend reversal, hidden divergence signals a
// continuation of the prevailing trend. This is crucial for traders who want to capitalize
// on the momentum of a move rather than trying to catch tops and bottoms.
// Hidden Bullish Divergence: Occurs in an uptrend when price makes a higher low, but the
// RSI makes a lower low. This suggests that while there was a brief period of weakness, the
// underlying buying pressure is returning to push the trend higher. It’s a "re-energizing"
// of the bullish momentum.
// Hidden Bearish Divergence: Occurs in a downtrend when price makes a lower high, but the
// RSI makes a higher high. This indicates that while the sellers paused, the underlying
// selling pressure remains strong and is likely to continue pushing the price down. It's a
// subtle signal that the bears are regaining control.
// Combining Divergence with S/R: The true power of this indicator comes from its
// "confluence" principle. A divergence signal alone can be noisy. By requiring it to occur
// at a key support or resistance level (identified using pivot points), we are filtering
// out weaker signals and only focusing on high-probability setups where the market is
// likely to respect a previous area of interest. This tells us that not only is the trend
// likely to continue, but it is doing so from a strategic, well-defined point on the chart.
// Dynamic Take-Profit Targets: The take-profit targets are based on the Average True Range (ATR).
// ATR is a measure of market volatility. Using it to set targets ensures that your profit
// levels are dynamic and adapt to current market conditions. In a volatile market, your
// targets will be wider, while in a calm market, they will be tighter, helping you avoid
// unrealistic expectations and improving your risk management.
[DEM] Relative Strength Signal (With Backtesting) Relative Strength Signal (With Backtesting) is a momentum indicator that generates trading signals based on when an asset reaches its highest or lowest relative strength compared to the SPY benchmark over a 20-period lookback window. The indicator calculates relative strength by dividing the current asset's price by SPY's price, then triggers buy signals when this ratio hits a 20-period high (indicating maximum outperformance) and sell signals when it reaches a 20-period low (indicating maximum underperformance). To prevent signal clustering and improve practical utility, the indicator includes a built-in filter that requires a minimum number of bars (default 20) to pass between signals of the same type, ensuring adequate spacing for meaningful trade opportunities. The system includes comprehensive backtesting functionality that tracks signal accuracy, average returns, and signal frequency over time, displaying these performance metrics in a detailed statistics table to help traders evaluate the effectiveness of trading on relative strength extremes versus the broader market.
[DEM] Pullback Signal (With Backtesting) Pullback Signal (With Backtesting) is a sophisticated fractal-based indicator that identifies potential reversal opportunities by detecting swing highs and lows followed by pullback conditions in the opposite direction. The indicator uses complex fractal logic to identify pivot points where price forms a local high or low over a customizable period (default 3 bars), then generates buy signals when an upward fractal is identified and the current close is below the previous close, or sell signals when a downward fractal occurs and the current close is above the previous close. This approach captures the classic pullback scenario where price retraces after forming a swing point, potentially offering favorable risk-reward entry opportunities. The indicator includes comprehensive backtesting functionality that tracks signal accuracy, average returns, and signal frequency over time, displaying these performance metrics in a detailed statistics table to help traders evaluate the historical effectiveness of the pullback strategy across different market conditions.
[DEM] Parabolic SAR Bars (PSAR Bars) Parabolic SAR Bars is a visual enhancement of the traditional Parabolic SAR indicator that uses dynamic color coding to represent the relative position and momentum of price versus the SAR levels. The indicator calculates the percentage difference between the closing price and the Parabolic SAR value, then applies either a gradient color scheme that transitions from red to blue based on the relative strength within a 20-period range, or a momentum-based coloring system using purple, blue, and red to indicate directional changes. Both the SAR plot points and the price bars themselves are colored according to this system, creating an intuitive visual representation where traders can quickly assess not just whether price is above or below the SAR, but also the strength and momentum of that relationship. This approach transforms the binary nature of traditional Parabolic SAR signals into a more nuanced visual tool that helps identify the intensity of trending conditions and potential momentum shifts before actual SAR reversals occur.
[DEM] Option Experation Dates Option Expiration Dates is a calendar-based indicator that visually highlights standard monthly option expiration dates on the price chart by applying a purple background color. The indicator identifies expiration dates using the standard rule that options expire on the third Friday of each month, which it calculates by checking for Fridays (day 6 of the week) that fall between the 15th and 21st of the month. This simple yet practical tool helps traders stay aware of significant market dates when increased volatility and volume typically occur due to option contract settlements and portfolio rebalancing activities. By automatically marking these dates with a subtle purple background, the indicator eliminates the need for manual calendar tracking and ensures traders never miss these potentially impactful market events that can influence price action and trading dynamics.
[DEM] No High/Low Bars No High/Low Bars is a simple yet effective price action indicator that identifies potential reversal points by marking bars where the closing price equals either the session's high or low. The indicator generates buy signals (blue triangles below the bar) when the close equals the high, suggesting strong bullish momentum that pushed price to its peak by session end, and sell signals (red triangles above the bar) when the close equals the low, indicating bearish pressure that drove price to its lowest point. This approach captures moments of decisive directional movement where buyers or sellers maintained control throughout the entire session, effectively filtering out indecisive price action and highlighting bars with clear directional commitment. The simplicity of this method makes it particularly useful for identifying momentum shifts and potential continuation or reversal points based purely on the relationship between closing prices and session extremes.
[DEM] MLR Signal (With Backtesting) MLR Signal (With Backtesting) is designed to generate buy signals using a machine learning regression model that analyzes multiple technical indicators from a reference symbol (default NDX) to predict market direction and identify optimal entry points. It also includes a comprehensive backtesting framework to evaluate the historical performance of these signals. The indicator overlays directly on the price chart, plotting signals and displaying performance statistics in a table while coloring bars green for bullish predictions and red for bearish predictions. The MLR model processes ten input features including RSI, MACD components, moving average relationships, and price momentum changes, applying predetermined coefficients to generate a prediction score that determines market bias, with buy signals triggered only when specific sequential patterns of bullish predictions occur (requiring particular arrangements of consecutive bullish and bearish predictions over recent bars) to filter for higher-confidence entry opportunities while tracking signal accuracy and returns through integrated backtesting.
[DEM] Floating Reversal Signal (With Backtesting) Floating Reversal Signal (With Backtesting) is designed to identify potential reversal opportunities by detecting counter-trend momentum shifts using a combination of SuperTrend analysis, ATR-based candle size filtering, and RSI oversold/overbought conditions. It also includes a comprehensive backtesting framework to evaluate the historical performance of these signals. The indicator overlays directly on the price chart, plotting signals and displaying performance statistics in a table. The strategy generates buy signals when price forms a bullish candle during a SuperTrend downtrend, with the previous candle's body size falling within specified ATR multiplier ranges (default 0.5x to 2x) and RSI showing oversold conditions below a configurable threshold, while sell signals are triggered under opposite conditions during uptrends with overbought RSI readings, aiming to capture "floating" reversal setups where price temporarily moves against the prevailing trend before resuming in the original direction.
[DEM] Exit Signals Exit Signals is designed to identify potential exit points for existing positions by detecting specific candlestick patterns that suggest momentum exhaustion or reversal conditions using ATR-based size requirements. The indicator generates sell signals (red X marks above bars) when either a large bullish candle from the previous session (body size greater than 0.5x ATR over 50 periods) is followed by a bearish close near the previous open, or when the current candle shows exceptionally strong bullish momentum (body size greater than 1.3x ATR over 26 periods). Conversely, buy signals (blue X marks below bars) are triggered when a large bearish candle is followed by a bullish close near the previous open, or when the current candle displays exceptionally strong bearish momentum, helping traders identify potential exit opportunities where extreme price movements may be signaling exhaustion and possible reversal rather than continuation.
[DEM] Sequential Label Sequential Label is designed to display sequential counting methodology directly on the price chart by placing dynamic labels below each bar that show the current Sequential count value. The indicator implements a sequential system by tracking consecutive closes above or below the close from four periods ago, calculating separate upward and downward sequences, then displaying the net difference as a numbered label with color-coded backgrounds (green for positive/bullish counts, red for negative/bearish counts). Each label shows the absolute value of the current Sequential position and automatically updates and repositions with each new bar, providing traders with a real-time visual representation of momentum exhaustion cycles and potential reversal points according to sequential methodology without cluttering the chart with permanent markings.
[DEM] Sequential Identifying Table Sequential Identifying Table is designed to monitor Sequential methodology across up to 20 customizable symbols simultaneously, displaying buy and sell signals in a comprehensive dashboard format overlaid on the price chart. The indicator implements a sequential counting system, which tracks consecutive closes above or below the close from four periods ago, generating buy signals when a downward sequence reaches 8 (indicating potential exhaustion and reversal upward) and sell signals when an upward sequence reaches 8 (indicating potential exhaustion and reversal downward). The table displays each symbol with color-coded backgrounds (green for buy signals, red for sell signals, gray for no signal) and corresponding signal text, operating on a selectable timeframe from 1-minute to monthly intervals, allowing traders to quickly scan multiple assets for sequential setups without switching between different charts or timeframes.
ORB + SMA 20/50 Crossover BUY/SELL by Yuvaraj Veppampattu Plots ORB High & Low lines for the first X minutes.
Adds SMA 20 & SMA 50 lines on chart.
Shows BUY arrow when SMA20 crosses ABOVE SMA50.
Shows SELL arrow when SMA20 crosses BELOW SMA50.
Adds alerts for both ORB breakouts & SMA crossovers.
ORB + SMA + EMA + BUY/SELL by yuvaraj ORB (Opening Range Breakout)
Meaning:
ORB stands for Opening Range Breakout.
It is a trading strategy where you watch the price movement for the first few minutes after the market opens (for example, 9:15 – 9:30 AM in India).
You mark the high and low during this period.
If price goes above the high, it signals a possible buy (long trade).
If price goes below the low, it signals a possible sell (short trade).
Why traders use it:
First few minutes decide the market direction.
Helps catch early momentum trades.
Very popular for intraday traders (Nifty, BankNifty, Crude Oil, etc.).
Example:
Market opens at 9:15.
First 5 minutes: High = 100, Low = 95.
If price moves above 100 → Buy.
If price moves below 95 → Sell.
📌 SMA (Simple Moving Average)
Meaning:
SMA stands for Simple Moving Average.
It is the average closing price of a stock over a certain number of candles.
Example:
SMA 9 → Average price of last 9 candles.
SMA 50 → Average price of last 50 candles.
Why traders use it:
Shows trend direction.
SMA going up → Uptrend, SMA going down → Downtrend.
You can use multiple SMAs (for example SMA 9 and SMA 50):
If SMA 9 crosses above SMA 50 → Buy signal.
If SMA 9 crosses below SMA 50 → Sell signal.
🔑 Key Difference:
Feature ORB SMA
Type Strategy (price breakout) Indicator (average price)
Use Entry trigger for trades Identifies trend direction
Works Best Intraday (first minutes) Any timeframe (intraday or swing)
Plots ORB High/Low lines for the first few minutes
Plots SMA 9/50/180 & EMA 20
Plots trailing stopline + Buy/Sell arrows
Optional bar color / background color toggle
Alert conditions for Buy/Sell
ORB high/low lines
SMA 9/50/180 + EMA 20
Buy/Sell arrows + trailing stopline
Precision Fair Value Gap (FVG)This indicator scans historical price action to automatically detect unmitigated Fair Value Gaps (FVGs) with precision.
It highlights bullish and bearish gaps that remain open until price fills them, helping traders spot key liquidity imbalances used in Smart Money Concepts (SMC).
🔹 Features
Detects both bullish and bearish FVGs.
Auto-removes mitigated gaps once price returns to fill them.
Configurable gap size, line weight, and colors.
Optimized for performance with capped lookback and line control.
Works on all timeframes and markets.
Perfect for traders who rely on price action and institutional order flow to refine entries, exits, and confluence zones.
Sideways Market Detector 5min & 15min --LANSSideways Market Detector (5min & 15min) — LANS
This indicator is designed to detect sideways (range-bound) market conditions across two key intraday timeframes — 5-minute and 15-minute charts — and visually highlight them for better decision-making.
🔑 Key Features
Dual Timeframe Detection – Analyzes both 5-min and 15-min candles simultaneously.
ATR-Based Volatility Filter – Confirms sideways action using low volatility periods relative to ATR (Average True Range).
SMA Slope Filter – Ensures sideways detection by measuring flatness of SMA (Simple Moving Average) slope.
Dynamic Range Boxes – Automatically draws boxes showing the high-low range during sideways periods:
🟨 Yellow box → Sideways detected on 5-min
🟥 Red box → Sideways detected on 15-min
Customizable Inputs – ATR length, multiplier, SMA length, slope threshold, and lookback period are fully adjustable.
Built-in Alerts – Receive alerts when sideways market conditions are detected for either timeframe.
📊 How to Use
1. Identify Consolidation Zones – Use the plotted boxes to spot consolidation areas and potential breakout zones.
2. Plan Trades – Wait for price to break above/below the sideways range for potential continuation or reversal trades.
3. Adjust Parameters – Tune ATR multiplier and SMA slope threshold based on instrument volatility and trading style.
This tool is ideal for scalpers, intraday traders, and breakout traders looking to avoid chop and focus on trending moves after consolidation.
BRT Micro Range Change: Signals** BRT Micro Range Change: Signals - Advanced Range-Based Trading Indicator **
** Overview **
The BRT Micro Range Change indicator represents a sophisticated approach to market analysis, utilizing proprietary range-based methodology combined with inverted signal logic. This unique indicator transforms traditional price action into structured range blocks, providing traders with counter-trend signal opportunities based on micro-range movements.
** Key Features & Unique Innovations **
** Proprietary Range Construction Algorithm **
• Custom range block generation using advanced price smoothing techniques
• Dynamic range sizing with percentage-based or fixed value options
• Multi-timeframe range analysis capability
• Intelligent block trend detection and reversal identification
** Inverted Signal Logic (Core Innovation) **
• ** Unique Counter-Strategy Approach **: When underlying range analysis suggests bearish momentum, the indicator generates LONG signals, and vice versa
• Advanced signal filtering prevents repetitive entries of the same type
• Position-aware logic tracks theoretical strategy state for optimal signal timing
** Comprehensive Risk Management **
• Dual calculation modes for Take Profit and Stop Loss (Fixed percentage or ATR-based)
• Real-time TP/SL level visualization
• Configurable ATR multipliers for volatility-adjusted exits
• Built-in position tracking and exit signal generation
** Advanced Technical Components **
• Integrated Simple Moving Average with multiple source options (Close, OHLC4, HL2, etc.)
• Custom ATR calculation optimized for range-based analysis
• Smart alert system with detailed entry/exit information
• Visual signal overlay with customizable display options
** Configuration Options **
• Range Type: Fixed value or percentage-based sizing
• Range Timeframe: Multi-timeframe analysis support
• SMA Integration: 14 configurable sources with custom coloring
• Alert Management: Comprehensive notification system
• Signal Display: Toggle visual markers and labels
** Technical Innovation **
This indicator's ** core uniqueness ** lies in its inverted signal methodology combined with advanced range-based market structure analysis. Unlike conventional indicators that follow trend direction, this system identifies potential reversal opportunities by analyzing when traditional range-based strategies would enter positions, then providing opposite directional signals. The proprietary range construction algorithm ensures high-quality block formation while the anti-repetition logic prevents signal spam.
** Usage Recommendations **
• Ideal for counter-trend trading strategies
• Effective in ranging and consolidating markets
• Best used in conjunction with additional confirmation indicators
• Suitable for multiple asset classes and timeframes
** Usage Recommendations **
• Ideal for counter-trend trading strategies
• Effective in ranging and consolidating markets
• Best used in conjunction with additional confirmation indicators
• Suitable for multiple asset classes and timeframes
** Historical Backtesting Results **
** Comprehensive Historical Data Verification **
• The indicator has been ** thoroughly tested ** on historical data using default settings
• Testing was conducted across a ** wide spectrum of crypto assets ** to ensure result reliability
• ** Optimal performance ** is demonstrated on the ** 5-minute timeframe **
• ** Entry Methodology **: utilization of limit orders at the lower boundary price of blocks for long positions and upper boundary price of blocks for short positions
• ** Trading Discipline **: strict adherence to the principle of "no repeated entries in the same direction"
• ** Order Management **: one order per trade with activation exclusively upon range block color change
** Technical Support **
For technical support inquiries, questions, or feedback, please feel free to leave comments below or send direct messages to the author. We are committed to providing assistance and continuously improving the indicator based on user experience and feedback.
** Important Risk Disclosure **
** DISCLAIMER: ** ** This indicator is provided for informational and educational purposes only. Trading financial instruments involves substantial risk of loss and may not be suitable for all investors. Past performance does not guarantee future results. Users should thoroughly test any trading strategy in a demo environment before risking real capital. The indicator's signals should not be considered as financial advice or recommendations to buy or sell any financial instrument. Users are solely responsible for their trading decisions and should consult with qualified financial advisors before making investment decisions. The authors and publishers assume no liability for any losses incurred through the use of this indicator. **
** Code Authenticity **
This indicator contains ** 100% original code ** developed specifically for advanced range-based analysis. All algorithms, mathematical calculations, and signal generation logic have been created from scratch, ensuring unique functionality not available in standard indicators.
Climax Absorption Engine [AlgoPoint]Overview
Have you ever noticed that during a sharp, fast-moving trend, the single candle with the highest volume often appears right at the end, just before the price reverses? This is no coincidence. It's the footprint of a Climax Event.
This indicator is designed to detect these critical moments of maximum panic (capitulation) and maximum euphoria (FOMO). These are the moments when retail traders are driven by emotion, creating a massive pool of liquidity. The "Climax Absorption Engine" identifies when Smart Money is likely absorbing this liquidity to enter large positions against the crowd, right before a potential reversal.
It's a tool built not just on mathematical formulas, but on the principles of market psychology and smart money activity.
How It Works: The 3-Step Logic
The indicator uses a sequential, three-step process to identify high-probability reversal setups:
1. Momentum Move Detection: First, the engine identifies a period of strong, directional momentum. It looks for a series of consecutive, same-colored candles and confirms that the move is backed by a steeply sloped moving average. This ensures we are only looking for climactic events at the end of a significant, non-random move.
2. Climax Candle Identification: Within this momentum move, the indicator scans for a candle with abnormally high volume—a volume spike that is significantly larger than the recent average. This candle is marked on your chart with a diamond shape and is identified as the Climax Candle. This is the point of peak emotion and the primary area of interest. No signal is generated yet.
3. Absorption & Reversal Confirmation: A climax is a warning, not a signal. The final signal is only triggered after the market confirms the reversal.
- For a BUY Signal: After a bearish (red) Climax Candle, the indicator waits for a subsequent green candle to close decisively above the midpoint of the Climax Candle. This confirms that the panic selling has been absorbed by buyers.
- For a SELL Signal: After a bullish (green) Climax Candle, it waits for a subsequent red candle to close decisively below the midpoint. This confirms that the euphoric buying has evaporated.
How to Interpret & Use This Indicator
- The Diamond Shape: A diamond shape on your chart is an early warning. It signifies that a climax event has occurred and the underlying trend is exhausted. This is the time to pay close attention and prepare for a potential reversal.
- The BUY/SELL Labels: These are the final, actionable signals. They appear only after the reversal has been confirmed by price action.
- A BUY signal suggests that capitulation selling is over, and buyers have absorbed the pressure.
- A SELL signal suggests that FOMO buying is over, and sellers are now in control.
Key Settings
- Momentum Detection: Adjust the number of consecutive bars and the EMA slope required to define a valid momentum move.
- Climax Detection: Fine-tune the sensitivity of the volume spike detection using the Volume Multiplier. Higher values will find only the most extreme events.
- Confirmation Window: Define how many bars the indicator should wait for a reversal candle after a climax event before the setup is cancelled.
6 MAs, BMSB, Pi Cycle TopThis indicator has 6 Moving averages that are highly customizable and visible on multiple time frames, it also includes the Bull Market Support Band (BMSB) and the Pi Cycle Top indicator which has been very good at predicting Cycle Tops for Bitcoin (BTC). You can customize all the moving averages, as well as using simple or exponential, you can also easily customize colors and line weights.
Created by: Dan Heilman
Multi-Strategy Trading Screener SummaryI only combined famous scripts, all thanks to wonderful scripts and community out there .
ThankYou !
------
Core Architecture
Multi-Symbol Analysis: Tracks up to 5 configurable tickers simultaneously
Multi-Timeframe Support: Each symbol can use different timeframes
Real-Time Dashboard: Color-coded table displaying all signals and analysis
Trend Validation: All signals include trend alignment confirmation
Integrated Trading Strategies
1. Breaker Blocks (Order Blocks)
Detects institutional order blocks using swing analysis
Tracks when blocks are broken and become "breaker blocks"
Monitors retests of broken levels
Shows trend alignment (✓ aligned, ⚠️ misaligned)
2. Chandelier Exit
ATR-based trend-following exit system
Provides BUY/SELL signals based on dynamic stop levels
Uses configurable ATR multiplier and lookback period
3. Smart Money Breakout
Channel breakout detection with volatility normalization
Identifies accumulation/distribution phases
Generates persistent BUY/SELL signals on breakouts
4. Trendline Breakout
Dynamic trendline detection using pivot highs/lows
Calculates trendline slopes and breakout points
Provides BUY signals on upward breaks, SELL on downward breaks
Dashboard Columns Explained
Symbol: Ticker being analyzed
Trend: Overall SuperTrend direction (🟢 UP / 🔴 DOWN / ⚪ FLAT)
Timeframe: Analysis timeframe with clock icon
Breaker Block: Type (Bullish/Bearish) with trend alignment indicator
Status: Price position relative to breaker block (Inside/Approaching/Far)
Retests: Number of times the broken level was retested (indicates level strength)
Volume: Volume associated with the order block formation
Chandelier: BUY/SELL signals from Chandelier Exit strategy
Smart Money: BUY/SELL signals from breakout detection
Trendline: BUY/SELL signals from trendline breakouts
Key Features
No HOLD States: All signals show definitive BUY (🟢) or SELL (🔴) only
Persistent Signals: Signals remain active until opposite conditions trigger
Color Coding: Visual distinction between bullish (green) and bearish (red) signals
Trend Alignment: Enhanced accuracy through trend confirmation logic
This screener provides a comprehensive view of market conditions across multiple strategies, helping identify high-probability trading opportunities when signals align.
Stock FundamentalsOverview
A comprehensive fundamental analysis tool for TradingView that displays key financial metrics from company financial statements in an easy-to-understand visual format.
Key Features
- Revenue & Earnings Analysis: Track company sales, gross profit, EBITDA, operating expenses, and free cash flow
- EPS & Dividend Metrics: Monitor earnings per share, dividend payments, and payout ratios
- Debt and Equity Structure: Analyze total debt, equity levels, and cash positions
- Profitability Ratios: Evaluate return on equity (ROE), return on assets (ROA), and return on invested capital (ROIC)
- Visual Color Coding: Each metric has a distinct color for easy identification
- Interactive Legend: Comprehensive reference table showing all acronyms and their corresponding colors
How to Use
1. Select Output Type:
- Per Share: Values normalized per share
- % of mcap: Values as percentage of market capitalization
- Actual: Raw financial values
2. Choose Period:
- FQ: Fiscal Quarter data
- FY: Fiscal Year data
3. Toggle Metric Groups:
- Use the input options to show/hide different categories:
- Revenue & Earnings
- EPS & DPS
- Debt metrics
- Return ratios
4. Read the Chart:
- Each colored line represents a different financial metric
- Hover over data points to see exact values
- Use the legend (top-right corner) to identify each metric
5. Interpret the Data:
- Look for consistent upward trends in revenue and earnings
- Monitor debt levels relative to equity and cash positions
- Compare profitability ratios (ROE, ROIC, ROA) over time
- The orange horizontal line indicates the 20% ROE target (excellent performance)
Color Guide
- Purple: Revenue
- Blue: Gross Profit, EPS, Total Equity, ROE
- Aqua: EBITDA
- Orange: Operating Expenses, DPS
- Lime: Free Cash Flow, Cash & Equivalents
- Teal: EPS Estimate, ROIC
- Red: Dividend Payout Ratio, Total Debt
- Green: R&D to Revenue Ratio
Tips
- Compare multiple quarters to identify trends
- Watch for improving profit margins over time
- Monitor cash flow generation relative to earnings
- Use the 20% ROE line as a benchmark for exceptional performance
- Combine with technical analysis for comprehensive investment decisions
Data Source: Company fundamental data from financial statements