🔥 MomentumWave HA Trend1. Heikin Ashi Candles
The indicator calculates Heikin Ashi candles to smooth price movements.
Heikin Ashi reduces market noise, making it easier to spot trends than regular candlesticks.
Bullish candle: close > open → green-ish candle.
Bearish candle: close < open → red-ish candle.
2. Exponential Moving Averages (EMA)
Two EMAs are plotted on the chart: fast EMA and slow EMA.
Fast EMA: reacts quickly to recent price changes.
Slow EMA: shows the overall trend.
When fast EMA > slow EMA → market is trending up.
When fast EMA < slow EMA → market is trending down.
3. Momentum Filters
EMA slope: the indicator checks if the fast EMA is rising or falling to confirm momentum.
ROC (Rate of Change): ensures price movement is strong in the current direction.
RSI filter: prevents signals when the market is overbought or oversold.
RSI above lower bound → allows bullish trend.
RSI below upper bound → allows bearish trend.
4. Optional MACD Filter
If enabled, the indicator uses the MACD slope to confirm trend strength.
This reduces false signals in weak trend periods.
5. Confirmation of Consecutive Candles
The indicator requires a certain number of consecutive Heikin Ashi candles in the same direction before generating a signal.
This avoids acting on a single volatile candle and increases accuracy.
6. Cooldown Period
After a signal is generated, a cooldown period prevents immediate repeated signals.
This reduces overtrading in volatile markets.
7. Signals
TREND-RISE (triangle below candle): indicates a confirmed bullish trend.
TREND-FALL (triangle above candle): indicates a confirmed bearish trend.
Alerts can be set for both signals to notify you in real time.
8. How to Use
Open a chart and add the MomentumWave HA Trend indicator.
Look at the EMA fast (teal) and EMA slow (maroon) lines.
Wait for a signal:
TREND-RISE: consider long positions or buying opportunities.
TREND-FALL: consider short positions or selling opportunities.
Check RSI and MACD (if enabled) to confirm signal strength.
Observe consecutive Heikin Ashi candle confirmation.
Respect the cooldown period before opening another position.
Apply risk management (stop-loss, position size) based on your strategy.
9. Disclaimer
This indicator is a technical analysis tool and does not guarantee profits.
Always use proper risk management and validate signals with your own analysis before trading.
Bandes et canaux
ARB Close Lines —18:45→19:05 his indicator plots exactly two horizontal lines per day:
Start line at the close of the 18:45 IST candle.
End line at the close of the 19:05 IST candle.
Both lines automatically extend to 23:30 IST (default, fully editable).
Features
Adjustable Start / End time (hour + minute, default 18:45 → 19:05).
Adjustable extension time (default 23:30).
Keeps the last N days of lines (default 100).
Works on intraday timeframes (1m–60m).
Clean: always exactly two lines per day.
Usage
Helps track short intraday windows (e.g., 20-minute ORB around 18:45–19:05 IST) for evening breakout/trap setups. Ideal for gold, Bitcoin, or other 24/7 instruments.
ARB Close Lines — 2 Lines/Day (v6, single-line)This indicator plots exactly two horizontal lines per day:
Start line at the close of the Start candle (default 18:00 IST).
End line at the close of the End candle (default 19:00 IST).
Both lines automatically extend until 23:30 IST (editable).
Features
Adjustable Start/End time (hour + minute, in IST or any timezone you choose).
Adjustable extension time (default 23:30).
Keeps the last N days of lines (default 100).
Works on intraday charts (1–60m).
ARB 18:00–19:00 IST — Anchored 3h Lines (v6, multi-day)Draws a simple Opening Range for 24/7 markets using a custom time window. By default it captures the high and low formed between 18:00 and 19:00 IST each day, then locks those levels at 19:00 and extends two horizontal lines to the right. No alerts, no signals—pure levels so you can track breakouts or traps manually.
ARB 18:00–19:00 IST — Lines Only (v6, multi-day)Draws a simple Opening Range for 24/7 markets using a custom time window. By default it captures the high and low formed between 18:00 and 19:00 IST each day, then locks those levels at 19:00 and extends two horizontal lines to the right. No alerts, no signals—pure levels so you can track breakouts or traps manually.
ARB 18:00–19:00 IST — Lines Only (v6)Draws a simple Opening Range for 24/7 markets using a custom time window. By default it captures the high and low formed between 18:00 and 19:00 IST each day, then locks those levels at 19:00 and extends two horizontal lines to the right. No alerts, no signals—pure levels so you can track breakouts or traps manually.
How it works
Uses a session in your chosen Timezone (default: Asia/Kolkata) to detect the 18:00–19:00 window.
Continuously updates the range during the window.
At 19:00 IST the range is “locked” and two lines (Range High/Range Low) are drawn and extended right.
Old lines are cleared so only the latest day’s ORB remains.
Inputs
Timezone (IANA): e.g., Asia/Kolkata, Asia/Dubai, UTC.
Start Hour / End Hour: default 18 → 19 (1-hour window). End must be after Start.
Line Width / Colors for High & Low.
Best used on
Intraday timeframes (1–60m).
24/7 symbols like BTCUSD, XAUUSD, major crypto pairs, spot gold.
Works regardless of your broker’s server timezone because the script uses the selected IANA timezone.
Notes
This is levels only: no alerts, no entries/exits, no statistics.
If you reload the chart after the window, lines persist and stay synced to the locked values.
Change the timezone if you want to anchor the window to a different locale.
Version: 1.0 (Pine v6).
Bands PRO++ Full//@version=5
indicator('Faytterro Bands PRO++ Full', overlay=true, max_lines_count=500, max_bars_back=500)
// ==== Inputlar ====
src = input(hlc3, title='Kaynak')
len = input.int(50, title='Bant Uzunluğu', minval=10, maxval=500)
mult = input.float(2.0, minval=0.1, maxval=50, title='StdDev Çarpanı')
atrLen = input.int(14, title='ATR Uzunluğu')
emaLen = input.int(200, title='Trend EMA Uzunluğu')
// Bant Renkleri
cu = input.color(color.rgb(255,50,50), 'Üst Bant Rengi')
cl = input.color(color.rgb(50,200,50), 'Alt Bant Rengi')
// ==== Orta Hat ve Bantlar ====
basis = ta.wma(src, len)
dev = mult * ta.stdev(src, len)
atr = ta.atr(atrLen)
upper = basis + dev + atr*0.2
lower = basis - dev - atr*0.2
plot(basis, color=color.yellow, linewidth=1)
p1 = plot(upper, color=cu, linewidth=2, title='Üst Bant')
p2 = plot(lower, color=cl, linewidth=2, title='Alt Bant')
fill(p1, p2, color=color.new(color.blue,85))
// ==== Trend filtresi (EMA200) ====
emaTrend = ta.ema(close, emaLen)
isUpTrend = close > emaTrend
isDownTrend = close < emaTrend
plot(emaTrend, color=color.new(color.orange,40), linewidth=1, title='EMA Trend Çizgisi')
// ==== Arka Plan ====
bgcolor(isUpTrend ? color.new(color.green,70) : na)
bgcolor(isDownTrend ? color.new(color.red,70) : na)
// ==== Hacim filtresi ====
volAvg = ta.sma(volume, 20)
volFilter = volume > volAvg
// ==== Sinyaller ====
longCond = ta.crossover(close, lower) and isUpTrend and volFilter
shortCond = ta.crossunder(close, upper) and isDownTrend and volFilter
plotshape(longCond, title='Long', location=location.belowbar, color=color.green, style=shape.triangleup, size=size.normal, text='LONG')
plotshape(shortCond, title='Short', location=location.abovebar, color=color.red, style=shape.triangledown, size=size.normal, text='SHORT')
// ==== Alt / Üst Band Dokunuşları ====
touchLower = ta.crossover(close, lower)
plotshape(touchLower, title='Alt Band Dokunuş', style=shape.circle, color=color.new(color.green,0), size=size.tiny, location=location.belowbar)
touchUpper = ta.crossunder(close, upper)
plotshape(touchUpper, title='Üst Band Dokunuş', style=shape.circle, color=color.new(color.red,0), size=size.tiny, location=location.abovebar)
// ==== Alarm Koşulları ====
alertcondition(longCond, title='Long Sinyali', message='Faytterro Bands PRO++ Full: Long sinyali!')
alertcondition(shortCond, title='Short Sinyali', message='Faytterro Bands PRO++ Full: Short sinyali!')
alertcondition(touchLower, title='Alt Band Dokunuş', message='Faytterro Bands PRO++ Full: Alt banda dokunuldu!')
alertcondition(touchUpper, title='Üst Band Dokunuş', message='Faytterro Bands PRO++ Full: Üst banda dokunuldu!')
Liquidity Pulse Revealer (LPR) — by Qabas_algoLiquidity Pulse Revealer (LPR) — by Qabas_algo
The Liquidity Pulse Revealer (LPR) is a technical framework designed to uncover hidden phases of institutional activity by combining volatility (ATR Z-Score) and liquidity (Volume Z-Score) into a dual-condition detection model. Instead of relying on price action alone, LPR measures how volatility and traded volume behave relative to their historical distributions, revealing when the market is either “compressed” or “expanding with force.”
⸻
🔹 Core Mechanics
1. ATR Z-Score (Volatility Normalization)
• LPR calculates the Average True Range (ATR) on a higher timeframe (HTF).
• It applies a Z-Score transformation across a configurable lookback period to determine if volatility is statistically compressed (below mean) or expanded (above mean).
2. Volume Z-Score (Liquidity Normalization)
• Simultaneously, traded volume is normalized using the same Z-Score method.
• Elevated Volume Z-Scores signal the presence of institutional activity (accumulation/distribution or aggressive breakout participation).
3. Dual Conditions → Regimes
• 🧊 Iceberg Volume = Low ATR Z-Score + High Volume Z-Score.
→ Indicates a “hidden liquidity build-up” phase where price compresses but big players are positioning.
• ⚡ Revealed Momentum = High ATR Z-Score + High Volume Z-Score.
→ Marks explosive volatility phases where institutional activity is fully expressed in directional moves.
⸻
🔹 Visualization
• Iceberg Zones (blue shaded boxes):
Drawn automatically around periods of statistical compression + elevated volume. These zones act as launchpads; once broken, they often precede strong directional expansions.
• Revealed Zones (green shaded boxes):
Highlight expansionary phases with both volatility and volume spiking. They often align with trend acceleration or terminal exhaustion zones.
• Midline Tracking:
Each zone maintains a dynamic average (mid-price), updated as the session evolves, providing reference for breakout confirmation and invalidation levels.
⸻
🔹 Practical Use Cases
• Accumulation/Distribution Detection:
Spot where “smart money” is quietly building or unloading positions before large moves.
• Breakout Confirmation:
A breakout occurring after an Iceberg zone carries higher conviction than random volatility.
• Profit Management:
If a Revealed Momentum zone appears after a strong uptrend, it often signals distribution or exhaustion — useful for partial profit taking.
• Multi-Timeframe Adaptability:
With Auto, Multiplier, and Manual higher-timeframe modes, LPR adapts seamlessly to intraday scalping or swing trading contexts.
⸻
🔹 Alerts
• Instant alerts for the start of new Iceberg or Revealed zones.
• Optional alerts for breakouts above/below the last Iceberg zone boundaries.
⸻
🔹 Example Trading Scenario
1. Detection: An 🧊 Iceberg Volume zone forms around support (low volatility + high volume).
2. Trigger: Price closes above the upper boundary of this Iceberg zone.
3. Entry: Go long on the breakout.
4. Stop Loss: Place stop just below the Iceberg zone’s low (where the liquidity build-up started).
5. Target: Hold until a ⚡ Revealed Momentum zone forms — then start scaling out as the expansion matures.
This simple framework transforms hidden institutional behavior into actionable trade setups with clear risk management.
⸻
⚠️ Disclaimer: The LPR is a research and educational tool. It does not provide financial advice. Always apply proper risk management and use in combination with your own trading framework.
💎 Quantum Big Move MTF Indicator 💎1. Purpose of the Indicator
The Quantum Big Move MTF Indicator is designed to identify significant market moves using multiple moving averages across different timeframes (multi-timeframe).
Its goal is to filter market noise and provide visual signals of major moves, helping traders to identify strong trends and potential turning points.
2. Key Components
a) Moving Averages (MAs)
The indicator uses two main moving averages:
Fast MA (short-term):
Captures short-term price behavior.
Can be SMA, EMA, WMA, Hull, VWMA, RMA, or TEMA.
Configurable by the user for length and type.
Slow MA (long-term):
Represents the longer-term trend.
Helps filter false signals and focus on significant moves.
Also configurable for type and length.
b) Multi-Timeframe
Both MAs are calculated in a selected timeframe (either the current chart timeframe or a custom one).
This allows detection of strong moves in a broader context, increasing signal reliability.
c) Color Logic
MAs change color based on the trend:
Green → uptrend.
Red → downtrend.
Gray → no clear trend or transition.
This helps visually interpret the strength and direction of the trend.
d) Cross Signals (Big Moves)
Upward Move Signal
Appears when the Fast MA crosses above the Slow MA while in an uptrend.
Downward Move Signal
Appears when the Fast MA crosses below the Slow MA while in a downtrend.
Note: These signals are indicative only and are not buy or sell orders. They are visual tools to aid decision-making.
3. How to Interpret the Indicator
Identify the Trend:
Observe the color of the Fast and Slow MAs.
Green = positive trend, Red = negative trend.
Wait for a Significant Cross:
Only consider signals if the Fast MA aligns with the trend direction.
Avoid acting on contradictory signals or crossovers in a sideways market.
Combine with Other Tools:
Use volume, support/resistance levels, or momentum indicators to confirm the strength of the move.
4. Recommended Settings
Fast MA: 20–30 periods (captures short-term moves).
Slow MA: 60–100 periods (filters noise and highlights major trends).
Smoothing factor: 2–4 to smooth color changes and reduce false signals.
Adjust based on the asset and timeframe being analyzed.
5. Disclaimer
Important:
This indicator does not guarantee profits and is not financial advice.
Signals are for educational and informational purposes only, and should be used together with your own risk analysis and capital management.
Users are responsible for any trading decisions made based on this indicator.
ICT KEY LEVELS (L3J)📊 Overview
The ICT KEY LEVELS (L3J) indicator is a tool designed to automatically identify and display key levels based on Inner Circle Trader (ICT) concepts.
This indicator combines session-based levels with multi-timeframe highs/lows analysis to provide traders with critical price zones for decision-making.
Developed by L3J - This indicator can be used in conjunction with other indicators I have developed for enhanced market analysis.
🎯 Key Features
Session-Based Levels
- Previous Day High/Low (PDH/PDL): Automatically identifies and displays the previous trading day's high and low levels
- Asian Session Levels: Tracks high and low during Asian trading hours (20:00-03:00 GMT+4)
- European Session Levels: Captures London session high and low levels (03:00-08:30 GMT+4)
Multi-Timeframe Analysis
- H1 Pivot Levels: Identifies 2-candle reversal patterns on 1-hour timeframe
- H4 Pivot Levels: Detects 4-hour pivot points using advanced pattern recognition
- Smart Visibility: Levels are only shown on appropriate timeframes (H1 levels on H1, H4 levels on H4)
Advanced Features
- Priority System: Automatically hides overlapping levels based on importance (Previous Day > Sessions > H4 > H1)
- Dynamic Labels: Real-time labels that update with price action
- Intelligent Cleanup: Removes crossed or outdated levels to maintain chart clarity
- Customizable Anchoring: Choose between precise timestamp anchoring or candle middle anchoring
- Performance Optimized: Built with efficient code structure for smooth chart performance
⚙️ Configuration Options
Note: Currently, the user interface settings are displayed in French. This will be updated to English in a future version.
General Settings
- Timezone: Configurable timezone for session calculations (default: GMT+4)
- Trading Days: Number of trading days to analyze (1-20 days)
- Extension: Right extension length for level lines
- Anchoring Mode: Precise timestamp or candle middle anchoring
Visual Customization
Each level type (Asia, Europe, Previous Day, H1, H4) includes:
- Color Selection: Separate colors for highs and lows
- Line Styles: Solid, Dotted, or Dashed lines
- Line Width: Adjustable thickness (1-4 pixels)
- Show/Hide Toggle: Individual control for each level type
🕒 Session Times
- Trading Day: 18:00-16:00 (CME session)
- Asian Session: 20:00-03:00 GMT+4
- European Session: 03:00-08:30 GMT+4
All times are configurable and timezone-aware
📈 How It Works
Level Detection
1. Session Levels: Continuously tracks price action during specific trading sessions
2. Pivot Detection: Uses 2-candle reversal patterns (bullish then bearish for highs, bearish then bullish for lows)
3. Multi-Timeframe Data: Requests higher timeframe data for H1 and H4 analysis
Smart Management
- Automatic Cleanup: Removes levels that have been crossed or are too old
- Priority Filtering: Hides duplicate levels based on importance hierarchy
- Dynamic Updates: Real-time adjustment of level positions and labels
🎨 Visual Elements
- Horizontal Lines: Extend from level creation point to the right
- Dynamic Labels: Show level type and session information
- Color Coding: Different colors for each session and timeframe
- Transparency: Automatically hides overlapping or less important levels
🔧 Technical Specifications
- Pine Script Version: v6
- Chart Overlay: True
- Max Lines: 500
- Max Labels: 50
- Performance: Optimized with intelligent memory management
📋 Usage Tips
1. Best Timeframe: Works on all timeframes, but H1 and lower provide optimal detail
2. Combine with Price Action: Use levels as confluence zones for entry/exit decisions
3. Risk Management: Levels can serve as stop-loss and take-profit targets
4. Market Structure: Helps identify key support/resistance in market structure analysis
🔄 Compatibility
This indicator is designed to work alongside other L3J indicators for comprehensive market analysis.
📞 Support & Updates
For questions, suggestions, or updates, please contact L3J through TradingView messaging.
---
Disclaimer : This indicator is for educational and analysis purposes. Always practice proper risk management and never risk more than you can afford to lose.
Version: 1.0
Author: L3J
Last Updated: 30/08/2025
Dynamic Support & Resistance Zones v2 | Adaptive Channel System1. Overview of the Indicator
The Dynamic Support & Resistance Zones v2 indicator identifies key support and resistance levels based on the price action and volatility of the market. The indicator adapts to market conditions in real-time, dynamically adjusting the support and resistance zones as the price moves.
Support refers to the price level where a downward movement tends to stop, as buyers step in and push the price up.
Resistance refers to the price level where an upward movement tends to halt, as sellers come in and push the price back down.
The indicator combines two key elements:
Adaptive Channels: The support and resistance levels adjust based on market volatility (using the Average True Range - ATR).
Dynamic Zones: The support and resistance zones have gradients that change based on the proximity of price movements to these levels.
2. The Core Calculations:
a. ATR for Volatility:
ATR (Average True Range) is calculated to determine market volatility. This tells us how much the price has been moving over a certain period.
The indicator uses ATR to determine the width of the support and resistance channels. A higher ATR means wider channels (greater volatility), while a lower ATR leads to narrower channels (less volatility).
b. Dynamic Support & Resistance Levels:
Support Levels: The indicator calculates the lowest low over a specified lookback period (e.g., 20 bars). The support zone is then adjusted using a factor based on the ATR to create a dynamic channel.
Support Upper & Lower Levels: These form the outer boundaries of the support channel.
Smooth Support: The indicator uses a smoothing period to make these support levels less volatile and more accurate.
Resistance Levels: Similarly, the highest high over the lookback period is used to calculate the resistance levels. The ATR is again used to adjust the channel width.
Resistance Upper & Lower Levels: These form the outer boundaries of the resistance channel.
Smooth Resistance: The resistance levels are smoothed to create more consistent boundaries.
c. Midlines:
The indicator calculates "midlines" within the support and resistance zones. These help visualize the gradual transition between the upper and lower levels of the zones.
Midlines are plotted between the outer bands of the channels, giving a more nuanced view of the market's strength.
3. How It Visualizes the Zones:
a. Gradient Zones:
The indicator colors the space between the upper and lower boundaries of the support and resistance channels with gradient fills. These fills change color based on the price's proximity to the support or resistance zone, offering an immediate visual cue for traders.
Resistance Gradient: The closer the price is to the resistance zone, the more intense the red color becomes.
Support Gradient: Similarly, the closer the price is to the support zone, the greener the color becomes.
Extreme Zones: The outermost regions of the support and resistance zones (based on the highest and lowest levels) are also shaded differently to indicate extreme areas where the price might reverse with a higher probability.
b. Signals for Breakouts and Bounces:
Resistance Break: If the price crosses above the resistance upper boundary, a downward triangle symbol appears, signaling a potential breakout.
Support Break: If the price crosses below the support lower boundary, an upward triangle symbol appears, signaling a potential breakdown.
Bounce from Resistance/Support: If the price moves within the channel and bounces off the lower or upper boundary, it signals a rejection or bounce from support or resistance.
4. The Key Indicators:
Resistance Breakout: A signal that the price has broken above the resistance level, potentially indicating an upward trend.
Support Breakdown: A signal that the price has broken below the support level, potentially indicating a downward trend.
Resistance Rejection (Bounce): A price rejection at the resistance zone, signaling a potential reversal or continuation within the channel.
Support Bounce: A price rejection at the support zone, signaling a potential reversal or continuation within the channel.
5. Alerts and Notifications:
The indicator includes alert conditions for various events like:
Breakouts above resistance or below support.
Price bounces off support or resistance.
When these events occur, users can set alerts to notify them in real-time.
6. Customization:
Users can customize:
Lookback Period: How many bars the indicator should consider when calculating support and resistance levels.
Multipliers: Adjustments to the width of the channels (both for support and resistance).
Smoothing Period: The level of smoothing applied to the support and resistance zones to make the channels less volatile.
7. Summary of the Indicator's Key Features:
Dynamic, Adaptive Channels: The support and resistance zones adjust in real-time based on market volatility (ATR).
Smooth Transitions: Smooth, visual gradients help users understand the strength of the price action and potential reversal zones.
Real-Time Alerts: Users are notified when important price action events, such as breakouts or bounces, occur.
Customizable: Adjust the sensitivity of the support/resistance levels, channel width, and smoothing period based on personal preferences.
8. Use Case Example:
Imagine the price is near the upper resistance zone. If the price breaks above this level, it’s a Resistance Break signal, which could indicate the start of an upward trend. Conversely, if the price breaks below the lower support level, it’s a Support Breakdown signal, suggesting a potential downward trend.
Disclaimer:
The "Dynamic Support & Resistance Zones v2 | Adaptive Channel System" indicator is a tool designed to assist with technical analysis by identifying key support and resistance levels, as well as potential price action signals. While it is a powerful tool for trend analysis and trading decision-making, it is not a guaranteed predictor of market outcomes.
Risk Warning: Trading involves significant risk of loss, and the use of this indicator does not guarantee any specific results. It is recommended to combine the indicator with other forms of technical analysis, fundamental analysis, and risk management strategies.
Past Performance: The indicator's past performance is not indicative of future results. Market conditions are dynamic and constantly evolving, and past price action may not necessarily reflect future price behavior.
No Investment Advice: The indicator does not constitute financial or investment advice. Always perform your own research and consult with a professional financial advisor before making trading decisions.
Use at Your Own Risk: By using this indicator, you acknowledge that you are fully responsible for your trading decisions, and that you understand the potential risks involved.
Date Range Performance
Calculates total change and percentage change between two dates.
Computes average change per bar and per day.
Offers arithmetic and geometric daily %.
Supports auto mode (last N trading days) and manual date range.
Displays results as a watermark on the chart.
Advanced Crypto Trading Dashboard📊 Advanced Crypto Trading Dashboard
🎯 FULL DESCRIPTION FOR TRADINGVIEW POST:
🚀 WHAT IS THIS DASHBOARD?
This is an advanced multi-timeframe technical analysis dashboard designed specifically for cryptocurrency trading. Unlike basic indicators, this script combines 8 essential metrics into a single visual table, providing a 360º market overview across 4 simultaneous timeframes.
📈 ANALYZED TIMEFRAMES:
- 15M: For scalping and precise entries
- 1H: For short-term swing trades
- 4H: For intermediate analysis and confirmations
- 1D: For macro view and main trend
🎯 ADVANCED METRICS EXPLAINED:
1. 📊 MOMENTUM
- Calculation: Combines RSI (40%) + MACD (30%) + Volume (30%)
- Ratings: Bullish | Neutral ↗ | Neutral ↘ | Bearish
- Use: Identifies the strength of the current movement
2. 📈 TREND
- Calculation: Alignment of EMAs (8, 21, 55) + ADX for strength
- Signals: Strong ↗ | Strong ↘ | Trending | Ranging
- Use: Confirms trend direction and intensity
3. 💰 MONEY FLOW
- Calculation: Money Flow Index (MFI) - advanced RSI with volume
- States: Bullish | Bearish | Overbought | Oversold
- Use: Detects real buying/selling pressure (not just candle color)
4. 🎯 RSI
- Calculation: Traditional 14-period RSI
- Zones: > 70 (Overbought) | < 30 (Oversold) | Neutral
- Use: Identifies price extremes and opportunities
5. ⚡ VOLATILITY
- Calculation: ATR in percentage + state classification
- States: High | Medium | Low + exact %
- Use: Assesses risk and movement potential
6. 🔔 BB SIGNAL
- Calculation: Price position in Bollinger Bands
- Signals: Overbought | Oversold | Neutral
- Use: Confirms extremes and reversal points
7. 🎲 SCORE
- Calculation: Composite score from 0-100 based on all indicators
- Colors: Green (>75) | Yellow (40-75) | Red (<40)
- Use: Quick overall assessment of asset strength
🎨 VISUAL FEATURES:
🌈 SMART COLOR SYSTEM:
- Green: Bullish signals/buy opportunities
- Red: Bearish signals/sell opportunities
- Yellow: Neutral zones/wait for confirmation
- Blue: Neutral technical information
📍 FULL CUSTOMIZATION:
- Position: Left | Center | Right
- Size: Small | Normal | Large
- Emojis: On/Off for professional settings
- Parameters: All periods adjustable
📋 HOW TO INTERPRET:
✅ STRONG BUY SIGNAL:
- Momentum: Bullish
- Trend: Strong ↗
- Money Flow: Bullish
- RSI: 30-70 (healthy zone)
- Score: >60
❌ STRONG SELL SIGNAL:
- Momentum: Bearish
- Trend: Strong ↘
- Money Flow: Bearish
- RSI: >70 or <30 (extremes)
- Score: <40
⚠️ CAUTION ZONE:
- Conflicting signals across timeframes
- Money Flow vs. Trend divergence
- RSI at extremes with average Score
💡 USAGE STRATEGIES:
🎯 SCALPING (15M-1H):
- Check alignment between 15M and 1H
- Enter when both show the same signal
- Use Stop Loss based on volatility
📈 SWING TRADING (1H-4H):
- Confirm trend on 4H
- Enter on pullbacks in 1H
- Target based on overall Score
🏦 POSITION TRADING (4H-1D):
- Focus on 1D analysis
- Use 4H for entry timing
- Hold position until Score reverses
🔧 RECOMMENDED SETTINGS:
👨💼 FOR PROFESSIONAL TRADERS:
- Position: Center
- Size: Normal
- Emojis: Off
- Chart Timeframe: 1H
🎮 FOR BEGINNERS:
- Position: Right
- Size: Large
- Emojis: On
- Chart Timeframe: 4H
⚡ ADVANTAGES OVER OTHER DASHBOARDS:
✅ Precise Calculations: Real MFI vs. "fake buyer volume"
✅ Multi-Timeframe: 4 simultaneous analyses
✅ Composite Score: Overall view in one number
✅ Intuitive Visuals: Clear colors and symbols
✅ Fully Customizable: Adapts to any setup
✅ Zero Repaint: Reliable and stable data
✅ Optimized Performance: Doesn’t lag the chart
🎓 PRACTICAL EXAMPLE:
Asset: BTCUSDT | Timeframe: 1H
| TF | Momentum | Trend | Money Flow | RSI | Score |
|------|----------|------------|------------|-----|-------|
| 15M | Bullish | Strong ↗ | Bullish | 65 | 78 |
| 1H | Neutral↗ | Strong ↗ | Bullish | 58 | 68 |
| 4H | Neutral↘ | Trending | Bearish | 45 | 52 |
| 1D | Bearish | Strong ↘ | Bearish | 35 | 32 |
📊 Interpretation:
- Short-term: Bullish (15M-1H aligned)
- Mid-term: Conflict (4H neutral)
- Long-term: Bearish (1D negative)
- Strategy: Short-term bullish trade with tight stop
🚨 IMPORTANT NOTES:
- This indicator is a support tool, not an automated system
- Always combine with traditional chart analysis
- Test in paper trading before using real money
- Always manage risk with appropriate stop loss
- Not a holy grail - no indicator is 100% accurate
📞 SUPPORT AND FEEDBACK:
Leave your rating and comments! Your feedback helps continuously improve this tool.
[KINGS GUN & SHOOT]KINGS GUN & SHOOT – Advanced RSI Trendline Indicator
The KINGS GUN & SHOOT indicator combines RSI momentum analysis, dynamic trendline detection, and pivot structure mapping to help traders visually identify trend strength, reversals, and breakout zones in real time.
Key Features
Custom RSI (Relative Strength Index)
Uses a user-defined length (default 20).
RSI line is green when trending up (above WMA) and red when trending down (below WMA).
Weighted Moving Average (WMA) Overlay
Optional smoothing line for RSI to confirm trend direction.
Helps filter false signals during sideways markets.
Pivot Points (Highs & Lows)
Detects recent pivot highs and lows automatically.
Labels plotted directly on the RSI for quick structure recognition.
Automatic Trendline Drawing
Connects recent pivot highs for downtrend lines.
Connects recent pivot lows for uptrend lines.
Supports up to 20 dynamic lines in each direction.
Solid/Dashed styling options and adjustable line width.
Broken Trendline Display (Optional)
When RSI breaks below an uptrend line or above a downtrend line, a dotted “broken trendline” is displayed as a warning of trend exhaustion.
Configurable Visuals
Toggle between show/hide pivots and show/hide WMA.
Choose between Solid or Dashed trendlines.
Adjustable line width and RSI color behavior.
How to Use
Uptrend confirmation: RSI stays above WMA, and pivot lows connect into rising trendlines.
Downtrend confirmation: RSI stays below WMA, and pivot highs connect into falling trendlines.
Breakout signal: Broken trendlines indicate possible momentum reversal or volatility spike.
Overbought/Oversold levels: Default guide levels at 80 (overbought) and 20 (oversold).
Best For
Swing traders and position traders looking to hold trades longer.
Breakout traders who want early warnings of trendline failures.
Any market: Works on stocks, crypto, forex, commodities, indices.
Any timeframe: From intraday to weekly charts.
Ripster EMA Clouds with customisable colorsEMA Clouds indicator inspired by Ripster47's concepts. Published primarily to offer customizable color settings for the cloud displays. This is not an identical copy but an inspired implementation.
[KINGS BULL & BEAR STRATEGY]Title:
KINGS BULL & BEAR STRATEGY – Divergent Bars with Williams Alligator Filter
Short Description:
Identifies bullish and bearish divergent bars using Williams Alligator lines as a smart market filter.
Full Description:
Overview
The KINGS BULL & BEAR STRATEGY is designed to detect Divergent Bars (DBs) — powerful price action signals — and confirm them using Williams Alligator lines as a trend filter. This tool helps traders identify high-probability bullish and bearish setups directly on the chart.
How It Works
Williams Alligator Lines:
Calculates three moving averages (Jaw, Teeth, Lips) using your chosen MA type: SMA, SMMA, EMA, RMA, WMA, or VWMA.
Offsets for each line can be adjusted to match the original Alligator indicator behavior.
Divergent Bar Logic:
Bullish Divergent Bar:
Occurs when price makes a lower low while staying below all Alligator lines, then closes above its mid-level.
Bearish Divergent Bar:
Occurs when price makes a higher high while staying above all Alligator lines, then closes below its mid-level.
Filter Levels (No / Medium / High):
No filter: Basic DB detection.
Medium filter: Adds confirmation using previous bar lows/highs.
High filter: Requires Alligator lines to align (Lips < Teeth < Jaw for bullish, Lips > Teeth > Jaw for bearish), improving accuracy during strong trends.
Features
Customizable Alligator settings: Select MA method and adjust Jaw, Teeth, Lips lengths and offsets.
Selectable filter strength: Choose from “No,” “Medium,” or “High” filtration to fit your strategy style.
Visual Chart Signals:
Green ▲ label below bar: Bullish Divergent Bar.
Red ▼ label above bar: Bearish Divergent Bar.
Trend Confirmation: Built-in Alligator alignment for higher-quality signals.
How to Use
For trend traders: Use high filtration mode to confirm signals in trending markets.
For reversal traders: Use medium or no filtration to catch early turning points.
Combine with confluence: Works best alongside momentum indicators, volume profiles, or manual price action analysis.
Important Notes
This tool does not execute trades automatically. It is an indicator for signal visualization only.
Not every signal is a buy/sell recommendation. Always validate with additional tools or strategies.
Can be used on all markets and timeframes (Forex, Crypto, Stocks, Indices).
Credits
Williams Alligator concept for dynamic trend detection.
Divergent Bar logic adapted and enhanced with multi-level filtering for cleaner signals.
Bull/Bear Lower Volume (vijayachandru)Bull/Bear Lower Volume (HA + Box + ±15 Lines)
This indicator tracks intraday Heikin Ashi candles and highlights the lowest-volume bull/bear candles after 9:25 (IST). When price breaks above/below these candles, a breakout box is drawn with optional ±15 point dashed levels. It plots clear Buy/Sell signals, marks box breakouts, and provides alert conditions for all setups—helping traders spot early intraday breakouts driven by volume shifts
Hoàng già — Hoàng giàSimplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
Simplify it based on the structure of the frame price
GMMA ABC Signal Goal (one-liner)
Detect trend-aligned entries using an 18-EMA GMMA stack, then filter out chop with momentum (ATR), trend strength (ADX/RSI), and a tight-range (“box”) mute. Auto-draw SL/TP and fire alerts.
1) Core inputs & idea
Three entry archetypes
Type A (Structure break in a tight bundle): GMMA is narrow → price breaks prior swing with correct bull/bear sequence.
Type B (Trend continuation): Price crosses many EMAs with body and short>mid (bull) or short midAvg, close > longAvg, candle pass.
Short: red body, crossBodyDown ≥ bodyThresh, shortAvg < midAvg, close < longAvg, candle pass.
Anti-chop add-ons:
Require GMMA spread ≥ minSpreadB (trend sufficiently expanded).
ADX/RSI gate (configurable AND/OR and individual enable flags):
ADX ≥ adxMin_B
RSI ≥ rsiMinLong_B (long) or RSI ≤ rsiMaxShort_B (short)
Type C — momentum pop
Needs many crosses (crossUp / crossDown ≥ crossThresh) and a strong candle.
Has its own ATR body threshold: body ≥ ATR * atrMultC (separate from global).
6) Global “Box” (tight-range) mute
Look back boxLookback bars; if (highest−lowest)/close ≤ boxMaxPct, then mute all signals.
Prevents trading inside cramped ranges.
7) Signal priority + confirmation + cooldown
Compute raw A/B/C booleans.
Pick first valid in order A → B → C per side (long/short).
Apply:
Bar confirmation (confirmClose)
Cooldown (no new signal within cooldownBars after last)
Global box mute
Record bar index to enforce cooldown.
8) SL/TP logic (simple R-based scaffolding)
SL: previous swing extreme within structLookback (long uses prevLow, short uses prevHigh).
Risk R: distance from entry close to SL (min-tick protected).
TPs: TP1/TP2/TP3 = close ± R × (tp1R, tp2R, tp3R) depending on side.
On a new signal, draw lines for SL/TP1/TP2/TP3; keep them for keepBars then auto-delete.
9) Visuals & alerts
Plot labels for raw Type A/B/C (so you can see which bucket fired).
Entry label on the chosen signal with SL/TP prices.
Alerts: "ABC LONG/SHORT Entry" with ticker & timeframe placeholders.
10) Info panel (top-right)
Shows spread%, box%, ADX, RSI on the last/confirmed bar for quick situational awareness.
11) How to tune (quick heuristics)
Too many signals? Increase minSpreadB, adxMin_B, bodyThresh, or enable confirmClose and a small cooldownBars.
Missing breakouts? Lower atrMultC (Type C) or crossThresh; relax minSpreadB.
Choppy pairs/timeframes? Raise boxMaxPct sensitivity (smaller value mutes more), or raise atrMult (global) to demand fatter candles.
Cleaner trends only? Turn on strictSeq for Type A; raise minSpreadB and adxMin_B.
12) Mental model (TL;DR)
A = “Tight coil + fresh structure break”
B = “Established trend, strong continuation” (spread + ADX/RSI keep you out of chop)
C = “Momentum burst through many EMAs” (independent ATR gate)
Then add box mute, close confirmation, cooldown, and auto SL/TP scaffolding.
Pump/Dump Detector [Modular]//@version=5
indicator("Pump/Dump Detector ", overlay=true)
// ————— Inputs —————
risk_pct = input.float(1.0, "Risk %", minval=0.1)
capital = input.float(100000, "Capital")
stop_multiplier = input.float(1.5, "Stop Multiplier")
target_multiplier = input.float(2.0, "Target Multiplier")
volume_mult = input.float(2.0, "Volume Spike Multiplier")
rsi_low_thresh = input.int(15, "RSI Oversold Threshold")
rsi_high_thresh = input.int(85, "RSI Overbought Threshold")
rsi_len = input.int(2, "RSI Length")
bb_len = input.int(20, "BB Length")
bb_mult = input.float(2.0, "BB Multiplier")
atr_len = input.int(14, "ATR Length")
show_signals = input.bool(true, "Show Entry Signals")
use_orderflow = input.bool(true, "Use Order Flow Proxy")
use_ml_flag = input.bool(false, "Use ML Risk Flag")
use_session_filter = input.bool(true, "Use Volatility Sessions")
// ————— Symbol Filter (Optional) —————
symbol_nq = input.bool(true, "Enable NQ")
symbol_es = input.bool(true, "Enable ES")
symbol_gold = input.bool(true, "Enable Gold")
is_nq = str.contains(syminfo.ticker, "NQ")
is_es = str.contains(syminfo.ticker, "ES")
is_gold = str.contains(syminfo.ticker, "GC")
symbol_filter = (symbol_nq and is_nq) or (symbol_es and is_es) or (symbol_gold and is_gold)
// ————— Calculations —————
rsi = ta.rsi(close, rsi_len)
atr = ta.atr(atr_len)
basis = ta.sma(close, bb_len)
dev = bb_mult * ta.stdev(close, bb_len)
bb_upper = basis + dev
bb_lower = basis - dev
rolling_vol = ta.sma(volume, 20)
vol_spike = volume > volume_mult * rolling_vol
// ————— Session Filter (EST) —————
est_offset = -5
est_hour = (hour + est_offset + 24) % 24
session_filter = (est_hour >= 18 or est_hour < 6) or (est_hour >= 14 and est_hour < 17)
session_ok = not use_session_filter or session_filter
// ————— Order Flow Proxy —————
mfi = ta.mfi(close, 14)
buy_imbalance = ta.crossover(mfi, 50)
sell_imbalance = ta.crossunder(mfi, 50)
reversal_candle = close > open and close > ta.highest(close , 3)
// ————— ML Risk Flag (Placeholder) —————
ml_risk_flag = use_ml_flag and (ta.sma(close, 5) > ta.sma(close, 20))
// ————— Entry Conditions —————
long_cond = symbol_filter and session_ok and vol_spike and rsi < rsi_low_thresh and close < bb_lower and (not use_orderflow or (buy_imbalance and reversal_candle)) and (not use_ml_flag or ml_risk_flag)
short_cond = symbol_filter and session_ok and vol_spike and rsi > rsi_high_thresh and (not use_orderflow or sell_imbalance) and (not use_ml_flag or ml_risk_flag)
// ————— Position Sizing —————
risk_amt = capital * (risk_pct / 100)
position_size = risk_amt / atr
// ————— Plot Signals —————
plotshape(show_signals and long_cond, title="Long Signal", location=location.belowbar, color=color.green, style=shape.triangleup, size=size.small)
plotshape(show_signals and short_cond, title="Short Signal", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.small)
// ————— Alerts —————
alertcondition(long_cond, title="Long Entry Alert", message="Pump fade detected: Long setup triggered")
alertcondition(short_cond, title="Short Entry Alert", message="Dump detected: Short setup triggered")
Auto S/R 1H - Stable Simplethat is a script to find out the support and resistance as trendlines for stocks in one hour timeframe for swing trading.
LUCEO Monday Range V3LUCEO Monday Range 지표는 매주 월요일의 고점(Monday High), 저점(Monday Low), 균형값(Equilibrium)을 자동으로 표시해 주는 도구입니다.
ICT, 런던 브레이크아웃 등 월요일 범위를 기준으로 삼는 전략에 적합하며, 과거 데이터를 통해 이전 여러 주 월요일 범위를 시각화할 수 있습니다.
기능 요약:
월요일 고점(MH), 저점(ML), 균형가(EQ) 자동 표시
최대 52주까지 과거 월요일 범위 표시 가능
각 레벨 터치 시 알림 기능 지원
라벨/라인 색상, 스타일, 크기 사용자 지정 가능
주간/월간 차트에서는 자동으로 표시 비활성화
활용 예시:
월요일 고점을 상향 돌파하는 돌파 전략 분석
주간 유동성 중심 레벨인 EQ를 기준으로 방향성 판단
주요 반전 구간 탐지에 사용
---------------------------------------------------------------------------------------------------------
Monday Range (Lines) indicator automatically displays each Monday’s High (MH), Low (ML), and Equilibrium (EQ) levels on the chart.
It is useful for ICT-based setups, London breakout strategies, or any system that relies on weekly liquidity levels. The indicator supports visualization of up to 52 past Mondays.
Key Features:
Automatic plotting of Monday High, Low, and Equilibrium
Displays Monday ranges from multiple past weeks
Real-time alerts when price touches MH, ML, or EQ
Customizable line and label styles, colors, and sizes
Automatically disables display on weekly and monthly charts
Use Cases:
Validate London session breakout with Monday High breakout
Use EQ as a liquidity balance reference
Identify key reversal zones using weekly range extremes
HawkEye EMA Cloud
# HawkEye EMA Cloud - Enhanced Multi-Timeframe EMA Analysis
## Overview
The HawkEye EMA Cloud is an advanced technical analysis indicator that visualizes multiple Exponential Moving Average (EMA) relationships through dynamic color-coded cloud formations. This enhanced version builds upon the original Ripster EMA Clouds concept with full customization capabilities.
## Credits
**Original Author:** Ripster47 (Ripster EMA Clouds)
**Enhanced Version:** HawkEye EMA Cloud with advanced customization features
## Key Features
### 🎨 **Full Color Customization**
- Individual bullish and bearish colors for each of the 5 EMA clouds
- Customizable rising and falling colors for EMA lines
- Adjustable opacity levels (0-100%) for each cloud independently
### 📊 **Multi-Layer EMA Analysis**
- **5 Configurable EMA Cloud Pairs:**
- Cloud 1: 8/9 EMAs (default)
- Cloud 2: 5/12 EMAs (default)
- Cloud 3: 34/50 EMAs (default)
- Cloud 4: 72/89 EMAs (default)
- Cloud 5: 180/200 EMAs (default)
### ⚙️ **Advanced Customization Options**
- Toggle individual clouds on/off
- Adjustable EMA periods for all timeframes
- Optional EMA line display with color coding
- Leading period offset for cloud projection
- Choice between EMA and SMA calculations
- Configurable source data (HL2, Close, Open, etc.)
## How It Works
### Cloud Formation
Each cloud is formed by the area between two EMAs of different periods. The cloud color dynamically changes based on:
- **Bullish (Green/Custom):** When the shorter EMA is above the longer EMA
- **Bearish (Red/Custom):** When the shorter EMA is below the longer EMA
### Multiple Timeframe Analysis
The indicator provides a comprehensive view of trend strength across multiple timeframes:
- **Short-term:** Clouds 1-2 (faster EMAs)
- **Medium-term:** Cloud 3 (intermediate EMAs)
- **Long-term:** Clouds 4-5 (slower EMAs)
## Trading Applications
### Trend Identification
- **Strong Uptrend:** Multiple clouds stacked bullishly with price above
- **Strong Downtrend:** Multiple clouds stacked bearishly with price below
- **Consolidation:** Mixed cloud colors indicating sideways movement
### Entry Signals
- **Bullish Entry:** Price breaking above bearish clouds turning bullish
- **Bearish Entry:** Price breaking below bullish clouds turning bearish
- **Confluence:** Multiple cloud confirmations strengthen signal reliability
### Support/Resistance Levels
- Cloud boundaries often act as dynamic support and resistance
- Thicker clouds (higher opacity) may provide stronger S/R levels
- Multiple cloud intersections create significant price levels
## Customization Guide
### Color Schemes
Create your own visual style by customizing:
1. **Bullish/Bearish colors** for each cloud pair
2. **Rising/Falling colors** for EMA lines
3. **Opacity levels** to layer clouds effectively
### Recommended Settings
- **Day Trading:** Focus on Clouds 1-2 with higher opacity
- **Swing Trading:** Use Clouds 1-3 with moderate opacity
- **Position Trading:** Emphasize Clouds 3-5 with lower opacity
## Technical Specifications
- **Version:** Pine Script v6
- **Type:** Overlay indicator
- **Calculations:** Real-time EMA computations
- **Performance:** Optimized for all timeframes
- **Alerts:** Configurable long/short alerts available
## Risk Disclaimer
This indicator is for educational and informational purposes only. Always combine with proper risk management and additional analysis before making trading decisions. Past performance does not guarantee future results.
---
*Enhanced and customized version of the original Ripster EMA Clouds by Ripster47. This modification adds comprehensive color customization and enhanced user control while preserving the core analytical framework.*