Bollinger Bands Highlight [Custom TF]
Highlights the blocks where the chart is outside upper or lower Bollinger Band.
Customizable timeframe.
Indicatori e strategie
Adekore - Ichi & BounceIchimoku and Bounce Indicator
Includes signals for Ichimoku buy and sell signals
4 Hour timeframe requires 12 hour has the following parameters:
4-h close > 12HR Conversion-Line
4-h close > 12 HR Base-Line
12 Lagging span above price
Includes signals for Tenkan Sen bounce continuation entries
ADX Trend Visualizer with Dual ThresholdsADX Trend Visualizer with Dual Thresholds
A minimal, color coded ADX indicator designed to filter market conditions into weak, moderate, or strong trend phases.
Uses a dual threshold system for separating weak, moderate, and strong trend conditions.
Color coded ADX line:
Green– Strong trend (above upper threshold)
Yellow – Moderate trend (between thresholds)
Red – Weak or no trend (below lower threshold)
Two horizontal reference lines plotted at threshold levels
Optional +DI and -DI lines (Style tab)
Recommended Use:
Use on higher time frames (1h and above) as a trend filter
Combine with entry/exit signals from other indicators or strategies
Avoid possible false entries when ADX is below the weak threshold
This trend validator helps highlight strong directional moves and avoid weak market conditions
Volume + Price Reversal SignalTesting so not sure if it works, using volume and candlesticks to determine reversals
Average volume yearlyI noticed that there is no Average Volume for 7 days, 180 days, and 365 days, which is sometimes badly needed.
I have decided to add the Average volume for the week, 180 days, and a year.
SPX MACD + EMA Crossover Option AlertsFeatures Included:
MACD Golden Cross (bullish) and Death Cross (bearish) detection
EMA Crossovers as confirmation (you can set fast & slow EMAs)
Optimal trading time filters (e.g., 10:00–11:30 AM, 2:00–3:30 PM ET)
Alerts for CALLs (bullish) and PUTs (bearish) only within trade hours
Visual signals on the chart for easier trading
5DMA Optional HMA Entry📈 5DMA Optional HMA Entry Signal – Precision-Based Momentum Trigger
Category: Trend-Following / Reversal Timing / Entry Optimization
🔍 Overview:
The 5DMA Optional HMA Entry indicator is a refined price-action entry tool built for traders who rely on clean trend alignment and precise timing. This script identifies breakout-style entry points when price gains upward momentum relative to short-term moving averages — specifically the 5-day Simple Moving Average (5DMA) and an optional Hull Moving Average (HMA).
Whether you're swing trading stocks, scalping ETFs like UVXY or VXX, or looking for pullback recovery entries, this tool helps time your long entries with clarity and flexibility.
⚙️ Core Logic:
Primary Condition (Always On):
🔹 Close must be above the 5DMA – ensuring upward short-term momentum is confirmed.
Optional Condition (Toggled by User):
🔹 Close above the HMA – adds slope-responsive trend filtering for smoother setups. Enable or disable via checkbox.
Bonus Entry Filter (Optional):
🔹 Green Candle Wick Breakout – optional pattern logic that detects bullish momentum when the high pierces above both MAs, with a green body.
Reset Mechanism:
🔁 Signal resets only after price closes back below all active MAs (5DMA and HMA if enabled), reducing noise and avoiding repeated signals during chop.
🧠 Why This Works:
This indicator captures the kind of setups that professional traders look for:
Momentum crossovers without chasing late.
Mean reversion snapbacks that align with fresh bullish moves.
Avoids premature entries by requiring clear structure above moving averages.
Optional HMA filter allows adaptability: turn it off during choppy markets or range conditions, and on during trending environments.
🔔 Features:
✅ Adjustable HMA Length
✅ Enable/Disable HMA Filter
✅ Optional Green Wick Breakout Detection
✅ Visual “Buy” label plotted below qualifying bars
✅ Real-time Alert Conditions for automated trading or manual alerts
🎯 Use Cases:
VIX-based ETFs (e.g., UVXY, VXX): Catch early breakouts aligned with volatility spikes.
Growth Stocks: Time pullback entries during bullish runs.
Futures/Indices: Combine with macro levels for intraday scalps or swing setups.
Overlay on Trend Filters: Combine with RSI, MACD, or VWAP for confirmation.
🛠️ Recommended Settings:
For smooth setups in volatile names, use:
HMA Length: 20
Keep green wick filter ON
For fast momentum trades, disable the HMA filter to act on 5DMA alone.
⭐ Final Thoughts:
This script is built to serve both systematic traders and discretionary scalpers who want actionable signals without noise or lag. The toggleable HMA feature lets you adjust sensitivity depending on market conditions — a key edge in adapting to volatility cycles.
Perfect for those who value clean, non-repainting entries rooted in logical structure.
Smart Candlestick PredictorOf course, here is a step-by-step explanation of what this Pine Script code does, written in English.
This code is a technical analysis indicator written for the TradingView platform. Its primary purpose is to automatically detect common candlestick patterns on financial charts (e.g., for stocks, cryptocurrencies, forex, etc.), which often provide clues about future price movements.
We can break down what the code does into 4 main parts:
1. Defining Candlestick Patterns
The first and largest section of the code (// === CANDLESTICK PATTERN DEFINITIONS ===) mathematically defines 7 different candlestick patterns. There is a function (is...()) for each pattern:
isBullishEngulfing(): Detects a large bullish candle that completely "engulfs" the previous bearish candle. It is considered a bullish signal.
isBearishEngulfing(): Detects a large bearish candle that completely "engulfs" the previous bullish candle. It is considered a bearish signal.
isHammer(): A candle with a small body and a long lower shadow, usually appearing after a downtrend. It can signal a potential reversal to the upside.
isShootingStar(): A candle with a small body and a long upper shadow, usually appearing after an uptrend. It can signal a potential reversal to the downside.
isDoji(): A candle where the open and close prices are nearly the same, indicating indecision in the market.
isMorningStar(): A powerful three-candle pattern that signals a potential end to a downtrend and the beginning of an uptrend.
isEveningStar(): A powerful three-candle pattern that signals a potential end to an uptrend and the beginning of a downtrend.
2. Detecting and Interpreting Patterns
The code runs the functions defined above for each new candle that forms on the chart.
If one of these 7 patterns is detected, the code temporarily stores information related to that pattern:
patternText: The name of the pattern (e.g., "Bullish Engulfing").
directionText: The predicted direction (e.g., "LONG", "SHORT", or "NEUTRAL").
probabilityValue: A predefined percentage set by the script's author, representing the supposed success rate of the pattern (e.g., 72.0%). It is important to remember that these probabilities are based on general trading conventions, not on a rigorous statistical backtest.
3. Displaying Labels on the Chart
When a pattern is found, the script creates a visual marker to make the chart easier to read:
It places an orange label (label) just above the detected candle.
This label contains the pattern's name, its predicted direction, and the probability percentage.
Example:
Bullish Engulfing
LONG (72.00%)
4. Setting Up Alerts
The final section of the code allows the user to set up automatic alerts for these patterns.
Thanks to the alertcondition() function, you can configure TradingView to send you a notification (e.g., a sound, an email, a mobile push notification) the moment one of these patterns occurs, so you don't have to watch the charts constantly.
In Summary:
This code, named "Smart Candlestick Predictor," acts as an automated technical analysis assistant. It constantly scans a financial chart to find significant candlestick patterns, shows you what it finds by placing labels on the chart, and can alert you whenever these events happen.
Carnival Absorption [by Oberlunar]A visual inquiry into hidden divergences and silent pressures in the market
Carnival Absorption of Oberlunar is a refined algorithmic lens, designed to expose the invisible forces that operate behind price movement. Much like a Carnival, where a mask conceals a deeper identity, this tool seeks out areas where the market disguises its true intent—volume absorption cloaked in stillness, pressure coiling beneath the surface, waiting to unmask.
At the core of the indicator are two phenomena: absorption and compression.
Absorption is defined as a localised spike in normalised volume relative to the candle’s range. This is measured using a dynamic z-score (sigma buy/sell), which quantifies the significance of the volume within its historical context. Only when this score exceeds a configurable threshold is the candle considered a potential site of meaningful activity—what one might call a “masked intention.”
But one candle is not enough. Divergence must occur.
Here, the heart of the detection logic lies in comparing price action to the Cumulative Volume Delta (CVD). If price makes a new high but CVD does not—or vice versa—it suggests a disconnect between what the market displays and what it internally processes. It is in this tension between form and substance that the signal is born.
When both high absorption and a valid divergence align, the area becomes a pending zone—a sort of unspoken potential. These zones are stored dynamically in memory arrays and clustered intelligently to avoid overlap and redundancy. If price returns to that area within a specified time and range tolerance, confirming the original hypothesis, the mask drops: a box is drawn on the chart, accompanied by a confidence label that quantifies how closely the current price behavior matches the pending structure. The closer the price aligns with the heart of the original zone, the higher the confidence percentage—up to 100%.
But the Carnival continues.
When a bullish absorption zone is followed by a bearish one (or vice versa), the indicator detects a compression. This is not a reversal signal, but a phase of coiled tension—a compression of opposing forces, visualized as a colored box stretching between the two zones. These compressions are not arbitrary: they emerge only when the distance between the two zones is statistically significant. Once confirmed, they are labeled with the transition type (“B→S” or “S→B”) and an associated confidence metric.
The visual behavior is fully customizable. Users can choose whether to display confirmed boxes, pending circles, labels, and adjust transparency and placement. Pending signals are marked with colored circles whose size and intensity reflect their statistical confidence—ranging from tiny to huge. The entire visual system acts as a living map of pressure and potential.
In essence, the indicator offers more than signals—it delivers a narrative. It doesn't try to predict the future. Instead, it reveals the present that hides beneath the surface. Every box is a mask. Every divergence, a costume. Every compression, the moment before the music begins.
This is not just an indicator. It is a stage. And on it, the forces of liquidity, manipulation, distribution, and accumulation perform their secret dance.
— Oberlunar 👁️★
CoffeeShopCrypto Supertrend Liquidity EngineMost SuperTrend indicators use fixed ATR multipliers that ignore context—forcing traders to constantly tweak settings that rarely adapt well across timeframes or assets.
This Supertrend is a nodd to and a more completion of the work
done by Olivier Seban ( @olivierseban )
This version replaces guesswork with an adaptive factor based on prior session volatility, dynamically adjusting stops to match current conditions. It also introduces liquidity-aware zones, real-time strength histograms, and a visual control panel—making your stoploss smarter, more responsive, and aligned with how the market actually moves.
📏 The Multiplier Problem & Adaptive Factor Solution
Traditional SuperTrend indicators rely on fixed ATR multipliers—often arbitrary numbers like 1.5, 2, or 3. The issue? No logical basis ties these values to actual market conditions. What works on a 5-minute Nasdaq chart fails on a daily EUR/USD chart. Traders spend hours tweaking multipliers per asset, timeframe, or volatility phase—and still end up with stoplosses that are either too tight or too loose. Worse, the market doesn’t care about your setting—it behaves according to underlying volatility, not your parameter.
This version fixes that by automating the multiplier selection entirely. It uses a 4-zone model based on the current ATR relative to the previous session’s ATR, dynamically adjusting the SuperTrend factor to match current volatility. It eliminates guesswork, adapts to the asset and timeframe, and ensures you’re always using a context-aware stoploss—one that evolves with the market instead of fighting it.
ATR EXAMPLE
Let’s say prior session ATR = 2.00
Now suppose current ATR = 0.32
This places us in Zone 1 (Very Low Volatility)
It doesn’t imply "overbought" or "oversold" — it tells you the market is moving very little, which often means:
Lower risk | Smaller stops | Smaller opportunities (and losses)
🔁 Liquidity Zones vs. Arbitrary Pullbacks
The standard SuperTrend stop loss line often looks like price “barely misses it” before continuing its trend. Traders call this "stop hunting," but what’s really happening is liquidity collection—price pulls back into a zone rich in orders before continuing. The problem? The old SuperTrend doesn’t show this zone. It only draws the outer limit, leaving no visual cue for where entries or continuation moves might realistically originate.
This script introduces 2 levels in the Liquidity Zone. One for Support and one for Stophunts, which draw dynamically between the current price and the SuperTrend line. These levels reflect where the market is most likely to revisit before resuming the trend. By visualizing the area just above the Supertrend stop loss, you can anticipate pullbacks, spot ideal re-entries, and avoid premature exits. This bridges the gap between mechanical stoploss logic and real-world liquidity behavior.
⏳ Prior Session ATR vs. Live ATR
Using real-time ATR to determine movement potential is like driving by looking in your rearview mirror. It’s reactive, not predictive. Traders often base decisions on live ATR, unaware that today’s range is still unfolding —creating volatility mismatches between what’s calculated and what actually matters. Since ATR reflects range, calculating it mid-session gives an incomplete and misleading picture of true volatility.
Instead, this system uses the ATR from the previous session , anchoring your volatility assumptions in a fully-formed price structure . It tells you how far price moved in the last full market phase—be it London, New York, or Tokyo—giving you a more reliable gauge of expected range today. This is a smarter way to estimate how far price could move rather than how far it has moved.
The Smoothing function will take the ATR, Support, Resistance, Stophunt Levels, and the Moving Avearage and smooth them by the calculation you choose.
It will also plot a moving average on your chart against closing prices by the smoothing function you choose.
🧭 Scalping vs. Trending Modes
The market moves in at least 4 phases. Trending, Ranging, Consolidation, Distribution.
Every trader has a different style —some scalp low-volatility moves during off-hours, while others ride macro trends across days. The problem with classic SuperTrend? It treats every market condition the same. A fixed system can’t possibly provide proper stoploss spacing for both a fast scalp and a long-term swing. Traders are forced to rebuild their system every time the market changes character or the session shifts.
This version solves that with a simple toggle:
Scalping or Trend Mode . With one switch, it inverts the logic of the adaptive factor to either tighten or loosen your trailing stops. During low-liquidity hours or consolidation phases, Scalping Mode offers snug stoplosses. During expansion or clear directional bias.
Trend Mode lets the trade breathe. This is flexibility built directly into the logic—not something you have to recalibrate manually.
📉 Histogram Oscillator for Move Strength
In legacy indicators, there’s no built-in way to gauge when the move is losing power . Traders rely on price action or momentum indicators to guess if a trend is fading. But this adds clutter, lag, and often contradiction. The classic SuperTrend doesn’t offer insight into how strong or weak the current trend leg is—only whether price has crossed a line.
This version includes a Trending Liquidity Histogram —a histogram that shows whether the liquidity in the SuperTrend zone is expanding or compressing. When the bars weaken or cross toward zero, it signals liquidity exhaustion . This early warning gives you time to prep for reversals or anticipate pullbacks. It even adapts visually depending on your trading mode, showing color-coded signals for scalping vs. trending behavior. It's both a strength gauge and a trade timing tool—built into your stoploss logic.
Histogram in Scalping Mode
Histogram in Trending Mode
📊 Visual Table for Real-Time Clarity
A major issue with custom indicators is opacity —you don’t always know what settings or values are currently being used. Even worse, if your dynamic logic changes mid-trade, you may not notice unless you go digging into the code or logs. This can create confusion, especially for discretionary traders.
This SuperTrend solves it with a clean visual summary table right on your chart. It shows your current ATR value, adaptive multiplier, trailing stop level, and whether a new zone size is active. That means no surprises and no second-guessing—everything important is visible and updated in real-time.
7YearEdge-L1.1📈 7YearEdge – Magic Indicator
The 7YearEdge-L1 is a powerful and unique technical indicator designed to provide clear visual signals for potential buy and sell opportunities.
Green Box → Indicates a potential Buy
Red Box → Indicates a potential Sell
🧠 How to Use It Effectively
To position yourself better: Don’t enter a trade immediately when a box appears. Wait for a retracement before taking a position.
If a candle breaks below (for buys) or above (for sells) the box too strongly, the signal may be invalid. It's better to wait for a new visual indication.
Let the setup form completely, then assess the context before entering.
When used correctly, the indicator can help you plan your entries and exits with precision. Always apply proper stop-loss (SL) placement, based on your risk management strategy and account size.
⚠️ Disclaimer
This indicator is based on personal market experience and is intended strictly for educational and reference purposes only.
This tool is not financial advice or a recommendation to buy or sell any financial instrument.
Trading involves risk. Profits and losses are not guaranteed, and no indicator can predict the market with certainty.
Please conduct your own analysis, manage risk responsibly, and use this tool at your own discretion.
HTF CandlesThis indicator helps to visualize what is happening on the higher timeframe on your current chart without having to change intervals. Quickly see gaps, imbalances, trends on the higher timeframe while you are trading. Works excellent for seeing 5m or 15m trend on a 1m chart for example.
Multi EMA with Smoothing & BBMulti EMA with Smoothing & BB
────────────────────────────
This script overlays **four exponential moving averages**—fully adjustable (defaults 20/30/40/50)—to give an instant read on trend direction via “EMA stacking.”
• When the faster lines (short lengths) sit above the slower ones, the market is in up-trend alignment; the opposite stack signals down-trend momentum.
┌─ Optional Smoothing Engine
│ The 4th EMA (slowest) can be run through a second moving-average filter to cut noise:
│ ─ SMA ─ EMA ─ SMMA/RMA ─ WMA ─ VWMA ─ None
│ You choose both the type and length (default 14).
│ This smoothed line often acts as dynamic support/resistance for pull-back entries.
└───────────────────────────
┌─ Built-in Bollinger Bands
│ If you pick **“SMA + Bollinger Bands,”** the script wraps the smoothed EMA with upper/lower bands using a user-set standard-deviation multiplier (default 2.0).
│ • Band expansion ⇒ rising volatility / breakout potential.
│ • Band contraction ⇒ consolidation / squeeze conditions.
└───────────────────────────
Extra Utilities
• **Offset** (±500 bars) lets you shift every plot forward or backward—handy for visual back-testing or screenshot aesthetics.
• Selectable data *source* (close, HLC3, etc.) for compatibility with custom feeds.
• Transparent BB fill improves chart readability without hiding price.
Typical Uses
1. **Trend Confirmation** – Trade only in the direction of a clean EMA stack.
2. **Dynamic Stops/Targets** – Trail stops along the smoothed EMA or take profit at opposite BB.
3. **Volatility Filter** – Enter breakout strategies only when BB width begins to widen.
Parameter Summary
• EMA Lengths: 1–500 (defaults 20 | 30 | 40 | 50)
• Smoothing Type: None / SMA / EMA / SMMA / WMA / VWMA / SMA + BB
• Smoothing Length: 1–500 (default 14)
• BB StdDev: 0.001–50 (default 2.0)
• Offset: -500…+500 bars
No repainting – all values calculated on fully closed candles.
Script written in Pine Script v6. Use at your own discretion; not financial advice.
Volumetric Expansion/Contraction### Indicator Title: Volumetric Expansion/Contraction
### Summary
The Volumetric Expansion/Contraction (PCC) indicator is a comprehensive momentum oscillator designed to identify high-conviction price moves. Unlike traditional oscillators that only look at price, the PCC integrates four critical dimensions of market activity: **Price Change**, **Relative Volume (RVOL)**, **Cumulative Volume Delta (CVD)**, and **Average True Range (ATR)**.
Its primary purpose is to help traders distinguish between meaningful, volume-backed market expansions and noisy, unsustainable price action. It gives more weight to moves that occur in a controlled, low-volatility environment, highlighting potential starts of new trends or significant shifts in market sentiment.
### Key Concepts & Purpose
The indicator's unique formula synthesizes the following concepts:
1. **Price Change:** Measures the magnitude and direction of the primary move.
2. **Relative Volume (RVOL):** Confirms that the move is backed by significant volume compared to its recent average, indicating institutional participation.
3. **Cumulative Volume Delta (CVD):** Measures the underlying buying and selling pressure, confirming that the price move is aligned with the net flow of market orders.
4. **Inverse Volatility (ATR):** This is the indicator's unique twist. It normalizes the signal by the inverse of the Average True Range. This means the indicator's value is **amplified** when volatility (ATR) is low (signifying a controlled, confident expansion) and **dampened** when volatility is high (filtering out chaotic, less predictable moves).
The goal is to provide a single, easy-to-read oscillator that signals when price, volume, and order flow are all in alignment, especially during a breakout from a period of contraction.
### Features
* **Main Oscillator Line:** A single line plotted in a separate pane that represents the calculated strength of the volumetric expansion or contraction.
* **Zero Line:** A dotted reference line to easily distinguish between bullish (above zero) and bearish (below zero) regimes.
* **Visual Threshold Zones:** The background automatically changes color to highlight periods of significant strength:
* **Bright Green:** Indicates a "Strong Up Move" when the oscillator crosses above the user-defined upper threshold.
* **Bright Fuchsia:** Indicates a "Strong Down Move" when the oscillator crosses below the user-defined lower threshold.
### Configurable Settings & Filters
The indicator is fully customizable to allow for extensive testing and adaptation to different assets and timeframes.
#### Main Calculation Inputs
* **Price Change Lookback:** Sets the period for calculating the primary price change.
* **CVD Normalization Length:** The lookback period for normalizing the Cumulative Volume Delta.
* **RVOL Avg Volume Length:** The lookback for the simple moving average of volume, used to calculate RVOL.
* **RVOL Normalization Length:** The lookback period for normalizing the RVOL score.
* **ATR Length & Normalization Length:** Sets the periods for calculating the ATR and its longer-term average for normalization.
#### Weights
* Fine-tune the impact of each core component on the final calculation, allowing you to emphasize what matters most to your strategy (e.g., give more weight to CVD or RVOL).
#### External Market Filter (Powerful Feature)
* **Enable SPY/QQQ Filter for Up Moves?:** A checkbox to activate a powerful regime filter.
* **Symbol:** A dropdown to choose whether to filter signals based on the trend of **SPY** or **QQQ**.
* **SMA Period:** Sets the lookback period for the Simple Moving Average (default is 50).
* **How it works:** When enabled, this filter will **only allow "Strong Up Move" signals to appear if the chosen symbol (SPY or QQQ) is currently trading above its specified SMA**. This is an excellent tool for aligning your signals with the broader market trend and avoiding bullish entries in a bearish market.
#### Visuals
* **Upper/Lower Threshold:** Allows you to define what level the oscillator must cross to trigger the colored background zones, letting you customize the indicator's sensitivity.
***
**Disclaimer:** This tool is designed for market analysis and confluence. It is not a standalone trading system. Always use this indicator in conjunction with your own trading strategy, risk management, and other forms of analysis.
30-Min Breakout with VWAP 📊 30-Min Breakout with VWAP & EMA Filter
by JDTJDTTradingCo
A powerful intraday breakout system tailored for precision entries, trend confirmation, and visual clarity. This script captures high-probability trades based on early market structure, combining the strength of VWAP, EMA, and Risk-Reward-based TP/SL management.
🧠 Core Strategy Logic
🔹 Session Initialization
The script defines a custom market opening time (default: 9:15 AM IST) and tracks price movement for the first 30 minutes.
During this session, it dynamically captures the session high and low to form a breakout zone.
🔹 Breakout Entry Rules
After the 30-minute session ends, a trade triggers only if:
BUY: Price closes above session high, above VWAP, and EMA(9) > VWAP.
SELL: Price closes below session low, below VWAP, and EMA(9) < VWAP.
🔹 TP/SL Logic
Stop-loss (SL) is placed at the more conservative level between the VWAP and the opposite breakout.
Take-profit (TP) is derived using a user-defined Risk-Reward (RR) Ratio.
Trade direction, SL, TP, and entry price are visually displayed on the chart.
🧩 Technical Components
🔸 VWAP: Trend anchor, used as breakout filter and SL anchor
🔸 EMA(9): Momentum filter to avoid choppy trades
🔸 Session Box: Visually marks the 30-min breakout zone
🔸 TP/SL/Entry Lines: Clean, dashed levels plotted dynamically
🔸 Auto Reset: Ensures new breakout calculations on each trading day
🔸 Single Trade Per Day: Once a trade triggers, no further trades are taken until the next session
🧱 Swing High/Low Detection
The script also plots the most recent swing highs and lows using customizable pivot settings (left/right bars).
These levels act as potential support/resistance zones and are marked with clear H / L labels and extendable lines.
⚙️ Customization Options
Setting Description
Session Start Time Define market open time (e.g., 9:15 for NSE)
Risk-Reward Ratio Customize TP level based on SL distance
Swing Sensitivity Adjust bars to detect swing highs/lows
Line Style & Width Choose line appearance for better visibility
Display Options Toggle swing high/low markers for clarity
📈 Visual Aids & Feedback
✅ Green TP ✔ when target is achieved
❌ Red SL ✘ when stop-loss is hit
📍 Buy/Sell Labels for every valid trade setup
🟠 VWAP Line with EMA filter for visual context
🔺🔻 H / L Markers for market structure awareness
🚀 Ideal Use Cases
Index traders: Especially useful for NIFTY/BANKNIFTY breakout players
Momentum-based day traders: Filters low-conviction setups
VWAP + Structure traders: Uses institutional trend levels for better alignment
Can also be used to filter other setups (e.g., price action, candle patterns)
🔧 Future Add-Ons (Planned / Optional)
✅ Alerts for trade entries, TP, and SL events
✅ Strategy version for full backtesting & optimization
✅ Trailing Stop-Loss and Partial Exit options
✅ Table-based logging of trade outcomes
⚠️ Note: This script is not a trading bot. It’s meant to be used by discretionary traders or as a semi-automated tool. Always test in demo environments before live usage.
CM RSI-Stoch Hybrid D&K%CM RSI-Stoch Hybrid D&K% Indicator
The CM RSI-Stoch Hybrid D&K% Indicator is a sophisticated momentum and trend analysis tool that combines the Relative Strength Index (RSI), Stochastic %K, and %D into a single, cohesive signal, enhanced by dynamic volume weighting and customizable smoothing. Unlike standalone RSI or Stochastic indicators, this hybrid approach integrates multiple data points to reduce noise, filter false signals, and provide traders with a clearer, more actionable view of market dynamics. Designed for versatility, it’s suitable for day trading, swing trading, or long-term investing across stocks, forex, cryptocurrencies, and commodities.
Why This Indicator Is Unique
Traditional RSI measures momentum based on price changes, while Stochastic tracks price cycles relative to highs and lows. However, both can generate conflicting or noisy signals in volatile markets. The CM RSI-Stoch Hybrid D&K% addresses this by:
Merging Complementary Signals: It calculates a composite signal by averaging RSI, Stochastic %K, and %D, balancing momentum and cyclical insights to produce a smoother, more reliable indicator.
Volume-Weighted Context: A dynamic colour system adjusts the composite signal’s appearance based on volume surges, helping traders prioritize moves backed by strong market participation.
Customizable Smoothing: A user-defined moving average (SMA, EMA, or WMA) smooths the composite signal, allowing traders to adapt the indicator to their preferred timeframe or strategy. This unique combination reduces the lag and false positives common in individual indicators, offering a novel perspective on market momentum and reversals.
How It Works
The indicator operates through a multi-layered approach:
Composite Signal Calculation: The core feature is a composite line derived by averaging RSI (based on closing prices), Stochastic %K, and %D (calculated from price highs and lows). This fusion creates a balanced momentum signal that mitigates the limitations of each indicator, such as RSI’s sensitivity to price spikes or Stochastic’s tendency to oscillate in choppy markets.
Volume-Weighted Colouring: The composite line changes colour (navy for high volume, blue for normal) based on a comparison of current trading volume to a user-defined volume moving average. This highlights when momentum aligns with significant market activity, improving trade timing.
Customizable Moving Average: Traders can apply an SMA, EMA, or WMA to the composite signal, adjusting its sensitivity to suit scalping, swing trading, or trend-following strategies.
Overbought/Oversold Zones: User-defined thresholds for overbought and oversold conditions (based on RSI) are visually marked with semi-transparent red (overbought) and green (oversold) backgrounds, making it easy to spot potential reversals or continuation patterns.
Key Features
Hybrid Momentum Signal: Combines RSI, Stochastic %K, and %D into a single, noise-filtered line for enhanced clarity.
Volume-Driven Insights: Dynamically adjusts the composite line’s colour to reflect high-volume conditions, emphasizing significant market moves.
Flexible Smoothing: Choose from SMA, EMA, or WMA to tailor the indicator to your trading style.
Customizable Parameters: Adjust RSI length, Stochastic periods, volume MA length, and overbought/oversold thresholds to match any market or timeframe.
Clear Visuals: Displays RSI, Stochastic %K, %D, composite signal, and moving average in a single panel, with intuitive overbought/oversold zones.
How to Use It
Trend Confirmation: Monitor the composite signal relative to its moving average. A composite line above its MA suggests bullish momentum, while a line below indicates bearish momentum.
Reversal Opportunities: Use the overbought (red background) and oversold (green background) zones to identify potential reversals, especially when confirmed by high-volume signals (navy composite line).
Scalping and Swing Trading: Adjust RSI and Stochastic lengths for faster or slower signals, using the moving average to filter noise for precise entries and exits.
Cross-Market Application: Customize settings to suit the volatility of stocks, forex, crypto, or commodities, ensuring versatility across timeframes.
Hint - watch for the back ground to change colour to reflect oversold or overbought conditions and then watch for the composite signal line to cross the moving average and for the back ground colour to go. High volume (navy blue) would also then add to directional bias.
Why Traders Will Benefit
The CM RSI-Stoch Hybrid D&K% goes beyond traditional indicators by integrating RSI, Stochastic, and volume analysis into a unified system that reduces false signals and enhances decision-making. Its dynamic volume weighting and customizable options make it a powerful tool for traders seeking to navigate complex markets with confidence. Whether you’re scalping intraday moves or tracking long-term trends, this indicator provides a clear, actionable edge.
Note: Combine this indicator with proper risk management and complementary analysis tools. Past performance is not indicative of future results.
Full setup support will be given
☀️ GAPGAP
The Opening Range Gap marks distance between the previous session's close and the opening of the next session
Ultimate Williams %RUltimate Williams %R
The most advanced Williams %R indicator available - featuring multi-timeframe analysis, zero-lag processing, volatility adaptivity, and intelligent extreme zone detection.
Key Improvements Over Standard Williams %R
Multi-Timeframe: Combines short, medium, and long-term Williams %R calculations with Ultimate Oscillator-style weighting for superior signal quality
Zero-Lag Implementation: Utilizes Ehler's Zero-Lag EMA with error correction, eliminating traditional oscillator lag while maintaining smoothness
Volatility Adaptive: Automatically adjusts periods based on ATR volatility analysis for optimal performance in all market conditions
Z-Score Normalization: Provides consistent, statistically-based extreme level detection across different market environments
Perfect For
Overbought/Oversold Identification: Instantly spot extreme market conditions with visual intensity that scales with signal strength
Divergence Analysis: Enhanced responsiveness and smooth operation make divergence patterns clearer and more reliable
Multi-Timeframe Confirmation: Built-in timeframe combination eliminates the need for multiple Williams %R indicators
Entry/Exit Timing: Zero-lag processing provides earlier signals without sacrificing accuracy
Customizable Settings
Timeframe Periods: Adjustable short (7), medium (14), and long (28) periods
Volatility Adaptation: Configurable ATR-based period adjustment
Zero-Lag Processing: Toggle and fine-tune the smoothing system
Z-Score Normalization: Adjustable lookback period for statistical analysis
Extreme Levels: Customizable threshold for extreme signal detection
Angoli di Gann by SummuSTraccia automaticamente gli angoli di Gann da un punto origine, evidenziando l’equilibrio tra tempo e prezzo per identificare trend, supporti e resistenze dinamiche.
Automatically plots Gann angles from a point of origin, highlighting the balance between time and price to identify dynamic trends, supports and resistances.
NY Midnight OpenThis indicator highlights each day’s New York midnight price by drawing a horizontal line across the chart. It provides a clear visual reference for traders tracking session-based price levels over time.
Adekore - Ichi & BounceIchimoku and Bounce Indicator
Includes signals for Ichimoky buy and sell signals
Includes signals for Tenkan Sen bounce continuation entries
[FS] Time & Cycles Time & Cycles
A comprehensive trading session indicator that helps traders identify and track key market sessions and their price levels. This tool is particularly useful for forex and futures traders who need to monitor multiple trading sessions.
Key Features:
• Multiple Session Support:
- London Session
- New York Session
- Sydney Session
- Asia Session
- Customizable TBD Session
• Session Visualization:
- Clear session boxes with customizable colors
- Session labels with adjustable visibility
- Support for sessions crossing midnight
- Timezone-aware calculations
• Price Level Tracking:
- Daily High/Low levels
- Weekly High/Low levels
- Previous session High/Low levels
- Customizable history depth for each level type
• Customization Options:
- Adjustable colors for each session
- Customizable border styles
- Label visibility controls
- Timezone selection
- History level depth settings
• Technical Features:
- High-performance calculation engine
- Support for multiple timeframes
- Efficient memory usage
- Clean and intuitive visual display
Perfect for:
• Forex traders monitoring multiple sessions
• Futures traders tracking market hours
• Swing traders identifying key session levels
• Day traders planning their trading hours
• Market analysts studying session patterns
The indicator helps traders:
- Identify active trading sessions
- Track session-specific price levels
- Monitor market activity across different time zones
- Plan trades based on session boundaries
- Analyze price action within specific sessions
Note: This indicator is designed to work across all timeframes and is optimized for performance with minimal impact on chart loading times.