Daily Start Vertical Lines (≤1H)This indicator automatically plots vertical lines at the start of each new trading day, based on the selected chart’s timezone. Unlike the default daily session boundaries (which often start at 17:00 New York time), this tool ensures that lines are drawn precisely at 00:00 midnight of the chart’s timezone.
🔹 Features:
Plots a vertical line at every new day start (midnight).
Fully time-zone aware → lines adjust automatically when you change the chart’s timezone.
Customizable line style, width, and color.
Option to limit plotting to specific timeframes (e.g., show only on ≤ 1H charts).
Lightweight & optimized (does not clutter higher-timeframe charts).
🔹 Use Cases:
Quickly identify daily boundaries for intraday analysis.
Helps scalpers and day traders align trades with new day opens.
Useful for strategies that depend on daily session resets.
This tool is especially helpful for traders who want clarity when working across different time zones.
Motifs graphiques
Adaptive Rolling Quantile Bands [CHE]  Adaptive Rolling Quantile Bands  
  Part 1 — Mathematics and Algorithmic Design 
Purpose. The indicator estimates distribution‐aware price levels from a rolling window and turns them into dynamic “buy” and “sell” bands. It can work on raw price or on *residuals* around a baseline to better isolate deviations from trend. Optionally, the percentile parameter $q$ adapts to volatility via ATR so the bands widen in turbulent regimes and tighten in calm ones. A compact, latched state machine converts these statistical levels into high-quality discretionary signals.
 Data pipeline. 
1. Choose a source (default `close`; MTF optional via `request.security`).
2. Optionally compute a baseline (`SMA` or `EMA`) of length $L$.
3. Build the *working series*: raw price if residual mode is off; otherwise price minus baseline (if a baseline exists).
4. Maintain a FIFO buffer of the last $N$ values (window length). All quantiles are computed on this buffer.
5. Map the resulting levels back to price space if residual mode is on (i.e., add back the baseline).
6. Smooth levels with a short EMA for readability.
 Rolling quantiles. 
Given the buffer $X_{t-N+1..t}$ and a percentile $q\in $, the indicator sorts a copy of the buffer ascending and linearly interpolates between adjacent ranks to estimate:
* Buy band $\approx Q(q)$
* Sell band $\approx Q(1-q)$
* Median $Q(0.5)$, plus optional deciles $Q(0.10)$ and $Q(0.90)$
Quantiles are robust to outliers relative to means. The estimator uses only data up to the current bar’s value in the buffer; there is no look-ahead.
 Residual transform (optional). 
In residual mode, quantiles are computed on $X^{res}_t = \text{price}_t - \text{baseline}_t$. This centers the distribution and often yields more stationary tails. After computing $Q(\cdot)$ on residuals, levels are transformed back to price space by adding the baseline. If `Baseline = None`, residual mode simply falls back to raw price.
 Volatility-adaptive percentile. 
Let $\text{ATR}_{14}(t)$ be current ATR and $\overline{\text{ATR}}_{100}(t)$ its long SMA. Define a volatility ratio $r = \text{ATR}_{14}/\overline{\text{ATR}}_{100}$. The effective quantile is:
 Smoothing. 
Each level is optionally smoothed by an EMA of length $k$ for cleaner visuals. This smoothing does not change the underlying quantile logic; it only stabilizes plots and signals.
 Latched state machines. 
Two three-step processes convert levels into “latched” signals that only fire after confirmation and then reset:
* BUY latch:
  (1) HLC3 crosses above the median →
  (2) the median is rising →
  (3) HLC3 prints above the upper (orange) band → BUY latched.
* SELL latch:
  (1) HLC3 crosses below the median →
  (2) the median is falling →
  (3) HLC3 prints below the lower (teal) band → SELL latched.
Labels are drawn on the latch bar, with a FIFO cap to limit clutter. Alerts are available for both the simple band interactions and the latched events. Use “Once per bar close” to avoid intrabar churn.
 MTF behavior and repainting. 
MTF sourcing uses `lookahead_off`. Quantiles and baselines are computed from completed data only; however, any *intrabar* cross conditions naturally stabilize at close. As with all real-time indicators, values can update during a live bar; prefer bar-close alerts for reliability.
 Complexity and parameters. 
Each bar sorts a copy of the $N$-length window (practical $N$ values keep this inexpensive). Typical choices: $N=50$–$100$, $q_0=0.15$–$0.25$, $k=2$–$5$, baseline length $L=20$ (if used), adaptation strength $s=0.2$–$0.7$.
  Part 2 — Practical Use for Discretionary/Active Traders 
