The GOAT Short/Long term D,M,W,QY, VWAP 3xrvol Vs 2🧠 Description:
This advanced tool is designed to detect high-probability turning points and continuation signals by combining:
Trend confirmation (via EMA)
Institutional positioning (via VWAP from multiple timeframes)
Volume conviction (via 3x RVOL detection)
Potential reversal warnings (via volume pressure drop)
It tracks both bullish and bearish confluences between price, a customizable EMA, and higher-timeframe VWAPs — offering exceptional clarity for intraday and swing traders.
🔀 VWAP Confluence Types:
🔹 Short-Term Confluences:
EMA + Session VWAP
EMA + Daily VWAP
EMA + Weekly VWAP
🔸 Long-Term Confluences:
EMA + Monthly VWAP
EMA + Quarterly VWAP
EMA + Yearly VWAP
Each setup has:
✅ Arrows (up/down)
✅ Background highlight (color-coded)
✅ Alerts for bullish/bearish crosses
📊 Volume Logic:
Volume Signal Trigger Condition Candle Paint Color
Bullish RVOL Volume > 3× average and candle is green 🔷 Aqua
Bearish RVOL Volume > 3× average and candle is red 🔴 Fuchsia
Volume Drop Reversal Current volume < 50% avg after RVOL spike 🟤 Dark Maroon
🔔 Alerts Built In:
Bullish/Bearish VWAP + EMA crosses for all 6 VWAP types
RVOL surge alert
Volume drop reversal alert
🧩 Customizable Features:
EMA Length
VWAP timeframe toggles (short vs. long)
All paint colors
RVOL + Volume drop thresholds
Floating chart legend (optional)
🎯 Best For:
Traders who want high-confluence, high-volume entry signals
Confirmation of breakouts or pullbacks
Detection of institutional activity across multiple timeframes
Spotting exhaustion or reversal zones with volume drop logic
Indicators and strategies
[blackcat] L3 Twin Range Filter ProOVERVIEW
The L3 Twin Range Filter Pro indicator enhances trading strategies by filtering out market noise through a sophisticated dual-range approach. Unlike previous versions, this script not only provides clear visual indications of buy/sell signals but also incorporates a dynamic trend range filter line. By averaging two smoothed exponential moving averages—one fast and one slow—the indicator generates upper and lower range boundaries that adapt to changing market conditions. Traders can easily spot buy/sell opportunities when the closing price crosses these boundaries, supported by configurable alerts for real-time notifications.
FEATURES
Dual-Range Calculation: Combines fast and slow moving averages to create adaptive range boundaries.
Customizable Parameters:
Periods: Adjustable lengths for fast (default 9 bars) and slow (default 34 bars) moving averages.
Multipliers: Coefficients to modify the distance of the trailing lines from the price.
Dynamic Trend Range Filter Line: Visually displays buy/sell signals directly on the chart.
Trailing Stop Loss Logic: Automatically follows price movements to act as a trailing stop loss indicator.
Trade Signals: Clearly indicates buy/sell points with labeled signals.
Alerts: Configurable notifications for buy/sell signals to keep traders informed.
Visual Enhancements: Colored fills and dynamic boundary lines for easy interpretation.
HOW TO USE
Add the L3 Twin Range Filter Pro indicator to your TradingView chart.
Customize the input parameters:
Price Source: Choose the desired price source (e.g., Close).
Show Trade Signals: Toggle on/off for displaying buy/sell labels.
Fast Period: Set the period for the fast moving average (default 9 bars).
Slow Period: Set the period for the slow moving average (default 34 bars).
Fast Range Multiplier: Adjust the multiplier for the fast moving average.
Slow Range Multiplier: Adjust the multiplier for the slow moving average.
Monitor the plotted trend range filter and dynamic boundaries on the chart.
Identify buy/sell signals based on the crossing of price and range boundaries.
Configure alerts for real-time notifications when signals are triggered.
TRADE LOGIC
BUY Signal: Triggered when the price is higher than or equal to the upper range level. The indicator line will trail just below the price, acting as a trailing stop loss.
SELL Signal: Triggered when the price is lower than or equal to the lower range level. The indicator line will trail just above the price, serving as a trailing stop loss.
LIMITATIONS
The performance of this indicator relies on the selected periods and multipliers.
Market volatility can impact the accuracy of the signals.
Always complement this indicator with other analytical tools for robust decision-making.
NOTES
Experiment with different parameter settings to optimize the indicator for various market conditions.
Thoroughly backtest the indicator using historical data to ensure its compatibility with your trading strategy.
THANKS
A big thank you to Colin McKee for his foundational work on the Twin Range Filter! Your contributions have paved the way for enhanced trading tools. 🙏📈🔍
高點突破策略進場條件:突破前20根K棒的高點自動進場
出場條件:
停利:+3%
停損:-1.5%
適合時間週期: 可用於1小時或日線圖
適合標的:股票 期貨 加密貨幣 個股
如果要使用請自行回測找到最符合的標的
一律建議用模擬帳戶嘗試,沒問題過後再用真金白銀
Entry Condition:
Automatically enter a long position when the price breaks above the highest high of the past 20 candles.
Exit Conditions:
Take Profit: +3%
Stop Loss: -1.5%
Recommended Timeframes:
Suitable for 1-hour or daily charts.
Applicable Instruments:
Stocks, futures, cryptocurrencies, and individual equities.
Important:
Please perform your own backtesting to identify the most suitable assets.
We strongly recommend using a demo account first. Only trade with real money after confirming the strategy works well.
PSP [Daye's Theory]//@version=5
indicator("PSP ", overlay=true)
// User input to choose 3 assets
asset1 = input.string("MNQ1!", title="Select Asset 1", options= )
asset2 = input.string("MES1!", title="Select Asset 2", options= )
asset3 = input.string("MYM1!", title="Select Asset 3", options= )
// Automatically select the timeframe from the first asset
asset1_timeframe = timeframe.isintraday ? timeframe.period : "D" // Use the chart's time frame, or fallback to daily for non-intraday
// Checkbox for enabling correlation check between NQ and ES
pairs_check = input.bool(false, title="Check PSP NQ & ES only")
// Declare highlight color globally
highlight_color = input.color(color.red, title="PSP Color")
// Fetch data for all assets (do it outside the conditionals)
asset1_open = request.security(asset1, asset1_timeframe, open)
asset1_close = request.security(asset1, asset1_timeframe, close)
asset2_open = request.security(asset2, asset1_timeframe, open)
asset2_close = request.security(asset2, asset1_timeframe, close)
asset3_open = request.security(asset3, asset1_timeframe, open)
asset3_close = request.security(asset3, asset1_timeframe, close)
// Define the candle color for each asset
asset1_color = asset1_close > asset1_open ? color.green : color.red
asset2_color = asset2_close > asset2_open ? color.green : color.red
asset3_color = asset3_close > asset3_open ? color.green : color.red
// Initialize candle_diff with var to persist its state
var bool candle_diff = false
if (pairs_check)
// Only check correlation between asset1 and asset2
candle_diff := (asset1_color != asset2_color)
else
// Check correlation among all three assets
candle_diff := (asset1_color != asset2_color) or (asset2_color != asset3_color) or (asset1_color != asset3_color)
// Apply the barcolor globally if the condition is met
barcolor(candle_diff ? highlight_color : na)
XAUUSD SNR 250 Pips + Labelsonly for gold , this like snr but with static, so this indicator i make for round key level gold
EMA Channel + Kangaroo Tail + Volume This all-in-one indicator combines multiple proven trading concepts into one tool:
🔸 EMA-based Price Channel (with Standard Deviation): helps identify overbought/oversold zones and channel reversals.
🔸 Kangaroo Tail Patterns: a price action setup signaling potential reversals based on wick/close structure.
🔸 Volume Confirmation Filter: filters signals when volume exceeds the average by 20% (1.2×), reducing noise.
🔸 Unconfirmed KT Highlights: shows potential Kangaroo Tails even if volume is not confirmed, so no setup is missed.
🔸 Volume Info Labels: display current and average volume on chart (toggleable).
🧠 Built with ChatGPT based on real-world trader feedback, suitable for both the Moscow Exchange and crypto markets.
✅ Best suited for:
Futures, stocks, crypto.
Timeframes: 15m – 1h, though it works across all timeframes.
🔓 Free to use & modify. If you like it — give it a star or share feedback!
MACD+RSI Cross Alert – Clean Signal by TFGMACD + RSI Cross Alert (Lightweight & Clean Visuals)
This script highlights potential momentum shifts using MACD line crossovers with RSI confirmation.
Clean, minimal ▲▼ markers make it suitable for any chart setup.
▲ Upward Marker: When MACD line crosses above signal line and RSI is above 50
▼ Downward Marker: When MACD line crosses below signal line and RSI is below 50
Signals are semi-transparent and offset for visual clarity
Compatible with any timeframe and symbol
🔰 For beginners:
These markers may suggest trend initiation or a momentum shift.
They can serve as timing references when used with support/resistance zones or moving averages.
MACD+RSIクロス マーカー(軽量・視認性重視)
このスクリプトは、MACDのクロスとRSIの方向をもとに、勢いの変化を示すマーカーを表示します。
チャートを邪魔しない小さな▲▼のみ表示され、シンプルで軽量な構成です。
▲ 上向きマーカー:MACDがシグナルを上抜け、かつRSIが50より上の場合
▼ 下向きマーカー:MACDがシグナルを下抜け、かつRSIが50より下の場合
半透明かつオフセット配置で視認性を確保
すべての時間足・銘柄に対応
🔰 初心者向け補足:
このマーカーは、トレンドの始まりや勢いの変化の可能性を示します。
サポートライン・移動平均などと組み合わせて、タイミングの参考として活用できます。
Market Warning Dashboard Enhanced📊 Market Warning Dashboard Enhanced
A powerful macro risk dashboard that tracks and visualizes early signs of market instability across multiple key indicators—presented in a clean, professional layout with a real-time thermometer-style danger gauge.
🔍 Included Macro Signals:
Yield Curve Inversion: 10Y-2Y and 10Y-3M spreads
Credit Spreads: High-yield (HYG) vs Investment Grade (LQD)
Volatility Structure: VIX/VXV ratio
Breadth Estimate: SPY vs 50-day MA (as a proxy)
🔥 Features:
Real-time Danger Score: 0 (Safe) to 100 (Extreme Risk)
Descriptive warnings for each signal
Color-coded thermometer gauge
Alert conditions for each macro risk
Background shifts on rising systemic risk
⚠️ This dashboard can save your portfolio by alerting you to macro trouble before it hits the headlines—ideal for swing traders, long-term investors, and anyone who doesn’t want to get blindsided by systemic risk.
Pivot Candle PatternsPivot Candle Patterns Indicator
Overview
The PivotCandlePatterns indicator is a sophisticated trading tool that identifies high-probability candlestick patterns at market pivot points. By combining Williams fractals pivot detection with advanced candlestick pattern recognition, this indicator targets the specific patterns that statistically show the highest likelihood of signaling reversals at market tops and bottoms.
Scientific Foundation
The indicator is built on extensive statistical analysis of historical price data using a 42-period Williams fractal lookback period. Our research analyzed which candlestick patterns most frequently appear at genuine market reversal points, quantifying their occurrence rates and subsequent success in predicting reversals.
Key Research Findings:
At Market Tops (Pivot Highs):
- Three White Soldiers: 28.3% occurrence rate
- Spinning Tops: 13.9% occurrence rate
- Inverted Hammers: 11.7% occurrence rate
At Market Bottoms (Pivot Lows):
- Three Black Crows: 28.4% occurrence rate
- Hammers: 13.3% occurrence rate
- Spinning Tops: 13.1% occurrence rate
How It Works
1. Pivot Point Detection
The indicator uses a non-repainting implementation of Williams fractals to identify potential market turning points:
- A pivot high is confirmed when the middle candle's high is higher than surrounding candles within the lookback period
- A pivot low is confirmed when the middle candle's low is lower than surrounding candles within the lookback period
- The default lookback period is 2 candles (user adjustable from 1-10)
2. Candlestick Pattern Recognition
At identified pivot points, the indicator analyzes candle properties using these parameters:
- Body percentage threshold for Spinning Tops: 40% (adjustable from 10-60%)
- Shadow percentage threshold for Hammer patterns: 60% (adjustable from 40-80%)
- Maximum upper shadow for Hammer: 10% (adjustable from 5-20%)
- Maximum lower shadow for Inverted Hammer: 10% (adjustable from 5-20%)
3. Pattern Definitions
The indicator recognizes these specific patterns:
Single-Candle Patterns:
- Spinning Top : Small body (< 40% of total range) with significant upper and lower shadows (> 25% each)
- Hammer : Small body (< 40%), very long lower shadow (> 60%), minimal upper shadow (< 10%), closing price above opening price
- Inverted Hammer : Small body (< 40%), very long upper shadow (> 60%), minimal lower shadow (< 10%)
Multi-Candle Patterns:
- Three White Soldiers : Three consecutive bullish candles, each closing higher than the previous, with each open within the previous candle's body
- Three Black Crows : Three consecutive bearish candles, each closing lower than the previous, with each open within the previous candle's body
4. Visual Representation
The indicator provides multiple visualization options:
- Highlighted candle backgrounds for pattern identification
- Text or dot labels showing pattern names and success rates
- Customizable colors for different pattern types
- Real-time alert functionality on pattern detection
- Information dashboard displaying pattern statistics
Why It Works
1. Statistical Edge
Unlike traditional candlestick pattern indicators that simply identify patterns regardless of context, PivotCandlePatterns focuses exclusively on patterns occurring at statistical pivot points, dramatically increasing signal quality.
2. Non-Repainting Design
The pivot detection algorithm only uses confirmed data, ensuring the indicator doesn't repaint or provide false signals that disappear on subsequent candles.
3. Complementary Pattern Selection
The selected patterns have both:
- Statistical significance (high frequency at pivots)
- Logical market psychology (reflecting institutional supply/demand changes)
For example, Three White Soldiers at a pivot high suggests excessive bullish sentiment reaching exhaustion, while Hammers at pivot lows indicate rejection of lower prices and potential buying pressure.
Practical Applications
1. Reversal Trading
The primary use is identifying potential market reversals with statistical probability metrics. Higher percentage patterns (like Three White Soldiers at 28.3%) warrant more attention than lower probability patterns.
2. Confirmation Tool
The indicator works well when combined with other technical analysis methods:
- Support/resistance levels
- Trend line breaks
- Divergences on oscillators
- Volume analysis
3. Risk Management
The built-in success rate metrics help traders properly size positions based on historical pattern reliability. The displayed percentages reflect the probability of the pattern successfully predicting a reversal.
Optimized Settings
Based on extensive testing, the default parameters (Body: 40%, Shadow: 60%, Shadow Maximums: 10%, Lookback: 2) provide the optimal balance between:
- Signal frequency
- False positive reduction
- Early entry opportunities
- Pattern clarity
Users can adjust these parameters based on their timeframe and trading style, but the defaults represent the statistically optimal configuration.
Complementary Research: Reclaim Analysis
Additional research on "reclaim" scenarios (where price briefly breaks a level before returning) showed:
- Fast reclaims (1-2 candles) have 70-90% success rates
- Reclaims with increasing volume have 53.1% success rate vs. decreasing volume at 22.6%
This complementary research reinforces the importance of candle patterns and timing at critical market levels.
Aroon Buy & Sell with Customizable Candle Pattern FilterSure! Here's a description of how the script works without the code:
### Overview:
This trading strategy combines the **Aroon indicator** and **candlestick pattern recognition** to generate buy and sell signals. It allows for a more customizable approach by enabling you to filter signals based on the direction of a trend (identified by the Aroon indicator) and specific candlestick patterns that are often seen as indicators of potential reversals or continuation in the market.
### Key Components:
1. **Aroon Indicator**:
* **Aroon Up and Aroon Down** are calculated over a 14-period window. The Aroon Up shows how recently the highest high occurred, while Aroon Down shows how recently the lowest low occurred.
* A crossover between the Aroon Up and Aroon Down lines indicates a change in market trend. When the Aroon Up crosses above the Aroon Down, it's a signal of an uptrend, and when the Aroon Down crosses above the Aroon Up, it's a signal of a downtrend.
* The strategy uses **5-minute** Aroon data to track the overall trend and **1-minute** Aroon data to refine entry signals.
2. **Candlestick Pattern Filters**:
The script allows you to select and use various candlestick patterns to filter the signals:
* **Bullish Engulfing**: A pattern where a bullish candle completely engulfs the previous bearish candle.
* **Bearish Engulfing**: A pattern where a bearish candle completely engulfs the previous bullish candle.
* **Pin Bar**: A candlestick with a small body and a long tail, indicating potential reversal.
* **Doji**: A candlestick with a very small body, showing indecision in the market.
* You can toggle each of these patterns on or off based on your preference.
3. **Signal Generation**:
* **Buy Signal**: A buy signal is triggered when the market is in a bullish trend (as indicated by the Aroon Up crossing over the Aroon Down on the 5-minute chart), the Aroon Down on the 1-minute chart is at 100% (suggesting a low moment for entry), and a valid candlestick pattern (like Bullish Engulfing, Pin Bar, or Doji) occurs.
* **Sell Signal**: A sell signal is triggered when the market is in a bearish trend (as indicated by the Aroon Down crossing over the Aroon Up on the 5-minute chart), the Aroon Up on the 1-minute chart is at 100% (suggesting a potential reversal point), and a valid candlestick pattern (like Bearish Engulfing, Pin Bar, or Doji) occurs.
4. **Cooldown Period**:
* The strategy includes a **cooldown** mechanism to prevent multiple signals from being triggered in a very short period. This helps avoid false signals and ensures that only significant trends or pattern formations are considered for trades.
5. **Signal Plotting**:
* **Buy Signals** are displayed as green "BUY" labels below the price bars.
* **Sell Signals** are displayed as red "SELL" labels above the price bars.
6. **Alerts**:
* Alerts are set up to notify the user when a buy or sell signal is triggered. This can be useful for traders who prefer to be alerted when a valid setup is detected.
### Customization:
* The user can customize which candlestick patterns they want to use in the strategy by turning them on or off.
* The user can also adjust the Aroon settings and other parameters, allowing for flexibility in adapting the strategy to different market conditions and personal preferences.
### Summary:
This strategy blends trend-following (via Aroon) with reversal/continuation signals from candlestick patterns, providing traders with a way to fine-tune their entries and exits based on both trend strength and price action patterns. It aims to reduce noise and filter out weak signals by combining these elements.
21 EMA + VWAP Trend Bias
21 EMA + VWAP Trend Bias
This indicator combines the 21-period Exponential Moving Average (EMA) and the Volume-Weighted Average Price (VWAP) to provide a simple yet effective visual trend bias tool.
🔍 Core Features:
21 EMA Line (Orange): Tracks the short-to-mid-term price trend.
VWAP Line (Blue): Reflects the average trading price, weighted by volume, often used by institutional traders.
Trend Bias Highlight:
Green Background: Bullish bias — price is above both the 21 EMA and VWAP.
Red Background: Bearish bias — price is below both the 21 EMA and VWAP.
No Background: Neutral or mixed signals.
⚙️ Use Cases:
Quickly assess market trend direction at a glance.
Confirm entry or exit signals with dual-layer trend validation.
Great for intraday and swing traders who value clean, unobtrusive chart setups.
EMA Trend Bias (200 & 50)🔥 How It Works
📌 Green 200 EMA = Price above (Long-term Bullish trend)
📌 Red 200 EMA = Price below (Long-term Bearish trend)
📌 Blue 50 EMA = Price above (Short-term Bullish bias)
📌 Orange 50 EMA = Price below (Short-term Bearish bias)
This script helps confirm both short-term & long-term trend direction, making it easier to identify strong setups! 🚀
Would you like me to add alerts when price crosses either EMA for automated trade notifications?
Let me know if you need any refinements!
ORB Advanced Cloud Indicator & FIB's by TenAMTraderSummary: ORB Advanced Cloud Indicator with Alerts and Fibonacci Retracement Targets by TenAMTrader
This TradingView script is an advanced version of the Opening Range Breakout (ORB) indicator, enhanced with visual clouds and Fibonacci retracement/extension levels. It is designed to help traders identify key price levels and track price movements relative to those levels throughout the trading day. The script includes alert functionalities to notify traders when price crosses key levels and when Fibonacci levels are reached, which can serve as potential entry and exit targets.
Key Features:
Primary and Secondary Range Calculation:
The indicator calculates the primary range (defined by a start and end time) and optionally, a secondary range.
The primary range includes the highest and lowest prices during the designated time period, as well as the midpoint of this range.
The secondary range (if enabled) tracks another price range during a second time period, with its own high, low, and midpoint.
Visual Clouds:
The script draws colored clouds between the high, midpoint, and low of the opening range.
The upper cloud spans between the Opening High and Midpoint, while the lower cloud spans between the Midpoint and Opening Low.
Similarly, a second set of clouds can be drawn for the secondary range (if enabled).
Fibonacci Levels:
The script calculates Fibonacci retracement and extension levels based on the primary range (the difference between the Opening High and Opening Low).
Fibonacci levels can be used as entry and exit targets in a trading strategy, as these levels often act as potential support/resistance zones.
Fibonacci levels include standard values like -0.236, -0.382, -0.618, and positive extensions like 1.236, 1.618, etc.
Customizable Alerts:
Alerts can be set to trigger when:
The price crosses above the Opening High.
The price crosses below the Opening Low.
The price crosses the Opening Midpoint.
These alerts can help traders act quickly on important price movements relative to the opening range.
Customization Options:
The indicator allows users to adjust the time settings for both the primary and secondary ranges.
Custom colors can be set for the lines, clouds, and Fibonacci levels.
The visibility of each line and cloud can be toggled on or off, giving users flexibility in how the chart is displayed.
Fibonacci Levels Overview:
The script includes several Fibonacci retracement and extension levels:
Negative Retracements (e.g., -0.236, -0.382, -0.50, -0.618, etc.) are plotted below the Opening Low, and can act as potential support levels in a downtrend.
Positive Extensions (e.g., 1.236, 1.382, 1.618, 2.0, etc.) are plotted above the Opening High, and can act as potential resistance levels in an uptrend.
Fib levels can be used as entry and exit targets to capitalize on price reversals or breakouts.
Safety Warning:
This script is for educational and informational purposes only and is not intended as financial advice. While it provides valuable technical information about price ranges and Fibonacci levels, trading always involves risk. Users are encouraged to:
Paper trade or use a demo account before applying this indicator with real capital.
Use proper risk management strategies, including stop-loss orders, to protect against unexpected market movements.
Understand that no trading strategy, indicator, or tool can guarantee profits, and losses can occur.
Important: The creator, TenAMTrader, and TradingView are not responsible for any financial losses resulting from the use of this script. Always trade responsibly, and ensure you fully understand the risks involved in any trading strategy.
Dual-Phase Trend Regime Strategy [Zeiierman X PineIndicators]This strategy is based on the Dual-Phase Trend Regime Indicator by Zeiierman.
Full credit for the original concept and logic goes to Zeiierman.
This non-repainting strategy dynamically switches between fast and slow oscillators based on market volatility, providing adaptive entries and exits with high clarity and reliability.
Core Concepts
1. Adaptive Dual Oscillator Logic
The system uses two oscillators:
Fast Oscillator: Activated in high-volatility phases for quick reaction.
Slow Oscillator: Used during low-volatility phases to reduce noise.
The system automatically selects the appropriate oscillator depending on the market's volatility regime.
2. Volatility Regime Detection
Volatility is calculated using the standard deviation of returns. A median-split algorithm clusters volatility into:
Low Volatility Cluster
High Volatility Cluster
The current volatility is then compared to these clusters to determine whether the regime is low or high volatility.
3. Trend Regime Identification
Based on the active oscillator:
Bullish Trend: Oscillator > 0.5
Bearish Trend: Oscillator < 0.5
Neutral Trend: Oscillator = 0.5
The strategy reacts to changes in this trend regime.
4. Signal Source Options
You can choose between:
Regime Shift (Arrows): Trade based on oscillator value changes (from bullish to bearish and vice versa).
Oscillator Cross: Trade based on crossovers between the fast and slow oscillators.
Trade Logic
Trade Direction Options
Long Only
Short Only
Long & Short
Entry Conditions
Long Entry: Triggered on bullish regime shift or fast crossing above slow.
Short Entry: Triggered on bearish regime shift or fast crossing below slow.
Exit Conditions
Long Exit: Triggered on bearish shift or fast crossing below slow.
Short Exit: Triggered on bullish shift or fast crossing above slow.
The strategy closes opposing positions before opening new ones.
Visual Features
Oscillator Bands: Plots fast and slow oscillators, colored by trend.
Background Highlight: Indicates current trend regime.
Signal Markers: Triangle shapes show bullish/bearish shifts.
Dashboard Table: Displays live trend status ("Bullish", "Bearish", "Neutral") in the chart’s corner.
Inputs & Customization
Oscillator Periods – Fast and slow lengths.
Refit Interval – How often volatility clusters update.
Volatility Lookback & Smoothing
Color Settings – Choose your own bullish/bearish colors.
Signal Mode – Regime shift or oscillator crossover.
Trade Direction Mode
Use Cases
Swing Trading: Take entries based on adaptive regime shifts.
Trend Following: Follow the active trend using filtered oscillator logic.
Volatility-Responsive Systems: Adjust your trade behavior depending on market volatility.
Clean Exit Management: Automatically closes positions on opposite signal.
Conclusion
The Dual-Phase Trend Regime Strategy is a smart, adaptive, non-repainting system that:
Automatically switches between fast and slow trend logic.
Responds dynamically to changes in volatility.
Provides clean and visual entry/exit signals.
Supports both momentum and reversal trading logic.
This strategy is ideal for traders seeking a volatility-aware, trend-sensitive tool across any market or timeframe.
Full credit to Zeiierman.
Money Flow Index (mit Pivot-Divergenzen)SKb_
This indicator enhances the traditional Money Flow Index (MFI) by adding a pivot-based divergence detection system and visual background signals for overbought and oversold conditions.
✨ Key Features:
✅ Money Flow Index (MFI) Plot:
Plots the MFI value with customizable length (default 14).
✅ Overbought/Oversold Highlighting:
Automatically shades the background light green when MFI > 80 and light red when MFI < 20 for better visual alerts.
✅ Pivot-Based Divergence Detection:
Detects both bullish and bearish divergences between MFI and price using pivot highs and lows (configurable pivot strength).
– Bullish divergence: price makes a lower low, MFI makes a higher low
– Bearish divergence: price makes a higher high, MFI makes a lower high
✅ Divergence Signals Plotted on Chart:
Plots lime green triangles below bars for bullish divergence and red triangles above bars for bearish divergence.
✅ Customizable Pivot Sensitivity:
The pivotLen input allows you to adjust how significant a swing high/low must be to qualify as a pivot.
Usage:
This indicator helps traders spot potential trend reversals by combining momentum (MFI) with divergence signals based on pivot points.
It can be used standalone or as a confirmation tool alongside other technical indicators.
Recommended for swing traders, momentum traders, or anyone wanting to identify divergences with a reduced noise level compared to bar-by-bar divergence detection.
Momentum Candle Early AlertMomentum Candles Indicator and Alert,
You can change the factor from 1x to 1,5x
Institutional Smart Money VolumeInstitutional Smart Money Volume (Inverse VWAP)
This custom Pine Script indicator helps identify institutional trading activity through Volume and the VWAP (Volume Weighted Average Price). It uses Volume Multiplier and Relative Volume (RVOL) to detect high-volume institutional trades and integrates VWAP analysis to generate long and short entry signals.
Key Features:
Volume Multiplier: Signals appear when the volume is significantly higher than the average, indicating institutional participation.
VWAP Analysis:
Long Signals: Triggered when price is above the VWAP, indicating bullish market conditions.
Short Signals: Triggered when price is below the VWAP, signaling potential short opportunities.
Volume Bar Coloring:
Soft Green Bars for bullish conditions (price above open).
Soft Red Bars for bearish conditions (price below open).
Entry Signals:
Yellow Circle for long (buy) signals when price is above VWAP.
Red Circle for short (sell) signals when price is below VWAP.
How to Use:
Look for yellow circles above the bars for potential long entries when the price is above the VWAP and there is strong volume.
Watch for red circles below the bars for potential short entries when the price is below the VWAP and there is strong volume.
Use the color-coded soft green and soft red bars to gauge market sentiment and price direction.
Perfect for:
Day traders who focus on high-volume trades and institutional activity.
Traders who utilize VWAP and volume-based strategies to find optimal entry points.
Traders seeking to track institutional smart money flows in real-time.
Disclaimer: This indicator is designed for educational purposes and should be used in conjunction with other technical analysis tools. Always manage risk when trading.
X OHLdesigned to plot significant levels—closed higher timeframe High, Low, Open, and an Equilibrium (EQ) level and current Open—on the current chart based on user-defined higher timeframes (HTFs). It helps traders visualize HTF price levels on lower timeframes for confluence, context, or decision-making.
Key Functional Components:
Configurable Inputs:
Four Timeframes: Customizable (default: 1H, 4H, D, W).
Visibility Toggles for:
Previous High (pHigh)
Previous Low (pLow)
EQ (midpoint between high and low)
Current Open
Previous Open
How It Works:
For each selected timeframe:
retrieves OHL Data
Previous high/low (high , low )
Current and previous open
EQ is calculated as midpoint: (high + low) / 2
Draws Horizontal Lines:
Lines are drawn from the candle where the HTF bar opens and extended until timeframe switch. Lines extends a few bars beyond current to assist in visualization
Labels:
On the most recent bar, each level is labeled with a description (pHigh 1H, EQ 6H, etc.).
Labels are customizable (size, color, background).
Anchoring:
Lines and labels are redrawn on the start of each new HTF bar to ensure accuracy and relevance.
Cloud Vision [The Degen Company]📊 Cloud Vision is a dual-mode EMA cloud indicator designed to help traders visualize both short-term and long-term market trends.
⚙️ Mode Selection
Easily switch between two modes:
🔹 Scalp Mode (EMA 5/13)
🔸 Swing Mode (EMA 21/55)
Only one mode is active at a time to ensure chart clarity.
📈 Scalp Mode
When EMA 5 crosses above EMA 13, a green bullish cloud is displayed.
When EMA 5 crosses below EMA 13, a red bearish cloud appears.
🔺 Triangle markers highlight each crossover point.
📉 Swing Mode
Uses EMA 21 and EMA 55 for broader trend detection.
Ideal for identifying medium- to long-term directional shifts with more stability.
🧠 Utility
This tool can support trend confirmation and help traders align entries with market momentum, especially when combined with other indicators or price action.
🚫 No repaint — clean, simple, and adjustable to your trading style.
Aggressive Volume 📊 Indicator: Aggressive Volume – Simulated Buy/Sell Pressure
Aggressive Volume estimates delta volume using candle data to simulate the market’s internal buy/sell pressure. It helps visualize how aggressive buyers or sellers are moving the price without needing full order flow access.
⚙️ How It Works:
Calculates simulated delta volume based on candle direction and volume.
Bullish candles (close > open) suggest dominance by buyers.
Bearish candles (close < open) suggest dominance by sellers.
Delta is the difference between simulated buying and selling pressure.
🔍 Key Features:
Visual bars showing aggressive buyer vs seller dominance
Helps spot trend strength, momentum bursts, and potential reversals
Simple, effective, and compatible with any timeframe
Lightweight and ideal for scalping, day trading, and swing trading
💡 How to Use:
Look for strong positive delta during bullish trends for confirmation.
Watch for delta weakening or divergence as potential reversal signals.
Combine with trend indicators or price action for enhanced accuracy.
📊 Indicador: Volume Agressivo – Pressão de Compra/Venda Simulada
Volume Agressivo estima o delta de volume utilizando dados dos candles para simular a pressão interna de compra/venda do mercado. Ele ajuda a visualizar como os compradores ou vendedores agressivos estão movendo o preço, sem precisar de acesso completo ao fluxo de ordens.
⚙️ Como Funciona:
Calcula o delta de volume simulado com base na direção do candle e no volume.
Candles de alta (fechamento > abertura) indicam predominância de compradores.
Candles de baixa (fechamento < abertura) indicam predominância de vendedores.
O delta é a diferença entre a pressão de compra e venda simulada.
🔍 Principais Funcionalidades:
Barras visuais mostrando a dominância de compradores vs vendedores agressivos
Ajuda a identificar a força da tendência, explosões de momentum e possíveis reversões
Simples, eficaz e compatível com qualquer período de tempo
Leve e ideal para scalping, day trading e swing trading
💡 Como Usar:
Procure por delta positivo forte durante tendências de alta para confirmação.
Observe o delta enfraquecendo ou divergências como sinais de possível reversão.
Combine com indicadores de tendência ou price action para maior precisão.
Инвертированный мультиактивный индекс страха и жадностиWhat is the opposite of fear and greed? Correct, love.
The idea of an indicator is that if you take indexes of fear and greed for the top 3 corellated assets with the current one and weight the result by the index of corellations, you can see 2 things.
one is tops and bottoms of an assets movements as measured by the inverted fear and greed index,
and the other is that you can see the cycles of when the asset gets corellated and de-corellated, becoming stronger or weaker then the corellated asset's index.
Turn off the average blue line in settings - it's useless.
Cheers, love
Eugene
Smoothed Heikin Ashi Trend OscillatorThis indicator measures trend direction and momentum using a smoothed Heikin Ashi anchor. The oscillator value is the distance between the actual closing price and a synthetic Heikin Ashi baseline, optionally smoothed using a selectable moving average (SMA, EMA, HMA, VWMA, or RMA).
The oscillator is plotted as a histogram. Bar color reflects:
Whether price is above or below the anchor (bullish or bearish)
Whether the distance is expanding or contracting (momentum acceleration or deceleration)
The anchor is reverse-engineered from prior Heikin Ashi open and close values, adjusted by real price data (high, low, open). This structure allows for smoothed trend analysis while retaining responsiveness to price movement.
I use this oscillator in combination with smoothed Heikin Ashi candles to visually track momentum and detect subtle trend shifts early.
Built-in alert conditions allow for notification on zero-line crosses, with confirmation on candle close. These can optionally be used to signal potential trend shifts.
✅ Non-repainting (when live mode is off)
✅ Fully customizable smoothing, logic, and colors
✅ Works across all timeframes and asset classes
© 2025 Ben Deharde