Killzone za Indexe - @mladja123This indicator highlights the Kill Zones on index charts, showing key market sessions where high-probability price movements are likely to occur. It helps traders identify optimal entry and exit points based on session dynamics and market rhythm, enhancing strategy precision for swing and intraday trading on indices.
Ciclos
Dani u nedelji + midnight open @mladja123This indicator breaks the weekly timeframe into cycles and marks the midnight open for each day. It helps traders visualize weekly structure, identify key daily openings, and track market rhythm within the week. Perfect for analyzing trend patterns, swing setups, and session-based strategies.
もちぽよRCI subもちぽよさん監修の元作成したRCIのインジケーターです
RCIの短期+中期が上限下限到達時に背景色が変わり、加えて長期も到達すれば色が濃ゆくなります
サブチャートに表示されます
作成者のXのアカウントはこちら→@keito_trader
This is an RCI indicator created under the supervision of Mochipoyo.
When the short-term and medium-term RCIs reach the upper or lower limits, the background color changes.
If the long-term RCI also reaches the limit, the color becomes darker.
It is displayed in the sub-chart.
Creator’s X account → @keito_trader
Muzyorae - Quarterly TheoryQuarterly Theory — NY Session Macro Model
The Quarterly Theory Model is a structured framework for analyzing intraday market behavior based on institutional activity and macro-level cycles.
It divides the New York trading session into four sequential “quarters” (Q1–Q4), each representing distinct phases of market participation, liquidity accumulation, and directional bias.
This model is designed for professional traders who aim to align their strategies with institutional flows, key liquidity zones, and market structure shifts.
It accommodates both AMDX (Accumulation → Manipulation → Distribution → Expansion) and XAMD (reversal sequences) fractal patterns, allowing traders to adapt to varying market conditions.
Price action may expand early during Q1 in an XAMD sequence, representing an initial breakout or early liquidity sweep before the typical Q2 manipulation phase. Traders should be aware that Q1 can occasionally produce unexpected volatility or directional bias in such sequences.
Session Breakdown (New York Time)
Q1 – Accumulation
Time: 9:30 – 10:00 AM
Phase Characteristics: Early session positioning, initial liquidity sweeps, and false moves. Institutions build positions while retail participants often react to gaps and premarket activity.
Note: Price may expand early in an XAMD sequence, creating a short-term directional move before Q2.
Q2 – Manipulation / Expansion
Time: 10:00 – 11:30 AM
Phase Characteristics: The main directional move develops, often characterized by breaks of structure, fair value gaps, and liquidity sweeps. This is a prime area for trend initiation.
Q3 – Distribution / Retracement
Time: 11:30 AM – 1:30 PM
Phase Characteristics: Price consolidates and retraces into prior accumulation zones, reflecting profit-taking or redistribution by institutions. Market chop and sideways movement are common.
Q4 – Final Expansion / Repricing
Time: 1:30 – 4:00 PM
Phase Characteristics: The afternoon session often produces final liquidity sweeps, trend continuation, or reversals, setting the high or low of the day and completing the daily macro cycle.
Key Features of the Model
Fractal-Based Structure: Q1–Q4 cycles reflect institutional behavior at a macro level, scalable to other intraday or multi-day fractals.
Supports AMDX & XAMD: Allows for both standard accumulation → manipulation → distribution → expansion sequences and reversal patterns depending on market behavior.
Early Expansion in Q1: Recognizes that in XAMD sequences, Q1 may produce early directional moves or breakout activity.
True Open Q2 Line: Highlights the opening price of Q2 as a reference for trend validation and potential entry zones.
Dynamic Time Alignment: Fully synchronized with New York (ET) time zone, ensuring accurate representation of market cycles.
Professional Visualization: Optional labels and vertical markers for each quarter, supporting quick visual analysis and pattern recognition.
Integration with ICT Concepts: Compatible with Smart Money Techniques (SMT), Fair Value Gaps (FVGs), Order Blocks (OBs), and Break of Structure (BOS) for enhanced trade planning.
Purpose and Application
Anticipates areas of liquidity accumulation and manipulation.
Identifies optimal entry and exit zones within institutional cycles.
Structures trades around probable trend initiation and continuation periods.
Aligns retail activity with institutional flow for higher probability setups.
Adapts to market variability through AMDX and XAMD fractal patterns.
Accounts for early expansions or breakout activity during Q1 in XAMD sequences.
By using the Quarterly Theory Model, traders gain a systematic, time-based framework to interpret market structure and maximize alignment with institutional participants.
Spreads CCC/BBB/AAA vs Treasury 10Y//@version=5
indicator("Spreads CCC/BBB/AAA vs Treasury 10Y", overlay=false)
// Tickes de ejemplo (debes reemplazar con los que tengas disponibles en TradingView)
ccc = request.security("XCCC", "D", close) // High Yield CCC
bbb = request.security("LQD", "D", close) // Investment Grade BBB
aaa = request.security("QLTA", "D", close) // AAA
treasury = request.security("US10Y", "D", close) // US Treasury 10Y
// Cálculo del spread (yield bono - yield Treasury)
spread_ccc = ccc - treasury
spread_bbb = bbb - treasury
spread_aaa = aaa - treasury
// Umbral para alerta de riesgo
umbral = input.float(2.0, "Umbral spread (%)")
// Plot de los spreads
plot(spread_ccc, color=color.red, title="Spread CCC")
plot(spread_bbb, color=color.orange, title="Spread BBB")
plot(spread_aaa, color=color.green, title="Spread AAA")
// Señal visual cuando el spread supera el umbral
plotshape(spread_ccc > umbral, title="Alerta CCC", color=color.red, style=shape.triangledown, location=location.abovebar, size=size.tiny)
plotshape(spread_bbb > umbral, title="Alerta BBB", color=color.orange, style=shape.triangledown, location=location.abovebar, size=size.tiny)
plotshape(spread_aaa > umbral, title="Alerta AAA", color=color.green, style=shape.triangledown, location=location.abovebar, size=size.tiny)
Quarterly Divider [Coded]// This Pine Script™ code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © TheClairvoyant_Trader
//@version=6
indicator("Quarterly Divider", overlay=true)
// Input for customizing line color and thickness
lineColor = input.color(color.blue, title="Line Color")
lineThickness = input.int(2, title="Line Thickness", minval=1, maxval=5)
// Define the quarter start dates (1st of Jan, Apr, Jul, and Oct) from 2025 onward
startYear = 2015
quarters = array.new_int(4)
// Add timestamps for each quarter in 2025 and beyond
for year = startYear to year(timenow)
array.push(quarters, timestamp(year, 1, 1, 0, 0)) // Q1
array.push(quarters, timestamp(year, 4, 1, 0, 0)) // Q2
array.push(quarters, timestamp(year, 7, 1, 0, 0)) // Q3
array.push(quarters, timestamp(year, 10, 1, 0, 0)) // Q4
// Loop through the array and draw vertical lines at the start of each quarter
for i = 0 to array.size(quarters) - 1
quarterStartTime = array.get(quarters, i)
if (time >= quarterStartTime) and (time < quarterStartTime)
// Draw vertical lines
line.new(x1=bar_index, x2=bar_index, y1=low, y2=high, color=lineColor, width=lineThickness, extend=extend.both)
// Plot quarter labels below the vertical line (near the timestamp)
quarterLabel = i % 4 == 0 ? "Q1" : i % 4 == 1 ? "Q2" : i % 4 == 2 ? "Q3" : "Q4"
label.new(bar_index, low - (high - low) * 0.1, text=quarterLabel, color=color.blue, style=label.style_label_up, size=size.small)
MO and Stoch GOLD H4 V.s.1 – Kim Trading MO and Stoch GOLD H4 V.s.1 – Kim Trading
Market: XAUUSD • Timeframe: H4 (4h)
Signal tiers.
B/S (basic), B1★/S1★ (MO + Stoch RSI), B2★/S2★ (with-trend filter), B3★/S3★ (plus divergence).
Trade only when one of the four labels appears. Consider DCA with the prevailing trend and add other confluences (levels, candles, volume, timing) for optimal setups.
Notes. Use Alerts → Once Per Bar Close. Educational tool, not financial advice. Source code Protected.
Author: Kim Trading • Version: V1 • Date: 2025-08-25
#XAUUSD #Gold #H4 #MO #Stoch #KimTrading
MO and Stoch BTC/Altcoin H4 V.s.1 – Kim TradingMO and Stoch BTC/Altcoin H4 V.s.1 – Kim Trading
Market: BTCUSD + major USDT altcoins (e.g., ETH, SOL, …) • Timeframe: H4 (4h)
Signal tiers.
B/S (basic), B1★/S1★ (MO + Stoch RSI), B2★/S2★ (with-trend filter), B3★/S3★ (plus divergence).
Trade only when one of the four labels appears. Consider DCA with the prevailing trend and add other confluences (levels, candles, volume, timing) for optimal setups.
Notes. Use Alerts → Once Per Bar Close. Educational tool, not financial advice. Source code Protected.
Author: Kim Trading • Version: V1 • Date: 2025-08-25
#BTC #Bitcoin #Altcoins #Crypto #H4 #MO #Stoch #KimTrading
Bias AnalyzerBias Analyzer – Institutional Bias Scoring Tool
The Bias Analyzer combines multiple institutional trading concepts into a single adaptive scoring system. It calculates a directional bias score (0–100) by weighting volume, trend, structure, VWAP/imbalance, and momentum.
🔹 Main Features
Volume Bias → cumulative buy/sell pressure (customizable lookback)
Trend Bias → based on short-term moving average confirmation
Structure Bias → swing high/low detection with ATR filter
VWAP / Imbalance Bias → price relation to VWAP
Momentum Factor → adaptive impulse weighting
Final Bias Score → combined & volatility-adjusted (0–100 scale)
Flip Markers → optional EMA dots when bias changes
Bias Widget → on-chart display with long/short percentage and multiple style presets (Classic, Dark, Neon, Terminal, Gold, Midnight, Purple, etc.)
Custom Mode → fully user-defined widget colors
🔹 Use Case
This tool helps traders to quickly identify the institutional directional bias of the market.
It is designed as a decision-support indicator and not as an automated trading system.
© 2025 Project Pegasus
ARB Close Lines —18:45→19:05 his indicator plots exactly two horizontal lines per day:
Start line at the close of the 18:45 IST candle.
End line at the close of the 19:05 IST candle.
Both lines automatically extend to 23:30 IST (default, fully editable).
Features
Adjustable Start / End time (hour + minute, default 18:45 → 19:05).
Adjustable extension time (default 23:30).
Keeps the last N days of lines (default 100).
Works on intraday timeframes (1m–60m).
Clean: always exactly two lines per day.
Usage
Helps track short intraday windows (e.g., 20-minute ORB around 18:45–19:05 IST) for evening breakout/trap setups. Ideal for gold, Bitcoin, or other 24/7 instruments.
ARB Close Lines — 2 Lines/Day (v6, single-line)This indicator plots exactly two horizontal lines per day:
Start line at the close of the Start candle (default 18:00 IST).
End line at the close of the End candle (default 19:00 IST).
Both lines automatically extend until 23:30 IST (editable).
Features
Adjustable Start/End time (hour + minute, in IST or any timezone you choose).
Adjustable extension time (default 23:30).
Keeps the last N days of lines (default 100).
Works on intraday charts (1–60m).
ARB 18:00–19:00 IST — Anchored 3h Lines (v6, multi-day)Draws a simple Opening Range for 24/7 markets using a custom time window. By default it captures the high and low formed between 18:00 and 19:00 IST each day, then locks those levels at 19:00 and extends two horizontal lines to the right. No alerts, no signals—pure levels so you can track breakouts or traps manually.
ARB 18:00–19:00 IST — Lines Only (v6, multi-day)Draws a simple Opening Range for 24/7 markets using a custom time window. By default it captures the high and low formed between 18:00 and 19:00 IST each day, then locks those levels at 19:00 and extends two horizontal lines to the right. No alerts, no signals—pure levels so you can track breakouts or traps manually.
ARB 18:00–19:00 IST — Lines Only (v6)Draws a simple Opening Range for 24/7 markets using a custom time window. By default it captures the high and low formed between 18:00 and 19:00 IST each day, then locks those levels at 19:00 and extends two horizontal lines to the right. No alerts, no signals—pure levels so you can track breakouts or traps manually.
How it works
Uses a session in your chosen Timezone (default: Asia/Kolkata) to detect the 18:00–19:00 window.
Continuously updates the range during the window.
At 19:00 IST the range is “locked” and two lines (Range High/Range Low) are drawn and extended right.
Old lines are cleared so only the latest day’s ORB remains.
Inputs
Timezone (IANA): e.g., Asia/Kolkata, Asia/Dubai, UTC.
Start Hour / End Hour: default 18 → 19 (1-hour window). End must be after Start.
Line Width / Colors for High & Low.
Best used on
Intraday timeframes (1–60m).
24/7 symbols like BTCUSD, XAUUSD, major crypto pairs, spot gold.
Works regardless of your broker’s server timezone because the script uses the selected IANA timezone.
Notes
This is levels only: no alerts, no entries/exits, no statistics.
If you reload the chart after the window, lines persist and stay synced to the locked values.
Change the timezone if you want to anchor the window to a different locale.
Version: 1.0 (Pine v6).
Liquidity Pulse Revealer (LPR) — by Qabas_algoLiquidity Pulse Revealer (LPR) — by Qabas_algo
The Liquidity Pulse Revealer (LPR) is a technical framework designed to uncover hidden phases of institutional activity by combining volatility (ATR Z-Score) and liquidity (Volume Z-Score) into a dual-condition detection model. Instead of relying on price action alone, LPR measures how volatility and traded volume behave relative to their historical distributions, revealing when the market is either “compressed” or “expanding with force.”
⸻
🔹 Core Mechanics
1. ATR Z-Score (Volatility Normalization)
• LPR calculates the Average True Range (ATR) on a higher timeframe (HTF).
• It applies a Z-Score transformation across a configurable lookback period to determine if volatility is statistically compressed (below mean) or expanded (above mean).
2. Volume Z-Score (Liquidity Normalization)
• Simultaneously, traded volume is normalized using the same Z-Score method.
• Elevated Volume Z-Scores signal the presence of institutional activity (accumulation/distribution or aggressive breakout participation).
3. Dual Conditions → Regimes
• 🧊 Iceberg Volume = Low ATR Z-Score + High Volume Z-Score.
→ Indicates a “hidden liquidity build-up” phase where price compresses but big players are positioning.
• ⚡ Revealed Momentum = High ATR Z-Score + High Volume Z-Score.
→ Marks explosive volatility phases where institutional activity is fully expressed in directional moves.
⸻
🔹 Visualization
• Iceberg Zones (blue shaded boxes):
Drawn automatically around periods of statistical compression + elevated volume. These zones act as launchpads; once broken, they often precede strong directional expansions.
• Revealed Zones (green shaded boxes):
Highlight expansionary phases with both volatility and volume spiking. They often align with trend acceleration or terminal exhaustion zones.
• Midline Tracking:
Each zone maintains a dynamic average (mid-price), updated as the session evolves, providing reference for breakout confirmation and invalidation levels.
⸻
🔹 Practical Use Cases
• Accumulation/Distribution Detection:
Spot where “smart money” is quietly building or unloading positions before large moves.
• Breakout Confirmation:
A breakout occurring after an Iceberg zone carries higher conviction than random volatility.
• Profit Management:
If a Revealed Momentum zone appears after a strong uptrend, it often signals distribution or exhaustion — useful for partial profit taking.
• Multi-Timeframe Adaptability:
With Auto, Multiplier, and Manual higher-timeframe modes, LPR adapts seamlessly to intraday scalping or swing trading contexts.
⸻
🔹 Alerts
• Instant alerts for the start of new Iceberg or Revealed zones.
• Optional alerts for breakouts above/below the last Iceberg zone boundaries.
⸻
🔹 Example Trading Scenario
1. Detection: An 🧊 Iceberg Volume zone forms around support (low volatility + high volume).
2. Trigger: Price closes above the upper boundary of this Iceberg zone.
3. Entry: Go long on the breakout.
4. Stop Loss: Place stop just below the Iceberg zone’s low (where the liquidity build-up started).
5. Target: Hold until a ⚡ Revealed Momentum zone forms — then start scaling out as the expansion matures.
This simple framework transforms hidden institutional behavior into actionable trade setups with clear risk management.
⸻
⚠️ Disclaimer: The LPR is a research and educational tool. It does not provide financial advice. Always apply proper risk management and use in combination with your own trading framework.
💎 Quantum Big Move MTF Indicator 💎1. Purpose of the Indicator
The Quantum Big Move MTF Indicator is designed to identify significant market moves using multiple moving averages across different timeframes (multi-timeframe).
Its goal is to filter market noise and provide visual signals of major moves, helping traders to identify strong trends and potential turning points.
2. Key Components
a) Moving Averages (MAs)
The indicator uses two main moving averages:
Fast MA (short-term):
Captures short-term price behavior.
Can be SMA, EMA, WMA, Hull, VWMA, RMA, or TEMA.
Configurable by the user for length and type.
Slow MA (long-term):
Represents the longer-term trend.
Helps filter false signals and focus on significant moves.
Also configurable for type and length.
b) Multi-Timeframe
Both MAs are calculated in a selected timeframe (either the current chart timeframe or a custom one).
This allows detection of strong moves in a broader context, increasing signal reliability.
c) Color Logic
MAs change color based on the trend:
Green → uptrend.
Red → downtrend.
Gray → no clear trend or transition.
This helps visually interpret the strength and direction of the trend.
d) Cross Signals (Big Moves)
Upward Move Signal
Appears when the Fast MA crosses above the Slow MA while in an uptrend.
Downward Move Signal
Appears when the Fast MA crosses below the Slow MA while in a downtrend.
Note: These signals are indicative only and are not buy or sell orders. They are visual tools to aid decision-making.
3. How to Interpret the Indicator
Identify the Trend:
Observe the color of the Fast and Slow MAs.
Green = positive trend, Red = negative trend.
Wait for a Significant Cross:
Only consider signals if the Fast MA aligns with the trend direction.
Avoid acting on contradictory signals or crossovers in a sideways market.
Combine with Other Tools:
Use volume, support/resistance levels, or momentum indicators to confirm the strength of the move.
4. Recommended Settings
Fast MA: 20–30 periods (captures short-term moves).
Slow MA: 60–100 periods (filters noise and highlights major trends).
Smoothing factor: 2–4 to smooth color changes and reduce false signals.
Adjust based on the asset and timeframe being analyzed.
5. Disclaimer
Important:
This indicator does not guarantee profits and is not financial advice.
Signals are for educational and informational purposes only, and should be used together with your own risk analysis and capital management.
Users are responsible for any trading decisions made based on this indicator.
MultiSessions traderglobal.topEste indicador de sesiones está diseñado para traders intradía que desean visualizar con precisión la actividad y la volatilidad característica de cada mercado. Basado en Pine Script v5 y optimizado para la zona horaria “America/New_York”, divide el día en sub-sesiones configurables y resalta sus rangos de precio en tiempo real. En particular, incorpora tres bloques para New York (NY1, NY2, NY3), dos para Londres (LON1, LON2), dos para Tokio (TKO1, TKO2) y mantiene Sídney como sesión opcional. Cada bloque puede activarse o desactivarse de forma independiente y cuenta con su propio color ajustable, lo que permite construir mapas visuales claros para estrategias basadas en horario, solapamientos y micro-estructuras de mercado.
El panel de inputs incluye la opción “Activate High/Low View”. Cuando está activada, el indicador calcula de manera incremental el mínimo y máximo de cada sub-sesión y sombrea el área entre ambos con fill, proporcionando una referencia inmediata del rango intrasesión (útil para medir compresión/expansión y posibles rompimientos). Cuando está desactivada, emplea un simple bgcolor por bloque, ideal para traders que prefieren un gráfico más limpio y solo desean distinguir visualmente los tramos horarios.
La lógica central utiliza dos funciones auxiliares: is_session(sess), que detecta si la vela actual pertenece a un tramo horario concreto, e is_newbar(sess), que determina el inicio de una nueva barra de referencia según la resolución elegida (D, W o M). Gracias a esta combinación, en cada sub-sesión el indicador reinicia sus contadores de alto y bajo al comenzar el período y los actualiza vela a vela mientras el bloque siga activo. Este enfoque evita mezclas de datos entre sesiones y asegura que el rango que se muestra corresponda estrictamente al segmento horario configurado.
Los horarios por defecto están pensados para Forex y contemplan casos que cruzan medianoche (por ejemplo, Tokio 2 y Sídney). Pine Script admite rangos como 2200-0200; no obstante, si tu bróker o la zona horaria del gráfico generan un sombreado parcial, basta con dividir el tramo en dos: 2200-2359 y 0000-0200. Asimismo, cada input.session incluye el patrón :1234567 para habilitar los siete días; puedes restringir días según tu operativa.
En cuanto al uso práctico, el indicador facilita identificar: (1) la estructura del rango por sub-sesión (útil para estrategias de breakout/mean-reversion), (2) los solapamientos entre Londres y New York, donde suele concentrarse la liquidez, y (3) períodos de menor volatilidad (tramos tardíos de Asia o previos a noticias). El color independiente por bloque te permite codificar visualmente la importancia o tu plan de trading (por ejemplo, tonos más intensos en ventanas de alta probabilidad).
Finalmente, su diseño modular hace sencilla la personalización: puedes ajustar colores, activar/desactivar bloques, cambiar horarios y modificar la resolución de reseteo del rango. Como posible mejora, se pueden añadir alertas de ruptura de máximos/mínimos de sub-sesión o etiquetas con la altura del rango (pips) al cierre. Este indicador no sustituye el juicio del trader ni constituye recomendación financiera, pero ofrece una base visual robusta para integrar el factor tiempo en la toma de decisiones.
This sessions indicator is built for intraday traders who want a precise, time-aware view of market activity and typical volatility patterns across the day. Written in Pine Script v5 and optimized for the “America/New_York” timezone, it divides the trading day into configurable sub-sessions and highlights their price ranges in real time. Specifically, it provides three blocks for New York (NY1, NY2, NY3), two for London (LON1, LON2), two for Tokyo (TKO1, TKO2), and keeps Sydney as an optional session. Each block can be enabled or disabled independently and comes with its own adjustable color, letting you build clear visual maps for time-based strategies, overlaps, and microstructure nuances.
In the inputs panel you’ll find the “Activate High/Low View” option. When enabled, the indicator incrementally computes each sub-session’s low and high and shades the area between them with fill, giving you an immediate reference to the intra-session range (useful for gauging compression/expansion and potential breakouts). When disabled, it switches to a clean bgcolor background by block—ideal if you prefer a minimal chart and simply want to distinguish time windows at a glance.
The core logic relies on two helper functions: is_session(sess), which detects whether the current bar falls within a given time window, and is_newbar(sess), which identifies the start of a new reference bar according to your chosen reset resolution (D, W, or M). With this combination, each sub-session resets its high/low at the beginning of the period and updates them bar by bar while the block remains active. This prevents cross-contamination between sessions and ensures the range you see belongs strictly to the configured segment.
Default hours are suited to Forex and include segments that cross midnight (e.g., Tokyo 2 and Sydney). Pine Script supports ranges like 2200-0200; however, if your broker or chart timezone causes partial shading, simply split the segment into two: 2200-2359 and 0000-0200. Each input.session uses the :1234567 suffix to enable all seven days; you can easily restrict days to match your plan.
Practically speaking, the indicator helps you identify: (1) range structure by sub-session (great for breakout or mean-reversion frameworks), (2) overlaps between London and New York, where liquidity and directional moves often concentrate, and (3) lower-volatility windows (late Asia or pre-news lulls). Independent colors per block let you visually encode priority or your trading plan (for example, richer tones in high-probability windows).
Thanks to its modular design, customization is straightforward: adjust colors, toggle blocks, change hours, and tweak the range-reset resolution to suit your routine. As a natural extension, you can add alerts for sub-session high/low breakouts or labels that display the range height (in pips) at session close. While no indicator replaces trader judgment or constitutes financial advice, this tool offers a robust visual foundation for incorporating the time factor directly into your decision-making, helping you contextualize price action within the rhythm of global trading sessions.
Radial Basis Kernel RSI for LoopRadial Basis Kernel RSI for Loop
What it is
An RSI-style oscillator that uses a radial basis function (RBF) kernel to compute a similarity-weighted average of gains and losses across many lookback lengths and kernel widths (γ). By averaging dozens of RSI estimates—each built with different parameters—it aims to deliver a smoother, more robust momentum signal that adapts to changing market conditions.
How it works
The script measures up/down price changes from your chosen Source (default: close).
For each combination of RSI length and Gamma (γ) in your ranges, it builds an RSI where recent bars that look most similar (by price behavior) get more weight via an RBF kernel.
It averages all those RSIs into a single value, then smooths it with your selected Moving Average type (SMA, EMA, WMA, HMA, DEMA) and a light regression-based filter for stability.
Inputs you can tune
Min/Max RSI Kernel Length & Step: Range of RSI lookbacks to include in the ensemble (e.g., 20→40 by 1) or (e.g., 30→50 by 1).
Min/Max Gamma & Step: Controls the RBF “width.” Lower γ = broader similarity (smoother); higher γ = more selective (snappier).
Source: Price series to analyze.
Overbought / Oversold levels: Defaults 70 / 30, with a midline at 50. Shaded regions help visualize extremes.
MA Type & Period (Confluence): Final smoothing on the averaged RSI line (e.g., DEMA(44) by default).
Red “OB” labels when the line crosses down from extreme highs (~80) → potential overbought fade/exit areas.
Green “OS” labels when the line crosses up from extreme lows (~20) → potential oversold bounce/entry areas.
How to use it
Treat it like RSI, but expect fewer whipsaws thanks to the ensemble and kernel weighting.
Common approaches:
Look for crosses back inside the bands (e.g., down from >70 or up from <30).
Use the 50 midline for directional bias (above = bullish momentum tilt; below = bearish).
Combine with trend filters (e.g., your chart MA) for higher-probability signals.
Performance note: This is really heavy and depending on how much time your subscription allows you could experience this timing out. Increasing the step size is the easiest way to reduce the load time.
Works on any symbol or timeframe. Like any oscillator, best used alongside price action and risk management rather than in isolation.
David Dang - Scalp M15/H1 (XAU/USDT)Buy/Sell indicator dedicated to XAUUSD (and) CFDs & Forex. Combines trend EMA, Volume Spike and Money Flow MFI to provide timely reversal arrow signals. Automatically displays SL/TP with RR ratio 1:2 (SL 50–70 pips), helps optimize profits and safe capital management.
Fed Rate Cuts (Bitcoin history)cucuyvckhvuigvkvkuifoig
ifiugvkugviogi
ktufciugiu.goigiulufutydcyifluydeky75su,l6dsl,d
Global M2 Money Supply -WinCAlgoWhat is this Indicator?
The Global M2 Money Supply Indicator aggregates the M2 money supply data from 20 major economies worldwide, converted to USD. This powerful macro-economic tool tracks the total liquidity injected into the global financial system, providing crucial insights for long-term investment decisions across all asset classes including crypto, stocks, bonds, and commodities.
Key Features:
20 Major Economies: US, EU, China, Japan, UK, Canada, Switzerland, and 13 other significant markets
USD Normalized: All currencies converted to USD for unified comparison
Real-time Data: Updates with latest central bank releases
Time Offset: Adjustable time offset for correlation analysis (-1000 to +1000 days)
Macro Analysis: Essential tool for understanding global liquidity cycles
How to Use:
Long-term Analysis: Use on weekly/monthly timeframes for macro trend identification
Liquidity Cycles: Rising M2 typically correlates with asset price increases
Market Timing: Major inflection points often coincide with policy changes
Cross-Asset Analysis: Compare with Bitcoin, Gold, Stock indices for correlation
Time Offset: Adjust offset to analyze leading/lagging relationships
Trading Applications:
Crypto Analysis: Bitcoin and altcoins often correlate with global liquidity
Stock Markets: Equity valuations tend to follow liquidity expansion/contraction
Commodities: Gold, Silver, and other commodities react to money supply changes
Bond Markets: Interest rate expectations influenced by monetary policy
Currency Analysis: Understand relative strength between major currencies
Investment Strategy:
Rising Trend: Indicates increasing global liquidity - favorable for risk assets
Declining Trend: Suggests tightening conditions - defensive positioning recommended
Acceleration/Deceleration: Changes in slope indicate shifting monetary policy
Correlation Analysis: Use time offset to find optimal lead/lag relationships
Gann Static Square of 9 - CEGann Static Square of 9 - Community Edition
Welcome to the Gann Static Square of 9 - Community Edition, a meticulously crafted tool designed to empower traders with the timeless principles of W.D. Gann’s Square of 9 methodology. This indicator is tailored for the TradingView community and Gann Traders, providing a robust solution for analyzing price and time dynamics across various markets.
Overview
The Gann Static Square of 9 harnesses the mathematical precision of Gann’s Square of 9 chart, plotting key price and time levels based on a fixed starting point of 1. Unlike its dynamic counterpart , this static version uses a consistent origin, making it ideal for traders seeking to map Gann’s geometric angles (45°, 90°, 135°, 180°, 225°, 270°, 315°, and 360°) with a standardized framework. By adjusting the price and time units, users can tailor the indicator to suit any asset, from equities and forex to commodities and cryptocurrencies.
Key Features
Fixed Starting Point: Begins calculations at a base value of 1, providing a standardized approach to plotting Gann’s Square of 9 levels.
Comprehensive Angle Projections: Plots eight critical Gann angles (45°, 90°, 135°, 180°, 225°, 270°, 315°, and 360°), enabling precise identification of support, resistance, and time-based targets.
Customizable Price and Time Units: Adjust the price unit (Y-axis) and time unit (X-axis) to align with the specific characteristics of your chosen market, ensuring optimal fit for price action and volatility.
Horizontal and Vertical Levels: Enable horizontal price levels to identify key support and resistance zones, and vertical time levels to pinpoint potential market turning points.
Revolution Control: Extend projections across multiple 360° cycles to uncover long-term price and time objectives, with user-defined revolution counts.
Customizable Aesthetics: Assign distinct colors to each angle for enhanced chart clarity and visual differentiation.
and more!
How It Works
Configure Settings: Set the price and time units to match your asset’s characteristics, and select the desired number of revolutions to project future levels.
Enable Levels: Choose which Gann angles (45° to 360°) to display, tailoring the indicator to your analysis needs.
Visualize Key Levels: The indicator plots horizontal price levels and optional vertical time levels, each labeled with its corresponding angle and price/time value.
Analyze and Trade: Leverage the plotted levels to identify critical support, resistance, and time-based turning points, enhancing your trading strategy with Gann’s proven methodology.
Get Started
As a token of appreciation for the TradingView community, and Gann traders, this Community Edition is provided free of charge. Trade safe and enjoy!
Ripster EMA Clouds with customisable colorsEMA Clouds indicator inspired by Ripster47's concepts. Published primarily to offer customizable color settings for the cloud displays. This is not an identical copy but an inspired implementation.