What the bands mean in practice.
The teal “buy” band marks the lower tail of the recent distribution; the orange “sell” band marks the upper tail. The median is your dynamic equilibrium. In residual mode, these tails are deviations around trend; in raw mode they are absolute price percentiles. When ATR adaptation is on, tails breathe with regime shifts.
 Two core playbooks. 
 1. Mean-reversion around a stable median. 
   * Context: The median is flat or gently sloped; band width is relatively tight; instrument is ranging.
   * Entry (long): Look for price to probe or close below the buy band and then reclaim it, especially after HLC3 recrosses the median and the median turns up.
   * Stops: Place beyond the most recent swing low or $1.0–1.5\times$ ATR(14) below entry.
   * Targets: First scale at the median; optional second scale near the opposite band. Trail with the median or an ATR stop.
   * Symmetry: Mirror the rules for shorts near the sell band when the median is flat to down.
 2. Continuation with latched confirmations. 
   * Context: A developing trend where you want fewer but cleaner signals.
   * Entry (long): Take the latched BUY (3-step confirmation) on close, or on the next bar if you require bar-close validation.
   * Invalidation: A close back below the median (or below the lower band in strong trends) negates momentum.
   * Exits: Trail under the median for conservative exits or under the teal band for trend-following exits. Consider scaling at structure (prior swing highs) or at a fixed $R$ multiple.
 Parameter guidance by timeframe. 
* Scalping / LTF (1–5m): $N=30$–$60$, $q_0=0.20$, $k=2$–3, residual mode on, baseline EMA $L=20$, adaptation $s=0.5$–0.7 to handle micro-vol spikes. Expect more signals; rely on latched logic to filter noise.
* Intraday swing (15–60m): $N=60$–$100$, $q_0=0.15$–0.20, $k=3$–4. Residual mode helps but is optional if the instrument trends cleanly. $s=0.3$–0.6.
* Swing / HTF (4H–D): $N=80$–$150$, $q_0=0.10$–0.18, $k=3$–5. Consider `SMA` baseline for smoother residuals and moderate adaptation $s=0.2$–0.4.
 Baseline choice. 
Use EMA for responsiveness (fast trend shifts) and SMA for stability (smoother residuals). Turning residual mode on is advantageous when price exhibits persistent drift; turning it off is useful when you explicitly want absolute bands.
 How to time entries. 
Prefer bar-close validation for both band recaptures and latched signals. If you must act intrabar, accept that crosses can “un-cross” before close; compensate with tighter stops or reduced size.
 Risk management. 
Position size to a fixed fractional risk per trade (e.g., 0.5–1.0% of equity). Define invalidation using structure (swing points) plus ATR. Avoid chasing when distance to the opposite band is small; reward-to-risk degrades rapidly once you are deep inside the distribution.
 Combos and filters. 
* Pair with a higher-timeframe median slope as a regime filter (trade only in the direction of the HTF median).
* Use band width relative to ATR as a range/trend gauge: unusually narrow bands suggest compression (mean-reversion bias); expanding bands suggest breakout potential (favor latched continuation).
* Volume or session filters (e.g., avoid illiquid hours) can materially improve execution.
 Alerts for discretion. 
Enable “Cross above Buy Level” / “Cross below Sell Level” for early notices and “Latched BUY/SELL” for conviction entries. Set alerts to “Once per bar close” to avoid noise.
 Common pitfalls. 
Do not interpret band touches as automatic signals; context matters. A strong trend will often ride the far band (“band walking”) and punish counter-trend fades—use the median slope and latched logic to separate trend from range. Do not oversmooth levels; you will lag breaks. Do not set $q$ too small or too large; extremes reduce statistical meaning and practical distance for stops.
 A concise checklist. 
1. Is the median flat (range) or sloped (trend)?
2. Is band width expanding or contracting vs ATR?
3. Are we near the tail level aligned with the intended trade?
4. For continuation: did the 3 steps for a latched signal complete?
5. Do stops and targets produce acceptable $R$ (≥1.5–2.0)?
6. Are you trading during liquid hours for the instrument?
Summary. ARQB provides statistically grounded, regime-aware bands and a disciplined, latched confirmation engine. Use the bands as objective context, the median as your equilibrium line, ATR adaptation to stay calibrated across regimes, and the latched logic to time higher-quality discretionary entries.
Disclaimer
No indicator guarantees profits. Adaptive Rolling Quantile Bands   is a decision aid; always combine with solid risk management and your own judgment. Backtest, forward test, and size responsibly.
The content provided, including all code and materials, is strictly for educational and informational purposes only. It is not intended as, and should not be interpreted as, financial advice, a recommendation to buy or sell any financial instrument, or an offer of any financial product or service. All strategies, tools, and examples discussed are provided for illustrative purposes to demonstrate coding techniques and the functionality of Pine Script within a trading context.
Any results from strategies or tools provided are hypothetical, and past performance is not indicative of future results. Trading and investing involve high risk, including the potential loss of principal, and may not be suitable for all individuals. Before making any trading decisions, please consult with a qualified financial professional to understand the risks involved.
By using this script, you acknowledge and agree that any trading decisions are made solely at your discretion and risk.
Enhance your trading precision and confidence 🚀
Best regards
Chervolino
Market Imbalance Tracker (Inefficient Candle + FVG)# 📊 Overview
This indicator combines two imbalance concepts:
• **Squared Up Points (SUP)** – midpoints of large, "inefficient" candles that often attract price back.
• **Fair Value Gaps (FVG)** – 3-candle gaps created by strong impulse moves that often get "filled."
Use them separately or together. Confluence between a SUP line and an FVG boundary/midpoint is high-value.
---
# ⚡ Quick Start (2 minutes)
1. **Add to chart** → keep defaults (Percentile method, 80th percentile, 100-bar lookback).
2. **Watch** for dashed SUP lines to print after large candles.
3. **Toggle Show FVG** → see green/red boxes where gaps exist.
4. **Turn on alerts** → New SUP created, SUP touched, New FVG.
5. **Trade the reaction** → look for confluence (SUP + FVG + S/R), then manage risk.
---
# 🛠 Features
## 🔹 Squared Up Points (SUP)
• **Purpose:** Midpoint of a large candle → potential support/resistance magnet.
• **Detection:** Choose *Percentile* (adaptive) or *ATR Multiple* (absolute).
• **Validation:** Only plots if the preceding candle does not touch the midpoint (with tolerance).
• **Lifecycle:** Line auto-extends into the future; it's removed when touched or aged out.
• **Visual:** Horizontal dashed line (color/width configurable; style fixed to dashed if not exposed).
## 🔹 Fair Value Gaps (FVG)
• **Purpose:** 3-candle gaps from an impulse; price often revisits to "fill."
• **Detection:** Requires a strong directional candle (Marubozu threshold) creating a gap.
• **Types:**
  - **Bullish FVG (Green):** Gap below; expectation is downward fill.
  - **Bearish FVG (Red):** Gap above; expectation is upward fill.
