WaveTrend with Bollinger BandsPlots TTM Squeeze momentum histogram (green/red).
Plots RSI (blue) in the same pane.
Shows squeeze dots and RSI overbought/oversold lines.
Indicators and strategies
Aboud EMA Cross + HTF Filter (50/200)//@version=5
indicator("Aboud EMA Cross + HTF Filter (50/200)", shorttitle="Aboud EMA Cross HTF", overlay=true)
// ——— الإعدادات
src = input.source(close, "المصدر")
lenFast = input.int(50, "طول EMA السريع", minval=1)
lenSlow = input.int(200, "طول EMA البطيء", minval=1)
showLbl = input.bool(true, "إظهار أسهم على التقاطعات")
colorBars = input.bool(false, "تلوين الشموع حسب الاتجاه")
// فريمات التأكيد
h1TF = input.timeframe("60", "فريم التأكيد H1")
h4TF = input.timeframe("240", "فريم التأكيد H4")
confirmMode = input.string("Both H1 & H4", "نمط التأكيد", options= )
// ——— حسابات الفريم الحالي
emaFast = ta.ema(src, lenFast)
emaSlow = ta.ema(src, lenSlow)
bullCross = ta.crossover(emaFast, emaSlow) // غولدن كروس
bearCross = ta.crossunder(emaFast, emaSlow) // ديث كروس
trendUp = emaFast > emaSlow
trendDn = emaFast < emaSlow
// ——— حسابات الفريمات الأعلى (بدون lookahead)
h1Fast = request.security(syminfo.tickerid, h1TF, ta.ema(close, lenFast))
h1Slow = request.security(syminfo.tickerid, h1TF, ta.ema(close, lenSlow))
h4Fast = request.security(syminfo.tickerid, h4TF, ta.ema(close, lenFast))
h4Slow = request.security(syminfo.tickerid, h4TF, ta.ema(close, lenSlow))
h1Up = h1Fast > h1Slow
h1Dn = h1Fast < h1Slow
h4Up = h4Fast > h4Slow
h4Dn = h4Fast < h4Slow
// شرط التأكيد حسب النمط المختار
confirmUp = switch confirmMode
"Off" => true
"H1 only" => h1Up
"H4 only" => h4Up
=> (h1Up and h4Up) // Both H1 & H4
confirmDn = switch confirmMode
"Off" => true
"H1 only" => h1Dn
"H4 only" => h4Dn
=> (h1Dn and h4Dn) // Both H1 & H4
// ——— إشارات نهائية بعد الفلترة
bullValid = bullCross and confirmUp
bearValid = bearCross and confirmDn
// ——— الرسم (عناوين ثابتة)
plot(emaFast, title="EMA Fast", color=color.new(color.yellow, 0), linewidth=2)
plot(emaSlow, title="EMA Slow", color=color.new(color.red, 0), linewidth=2)
plotshape(showLbl and bullValid, title="Golden Cross (Valid)",
style=shape.triangleup, size=size.small, location=location.belowbar,
color=color.new(color.green, 0), text="GC")
plotshape(showLbl and bearValid, title="Death Cross (Valid)",
style=shape.triangledown, size=size.small, location=location.abovebar,
color=color.new(color.maroon, 0), text="DC")
// ——— تلوين الشموع (اختياري)
barcolor(colorBars ? (trendUp ? color.new(color.green, 70) : trendDn ? color.new(color.red, 70) : na) : na)
// ——— التنبيهات
alertcondition(bullValid, title="Golden Cross (HTF confirmed)", message="Aboud EMA Cross: Golden Cross — confirmed by HTF")
alertcondition(bearValid, title="Death Cross (HTF confirmed)", message="Aboud EMA Cross: Death Cross — confirmed by HTF")
Bbhafiz ALERT SIGNAL📌 Indicator Overview
Uses EMA20 & EMA50 to detect trend direction and identify crossover/crossunder points.
RSI filter (default ON) to improve accuracy — BUY only when RSI > 50, SELL only when RSI < 50.
Displays a BUY label below the candle and a SELL label above the candle when signals appear.
AlertCondition added so TradingView can send push notifications, pop-ups, or emails when a signal appears.
⚡ Main Logic:
BUY → EMA20 crosses above EMA50 + RSI > 50 (if filter is ON) + price above EMA20.
SELL → EMA20 crosses below EMA50 + RSI < 50 (if filter is ON) + price below EMA20.
🎯 Advantages of This Version:
No need to stare at the chart — alerts will notify you when a valid setup appears.
Can be used for scalping (M1, M5) or swing trading (H1, H4).
Perfect for busy traders since alerts only trigger on confirmed setups.
ICT Killzones_SAIFKill Zones Shading with High and Low levels highlight for required market sessions
Multi Timeframe 7 Bollinger Bands by CSPMulti Timeframe 7 Bollinger Bands by CSP IT SHOW 1MT,5MT,10MT,1HR,D, W,M BOLLINGER BAND IN ASINGLE CHART.
Cumulative Volume DeltaCumulative Volume Delta (CVD) is a technical analysis indicator used in trading to measure the net buying or selling pressure in a market by tracking the difference between buying and selling volume over time. It’s particularly popular in futures, forex, and cryptocurrency trading, where volume data is critical for understanding market dynamics.
### How It Works:
- **Volume Delta**: For each price bar or time period, the volume delta is calculated as the difference between buying volume (trades executed at the ask price, indicating buyer aggression) and selling volume (trades executed at the bid price, indicating seller aggression).
- Formula: Volume Delta = Buying Volume - Selling Volume
- **Cumulative Volume Delta**: CVD sums up the volume delta over a specified period, creating a running total that reflects the overall trend of buying or selling pressure.
- If CVD is rising, it suggests stronger buying pressure (bullish sentiment).
- If CVD is falling, it indicates stronger selling pressure (bearish sentiment).
### Key Features:
1. **Divergence Analysis**: Traders use CVD to spot divergences between price movements and volume trends. For example, if the price is rising but CVD is declining, it may signal weakening bullish momentum (potential reversal).
2. **Support/Resistance Confirmation**: CVD can confirm breakouts or reversals at key price levels by showing whether volume supports the price movement.
3. **Trend Strength**: A steeply rising or falling CVD line indicates strong directional pressure, while a flat CVD suggests indecision or consolidation.
### Example:
- If a cryptocurrency like Bitcoin has 10,000 units bought at the ask and 7,000 units sold at the bid in a given period, the volume delta is +3,000. Over multiple periods, these deltas are added to form the CVD.
- A rising CVD alongside a price uptrend confirms bullish strength, while a falling CVD during a price uptrend may warn of a potential pullback.
### Limitations:
- **Data Dependency**: CVD relies on accurate bid/ask volume data, which may not be available or reliable on all platforms (e.g., some exchanges don’t provide detailed order book data).
- **Lagging Nature**: As a cumulative indicator, it may lag behind rapid price changes.
- **Context Matters**: CVD should be used with other indicators (e.g., price action, support/resistance) for better accuracy.
### Practical Use:
Traders often plot CVD as a line chart below the price chart on platforms like TradingView or Sierra Chart. It’s useful for:
- Identifying trend reversals or continuations.
- Confirming breakouts or breakdowns.
- Assessing market sentiment in low-liquidity or high-volatility markets.
VWAP CALENDARThe VWAP CALENDAR indicator plots up to 20 anchored Volume-Weighted Average Price (VWAP) lines on your chart, each starting from a user-defined date and time (e.g., April 20, 2024). Designed for simplicity, it helps traders visualize VWAPs for key events or dates, with customizable labels and colors. The indicator is optimized for crypto markets (e.g., BTC/USD) but works with any symbol providing volume data.
Features: Multiple VWAPs: Configure up to 20 independent VWAPs, each with a custom anchor date and time.
Dynamic Labels: Labels update in real-time, aligning precisely with each VWAP line’s price level, positioned to the right of the chart for clarity.
Customizable Settings: Adjust label text (e.g., “Event A”), line colors, line widths (1–5 pixels), text colors, and text sizes (8–40 points, default 22).
Bubble or No-Background Labels: Choose between bubble-style labels (with colored backgrounds) or plain text labels without backgrounds.
Timeframe Support: Accurate on daily, 4-hour, 1-hour, and 30-minute charts for anchors within ~1.5 years (e.g., April 20, 2024, from August 2025).
Limitations: VWAP accuracy for anchors like April 20, 2024 (~477 days back) is reliable on 1-hour and larger timeframes. Below 30-minute (e.g., 15-minute, 24-minute), VWAPs may start later or be unavailable due to TradingView’s 5,000-bar historical data limit. For distant anchors, use 4-hour or daily charts to ensure accuracy.
Requires sufficient chart history (e.g., premium account or deep exchange data) for older anchors on 1-hour or 30-minute charts.
Usage Notes: Set anchor dates via the indicator settings (e.g., “2024-04-20 00:00”).
Enable/disable individual VWAPs as needed.
Zoom out to load maximum chart history for best results, especially on 1-hour or 30-minute timeframes.
Ideal for crypto symbols with continuous trading data, but verify data availability for other markets.
Disclaimer:
This is a free indicator provided as-is.
B-Xtrender MTF Companion (custom colors + zero)B-Xtrender MTF Companion (Custom Colors + Zero)
This indicator is a multi-timeframe companion tool for the B-Xtrender system, designed to track momentum shifts across your current chart timeframe and up to two higher timeframes — all in one panel.
Key Features:
Multi-Timeframe Momentum: Plots histogram + signal line for current TF, HTF-1, and HTF-2, with independent color/offset settings for easy visual stacking.
Custom Styling: Full color and width control for bullish/bearish histograms, signal lines, and the zero line.
Smoothing Options: Choose between EMA or T3 smoothing for cleaner signals.
Momentum Flip Alerts: Built-in alert conditions for bullish or bearish flips on each timeframe.
Zero Line Control: Toggle, recolor, and restyle the zero reference line.
How It Works:
The B-Xtrender MTF Companion calculates the difference between two EMAs, applies RSI normalization, and then plots it as a centered oscillator. The signal line slope and histogram color indicate momentum direction, while higher-timeframe signals help confirm trend strength and avoid false entries.
Best Use:
Pair with price action or your primary B-Xtrender setup for trend confirmation.
Monitor higher timeframe momentum while trading intraday.
Combine alert flips with your entry rules for more timely trade triggers.
Futures Risk to Reward CalculatorFutures Risk to Reward Calculator with NQ, MNQ, ES, MES, etc price per tick built in.
Floating Bands of the Argentine Peso (Sebastian.Waisgold)
The BCRA ( Central Bank of the Argentine Republic ) announced that as of Monday, April 15, 2025, the Argentine Peso (USDARS) will float within a system of divergent exchange rate bands.
The upper band was set at ARS 1400 per USD on 15/04/2025, with a +1% monthly adjustment distributed daily, rising by a fraction each day.
The lower band was set at ARS 1000 per USD on 15/04/2025, with a –1% monthly adjustment distributed daily, falling by a fraction each day.
This indicator is crucial for anyone trading USDARS, since the BCRA will only intervene in these situations:
- Selling : if the Peso depreciates against the USD above the upper band .
- Buying : if the Peso appreciates against the USD below the lower band .
Therefore, this indicator can be used as follows:
- If USDARS is above the upper band , it is “expensive” and you may sell .
- If USDARS is below the lower band , it is “cheap” and you may buy .
It can also be applied to other assets such as:
- USDTARS
- Dollar Cable / CCL (Contado con Liquidación) , derived from the BCBA:YPFD / NYSE:YPF ratio.
A mid band —exactly halfway between the upper and lower bands—has also been added.
Once added, the indicator should look like this:
In the following image you can see:
- Upper Floating Band
- Lower Floating Band
- Mid Floating Band
User Configuration
By double-clicking any line you can adjust:
- Start day (Dia de incio), month (Mes de inicio), and year (Año de inicio)
- Initial upper band value (Valor inicial banda superior)
- Initial lower band value (Valor inicial banda inferior)
- Monthly rate Tasa mensual %)
It is recommended not to modify these settings for the Argentine Peso, as they reflect the BCRA’s official framework. However, you may customize them—and the line colors—for other assets or currencies implementing a similar band scheme.
Asia Session with Order Blocks//@version=5
indicator("Asia Session with Order Blocks", overlay=true, max_boxes_count=500)
// Input settings
asiaSessionStart = input.session("0000-0500", "Asia Session Time", confirm=true)
asiaColor = input.color(color.new(color.teal, 85), "Asia Box Color")
// Get Asia session range
var float asiaHigh = na
var float asiaLow = na
var box asiaBox = na
inAsia = time(timeframe.period, asiaSessionStart)
// Reset for new day
if (ta.change(time("D")))
asiaHigh := na
asiaLow := na
if not na(asiaBox)
box.delete(asiaBox)
asiaBox := na
// Track Asia high & low
if not na(inAsia)
asiaHigh := na(asiaHigh) ? high : math.max(asiaHigh, high)
asiaLow := na(asiaLow) ? low : math.min(asiaLow, low)
// Draw Asia box extending till end of day
if not na(asiaHigh) and not na(asiaLow) and na(asiaBox)
asiaBox := box.new(left=time("D"), top=asiaHigh, right=timenow + 86400000, bottom=asiaLow, bgcolor=asiaColor, border_color=color.teal)
if not na(asiaBox)
box.set_top(asiaBox, asiaHigh)
box.set_bottom(asiaBox, asiaLow)
// -------------------
// Simple Order Block Detection
// -------------------
// Bullish Order Block: Last down candle before a strong up move
isBullOB = close < open and close > high
bullOBTop = high
bullOBBottom = low
// Bearish Order Block: Last up candle be
1H MA20 Downbreak Alert1H MA20 Downbreak Alert
1H MA20 Downbreak Alert1H MA20 Downbreak Alert1H MA20 Downbreak Alert
Range Panel (Current + Lookback)Range Panel (Current + Lookback)
What it does:
Displays a fixed-position panel showing the current bar’s range (1×, 1.5×, 2×) and a lookback bar’s range (1×, 1.5×, 2×) for quick volatility and target sizing reference. The panel stays visible on any timeframe and updates live.
Why it’s useful:
Quickly compare the size of the current candle to a past candle without measuring manually. Perfect for stop/target planning and assessing volatility shifts.
Features
Current Bar Range — 1×, 1.5×, and 2× multipliers in instrument points.
Lookback Bar Range — 1×, 1.5×, and 2× multipliers from N bars ago.
Lookback control — set N to any bar back in history.
Static panel — stays in the same screen corner regardless of price or time.
Panel position toggle — Top Left / Top Right / Bottom Left / Bottom Right.
Customizable background and text colors.
Optional inputs in status line.
Inputs
Lookback (bars) — how many bars back to fetch the comparison range.
Background — panel background color.
Text — text color.
Panel Position — where to place the panel on the chart.
Inputs in status line — toggle to show settings in the chart’s status bar.
Notes
Range is measured as (High – Low) of the bar.
Values are in instrument points (for MNQ: 0.25 point = 1 tick).
Works on any symbol and timeframe.
Do you want me to also add tick and $ equivalents for MNQ into this description so it’s clearer for futures traders?
You said:
add font size
ChatGPT said:
Got it — here’s the updated public description with the new font size control added to the feature list and inputs section:
Range Panel (Current + Lookback)
What it does:
Displays a fixed-position panel showing the current bar’s range (1×, 1.5×, 2×) and a lookback bar’s range (1×, 1.5×, 2×) for quick volatility and target sizing reference. The panel stays visible on any timeframe and updates live.
Why it’s useful:
Quickly compare the size of the current candle to a past candle without measuring manually. Perfect for stop/target planning and assessing volatility shifts.
Features
Current Bar Range — 1×, 1.5×, and 2× multipliers in instrument points.
Lookback Bar Range — 1×, 1.5×, and 2× multipliers from N bars ago.
Lookback control — set N to any bar back in history.
Font size control — adjust panel text size to match your chart style.
Static panel — stays in the same screen corner regardless of price or time.
Panel position toggle — Top Left / Top Right / Bottom Left / Bottom Right.
Customizable background and text colors.
Optional inputs in status line.
Inputs
Lookback (bars) — how many bars back to fetch the comparison range.
Font size — sets panel text size (small, normal, large).
Background — panel background color.
Text — text color.
Panel Position — where to place the panel on the chart.
Inputs in status line — toggle to show settings in the chart’s status bar.
Notes
Range is measured as (High – Low) of the bar.
Values are in instrument points (for MNQ: 0.25 point = 1 tick).
Works on any symbol and timeframe.
Multi-EMAMulti-EMA Indicator
This script plots five commonly used Exponential Moving Averages (EMAs) on your chart for trend identification and trade timing.
Included EMAs & Colors:
EMA 8 — Red
EMA 20 — Orange
EMA 50 — Yellow
EMA 100 — Cyan
EMA 200 — Blue
How to use:
Shorter EMAs (8 & 20) help identify short-term momentum and potential entry/exit points.
Mid-range EMA (50) gives a broader view of intermediate trends.
Longer EMAs (100 & 200) are used to confirm long-term trend direction and key support/resistance zones.
Crossovers between EMAs can signal potential trend changes.
Price trading above most EMAs often signals bullish conditions, while trading below suggests bearish momentum.
Designed to work on any timeframe or market.
SMI Base-Trigger Bullish Re-acceleration (Higher High)Description
What it does
This indicator highlights a two-step bullish pattern using Stochastic Momentum Index (SMI) plus an ATR distance filter:
1. Base (orange) – Marks a momentum “reset.” A base prints when SMI %K crosses up through %D while %K is below the Base level (default -70). The base stores the base price and starts a waiting window.
2. Trigger (green) – Confirms momentum and price strength. A trigger prints only if, before the timeout window ends:
• SMI %K crosses up through %D again,
• %K is above the Trigger level (default -60),
• Close > Base Price, and
• Price has advanced at least Min ATR multiple (default 1.0× the 14-period ATR) above the base price.
A dashed green line connects the base to the trigger.
Why it’s useful
It seeks a bullish divergence / reacceleration: momentum recovers from deeply negative territory, then price reclaims and exceeds the base by a volatility-aware margin. This helps filter out weak “oversold bounces.”
Signals
• Base ▲ (orange): Potential setup begins.
• Trigger ▲ (green): Confirmation—momentum and price agree.
Inputs (key ones)
• %K Length / EMA Smoothing / %D Length: SMI construction.
• Base when %K < (default -70): depth required for a valid reset.
• Trigger when %K > (default -60): strength required on confirmation.
• Base timeout (days) (default 100): maximum look-ahead window.
• ATR Length (default 14) and Min ATR multiple (default 1.0): price must exceed the base by this ATR-scaled distance.
How traders use it (example rules)
• Entry: On the Trigger.
• Risk: A common approach is a stop somewhere between the base price and a multiple of ATR below trigger; or use your system’s volatility stop.
• Exits: Your choice—trend MA cross, fixed R multiple, or structure-based levels.
Notes & tips
• Works best on liquid symbols and mid-to-higher timeframes (reduce noise).
• Increase Min ATR multiple to demand stronger price confirmation; tighten or widen Base/Trigger levels to fit your market.
• This script plots signals only; convert to a strategy to backtest entries/exits.
RSI 20/80 Arrows + AlertsRSI 20/80 Arrows + Alerts
This indicator is a modified Relative Strength Index (RSI) tool designed to help traders spot potential overbought and oversold conditions using customizable threshold levels (default 80 for overbought, 20 for oversold).
Features:
Custom RSI Levels – Default to 80/20 instead of the standard 70/30, but fully adjustable by the user.
Visual Signals –
Blue Arrow Up appears below the bar when RSI crosses up from below the oversold level (potential buy zone).
Red Arrow Down appears above the bar when RSI crosses down from above the overbought level (potential sell zone).
Alerts Built In – Receive notifications when either signal occurs, with the option to confirm signals only on bar close for reduced noise.
Guide Levels – Optionally display overbought/oversold reference lines on the chart for quick visual reference.
Overlay Mode – Signals are plotted directly on the price chart, so you don’t need to switch between chart windows.
Use Case:
Ideal for traders who want quick, visual confirmation of potential turning points based on RSI, especially in strategies where more extreme levels (like 20/80) help filter out weaker signals. Works well across all markets and timeframes.
PanelWithGrid v1.4📈 Multi-Timeframe Candle Panel + Custom Grid v1.4
🔥 Professional Trading Tool for Multi-Timeframe Analysis
This advanced indicator displays a comprehensive panel of candle data across multiple timeframes (from 1 minute to daily) while plotting a fully customizable grid based on historical price levels. Perfect for traders who use dynamic support/resistance levels!
🌟 Key Features:
✅ Smart Custom Grid:
Choose your reference timeframe (1min to weekly)
Select which previous candle to use as reference (1st, 2nd, 3rd, etc. back)
Adjust grid spacing in points
✅ Multi-Timeframe Dashboard:
Displays Open, Close, High, Low and Price Difference for:
Current timeframe
30M, 1H, 2H, 3H, 4H, 6H, 12H, 1D
✅ Smart Confluence Alerts:
Visual signals when all timeframes align (bullish/bearish)
Special 1H candle analysis after 30 minutes
✅ Clean Visualization:
Thick red line marking reference level
Blue (above) and gold (below) grid lines at regular intervals
Informative label showing reference value and candle used
⚙ How To Use:
1️⃣ Set Grid Timeframe (e.g. "D" for daily, "60" for 1H)
2️⃣ Choose Reference Candle ("1" = most recent, "2" = previous, etc.)
3️⃣ Adjust Grid Spacing (e.g. 5 points between levels)
4️⃣ Watch for Confluence across timeframes
💡 Pro Tip: Use higher timeframes (Daily/Weekly) for significant levels and lower timeframes (1H/4H) for intraday trading.
🔔 Like & Favorite to support future updates!
Optimized Code | Pine Script v5 | TradingView
🎯 Perfect For: Swing Trading, Day Trading, Multi-Timeframe Analysis
Volume FlaresVolume Flares – Spotting Abnormal Volume by Time of Day
Most volume tools compare current volume to a moving average of the last X bars. That’s fine for seeing short-term changes, but it ignores how volume naturally ebbs and flows throughout the day.
Volume at 9:35 is not the same as volume at 1:15.
A standard MA will treat them the same.
What Volume Flares does differently:
Breaks the day into exact time slots (based on your chosen timeframe).
Calculates the historical average volume for each slot across past sessions.
Compares the current bar’s volume only to its own slot’s historical average.
Marks when current volume is significantly higher than normal for that exact time of day.
Visuals:
Colored columns = historical average volume for each slot (dark = quiet, bright = busy).
Green stepline = today’s actual current volume.
Dark red background = current volume > 130% of that slot’s historical average.
Volume Behavior table = live % comparison and raw values for quick reference.
How I use it:
Red and green arrows on the price chart are manually drawn where the background turns red in the volume panel.
These often align with liquidity grabs, institutional entries, or areas where the market is “louder” than it should be for that moment in the day.
Helps filter out false urgency — high volume at the open isn’t the same as high volume in the lunch lull.
Key takeaway:
This is not a buy/sell signal.
It’s context.
It’s about spotting when the market is behaving out of character for that specific moment, and using that to read intent behind the move.
PanelWithGrid v1.4📈 Multi-Timeframe Candle Panel + Custom Grid v1.4
🔥 Professional Trading Tool for Multi-Timeframe Analysis
This advanced indicator displays a comprehensive panel of candle data across multiple timeframes (from 1 minute to daily) while plotting a fully customizable grid based on historical price levels. Perfect for traders who use dynamic support/resistance levels!
🌟 Key Features:
✅ Smart Custom Grid:
Choose your reference timeframe (1min to weekly)
Select which previous candle to use as reference (1st, 2nd, 3rd, etc. back)
Adjust grid spacing in points
✅ Multi-Timeframe Dashboard:
Displays Open, Close, High, Low and Price Difference for:
Current timeframe
30M, 1H, 2H, 3H, 4H, 6H, 12H, 1D
✅ Smart Confluence Alerts:
Visual signals when all timeframes align (bullish/bearish)
Special 1H candle analysis after 30 minutes
✅ Clean Visualization:
Thick red line marking reference level
Blue (above) and gold (below) grid lines at regular intervals
Informative label showing reference value and candle used
⚙ How To Use:
1️⃣ Set Grid Timeframe (e.g. "D" for daily, "60" for 1H)
2️⃣ Choose Reference Candle ("1" = most recent, "2" = previous, etc.)
3️⃣ Adjust Grid Spacing (e.g. 5 points between levels)
4️⃣ Watch for Confluence across timeframes
💡 Pro Tip: Use higher timeframes (Daily/Weekly) for significant levels and lower timeframes (1H/4H) for intraday trading.
🔔 Like & Favorite to support future updates!
Optimized Code | Pine Script v5 | TradingView
🎯 Perfect For: Swing Trading, Day Trading, Multi-Timeframe Analysis
TAKEPROFITS SECRET SAUCE V4Plots daily 4hr 1kr and 15min levels
adjustable colors
This indicator auto plots for you
Painel Técnico — Múltiplos TFs (5m,15m,1h,4h,1D) BrenoGtechnical table with inflection points that help me buy
Engulfing&Hammer - BullishEngulfing&Hammer - Bullish
Engulfing&Hammer - Bullish
Engulfing&Hammer - Bullish
X OR AVWAPX OR AVWAP is a multi-layered market mapping tool designed to combine Opening Range analysis, Anchored VWAP (AVWAP) positioning, and SMA markers into a unified visual framework.
Opening Range (OR) Mapping
The indicator supports two independent Opening Ranges, allowing traders to define both a primary range and a micro range for finer analysis. This is particularly effective when viewing lower timeframes, where a smaller OR inside the larger OR reveals intraday microstructure.
OR #1 and OR #2 each have configurable session times, colors, and optional midpoint lines.
Historical OR boxes can be shown or hidden, with the ability to extend levels forward in time.
Optional Fibonacci-based expansion levels (0.5x, 1x, 1.5x, 2x, 3x OR) are available for projecting breakout targets and retracement zones.
Traders can toggle high/low lines, midpoints, and labels independently for cleaner chart presentation.
Anchored VWAP (AVWAP) Layers
To track institutional capital flow and session bias, the indicator offers three separate AVWAP anchors, each independently controlled:
Can be anchored to custom events, sessions, or manual reference points.
Enables granular capital flow mapping down to 4-hour increments, helping traders align intraday trades with broader directional bias.
Each AVWAP can be toggled on/off to avoid clutter and isolate the most relevant flow line for the current setup.
SMA Markers
For additional context, simple moving average markers can be displayed alongside OR and AVWAP structure, helping gauge trend direction and mean-reversion potential.
Use Case
This tool is built for traders who want to combine structure, flow, and trend in a single view. On lower timeframes, the dual OR feature allows for a “range-within-a-range” perspective, revealing short-term liquidity pockets inside the day’s primary auction boundaries. The multi-anchor AVWAPs track how price interacts with session-based weighted averages, highlighting points where institutional bias may shift. When combined with SMA markers, the trader gains a comprehensive map for scalping, intraday swing trading, and capital flow tracking.