Becak I-series: Indicator Floating Panels v.80Becak I-series: Floating Panels v.80th (Indonesia Independence Days)
What it does:
This indicator creates three floating overlay panels that display MACD, RSI, and Stochastic oscillators directly on your price chart. Unlike traditional separate panes, these panels hover over your chart with customizable positioning and transparency, providing a clean, space-efficient way to monitor multiple technical indicators simultaneously.
When to use:
When you need to monitor momentum, trend strength, and overbought/oversold conditions without cluttering your workspace
Perfect for traders who want quick visual access to multiple oscillators while maintaining focus on price action
Ideal for any timeframe and asset class (stocks, crypto, forex, commodities)
How it works:
The script calculates standard MACD (12,26,9), RSI (14), and Stochastic (14,3,3) values, then renders them as floating panels with:
MACD Panel: Shows MACD line (blue), Signal line (orange), and histogram (green/red bars)
RSI Panel: Displays RSI line (purple) with overbought (70) and oversold (30) reference levels
Stochastic Panel: Shows %K (blue) and %D (orange) lines with optional buy/sell signals and highlighted overbought/oversold zones
Customization options:
Position: Choose Top, Bottom, or Auto-Center placement
Size: Adjust panel height (15-35% of chart) and spacing between panels
Positioning: Fine-tune vertical center offset and horizontal positioning
Appearance: Toggle panel backgrounds and adjust transparency (50-95%)
Parameters: Modify all indicator lengths and overbought/oversold levels
Signals: Enable/disable Stochastic crossover signals
Display: Control lookback period (30-100 bars) and right margin spacing
Universal compatibility: Works seamlessly across all asset types with automatic range detection and scaling.
DIRGAHAYU HARI KEMERDEKAAN KE 80 - INDONESIA ... MERDEKA!!!!!
Multitimeframe
Changing of the GuardChanging of the Guard (COG) - Advanced Reversal Pattern Indicator
🎯 What It Does
The Changing of the Guard (COG) indicator identifies high-probability reversal setups by detecting specific candlestick patterns that occur at key institutional levels. This indicator combines traditional price action analysis with volume-weighted and moving average confluence to filter out noise and focus on the most reliable trading opportunities.
🔧 Key Features
Multi-Timeframe VWAP Analysis
• Daily VWAP (Gray circles) - Intraday institutional reference
• Weekly VWAP (Yellow circles) - Short-term institutional bias
• Monthly VWAP (Orange circles) - Long-term institutional sentiment
Triple EMA System
• EMA 20 (Blue) - Short-term trend direction
• EMA 50 (Purple) - Medium-term momentum
• EMA 200 (Navy) - Long-term market structure
Adaptive COG Pattern Detection
• 2-Bar Mode: Quick reversal signals for scalping
• 3-Bar Mode: Balanced approach for swing trading (default)
• 4-Bar Mode: Conservative signals for position trading
📊 How It Works
The indicator identifies "changing of the guard" moments when:
1. Pattern Formation: 2-4 consecutive bars show exhaustion in one direction
2. Reversal Confirmation: A counter-trend bar appears with strong momentum
3. Confluence Trigger: The reversal bar crosses through a significant VWAP or EMA level
Bullish COG: Green triangle appears below bars when bearish exhaustion meets bullish reversal at key support
Bearish COG: Red triangle appears above bars when bullish exhaustion meets bearish reversal at key resistance
💡 Trading Applications
Swing Trading: Use 3-bar mode with EMA 50/200 confluence for multi-day holds
Day Trading: Use 2-bar mode with Daily VWAP confluence for intraday reversals
Position Trading: Use 4-bar mode with Monthly VWAP confluence for major trend changes
⚙️ Customization Options
• Toggle VWAP display on/off
• Toggle EMA display on/off
• Toggle COG signals on/off
• Select detection mode (2-bar, 3-bar, 4-bar)
• Built-in alert system for automated notifications
🎨 Visual Design
Clean, professional interface with:
• Subtle dotted lines for VWAPs to avoid chart clutter
• Color-coded EMAs for easy trend identification
• Clear triangle signals that don't obstruct price action
• Customizable display options for different trading styles
📈 Best Practices
• Combine with volume analysis for additional confirmation
• Use higher timeframe bias to filter trade direction
• Consider market structure and support/resistance levels
• Backtest different modes to find optimal settings for your strategy
⚠️ Risk Management
This indicator identifies potential reversal points but should be used with proper risk management. Always consider:
• Overall market trend and structure
• Volume confirmation
• Multiple timeframe analysis
• Appropriate position sizing
Perfect for traders who want to catch reversals at institutional levels with high-probability setups. The confluence requirement ensures you're trading with the smart money, not against it.
Key Levels & Session Highs/Lows by OdegosProfessional multi-timeframe support and resistance level indicator that automatically tracks and displays key price levels across different trading sessions and timeframes.
🎯 What it shows:
Session Open - Daily market open reference line
Asia & London Sessions - High/low levels from major trading sessions
Previous Day - Yesterday's actual high and low levels
Weekly & Monthly - Higher timeframe support/resistance levels
⚡ Smart Features:
Auto-combines overlapping levels with merged labels
Break detection - Lines stop when price breaks through (optional)
Timezone support - Works with any global timezone
Universal colors - Optimized for both light and dark chart themes
Clean interface - Organized settings with intuitive dropdowns
🛠️ Fully Customizable:
Individual show/hide toggles for each level type
Custom colors, line styles, and widths
Adjustable label text and positioning
Global text color override option
Perfect for day traders, swing traders, and anyone who relies on key support/resistance levels for market analysis.
Multi Volume Weighted Average Price1. Three independent VWAP configurations (VWAP 1, 2, and 3). Each can be set up separately
for periods such as: session, daily, weekly, monthly, etc.
2. Previous VWAP closing prices: Closed VWAPs from previous periods remain visible until the
price touches them. At that point, they are removed.
3. Bands: Based on standard deviation or a percentage of VWAP with an adjustable multiplier.
The bands can be turned on or off.
4. Source: OHLC4 is the default setting for an accurate approximation, but it is customizable
(e.g. HLC3).
5. Global Setting: Select 10,000 or 20,000 historical bars to prevent runtime errors for long
periods.
Usage tips:
1. Use VWAP 1 for daily sessions, VWAP 2 for weekly, and VWAP 3 for Monthly analysis to receive
multi-timeframe support.
2. Customize the labels to clearly distinguish them (e.g. D VWAP, W VWAP, M VWAP).
3. If you encounter errors with historical data (e.g. on the M1 chart), minimize the number of
historical bars displayed to 10,000.
Trend Signals with TP & SL Kang//@version=5
strategy("Buy/Sell with SL & TP", overlay=true, initial_capital=100000, default_qty_type=strategy.percent_of_equity, default_qty_value=10)
//===== Inputs =====
fastLen = input.int(9, "Fast MA Length")
slowLen = input.int(21, "Slow MA Length")
stopLossP = input.float(0.5, "Stop Loss %", step=0.1)
takeProfP = input.float(1.0, "Take Profit %", step=0.1)
//===== Indicators =====
fastMA = ta.ema(close, fastLen)
slowMA = ta.ema(close, slowLen)
plot(fastMA, color=color.new(color.green, 0))
plot(slowMA, color=color.new(color.red, 0))
//===== Conditions =====
longCondition = ta.crossover(fastMA, slowMA)
shortCondition = ta.crossunder(fastMA, slowMA)
//===== Entry Logic =====
if (longCondition)
strategy.entry("Long", strategy.long)
if (shortCondition)
strategy.entry("Short", strategy.short)
//===== Exit Logic =====
if (strategy.position_size > 0)
strategy.exit("Long Exit", "Long", stop=strategy.position_avg_price * (1 - stopLossP/100), limit=strategy.position_avg_price * (1 + takeProfP/100))
if (strategy.position_size < 0)
strategy.exit("Short Exit", "Short", stop=strategy.position_avg_price * (1 + stopLossP/100), limit=strategy.position_avg_price * (1 - takeProfP/100))
Market structure + TF Bucket Market Structure + TF Bucket
This Pine Script™ indicator, published under the Mozilla Public License 2.0, extends the "Market Structure" script by mickes (), with full credit to mickes. It integrates the enhanced MarketStructure library by Fenomentn (), also based on mickes’ library under MPL 2.0, to provide advanced market structure analysis with multi-timeframe pivot length customization.
Functionality
Market Structure Analysis: Detects internal (orderflow) and swing market structures, visualizing Break of Structure (BOS), Change of Character (CHoCH), Equal High/Low (EQH/EQL), and liquidity zones using the MarketStructure library.
Timeframe Bucket (TF Bucket): Dynamically adjusts pivot lengths for six user-defined timeframes (e.g., 3m, 5m, 10m, 15m, 4h, 12h), optimizing structure detection across different chart timeframes.
Trend Strength Visualization: Displays a trend strength metric (from the library) for internal and swing structures, indicating trend reliability based on pivot frequency and volatility.
Statistics Table: Shows yearly counts of BOS and CHoCH events for internal and swing structures, configurable by a user-defined period.
Screener Support: Outputs BOS and CHoCH signals for TradingView’s screener, with a configurable signal persistence period.
Customizable Alerts: Enables alerts for BOS and CHoCH events, separately configurable for internal and swing structures.
Methodology
Pivot Detection: Uses the library’s Pivot function, which applies a volatility filter (ATR-based) to confirm significant pivots, reducing false signals in low-volatility markets.
TF Bucket: Maps user-selected timeframes to Pine Script’s timeframe.period using f_getTimeframePeriod, applying custom pivot lengths when the chart’s timeframe matches a selected one (or base lengths in Static mode).
Trend Strength: Calculates a score as pivotCount / LeftLength * (currentATR / ATR), displayed via labels to help traders assess trend reliability.
BOS/CHoCH Detection: Identifies BOS when price breaks a pivot in the trend direction and CHoCH when price reverses against the trend, labeling events as “MSF” or “MSF+” based on pivot patterns.
EQH/EQL and Liquidity: Draws boxes for equal high/low zones within ATR-based thresholds and visualizes liquidity levels with confirmation bars.
Statistics and Screener: Tracks BOS/CHoCH events in a yearly table and outputs signals for screener use, with persistence controlled by a user-defined period.
Usage
Integration: Apply the indicator to any chart and import the library via import Fenomentn/MarketStructure/1.
Configuration: Set up to six timeframes with custom pivot lengths, enable/disable internal and swing structures, configure alerts, and adjust statistics years in the settings panel.
Alerts: Enable BOS and CHoCH alerts for real-time notifications, triggered on bar close to avoid repainting.
Screener: Use the plotted signals to monitor BOS/CHoCH events across multiple tickers in TradingView’s screener.
Best Practices: Optimal for forex and crypto charts on 1m to 12h timeframes. Adjust pivot lengths and the library’s volatility threshold for specific market conditions.
Originality
This indicator enhances mickes’ original script with:
Timeframe Bucket: Dynamic pivot length selection for multi-timeframe analysis, not present in the original.
Trend Strength Display: Visualizes the library’s TrendStrength metric for enhanced trend analysis.
Enhanced Library Integration: Leverages Fenomentn/MarketStructure/1, which adds a volatility-based pivot filter, dynamic label sizing, and customizable BOS/CHoCH visualization styles.No additional open-source code was reused beyond mickes’ script and library, fully credited under MPL 2.0.
Stochastic 6TF by J🌀 Stochastic Multi-Timeframe (6 TF)
This indicator allows you to plot Stochastic %K from up to 6 different timeframes
within a single chart. Users can freely enable/disable each timeframe’s display.
Features:
- Supports up to 6 timeframes simultaneously
- Fully customizable timeframes (e.g. 5m, 15m, 1H, 4H, 1D, 1W, etc.)
- Toggle ON/OFF visibility per timeframe
- Distinct colors for each line
- Includes Overbought (80), Oversold (20), and Mid (50) levels
- Displays a horizontal legend at the top-left corner to identify each line by TF
Best for:
- Traders who want to monitor momentum across multiple timeframes
- Multi-timeframe confirmation strategies
- Enhancing entry/exit decision-making
⚠️ Note:
- Only %K line is plotted (%D is not included)
- For technical analysis only, not financial advice
อินดิเคเตอร์นี้ถูกออกแบบมาเพื่อแสดงค่า Stochastic (%K) ได้พร้อมกันสูงสุดถึง 6 Timeframe
ภายในชาร์ตเดียวกัน โดยผู้ใช้สามารถเลือกเปิด/ปิดการแสดงผลของแต่ละ TF ได้อย่างอิสระ
คุณสมบัติ:
- รองรับการแสดง Stochastic %K จาก 6 Timeframe พร้อมกัน
- สามารถกำหนด Timeframe เองได้ (5m, 15m, 1H, 4H, 1D, 1W หรืออื่น ๆ)
- มีตัวเลือกเปิด/ปิดการแสดงผลแต่ละ TF
- สีของเส้นแตกต่างกันชัดเจน
- มีเส้นระดับ (Overbought 80, Oversold 20, และ Mid 50)
- แสดงตาราง Legend มุมซ้ายบนในแนวนอน เพื่อบอกว่าเส้นแต่ละสีคือ TF ไหน
เหมาะสำหรับ:
- เทรดเดอร์ที่ต้องการดู Momentum หลาย Timeframe พร้อมกัน
- การยืนยันสัญญาณ (Multi-Timeframe Confirmation)
- ใช้ร่วมกับกลยุทธ์อื่น ๆ เพื่อหาโอกาสเข้า/ออกที่แม่นยำมากขึ้น
⚠️ หมายเหตุ:
- อินดิเคเตอร์นี้แสดงเฉพาะ %K เท่านั้น (ไม่ได้แสดงเส้น %D)
- ใช้เพื่อการวิเคราะห์ทางเทคนิค ไม่ใช่คำแนะนำในการลงทุน
Multi-Timeframe Bollinger Band PositionBeta version.
My hope is to optimize the settings for this indicator and reintroduce it as a "strategy" with suggested position entry and exit points shown in the price pane.
Any feedback is appreciated.
Overview
This indicator is an oscillator that measures the normalized position of the price relative to Bollinger Bands across multiple timeframes. It takes the price's position within the Bollinger Bands (calculated on different timeframes) and averages those positions to create a single value that oscillates between 0 and 1. This value is then plotted as the oscillator, with reference lines and colored regions to help interpret the price's relative strength or weakness.
How It Works
Bollinger Band Calculation:
The indicator uses a custom function f_getBBPosition() to calculate the position of the price within Bollinger Bands for a given timeframe.
Price Position Normalization:
For each timeframe, the function normalizes the price's position between the upper and lower Bollinger Bands.
It calculates three positions based on the high, low, and close prices of the requested timeframe:
pos_high = (High - Lower Band) / (Upper Band - Lower Band)
pos_low = (Low - Lower Band) / (Upper Band - Lower Band)
pos_close = (Close - Lower Band) / (Upper Band - Lower Band)
If the upper band is not greater than the lower band or if the data is invalid (e.g., na), it defaults to 0.5 (the midline).
The average of these three positions (avg_pos) represents the normalized position for that timeframe, ranging from 0 (at the lower band) to 1 (at the upper band).
Multi-Timeframe Averaging:
The indicator fetches Bollinger Band data from four customizable timeframes (default: 30min, 60min, 240min, daily) using request.security() with lookahead=barmerge.lookahead_on to get the latest available data.
It calculates the normalized position (pos1, pos2, pos3, pos4) for each timeframe using f_getBBPosition().
These four positions are then averaged to produce the final avg_position:avg_position = (pos1 + pos2 + pos3 + pos4) / 4
This average is the oscillator value, which is plotted and typically oscillates between 0 and 1.
Moving Averages:
Two optional moving averages (MA1 and MA2) of the avg_position can be enabled, calculated using simple moving averages (ta.sma) with customizable lengths (default: 5 and 10).
These can be potentially used for MA crossover strategies.
What Is Being Averaged?
The oscillator (avg_position) is the average of the normalized price positions within the Bollinger Bands across the four selected timeframes. Specifically:It averages the avg_pos values (pos1, pos2, pos3, pos4) calculated for each timeframe.
Each avg_pos is itself an average of the normalized positions of the high, low, and close prices relative to the Bollinger Bands for that timeframe.
This multi-timeframe averaging smooths out short-term fluctuations and provides a broader perspective on the price's position within the volatility bands.
Interpretation:
0.0 The price is at or below the lower Bollinger Band across all timeframes (indicating potential oversold conditions).
0.15: A customizable level (green band) which can be used for exiting short positions or entering long positions.
0.5: The midline, where the price is at the average of the Bollinger Bands (neutral zone).
0.85: A customizable level (orange band) which can be used for exiting long positions or entering short positions.
1.0: The price is at or above the upper Bollinger Band across all timeframes (indicating potential overbought conditions).
The colored regions and moving averages (if enabled) help identify trends or crossovers for trading signals.
Example:
If the 30min timeframe shows the close at the upper band (position = 1.0), the 60min at the midline (position = 0.5), the 240min at the lower band (position = 0.0), and the daily at the upper band (position = 1.0), the avg_position would be:(1.0 + 0.5 + 0.0 + 1.0) / 4 = 0.625
This value (0.625) would plot in the orange region (between 0.85 and 0.5), suggesting the price is relatively strong but not at an extreme.
Notes:
The use of lookahead=barmerge.lookahead_on ensures the indicator uses the latest available data, making it more real-time, though its effectiveness depends on the chart timeframe and TradingView's data feed.
The indicator’s sensitivity can be adjusted by changing bb_length ("Bollinger Band MA Length" in the Input tab), bb_mult ("Bollinger Band Standard Deviation," also in the Input tab), or the selected timeframes.
Monster Market Modelthis script identifies a market maker buy or sell model by displaying on the chart when a change in the state of delivey (CISD) overlapse a breaker. If a FVG or IFVG is in the same area it too shall be displayed. this indicator is great after a key level sweep or if price enters a POI. go on the smaller time and wait for a print for confirmation and entry. this can be used for reversals or trend contituation. Pairs well with FIB retracements for confluence. This has adjustable HTF time as well.
TTW-Day/Session Separator🗓️ Day Separator – Highlight Markers start times and days for Your Chart
This script adds automatic vertical lines to visually separate each trading day on your chart. It helps you quickly identify where each day starts and ends — especially useful for intraday and scalping strategies.
✅ Features:
Distinct lines for each weekday, month, week, trading session
Optional day-of-week labels (toggle on/off)
Custom label position (top or bottom of the chart)
Works on any timeframe
Whether you're tracking market sessions or reviewing daily price action, this tool gives you a clean structure to navigate your charts with more clarity.
SatoshiMultiFrame RSI SatoshiMultiFrame 📈
SatoshiMultiFrame is an advanced, multi-timeframe version of the RSI indicator, designed to look and feel like the built-in TradingView RSI — but with more customization options and professional visual enhancements.
🎯 Features
Multi-Timeframe (MTF) Support – choose any timeframe for RSI calculation.
Customizable RSI Line – change color, thickness, and style (Solid / Dashed / Dotted).
Editable 30 / 50 / 70 Bands – fully customizable in the Style tab.
Smooth Gradient Fill for OB/OS Zones:
🟢 Green shading above Overbought (70)
🔴 Red shading below Oversold (30)
Customizable background for the entire panel.
No repainting – stable and reliable data.
⚙️ Inputs
RSI Length – default 14.
Source – select the price source (Close, Open, etc.).
RSI Timeframe – pick a higher or lower timeframe.
RSI Line Style – choose between Solid / Dashed / Dotted.
Dash Period & Dash Length – adjust the look of dashed lines.
🎨 Style Tab :
Change RSI line color, thickness, and optional MA line.
Edit colors and styles of 30 / 50 / 70 bands.
Enable/disable and recolor OB/OS gradient fills.
Adjust background color and transparency.
📌 How to Use :
Add the indicator to your chart.
In Inputs, set your preferred timeframe, RSI length, and line style.
In Style, adjust colors, thickness, and gradient effects to your preference.
Use the 50 line as a trend reference and monitor RSI behavior in OB/OS zones.
⚠️ Disclaimer: This tool is for educational purposes only and should not be considered financial advice. Always practice proper risk management.
50 Day SMA in all timeframesThis script displays a 50 day SMA that displays correctly on all timeframes and adjusts when the chart is enlarged or reduced. Line color, style, etc are user adjustable. Default is blue thin line.
Elliott Wave Detector with FibonacciDetermines what timeframe (if any) the underlying asset displays congruence with Elliot Waves, validated by examining the congruence of the waves with fibonacci patterns. Like all backwards-looking indicators, any actual match will be a very pretty coincidence rather than any kind of indicator of potential future behaviour,
CNS - Multi-Timeframe Bollinger Band OscillatorMy hope is to optimize the settings for this indicator and reintroduce it as a "strategy" with suggested position entry and exit points shown in the price pane.
I’ve been having good results setting the “Bollinger Band MA Length” in the Input tab to between 5 and 10. You can use the standard 20 period, but your results will not be as granular.
This indicator has proven very good at finding local tops and bottoms by combining data from multiple timeframes. Use BB timeframes that are lower than the timeframe you are viewing in your price pane.
The default settings work best on the weekly timeframe, but can be adjusted for most timeframes including intraday.
Be cognizant that the indicator, like other oscillators, does occasionally produce divergences at tops and bottoms.
Any feedback is appreciated.
Overview
This indicator is an oscillator that measures the normalized position of the price relative to Bollinger Bands across multiple timeframes. It takes the price's position within the Bollinger Bands (calculated on different timeframes) and averages those positions to create a single value that oscillates between 0 and 1. This value is then plotted as the oscillator, with reference lines and colored regions to help interpret the price's relative strength or weakness.
How It Works
Bollinger Band Calculation:
The indicator uses a custom function f_getBBPosition() to calculate the position of the price within Bollinger Bands for a given timeframe.
Price Position Normalization:
For each timeframe, the function normalizes the price's position between the upper and lower Bollinger Bands.
It calculates three positions based on the high, low, and close prices of the requested timeframe:
pos_high = (High - Lower Band) / (Upper Band - Lower Band)
pos_low = (Low - Lower Band) / (Upper Band - Lower Band)
pos_close = (Close - Lower Band) / (Upper Band - Lower Band)
If the upper band is not greater than the lower band or if the data is invalid (e.g., na), it defaults to 0.5 (the midline).
The average of these three positions (avg_pos) represents the normalized position for that timeframe, ranging from 0 (at the lower band) to 1 (at the upper band).
Multi-Timeframe Averaging:
The indicator fetches Bollinger Band data from four customizable timeframes (default: 30min, 60min, 240min, daily) using request.security() with lookahead=barmerge.lookahead_on to get the latest available data.
It calculates the normalized position (pos1, pos2, pos3, pos4) for each timeframe using f_getBBPosition().
These four positions are then averaged to produce the final avg_position:avg_position = (pos1 + pos2 + pos3 + pos4) / 4
This average is the oscillator value, which is plotted and typically oscillates between 0 and 1.
Moving Averages:
Two optional moving averages (MA1 and MA2) of the avg_position can be enabled, calculated using simple moving averages (ta.sma) with customizable lengths (default: 5 and 10).
These can be potentially used for MA crossover strategies.
What Is Being Averaged?
The oscillator (avg_position) is the average of the normalized price positions within the Bollinger Bands across the four selected timeframes. Specifically:It averages the avg_pos values (pos1, pos2, pos3, pos4) calculated for each timeframe.
Each avg_pos is itself an average of the normalized positions of the high, low, and close prices relative to the Bollinger Bands for that timeframe.
This multi-timeframe averaging smooths out short-term fluctuations and provides a broader perspective on the price's position within the volatility bands.
Interpretation
0.0 The price is at or below the lower Bollinger Band across all timeframes (indicating potential oversold conditions).
0.15: A customizable level (green band) which can be used for exiting short positions or entering long positions.
0.5: The midline, where the price is at the average of the Bollinger Bands (neutral zone).
0.85: A customizable level (orange band) which can be used for exiting long positions or entering short positions.
1.0: The price is at or above the upper Bollinger Band across all timeframes (indicating potential overbought conditions).
The colored regions and moving averages (if enabled) help identify trends or crossovers for trading signals.
Example
If the 30min timeframe shows the close at the upper band (position = 1.0), the 60min at the midline (position = 0.5), the 240min at the lower band (position = 0.0), and the daily at the upper band (position = 1.0), the avg_position would be:(1.0 + 0.5 + 0.0 + 1.0) / 4 = 0.625
This value (0.625) would plot in the orange region (between 0.85 and 0.5), suggesting the price is relatively strong but not at an extreme.
Notes
The use of lookahead=barmerge.lookahead_on ensures the indicator uses the latest available data, making it more real-time, though its effectiveness depends on the chart timeframe and TradingView's data feed.
The indicator’s sensitivity can be adjusted by changing bb_length ("Bollinger Band MA Length" in the Input tab), bb_mult ("Bollinger Band Standard Deviation," also in the Input tab), or the selected timeframes.
Multi-Timeframe Bollinger BandsMy hope is to optimize the settings for this indicator and reintroduce it as a "strategy" with suggested position entry and exit points shown in the price pane.
I’ve been having good results setting the “Bollinger Band MA Length” in the Input tab to between 5 and 10. You can use the standard 20 period, but your results will not be as granular.
This indicator has proven very good at finding local tops and bottoms by combining data from multiple timeframes. Use timeframes that are lower than the timeframe you are viewing in your price pane. Be cognizant that the indicator, like other oscillators, does occasionally produce divergences at tops and bottoms.
Any feedback is appreciated.
Overview
This indicator is an oscillator that measures the normalized position of the price relative to Bollinger Bands across multiple timeframes. It takes the price's position within the Bollinger Bands (calculated on different timeframes) and averages those positions to create a single value that oscillates between 0 and 1. This value is then plotted as the oscillator, with reference lines and colored regions to help interpret the price's relative strength or weakness.
How It Works
Bollinger Band Calculation:
The indicator uses a custom function f_getBBPosition() to calculate the position of the price within Bollinger Bands for a given timeframe.
Price Position Normalization:
For each timeframe, the function normalizes the price's position between the upper and lower Bollinger Bands.
It calculates three positions based on the high, low, and close prices of the requested timeframe:
pos_high = (High - Lower Band) / (Upper Band - Lower Band)
pos_low = (Low - Lower Band) / (Upper Band - Lower Band)
pos_close = (Close - Lower Band) / (Upper Band - Lower Band)
If the upper band is not greater than the lower band or if the data is invalid (e.g., na), it defaults to 0.5 (the midline).
The average of these three positions (avg_pos) represents the normalized position for that timeframe, ranging from 0 (at the lower band) to 1 (at the upper band).
Multi-Timeframe Averaging:
The indicator fetches Bollinger Band data from four customizable timeframes (default: 30min, 60min, 240min, daily) using request.security() with lookahead=barmerge.lookahead_on to get the latest available data.
It calculates the normalized position (pos1, pos2, pos3, pos4) for each timeframe using f_getBBPosition().
These four positions are then averaged to produce the final avg_position:avg_position = (pos1 + pos2 + pos3 + pos4) / 4
This average is the oscillator value, which is plotted and typically oscillates between 0 and 1.
Moving Averages:
Two optional moving averages (MA1 and MA2) of the avg_position can be enabled, calculated using simple moving averages (ta.sma) with customizable lengths (default: 5 and 10).
These can be potentially used for MA crossover strategies.
What Is Being Averaged?
The oscillator (avg_position) is the average of the normalized price positions within the Bollinger Bands across the four selected timeframes. Specifically:It averages the avg_pos values (pos1, pos2, pos3, pos4) calculated for each timeframe.
Each avg_pos is itself an average of the normalized positions of the high, low, and close prices relative to the Bollinger Bands for that timeframe.
This multi-timeframe averaging smooths out short-term fluctuations and provides a broader perspective on the price's position within the volatility bands.
Interpretation
0.0 The price is at or below the lower Bollinger Band across all timeframes (indicating potential oversold conditions).
0.15: A customizable level (green band) which can be used for exiting short positions or entering long positions.
0.5: The midline, where the price is at the average of the Bollinger Bands (neutral zone).
0.85: A customizable level (orange band) which can be used for exiting long positions or entering short positions.
1.0: The price is at or above the upper Bollinger Band across all timeframes (indicating potential overbought conditions).
The colored regions and moving averages (if enabled) help identify trends or crossovers for trading signals.
Example
If the 30min timeframe shows the close at the upper band (position = 1.0), the 60min at the midline (position = 0.5), the 240min at the lower band (position = 0.0), and the daily at the upper band (position = 1.0), the avg_position would be:(1.0 + 0.5 + 0.0 + 1.0) / 4 = 0.625
This value (0.625) would plot in the orange region (between 0.85 and 0.5), suggesting the price is relatively strong but not at an extreme.
Notes
The use of lookahead=barmerge.lookahead_on ensures the indicator uses the latest available data, making it more real-time, though its effectiveness depends on the chart timeframe and TradingView's data feed.
The indicator’s sensitivity can be adjusted by changing bb_length ("Bollinger Band MA Length" in the Input tab), bb_mult ("Bollinger Band Standard Deviation," also in the Input tab), or the selected timeframes.
Screener based on Profitunity strategy for multiple timeframes
Screener based on Profitunity strategy by Bill Williams for multiple timeframes (max 5, including chart timeframe) and customizable symbol list. The screener analyzes the Alligator and Awesome Oscillator indicators, Divergent bars and high volume bars.
The maximum allowed number of requests (symbols and timeframes) is limited to 40 requests, for example, for 10 symbols by 4 requests of different timeframes. Therefore, the indicator automatically limits the number of displayed symbols depending on the number of timeframes for each symbol, if there are more symbols than are displayed in the screener table, then the ordinal numbers are displayed to the left of the symbols, in this case you can display the next group of symbols by increasing the value by 1 in the "Show tickers from" field, if the "Group" field is enabled, or specify the symbol number by 1 more than the last symbol in the screener table. 👀 When timeframe filtering is applied, the screener table displays only the columns of those timeframes for which the filtering value is selected, which allows displaying more symbols.
For each timeframe, in the "TIMEFRAMES > Prev" field, you can enable the display of data for the previous bar relative to the last (current) one, if the market is open for the requested symbol. In the "TIMEFRAMES > Y" field, you can enable filtering depending on the location of the last five bars relative to the Alligator indicator lines, which are designated by special symbols in the screener table:
⬆️ — if the Alligator is open upwards (Lips > Teeth > Jaw) and none of the bars is closed below the Lips line;
↗️ — if one of the bars, except for the penultimate one, is closed below Lips, or two bars, except for the last one, are closed below Lips, or the Alligator is open upwards only below four bars, but none of the bars is closed below Lips;
⬇️ — if the Alligator is open downwards (Lips < Teeth < Jaw), but none of the bars is closed above Lips;
↘️ — if one of the bars, except the penultimate one, is closed above the Lips, or two bars, except the last one, are closed above the Lips, or the Alligator is open down only above four bars, but none of the bars are closed above the Lips;
➡️ — in other cases, including when the Alligator lines intersect and one of the bars is closed behind the Lips line or two bars intersect one of the Alligator lines.
In the "TIMEFRAMES > Show bar change value for TF" field, you can add a column to the right of the selected timeframe column with the percentage change between the closing price of the last bar (current) and the closing price of the previous bar ((close – previous close) / previous close * 100). Depending on the percentage value, the background color of the screener table cell will change: dark red if <= -3%; red if <= -2%, light red if <= -0.5%; dark green if >= 3%; green if >= 2%; light green if >= 0.5%.
For each timeframe, the screener table displays the symbol of the latest (current) bar, depending on the closing price relative to the bar's midpoint ((high + low) / 2) and its location relative to the Alligator indicator lines: ⎾ — the bar's closing price is above its midpoint; ⎿ — the bar's closing price is below its midpoint; ├ — the bar's closing price is equal to its midpoint; 🟢 — Bullish Divergent bar, i.e. the bar's closing price is above its midpoint, the bar's high is below all Alligator lines, the bar's low is below the previous bar's low; 🔴 — Bearish Divergent bar, i.e. the bar's closing price is below its midpoint, the bar's low is above all Alligator lines, the bar's high is above the previous bar's high. When filtering is enabled in the "TIMEFRAMES > Filtering by Divergent bar" field, the data in the screener table cells will be displayed only for those timeframes that have a Divergent bar. A high bar volume signal is also displayed — 📶/📶² if the bar volume is greater than 40%/70% of the average volume value calculated using a simple moving average (SMA) in the 140 bar interval from the last bar.
In the indicator settings in the "SYMBOL LIST" field, each ticker (for example: OANDA:SPX500USD) must be on a separate line. If the market is closed, then the data for requested symbols will be limited to the time of the last (current) bar on the chart, for example, if the current symbol was traded yesterday, and the requested symbol is traded today, when requesting data for an hourly timeframe, the last bar will be for yesterday, if the timeframe of the current chart is not higher than 1 day. Therefore, by default, a warning will be displayed on the chart instead of the screener table that if the market is open, you must wait for the screener to load (after the first price change on the current chart), or if the highest timeframe in the screener is 1 day, you will be prompted to change the timeframe on the current chart to 1 week, if the screener requests data for the timeframe of 1 week, you will be prompted to change the timeframe on the current chart to 1 month, or switch to another symbol on the current chart for which the market is open (for example: BINANCE:BTCUSDT), or disable the warning in the field "SYMBOL LIST > Do not display screener if market is close".
The number of the last columns with the color of the AO indicator that will be displayed in the screener table for each timeframe is specified in the indicator settings in the "AWESOME OSCILLATOR > Number of columns" field.
For each timeframe, the direction of the trend between the price of the highest and lowest bars in the specified range of bars from the last bar is displayed — ↑ if the trend is up (the highest bar is to the right of the lowest), or ↓ if the trend is down (the lowest bar is to the right of the highest). If there is a divergence on the AO indicator in the specified interval, the symbol ∇ is also displayed. The average volume value is also calculated in the specified interval using a simple moving average (SMA). The number of bars is set in the indicator settings in the "INTERVAL FOR HIGHEST AND LOWEST BARS > Bars count" field.
In the indicator settings in the "STYLE" field you can change the position of the screener table relative to the chart window, the background color, the color and size of the text.
***
Скринер на основе стратегии Profitunity Билла Вильямса для нескольких таймфреймов (максимум 5, включая таймфрейм графика) и настраиваемого списка символов. Скринер анализирует индикаторы Alligator и Awesome Oscillator, Дивергентные бары и бары с высоким объемом.
Максимально допустимое количество запросов (символы и таймфреймы) ограничено 40 запросами, например, для 10 символов по 4 запроса разных таймфреймов. Поэтому в индикаторе автоматически ограничивается количество отображаемых символов в зависимости от количества таймфреймов для каждого символа, если символов больше чем отображено в таблице скринера, то слева от символов отображаются порядковые номера, в таком случае можно отобразить следующую группу символов, увеличив значение на 1 в настройках индикатора поле "Show tickers from", если включено поле "Group", или указать номер символа на 1 больше, чем последний символ в таблице скринера. 👀 Когда применяется фильтрация по таймфрейму, в таблице скринера отображаются только столбцы тех таймфреймов, для которых выбрано значение фильтрации, что позволяет отображать большее количество символов.
Для каждого таймфрейма в настройках индикатора в поле "TIMEFRAMES > Prev" можно включить отображение данных для предыдущего бара относительно последнего (текущего), если для запрашиваемого символа рынок открыт. В поле "TIMEFRAMES > Y" можно включить фильтрацию, в зависимости от расположения последних пяти баров относительно линий индикатора Alligator, которые обозначаются специальными символами в таблице скринера:
⬆️ — если Alligator открыт вверх (Lips > Teeth > Jaw) и ни один из баров не закрыт ниже линии Lips;
↗️ — если один из баров, кроме предпоследнего, закрыт ниже Lips, или два бара, кроме последнего, закрыты ниже Lips, или Alligator открыт вверх только ниже четырех баров, но ни один из баров не закрыт ниже Lips;
⬇️ — если Alligator открыт вниз (Lips < Teeth < Jaw), но ни один из баров не закрыт выше Lips;
↘️ — если один из баров, кроме предпоследнего, закрыт выше Lips, или два бара, кроме последнего, закрыты выше Lips, или Alligator открыт вниз только выше четырех баров, но ни один из баров не закрыт выше Lips;
➡️ — в остальных случаях, в то числе когда линии Alligator пересекаются и один из баров закрыт за линией Lips или два бара пересекают одну из линий Alligator.
В поле "TIMEFRAMES > Show bar change value for TF" можно добавить справа от выбранного столбца таймфрейма столбец с процентным изменением между ценой закрытия последнего бара (текущего) и ценой закрытия предыдущего бара ((close – previous close) / previous close * 100). В зависимости от величины процента будет меняться цвет фона ячейки таблицы скринера: темно-красный, если <= -3%; красный, если <= -2%, светло-красный, если <= -0.5%; темно-зеленый, если >= 3%; зеленый, если >= 2%; светло-зеленый, если >= 0.5%.
Для каждого таймфрейма в таблице скринера отображается символ последнего (текущего) бара, в зависимости от цены закрытия относительно середины бара ((high + low) / 2) и расположения относительно линий индикатора Alligator: ⎾ — цена закрытия бара выше его середины; ⎿ — цена закрытия бара ниже его середины; ├ — цена закрытия бара равна его середине; 🟢 — Бычий Дивергентный бар, т.е. цена закрытия бара выше его середины, максимум бара ниже всех линий Alligator, минимум бара ниже минимума предыдущего бара; 🔴 — Медвежий Дивергентный бар, т.е. цена закрытия бара ниже его середины, минимум бара выше всех линий Alligator, максимум бара выше максимума предыдущего бара. При включении фильтрации в поле "TIMEFRAMES > Filtering by Divergent bar" данные в ячейках таблицы скринера будут отображаться только для тех таймфреймов, где есть Дивергентный бар. Также отображается сигнал высокого объема бара — 📶/📶², если объем бара больше чем на 40%/70% среднего значения объема, рассчитанного с помощью простой скользящей средней (SMA) в интервале 140 баров от последнего бара.
В настройках индикатора в поле "SYMBOL LIST" каждый тикер (например: OANDA:SPX500USD) должен быть на отдельной строке. Если рынок закрыт, то данные для запрашиваемых символов будут ограничены временем последнего (текущего) бара на графике, например, если текущий символ торговался последний день вчера, а запрашиваемый символ торгуется сегодня, при запросе данных для часового таймфрейма, последний бар будет за вчерашний день, если таймфрейм текущего графика не выше 1 дня. Поэтому по умолчанию на графике будет отображаться предупреждение вместо таблицы скринера о том, что если рынок открыт, то необходимо дождаться загрузки скринера (после первого изменения цены на текущем графике), или если в скринере самый высокий таймфрейм 1 день, то будет предложено изменить на текущем графике таймфрейм на 1 неделю, если в скринере запрашиваются данные для таймфрейма 1 неделя, то будет предложено изменить на текущем графике таймфрейм на 1 месяц, или же переключиться на другой символ на текущем графике, для которого рынок открыт (например: BINANCE:BTCUSDT), или отключить предупреждение в поле "SYMBOL LIST > Do not display screener if market is close".
Количество последних столбцов с цветом индикатора AO, которые будут отображены в таблице скринера для каждого таймфрейма, указывается в настройках индикатора в поле "AWESOME OSCILLATOR > Number of columns".
Для каждого таймфрейма отображается направление тренда между ценой самого высокого и самого низкого баров в указанном интервале баров от последнего бара — ↑, если тренд направлен вверх (самый высокий бар справа от самого низкого), или ↓, если тренд направлен вниз (самый низкий бар справа от самого высокого). Если есть дивергенция на индикаторе AO в указанном интервале, то также отображается символ — ∇. В указанном интервале также рассчитывается среднее значение объема с помощью простой скользящей средней (SMA). Количество баров устанавливается в настройках индикатора в поле "INTERVAL FOR HIGHEST AND LOWEST BARS > Bars count".
В настройках индикатора в поле "STYLE" можно изменить положение таблицы скринера относительно окна графика, цвет фона, цвет и размер текста.
Relative Return Heatbands — Dual Lookback (Rolling)A dynamic return-based shading tool that compares a base symbol against a benchmark over two rolling lookbacks.
This highlights periods of relative outperformance or underperformance, making it easier to spot momentum shifts, market regimes, and cross-asset divergences.
Fully configurable with adjustable lookbacks, symbols, and thresholds — adaptable for equities, crypto, FX, or indices.
Multi-Minute Interval MarkerTesting
Apply this to a 15-second chart (e.g., SOL/USDT).
Verify that thin vertical lines with "1" (grey) and "5" (yellow) appear above the candles at 4-candle (1-minute) and 20-candle (5-minute) intervals, respectively.
The numbers should be positioned above the lines, and you can toggle the markers with show1Min and show5Min.
Timeless Command | QuantEdgeB🔍 Overview
Timeless Command is a multi-asset, multi-timeframe “sentiment dashboard” built around a custom Universal Strategy. It fuses two independent proprietary oscillators into one normalized signal, then snapshots that signal across six user-chosen assets and six user-chosen timeframes—right on your price chart. You instantly see whether Bitcoin, Ethereum, Gold, the U.S. Dollar Index, the S&P 500 or the Nasdaq are “Bullish” or “Bearish” from the 2-day down to the 15-minute horizon, plus an overall bias and bar-color overlays.
✨ Key Features
• 🧠 Universal Strategy
o Combines two independent strategic modules into a single oscillator.
o Applies upper/lower thresholds to generate Long/Short/Neutral signals.
• 🌐 Multi-Asset, Multi-TF Grid
o Up to six symbols (e.g. BTC, ETH, SPX, NDX, GOLD, DXY).
o Six configurable timeframes (days, hours, minutes).
o Automatic conversion of “4H” → “240” minutes for seamless request.security calls.
• 📊 Live Sentiment Table
o Arrow icons per asset/timeframe (“⬆️” vs “⬇️”).
o Per-asset average bias (“Bullish” / “Bearish” / “Neutral”), color-coded.
o Clean, right-aligned table overlay with asset labels and timeframe headers.
• 🎨 Chart Overlays
o Bar coloring driven by the first asset’s average TPI bias.
o Two EMAs (default 12/21) filled to show trend direction.
o Optional mini info table to explain bar-color logic.
⚙️ How It Works
1. Signal Calculation
o Applies thresholds (±0.1) to yield discrete signals from a Universal Strategy: +1 (long), –1 (short), 0 (neutral).
2. Multi-TF Signal Gathering
o For each asset, the script uses request.security to pull the TPI on each selected timeframe, locking values at bar close for consistency.
o Converts each reading into a binary direction (up/down).
3. Averaging & Labeling
o Averages the six directional values per asset to gauge overall bias.
o Renders a “Bullish” or “Bearish” label (or “Neutral” if exactly zero).
4. Visual Overlay
o Bar Color: The chart’s candles recolor based on the first asset’s average bias—blue for bullish, orange for bearish, gray for neutral.
o EMAs: Two exponential moving averages sweep the chart, filled to highlight trending regimes.
5. Dashboard Table
o Rows = assets, columns = timeframes + “Average” column.
o Each cell shows an arrow icon with background shading.
o Last column spells out the per-asset average bias in styled text and color.
🎯 Who Should Use It
• Macro Traders who want a quick cross-market heatmap.
• Multi-Asset Strategists balancing exposure across crypto, equities, FX and commodities.
• Systematic & Discretionary players looking for unified, threshold-based signals.
• Risk Managers needing a real-time sentinel on regime shifts across key markets.
⚙️ Default Settings
• Assets: BTCUSD, ETHUSD, SPX, NDX, GOLD, DXY
• Timeframes: 2D, 1D, 12H, 4H, 1H, 15m
• Thresholds: ±0.1 for long/short entries
📌 Conclusion
With Timeless Command, you gain an at-a-glance “command center” for cross-market sentiment. It turns complex, multi-TF oscillator data into a simple arrow-and-table view, coloring your price bars to reinforce the prevailing bias. Whether you’re hunting trend continuations, regime changes or mean-reversion setups, this overlay gives you the high-level context you need—without digging through six different charts.
🔹 Disclaimer: Past performance is not indicative of future results. No trading strategy can guarantee success in financial markets.
🔹 Strategic Advice: Always backtest, optimize, and align parameters with your trading objectives and risk tolerance before live trading.
Fair Value Gap (FVG) – SHKSPR SuiteSHKSPR Suite – Fair Value Gap (FVG)
Overview
The "SHKSPR Suite" is a collection of precision trading tools for institutional-grade execution. This first release, the "Fair Value Gap (FVG)" module, detects and manages market imbalances with advanced filtering, clean visuals, and lifecycle logic. It adapts seamlessly to scalping, intraday, and swing trading across all markets and timeframes.
Core Features
Smart Detection: Wick/body mode, displacement and direction filters
Clutter Control: Min/Max deviation filters, max active gaps
Lifecycle Modes: Touch, % Fill, Full Engulf, Shrink-to-Close
Execution Tools: 50% midline for entries/exits, automated cleanup
Alerts: Real-time notifications when new gaps form
Trading Applications
Scalping (30s–1m, e.g. MNQ): Fade or follow momentum using fresh micro-gaps; enter at 50% midline, stop outside box.
Intraday Trends (5–15m): Trade continuation setups with displacement-confirmed, direction-aligned FVGs.
Swing Plays (4h–D): Target higher-timeframe imbalances; manage with Engulf or % Fill lifecycle.
Liquidity Sweeps: Enter on first retest of post-sweep FVGs for sharp reversals.
Recommended Configurations
Scalping: Expand Gaps ON, Displacement OFF, MinDev ≈ 0.05%, Lifecycle = Shrink
Intraday Trend: Displacement ON, Same Direction ON, MinDev ≈ 0.1–1%, Lifecycle = % Fill (40–60%)
Swing: Expand OFF, Displacement ON, MinDev ≈ 0.2–3%, Lifecycle = Full Engulf
*SHKSPR Suite – engineered precision for traders who demand clarity, structure, and control.*
Price Acceleration Matrix [QuantAlgo]🟢 Overview
The Price Acceleration Matrix indicator is an advanced momentum analysis tool that measures the rate of change in price velocity across multiple timeframes simultaneously. It transforms raw price data into velocity measurements for each timeframe, then calculates the acceleration of these velocities to identify when momentum is building or deteriorating. By analyzing acceleration alignment across all three timeframes, the system can distinguish between strong directional moves (all timeframes accelerating in the same direction) and weak, choppy movements (mixed acceleration signals). This multi-timeframe acceleration matrix provides traders with early warning signals for momentum shifts, trend continuation and reversal opportunities across different timeframes and asset classes.
🟢 How It Works
The indicator employs a three-stage calculation process that transforms price data into actionable acceleration signals. First, it calculates velocity (rate of price change) for each of the three user-defined timeframes by measuring the percentage change in price over the specified lookback periods. These velocity calculations are normalized by their respective timeframe lengths to ensure fair comparison across different periods.
In the second stage, the system calculates acceleration by measuring the change in velocity from one bar to the next for each timeframe, effectively capturing the second derivative of price movement. This acceleration data reveals whether momentum is building (positive acceleration) or deteriorating (negative acceleration) at each timeframe level.
The final stage creates the acceleration matrix score by evaluating alignment across all three timeframes. When all timeframes show positive acceleration, the system averages them for maximum bullish signal strength. When all show negative acceleration, it averages them for maximum bearish signal strength. However, when acceleration signals are mixed across timeframes, the system applies a penalty by dividing the average by two, indicating consolidation or conflicting momentum forces. The resulting signal is then smoothed using an Exponential Moving Average and scaled to the -3 to +3 range using a user-defined threshold parameter.
🟢 How to Use
1. Signal Interpretation and Momentum Analysis
Positive Territory (Above Zero): Indicates accelerating upward momentum with bullish bias and favorable conditions for long positions
Negative Territory (Below Zero): Signals accelerating downward momentum with bearish bias and favorable conditions for short positions
Extreme Levels (±2 to ±3): Represent maximum acceleration alignment across all timeframes, indicating high-probability momentum continuation
Moderate Levels (±1 to ±2): Suggest building momentum with good timeframe alignment but less conviction than extreme readings
Near Zero (-0.5 to +0.5): Indicates mixed signals, consolidation, or momentum exhaustion requiring caution
2. Overbought/Oversold Zone Analysis
Above +2 (Overbought Zone): Markets showing extreme bullish acceleration may be due for profit-taking or short-term pullbacks
Below -2 (Oversold Zone): Markets showing extreme bearish acceleration may present reversal opportunities or bounce potential
Zone Exits: When acceleration retreats from extreme zones, it often signals momentum exhaustion and potential trend changes
🟢 Pro Tips for Trading
→ Early Momentum Detection: Watch for acceleration crossing above zero after periods of negative readings, as this often precedes major price movements by several bars, providing early entry opportunities before traditional indicators signal.
→ Momentum Exhaustion Signals: Exit or take profits when acceleration reaches extreme levels (±2.5 or higher) and begins to decline, even if price continues in the same direction, as momentum deterioration typically precedes price reversals.
→ Acceleration Divergence Strategy: Look for divergences between price highs/lows and acceleration peaks/troughs, as these often signal weakening momentum and potential reversal opportunities before they become apparent on price charts.
→ Threshold Optimization: Adjust the acceleration threshold based on asset volatility - higher thresholds (0.7-1.0) for volatile assets to reduce false signals, lower thresholds (0.3-0.5) for stable assets to maintain sensitivity.
→ Alert-Based Trading: Utilize the built-in alert system for bullish/bearish reversals (±2 level crosses) and trend changes (zero line crosses) to capture momentum shifts without constant chart monitoring, especially effective for swing trading approaches.
→ Risk Management Integration: Reduce position sizes when acceleration readings are weak (below ±1.0) and increase allocation when strong acceleration alignment occurs (above ±2.0), as signal strength correlates directly with probability of successful trades.
ArpitJainForex.comThis is one of the Leading Indicator I have sold To 30+ Forex Agencies In Dubai, Azerbaijan & Cyprus.
Looking forward in making you Profitable.
If you want access to my Indicator please dm on
www.instagram.com
My profile Has Blue High Rise buildings Behind me, Yah Its in Abu Dhabi.
🟢 GANN SQUARE ROOT LEVELS ALL-IN-ONE 🟡🟢 GANN SQUARE ROOT LEVELS – All-in-One Indicator Guide
1️⃣ Indicator Overview 🌟
Name: GANN Square Root Levels All-in-One
Version: Pine Script v5
Markets Supported:
Indices (100 / 1000 levels) 📊
Bitcoin (BTC/USD) ₿
Forex Pairs (3-decimal & 5-decimal) 💱💴
Purpose:
Visualize support & resistance levels based on Gann square root principles.
Quickly spot potential reversal or breakout zones.
Works across multiple instruments without clutter.
2️⃣ Features ✅
Multi-Market Support 🌎
Display Indices, BTC, Forex all in one indicator.
Toggle individual zones on/off.
Dynamic Coloring 🎨
🟢 Green → price above level → support
🔴 Red → price below level → resistance
Precision for Decimals 🔢
Forex 5-decimal: EURUSD 1.15109
Forex 3-decimal: USDJPY 146.250
Customizable Base & Offsets 🛠️
Choose starting and ending points for each zone
Adjust line width for readability
Real-Time Updates ⏱️
Lines automatically change color as price moves.
3️⃣ How to Use – Step by Step 📝
Step 1: Add Indicator
Copy Pine Script into TradingView Pine Editor.
Save as “GANN Square Root Levels All-in-One”.
Add to chart.
Step 2: Configure Zones
Use Inputs Panel to toggle zones:
📈 Show 1000 Levels
📊 Show 100 Levels
₿ Show BTC Levels
💱 Show Forex 5-decimals
💴 Show Forex 3-decimals
Adjust start & end ranges according to the market.
Step 3: Interpret Lines
Green Line 🟢 → Support, price may bounce
Red Line 🔴 → Resistance, price may reverse
Extended lines → Shows past & future levels
Example Visual (Placeholder):
Green Line (1.15109) - EURUSD Support
Red Line (1.15136) - EURUSD Resistance
Step 4: Combine with Other Tools
Trend confirmation: Moving Averages, EMA, TMA
Momentum: RSI, MACD
Price action: Candlestick patterns (Engulfing, Pinbar, Doji)
Example Strategy:
Price touches green line + bullish engulfing → enter long
Price touches red line + bearish divergence → enter short
4️⃣ Market-Specific Examples 💹
Market Base + Offset Line Color Interpretation
EURUSD 1.15100 + 9 → 1.15109 🟢 Green Support zone
USDJPY 146.000 + 250 → 146.250 🔴 Red Resistance zone
BTC/USD 117000 + 360 → 117360 🟢 Green Support zone
Nifty50 25000 + 90 → 25090 🔴 Red Resistance zone
S&P500 3400 + 36 → 3436 🟢 Green Short-term support
5️⃣ Benefits & Advantages 🌟
Time-Saving ⏱️ – Multiple markets in one indicator
Precision 🔢 – Correct decimal handling for Forex and indices
Educational 📚 – Learn Gann square root principles interactively
Visual & Intuitive 🖼️ – Color-coded, easy to interpret
Dynamic & Real-Time ⏱️ – Automatic updates based on price
6️⃣ Tips for Traders 💡
Use green lines for buying zones near price bounces.
Use red lines for selling zones near resistance levels.
Combine with trend and momentum indicators for higher probability trades.
Consider higher timeframe Gann levels for strong support/resistance confirmation.
Avoid trading solely based on lines – use them as confluence with other signals.
8️⃣ Publication Tips for TradingView 🌐
Title:
“GANN Square Root Levels All-in-One – Multi-Market Support & Dynamic Coloring”
Description:
Explain zones supported: Indices, BTC, Forex 3/5-decimal
Highlight dynamic color update and real-time support/resistance
Include a few examples for practical usage
Screenshots with highlighted zones
Include emoji-rich guide for better readability
✅ Summary:
This indicator is a powerful visual tool to:
Track support & resistance across markets
Spot buy/sell zones dynamically
Save time by combining multiple instruments in one chart
Learn Gann principles interactively