• **Close Rules (if implemented):**
  - *Full Fill:* Gap closes when the opposite boundary is tagged.
  - *Midpoint Fill:* Gap closes when its midpoint is tagged.
• **Visual:** Colored boxes; optional split-coloring to emphasize the midpoint.
> **Note:** If a listed FVG option isn't visible in Inputs, you're on a lighter build; use the available switches.
---
# ⚙️ Settings
## SUP Settings
• **Candle Size Method:** Percentile (top X% of recent ranges) or ATR Multiple.
• **Candle Size Percentile:** e.g., 80 → top 20% largest candles.
• **ATR Multiple & Period:** e.g., 1.5 × ATR(14).
• **Percentile Lookback:** Bars used to compute percentile.
• **Lookback Period:** How long SUP lines remain eligible before auto-cleanup.
• **Touch Tolerance (%):** Buffer based on the inefficient candle's range (0% = exact touch).
## Line Appearance
• **Line Color / Width:** Customizable.
• **Style:** Dashed (fixed unless you expose a style input).
## FVG Settings (if present in your build)
• **Show FVG:** On/Off.
• **Close Method:** Full Fill or Midpoint.
• **Marubozu Wick Tolerance:** Max wick % of the impulse bar.
• **Use Split Coloring:** Two-tone box halves around midpoint.
• **Colors:** Bullish/Bearish, and upper/lower halves (if split).
• **Max FVG Age:** Auto-remove older gaps.
---
# 📈 How to Use
## Trading Applications
• **SUP Lines:** Expect reaction on first touch; use as S/R or profit-taking magnets.
• **FVG Fills:** Price frequently tags the midpoint/boundary before continuing.
• **Confluence:** SUP at an FVG midpoint/boundary + higher-timeframe S/R = higher quality.
• **Bias:** Clusters of unfilled FVGs can hint at path of least resistance.
## Best Practices
• **Timeframe:** HTFs for swing levels, LTFs for execution.
• **Volume:** High volume at level = stronger signal.
• **Context:** Trade with broader trend or at least avoid counter-trend without confirmation.
• **Risk:** Always pre-define invalidation; structures fail in chop.
---
# 🔔 Alerts
• **New SUP Created** – When a qualifying inefficient candle prints a SUP midpoint.
• **SUP Touched/Invalidated** – When price touches within tolerance.
• **New FVG Detected** – When a valid gap forms per your rules.
> **Tip:** Set alerts *Once Per Bar Close* on HTFs; *Once* on LTFs to avoid noise.
---
# 🧑💻 Technical Notes
• **Percentile vs ATR:** Percentile adapts to volatility; ATR gives consistency for backtesting.
• **FVG Direction Logic:** Gap above price = bearish (expect up-fill); below = bullish (expect down-fill).
• **Performance:** Limits on lines/boxes and auto-aging keep things snappy.
---
# ⚠️ Limitations
• Imbalances are **context tools**, not signals by themselves.
• Works best with trend or clear impulses; expect noise in narrow ranges.
• Lower-timeframe gaps can be plentiful and lower quality.
---
# 📌 Version & Requirements
• **Pine Script v6**
• Heavy drawings may require **TradingView Pro** or higher (object limits).
---
*For best results, combine with your existing trading strategy and proper risk management.*
Fear & Greed Oscillator — LEAP Puts (v6, manual DMI/ADX)Fear & Greed Oscillator — LEAP Puts (v6, manual DMI/ADX) is a Puts-focused mirror of the Calls version, built to flag top risk and momentum rollovers for timing LEAP Put entries. It outputs a smoothed composite from −100 to +100 using slower MACD, manual DMI/ADX (Wilder), RSI and Stoch RSI extremes, OBV distribution vs. accumulation, and volume spike & direction, with optional Put/Call Ratio and IV Rank inputs. All thresholds, weights, and smoothing match the Calls script for 1:1 customization, and a component table shows what’s driving the score. Reading is simple: higher values = rising top-risk (red shading above “Top-Risk”); lower values = deep dip / bounce risk (green shading). Built-in alerts cover Top-Risk, Deep Dip, and zero-line crosses for clear, actionable cues.
Volume Weighted Average Price HPSIt helps you to get to know about the volume basis on monthly , yearly and so on.
Timeframe Shift AlertIf the higher timeframe flips bullish, you’ll get a notification like:
“✅ Higher TF (240) just flipped from Bearish → Bullish”
	•	If it flips bearish, you’ll get:
“❌ Higher TF (240) just flipped from Bullish → Bearish”
Breakout Signals This indicator is a Pine Script tool for identifying potential trading opportunities using breakout signals. It provides two distinct types of breakout alerts and calculates a potential price target for one of them.
### Breakout Signal Types
* **Lowest Low Breakout:** This signal is triggered when the current bar closes above the high of the previous bar, and that previous bar had the lowest low within a user-defined lookback period. This indicates a potential bullish reversal after a short-term downtrend.
* **Highest High Breakout:** This signal occurs when the current bar's close price exceeds the highest high recorded within a specified lookback period. This pattern suggests strong bullish momentum and a potential continuation of an uptrend.
### Visuals and Alerts
The indicator helps visualize these signals on the chart by highlighting the background of entry candles. It uses a light green background for the Lowest Low Breakout and a light yellow for the Highest High Breakout. A table is displayed on the chart to show the details of the most recent Lowest Low Breakout and its calculated target. Additionally, it provides an alert feature to notify users in real time when either of the breakout conditions is met.
Smart Money Windows- X7Smart Money Windows 📊💰
Unlock the secret moves of the big players! This indicator highlights key liquidity traps, smart money zones, and market kill zones for the Asian, London, and New York sessions. See where the pros hide their orders and spot potential price flips before they happen! 🚀🔥
Features:
Visual session boxes with high/low/mid levels 🟪🟫
NY session shifted 60 mins for precise timing 🕒
Perfect for spotting traps, inducements & smart money maneuvers 🎯
Works on Forex, crypto, and stocks 💹
Get in the “Smart Money Window” and trade like the pros! 💸🔑
By HH
Smart Money Windows- X7Smart Money Windows 📊💰
Unlock the secret moves of the big players! This indicator highlights key liquidity traps, smart money zones, and market kill zones for the Asian, London, and New York sessions. See where the pros hide their orders and spot potential price flips before they happen! 🚀🔥
Features:
Visual session boxes with high/low/mid levels 🟪🟫
NY session shifted 60 mins for precise timing 🕒
Perfect for spotting traps, inducements & smart money maneuvers 🎯
Works on Forex, crypto, and stocks 💹
Get in the “Smart Money Window” and trade like the pros! 💸🔑
By HH
EdgeFlow Pullback [CHE]EdgeFlow Pullback \  — Icon & Visual Guide (Deep Dive) 
 TL;DR (1-minute read)
 ⏳ Hourglass = Pending verdict. A countdown runs from the signal bar until your Evaluation Window ends.
 ✔ Checkmark (green) = OK. After the evaluation window, price (HLC3) is on the correct side of the EMA144 for that signal’s direction.
 ✖ Cross (red) = Fail. After the evaluation window, price (HLC3) is on the wrong side of the EMA144.
 ▲ / ▼ Triangles = the actual PB Long/Short signal bar (sequence completed in time).
 Small lime/red crosses = visual markers when HLC3 crosses EMA144 (context, not trade signals).
 Orange line = EMA144 (baseline/trend filter).
 T3 line color = Context signal: green when T3 is below HLC3, red when T3 is above HLC3.
  Icon Glossary (What each symbol means) 
 1) ⏳ Hourglass — “Pending / Countdown”
 Appears immediately when a PB signal fires (Long or Short).
 Shows `⏳ currentBars / EvaluationBars` (e.g., `⏳ 7/30`).
 The label stays anchored at the signal bar and its original price level (it does not drift with price).
 During ⏳ you get no verdict yet. It’s simply the waiting period before grading.
 2) ✔ Checkmark (green) — “Condition met”
 Appears after the Evaluation Window completes.
 Logic:
   Long signal: HLC3 (typical price) is above EMA144 → ✔
   Short signal: HLC3 is below EMA144 → ✔
 The label turns green and text says “✔ … Condition met”.
 This is rules-based grading, not PnL. It tells you if the post-signal structure behaved as expected.
 3) ✖ Cross (red) — “Condition failed”
 Appears after the Evaluation Window completes if the condition above is not met.
 Label turns red with “✖ … Condition failed”.
 Again: rules-based verdict, not a guarantee of profit or loss.
 4) ▲ “PB Long” triangle (below bar)
 Marks the exact bar where the 4-step Long sequence completed within the allowed window.
 That bar is your signal bar for Long setups.
 5) ▼ “PB Short” triangle (above bar, red)
 Same as above, for Short setups.
 6) Lime/Red “+” crosses (tiny cross markers)
 Lime cross (below bar): HLC3 crosses above EMA144 (crossover).
 Red cross (above bar): HLC3 crosses below EMA144 (crossunder).
 These crosses are context markers; they’re not entry signals by themselves.
 The Two Clocks (Don’t mix them up)
 There are two different time windows at play: 
1. Signal Window — “Max bars for full sequence”
    A pullback signal (Long or Short) only fires if the 4-step sequence completes within this many bars.
    If it takes too long: reset (no signal, no triangle, no label).
    Purpose: avoid stale setups.
2. Evaluation Window — “Evaluation window after signal (bars)”
    Starts after the signal bar. The label shows an ⏳ countdown.
    When it reaches the set number of bars, the indicator checks whether HLC3 is on the correct side of EMA144 for the signal direction.
    Then it stamps the signal with ✔ (OK) or ✖ (Fail).
 Timeline sketch (Long example): 
```
  →  ▲ PB Long at bar t0
Label shows: ⏳ 0/EvalBars
t0+1, t0+2, ... t0+EvalBars-1 → still ⏳
At t0+EvalBars → Check HLC3 vs EMA144
Result → ✔ (green)  or  ✖ (red)
(Label remains anchored at t0 / signal price)
```
  What Triggers the PB Signal (so you know why triangles appear) 
LONG sequence (4 steps in order):
1. T3 falling (the pullback begins)
2. HLC3 crosses under EMA144
3. T3 rising (pullback ends)
4. HLC3 crosses over EMA144 → PB Long triangle
SHORT sequence (mirror):
1. T3 rising
2. HLC3 crosses over EMA144
3. T3 falling
4. HLC3 crosses under EMA144 → PB Short triangle
If steps 1→4 don’t complete in time (within Max bars for full sequence), the sequence is abandoned (no signal).
  Lines & Colors (quick interpretation) 
 EMA144 (orange): your baseline trend filter.
 T3 (green/red):
   Green when T3 < HLC3 (price above the smoothed path; often supportive in up-moves)
   Red when T3 > HLC3 (price below the smoothed path; often pressure in down-moves)
 HLC3 (gray): the typical price the logic uses ( (H+L+C)/3 ).
  Label Behavior (anchoring & cleanup) 
 Each signal creates one label at the signal bar with ⏳.
 The label is position-locked: it stays at the same bar index and y-price it was born at.
 After the evaluation check, the label text and color update to ✔/✖, but position stays fixed.
 The indicator keeps only the last N labels (your “Show only the last N labels” input). Older ones are deleted to reduce clutter.
  What You Can (and Can’t) Infer from ✔ / ✖ 
 ✔ OK: Structure behaved as intended during the evaluation window (HLC3 finished on the correct side of EMA144).
   Inference: The pullback continued in the expected direction post-signal.
 ✖ Fail: Structure ended up opposite the expectation.
   Inference: The pullback did not continue cleanly (chop, reversal, or insufficient follow-through).
> Important: ✔/✖ is not profit or loss. It’s an objective rule check. Use it to identify market regimes where your entries perform best.
  Input Settings — How they change the visuals 
 T3 length:
   Shorter → faster turns, more signals (and more noise).
   Longer → smoother turns, fewer but cleaner sequences.
 T3 volume factor (0–1, default 0.7):
   Higher → more curvature/smoothing.
   Typical sweet spot: 0.5–0.9.
 EMA length (baseline) default 144:
   Smaller → faster baseline, more cross events, more aggressive signals.
   Larger → slower, stricter trend confirmation.
 Max bars for full sequence (signal window):
   Smaller → only fresh, snappy pullbacks can signal.
   Larger → allows slower pullbacks to complete.
 Evaluation window (after signal):
   Smaller → verdict arrives quickly (less tolerance).
   Larger → gives the trade more time to prove itself structurally.
 Show only the last N labels:
   Controls chart clutter. Increase for more history, decrease for focus.
(FYI: The “Debug” toggle exists but doesn’t draw extra overlays in this version.)
  Practical Reading Flow (how to use visuals in seconds) 
1. Triangles catch your eye: ▲ for Long, ▼ for Short. That’s the setup completion.
2. ⏳ label starts—don’t judge yet; let the evaluation run.
3. Watch EMA slope and T3 color for context (trend + pressure).
4. After the window: ✔/✖ stamps the outcome. Log what the market was like when you got ✔.
  Common “Why did…?” Questions 
Q: Why did I get no triangle even though T3 turned and EMA crossed?
A: The 4 steps must happen in order and within the Signal Window. If timing breaks, the sequence resets.
Q: Why did my label stay ⏳ for so long?
A: That’s by design until the Evaluation Window completes. The verdict only happens at the end of that window.
Q: Why is ✔/✖ different from my PnL?
A: It’s a structure check, not a profit check. It doesn’t know your entries/exits/stops.
Q: Do the small lime/red crosses mean buy/sell?
A: No. They’re context markers for HLC3↔EMA crosses, useful inside the sequence but not standalone signals.
  Pro Tips (turn visuals into decisions) 
 Entry: Use the ▲/▼ triangle as your trigger, in trend direction (check EMA slope/market structure).
 Stop: Behind the pullback swing around the signal bar.
 Exit: Structure levels, R-multiples, or a reverse HLC3↔EMA cross as a trailing logic.
 Tuning:
   Intraday/volatile: shorter T3/EMA + tighter Signal Window.
   Swing/slow: default 144 EMA + moderate windows.
 Learn quickly: Filter your chart to show only ✔ or only ✖ windows in your notes; see which sessions, assets, and volatility regimes suit the system.
 Disclaimer 
No indicator guarantees profits. Sweep2Trade Pro \  is a decision aid; always combine with solid risk management and your own judgment. Backtest, forward test, and size responsibly.
The content provided, including all code and materials, is strictly for educational and informational purposes only. It is not intended as, and should not be interpreted as, financial advice, a recommendation to buy or sell any financial instrument, or an offer of any financial product or service. All strategies, tools, and examples discussed are provided for illustrative purposes to demonstrate coding techniques and the functionality of Pine Script within a trading context.
Any results from strategies or tools provided are hypothetical, and past performance is not indicative of future results. Trading and investing involve high risk, including the potential loss of principal, and may not be suitable for all individuals. Before making any trading decisions, please consult with a qualified financial professional to understand the risks involved.
By using this script, you acknowledge and agree that any trading decisions are made solely at your discretion and risk.
Enhance your trading precision and confidence 🚀
Happy trading
Chervolino
20/40/60Displays three consecutive, connected range boxes showing high/low price ranges for customizable periods. Boxes are positioned seamlessly with shared boundaries for continuous price action visualization.
Features
Three Connected Boxes: Red (most recent), Orange (middle), Green (earliest) periods
Customizable Positioning: Set range length and starting offset from current bar
Individual Styling: Custom colors, transparency, and border width for each box
Display Controls: Toggle borders, fills, and line visibility
Use Cases
Range Analysis: Compare volatility across time periods, spot breakouts
Support/Resistance: Use box boundaries as potential S/R levels
Market Structure: Visualize recent price development and trend patterns
Key Settings
Range Length: Bars per box (default: 20)
Starting Offset: Bars back from current to position boxes (default: 0)
Style Options: Colors, borders, and visibility controls for each box
Perfect for traders analyzing consecutive price ranges and comparing current conditions to recent historical periods.
Justin's Bitcoin Power Law PredictorJustin's MSTR Powerlaw Price Predictor is a Pine Script v6 indicator for TradingView that adapts Giovanni Santostasi’s Bitcoin power law model to forecast MicroStrategy (MSTR) stock prices. Using the formula Price = A * (daysSinceGenesis)^B, it calculates fair, upper, and floor prices with constants A_fair = 1.16e-17,  A_floor = 0.42e-17, and B = 5.82, starting from Bitcoin’s genesis (January 3, 2009). The script plots these prices, displays values in a table.
Source:  www.ccn.com
Justin's MSTR Powerlaw Price PredictorJustin's MSTR Powerlaw Price Predictor is a Pine Script v6 indicator for TradingView that adapts Giovanni Santostasi’s Bitcoin power law model to forecast MicroStrategy (MSTR) stock prices. The price prediction is based on the the formula published in this article:
www.ccn.com
Advanced Ghost Volume DetectorAdvanced Ghost Volume DetectorAdvanced Ghost Volume DetectorAdvanced Ghost Volume DetectorAdvanced Ghost Volume Detector
Fibonacci Sequence Circles [BigBeluga]🔵  Overview   
The  Fibonacci Sequence Circles   is a unique and visually intuitive indicator designed for the TradingView platform. It combines the principles of the Fibonacci sequence with geometric circles to help traders identify potential support and resistance levels, as well as price expansion zones. The indicator dynamically anchors to key price points, such as pivot highs, pivot lows, or timeframe changes (daily, weekly, monthly), and generates Fibonacci-based circles around these anchor points.
 ⚠️For proper indicators visualization use simple not logarithmic chart 
🔵  Key Features   
 
   Customizable Anchor Points : The indicator can be anchored to  Pivot Highs ,  Pivot Lows , or timeframe changes ( Daily, Weekly, Monthly ), making it adaptable to various trading strategies.
  
   Fibonacci Sequence Logic : The circles are generated using the Fibonacci sequence, where the diameter of each circle is the sum of the diameters of the two preceding circles.
 
    first   = start_val
    secon   = start_val + int(start_val/2)
    three   = first + secon
    four    = secon + three
    five    = three + four
    six     = four + five
    seven   = five + six
    eight   = six + seven
    nine    = seven + eight
    ten     = eight + nine
 
   Adjustable Start Value : Traders can modify the starting value of the sequence to scale the circles larger or smaller, ensuring they fit the current price action.
  
   Color Customization : Each circle can be individually enabled or disabled, and its color can be customized for better visual clarity.
  
   Visual Labels : The diameter of each circle (in bars) is displayed next to the circle, providing additional context for analysis.
  
 
🔵  Usage   
 
   Step 1: Set the Anchor Point  - Choose the anchor type ( Pivot High, Pivot Low, Daily, Weekly, Monthly ) to define the center of the Fibonacci circles.
   Step 2: Adjust the Start Value  - Modify the starting value of the Fibonacci sequence to scale the circles according to the price action.
   Step 3: Customize Circle Colors  - Enable or disable specific circles and adjust their colors for better visualization.
   Step 4: Analyze Price Action  - Use the circles to identify potential support/resistance levels, price expansion zones, or trend continuation areas.
   Step 5: Combine with Other Tools  - Enhance your analysis by combining the indicator with other technical tools like trendlines, moving averages, or volume indicators.
 
The  Fibonacci Sequence Circles   is a powerful and flexible tool for traders who rely on Fibonacci principles and geometric patterns. Its ability to anchor to key price points and dynamically scale based on market conditions makes it suitable for various trading styles and timeframes. Whether you're a day trader or a long-term investor, this indicator can help you visualize and anticipate price movements with greater precision.
Floating Dashboard + KDE (v6)Simple indicator that displays ADX, RSI, MACD, ATR, Average Volume and KDE with dynamic Table and Label.
Volumetric Support and Resistance [BackQuant]Volumetric Support and Resistance  
 What this is 
This Overlay locates price levels where both structure and participation have been meaningful. It combines classical swing points with a volume filter, then manages those levels on the chart as price evolves. Each level carries:
• A reference price (support or resistance)
• An estimate of the volume that traded around that price
• A touch counter that updates when price retests it
• A visual box whose thickness is scaled by volatility
The result is a concise map of candidate support and resistance that is informed by both price location and how much trading occurred there.
 How levels are built 
 Find structural pivots  uses ta.pivothigh and ta.pivotlow with a user set sensitivity. Larger sensitivity looks for broader swings. Smaller sensitivity captures tighter turns.
 Require meaningful volume   computes an average volume over a lookback period and forms a volume ratio for the current bar. A pivot only becomes a level when the ratio is at least the volume significance multiplier.
 Avoid clustering  checks a minimum level distance (as a percent of price). If a candidate is too close to an existing level, it is skipped to keep the map readable.
 Attach a volume strength to the level  estimates volume strength by averaging the volume of recent bars whose high to low range spans that price. Levels with unusually high strength are flagged as high volume.
 Store and draw  levels are kept in an array with fields for price, type, volume, touches, creation bar, and a box handle. On the last bar, each level is drawn as a horizontal box centered at the price with a vertical thickness scaled by ATR. Borders are thicker when the level is marked high volume. Boxes can extend into the future.
 How levels evolve over time 
•  Aging and pruning : levels are removed if they are too old relative to the lookback or if you exceed the maximum active levels.
•  Break detection : a level can be removed when price closes through it by more than a break threshold set as a fraction of ATR. Toggle with Remove Broken Levels.
•  Touches : when price approaches within the break threshold, the level’s touch counter increments.
 Visual encoding 
•  Boxes : support boxes are green, resistance boxes are red. Box height uses an ATR based thickness so tolerance scales with volatility. Transparency is fixed in this version. Borders are thicker on high volume levels.
•  Volume annotation : show the estimated volume inside the box or as a label at the right. If a level has more than one touch, a suffix like “(2x)” is appended.
•  Extension : boxes can extend a fixed number of bars into the future and can be set to extend right.
•  High volume bar tint : bars with volume above average × multiplier are tinted green if up and red if down.
 Inputs at a glance 
 Core Settings 
• Level Detection Sensitivity — pivot window for swing detection
• Volume Significance Multiplier — minimum volume ratio to accept a pivot
• Lookback Period — window for average volume and maintenance rules
 Level Management 
• Maximum Active Levels — cap on concurrently drawn levels
• Minimum Level Distance (%) — required spacing between level prices
 Visual Settings 
• Remove Broken Levels — drop a level once price closes decisively through it
• Show Volume Information on Levels — annotate volume and touches
• Extend Levels to Right — carry boxes forward
 Enhanced Visual Settings 
• Show Volume Text Inside Box — text placement option
• Volume Based Transparency and Volume Based Border Thickness — helper logic provided; current draw block fixes transparency and increases border width on high volume levels
 Colors 
• Separate colors for support, resistance, and their high volume variants
 How it can be used 
•  Trade planning : use the most recent support and resistance as reference zones for entries, profit taking, or stop placement. ATR scaled thickness provides a practical buffer.
•  Context for patterns : combine with breakouts, pullbacks, or candle patterns. A breakout through a high volume resistance carries more informational weight than one through a thin level.
•  Prioritization : when multiple levels are nearby, prefer high volume or higher touch counts.
•  Regime adaptation : widen sensitivity and increase minimum distance in fast regimes to avoid clutter. Tighten them in calm regimes to capture more granularity.
 Why volume support and resistance is used in trading 
Support and resistance relate to willingness to transact at certain prices. Volume measures participation. When many contracts change hands near a price:
• More market players hold inventory there, often creating responsive behavior on retests
• Order flow can concentrate again to defend or to exit
• Breaks can be cleaner as trapped inventory rebalances
Conditioning level detection on above average activity focuses attention on prices that mattered to more participants.
 Alerts 
• New Support Level Created
• New Resistance Level Created
• Level Touch Alert
• Level Break Alert
 Strengths 
• Dual filter of structure and participation, reducing trivial swing points
• Self cleaning map that retires old or invalid levels
• Volatility aware presentation using ATR based thickness
• Touch counting for persistence assessment
• Tunable inputs for instrument and timeframe
 Limitations and caveats 
• Volume strength is an approximation based on bars spanning the price, not true per price volume
• Pivots confirm after the sensitivity window completes, so new levels appear with a delay
• Narrow ranges can still cluster levels unless minimum distance is increased
• Large gaps may jump past levels and immediately trigger break conditions
 Practical tuning guide 
• If the chart is crowded: increase sensitivity, increase minimum level distance, or reduce maximum active levels
• If useful levels are missed: reduce volume multiplier or sensitivity
• If you want stricter break removal: increase the ATR based break threshold in code
• For instruments with session patterns: tailor the lookback period to a representative window
 Interpreting touches and breaks 
• First touch after creation is a validation test
• Multiple shallow touches suggest absorption; a later break may then travel farther
• Breaks on high current volume merit extra attention
 Multi timeframe usage 
Levels are computed on the active chart timeframe. A common workflow is to keep a higher timeframe instance for structure and a lower timeframe instance for execution. Align trades with higher timeframe levels where possible.
 Final Thoughts 
This indicator builds a lightweight, self updating map of support and resistance grounded in swings and participation. It is not a full market profile, but it captures much of the practical benefit with modest complexity. Treat levels as context and decision zones, not guarantees. Combine with your entry logic and risk controls.
FBTBBT (Filtered Black Two Bar Break Through)📘 FBTBBT (Filtered Black Two Bar Break Through)
Overview  
FBTBBT is a filtered breakout indicator based on the classical Two Bar Break Through (TBBT) concept.  
It generates Buy and Sell signals when price breaks above or below the previous bar’s high/low, but only displays the **first signal in a run** to avoid noise and duplicates.
- Buy Signal → Break above previous high  
- Sell Signal → Break below previous low  
- Filtered → Only the first signal in a consecutive streak is shown  
---
Key Features  
1. Filtered Signals  
   • Avoids repeated identical signals.  
   • Example: 3 consecutive bars breaking the previous low → only the first bar shows a Sell signal.  
2. Confirmation Options  
   • Real-Time Mode: signals appear intrabar as soon as the breakout happens.  
   • Close Confirmation: signals appear only after bar close beyond previous high/low (reduces repainting).  
3. Visual Aids  
   • Green “Buy” labels below breakout bars.  
   • Red “Sell” labels above breakout bars.  
   • Optional lines for previous bar’s high/low levels.  
4. Alerts  
   • Alerts trigger only on the first filtered signal in each run.  
   • Messages specify breakout above (Buy) or below (Sell).  
---
How to Use  
• Add FBTBBT to your TradingView chart.  
• Choose Real-Time or Close-Confirmed signals depending on your style.  
• Focus on the **first breakout signal**; ignore duplicates until the opposite side appears.  
• Combine with trend filters, volume, or higher timeframe context for stronger accuracy.  
---
👉 In short:  
**FBTBBT = Clean, filtered breakout signals with no noise.**  
Perfect for traders who want **precise first-bar breakouts** while avoiding repeated alerts.  
Inefficient Candle TrackerThe Inefficient Candle Tracker indicator highlights large, inefficient price moves and plots their midpoints as Squared Up Points.
Detects large candles using Percentile or ATR multiple methods
Draws dynamic dashed lines at candle midpoints until price “squares them up”
Built-in alerts for new SUP creation and when levels are touched
Great for spotting unfinished business in price action, confluence with support/resistance, and potential return levels.
Daily High/Low (15m) + EMA Pre-Market H/L + ORBStraightforward:
I built a swing-trading indicator with ChatGPT that plots 15-minute highs and lows, draws pre-market high/low lines, and adds a 15-minute opening-range breakout feature.
Technical:
Using ChatGPT, I developed a swing-trade indicator that calculates 15-minute highs/lows, overlays pre-market high and low levels, and includes a 15-minute Opening Range Breakout (ORB) module.
Promotional:
I created a ChatGPT-powered swing-trading indicator that maps 15-minute highs/lows, marks pre-market levels, and features a 15-minute Opening Range Breakout for clearer entries.
VWAP Filtered with TrendThis indicator combines the classic **VWAP** with a trend EMA filtered by the TDFI oscillator to confirm market direction.
- VWAP is displayed in white as the fair value reference.
- The trend EMA dynamically changes color according to market condition: green (uptrend), red (downtrend), orange (range).
- Candles highlight in blue when a bullish VWAP crossover is confirmed, and in fuchsia when a bearish crossover is confirmed.
- Includes adjustable thresholds and a cooldown filter to reduce noise and improve reliability.
This approach allows traders to identify not only the relative position to VWAP but also the strength and clarity of the trend, enhancing decision-making across all timeframes.
MATEOANUBISANTI-BILLIONSQUATDear traders, investors, and market enthusiasts,
We are excited to share our High-Low Indicator Range for   on  . This report aims to provide a clear and precise overview of the highest and lowest values recorded by   during this specific hour, equipping our community with a valuable tool for making informed and strategic market decisions.






















