Dual Relative Strength (vs NIFTY) Nikrun1. Fast RS (Early Leadership)
	•	Indicator: Relative Strength (by modhelius)
	•	Comparative Symbol: NIFTY
	•	Period: 26 weeks (~6 months)
	•	Purpose: Detects early shifts in relative strength before price fully confirms.
⸻
2. Slow RS (Confirmation)
	•	Add the same indicator again.
	•	Comparative Symbol: NIFTY
	•	Period: 52 weeks (1 year)
	•	Purpose: Confirms sustained leadership. Helps filter noise & false positives.
⸻
3. Visuals
	•	Style tip:
	•	Make RS(26) = blue line (fast, responsive).
	•	Make RS(52) = thicker black/green line (slow, authority).
	•	Keep zero line visible so you instantly see outperformance/underperformance.
⸻
Поиск скриптов по запросу "西班牙人VS奥萨苏纳"
buy sell ultra systemWhat it is
EMA-POC Momentum System Ultra combines a proven trend stack (EMA 20/50/238), a price-of-control layer (POC via Bar-POC or VWAP alternative), and a momentum trigger (RSI) to surface higher-quality entries only when multiple, independent conditions align. This is not a cosmetic mashup; each component gates the others.
How components work together
Trend (EMA 20/50/238): Defines short/medium/long bias and filters counter-trend signals.
POC (Bar-POC or Alt-POC/VWAP): Locates the most-traded/weighted price area; a neutral band around POC helps avoid chop.
Control background: Above POC → buyers likely in control; below → sellers.
Momentum (RSI): Entry arrows print only when RSI confirms with trend and price location vs POC; optional “cross 50” requirement reduces noise.
Optional HTF trend: Confluence with a higher-timeframe EMA stack for stricter filtering.
Why it’s original/useful
Signals require confluence of (1) EMA trend stack, (2) POC location and neutral-zone filtering, (3) momentum confirmation, (4) optional slope and distance-to-POC checks, and (5) optional HTF trend. This reduces false positives compared with using any layer in isolation.
How to use
Markets/TFs: Built for XAUUSD (Gold) and US30. Works 1m–1h for intraday; 2h–4h for swing.
Entries:
Long: EMA stack bullish, price above POC, not in neutral band, RSI condition true → “Buy” arrow.
Short: Opposite conditions → “Sell” arrow.
Stops/Targets (suggested):
Initial stop beyond POC/neutral band or recent swing.
First target around 1R; trail with EMA20/50 or structure breaks.
Settings to tune:
POC Mode: Bar-POC (highest-volume bar’s close over lookback) or Alt-POC (VWAP).
Neutral Band %: 0.10–0.35 typical intraday.
Min distance from POC: 0.10–0.50% helps avoid low-RR entries right at POC.
RSI: Choose “cross 50” for stricter triggers or simple >/< 50 for more signals.
HTF trend: Turn on for extra confluence.
Alerts:
Buy Signal and Sell Signal (separate), or one Combined Buy/Sell alert.
Set to “Once per bar close” if you want only confirmed arrows.
Repainting / limitations
Shapes can move until bar close (standard Pine behavior) when using intrabar conditions; final confirmation at close. No system guarantees profitability—forward test and adapt to your market/instrument.
Clean chart
The published chart contains only this script so outputs are easy to identify.
Versions / updates
Use Publish → Update for minor changes; do not create new publications for small tweaks. If you fork to preserve older behavior, explain why and how your fork differs.
Changelog
v1.1 – Tuning for Gold/US30, neutral-band & distance filters, optional HTF trend, combined alert.
v1.0 – Initial public release (EMA stack + POC modes + RSI + alerts).
License & credits
Open-source for learning and improvement. Please credit on forks and explain modifications in your description.
Buy vs Sell Volume EMA + Signals (fix: bgcolor scope)How to read it
Green EMA above Red EMA = sustained buying volume dominance.
Red EMA above Green EMA = sustained selling volume dominance.
Arrows mark shifts (crossovers).
Optional faint columns show the raw split of buy/sell volume if you enable “Show Raw Buy/Sell Volume Bars.”
Cardwell RSI by TQ📌 Cardwell RSI – Enhanced Relative Strength Index 
This indicator is based on  Andrew Cardwell’s RSI methodology , extending the classic RSI with tools to better identify  bullish/bearish ranges  and trend dynamics.
 In uptrends, RSI tends to hold between 40–80 (Cardwell bullish range).
In downtrends, RSI tends to stay between 20–60 (Cardwell bearish range). 
 Key Features :
 
  Standard RSI with configurable length & source
  Fast (9) & Slow (45) RSI Moving Averages (toggleable)
  Cardwell Core Levels (80 / 60 / 40 / 20) – enabled by default
  Base Bands (70 / 50 / 30) in dotted style
  Optional custom levels (up to 3)
  Alerts for MA crosses and level crosses
  Data Window metrics: RSI vs Fast/Slow MA differences
 
 How to Use :
 
  Monitor RSI behavior inside Cardwell’s bullish (40–80) and bearish (20–60) ranges
  Watch RSI crossovers with Fast (9) and Slow (45) MAs to confirm momentum or trend shifts
  Use levels and alerts as confluence with your trading strategy
 
 Default Settings :
 
  RSI Length: 14
  MA Type: WMA
  Fast MA: 9 (hidden by default)
  Slow MA: 45 (hidden by default)
  Cardwell Levels (80/60/40/20): ON
  Base Bands (70/50/30): ON
Deadband Hysteresis Filter [BackQuant]Deadband Hysteresis Filter  
 What this is 
This tool builds a “debounced” price baseline that ignores small fluctuations and only reacts when price meaningfully departs from its recent path. It uses a deadband to define how much deviation matters and a hysteresis scheme to avoid rapid flip-flops around the decision boundary. The baseline’s slope provides a simple trend cue, used to color candles and to trigger up and down alerts.
 Why deadband and hysteresis help 
  
  They filter micro noise so the baseline does not react to every tiny tick.
  They stabilize state changes. Hysteresis means the rule to start moving is stricter than the rule to keep holding, which reduces whipsaw.
  They produce a stepped, readable path that advances during sustained moves and stays flat during chop.
  
 How it works (conceptual) 
 At each bar the script maintains a running baseline  dbhf  and compares it to the input price  p .
 
  Compute a base threshold  baseTau  using the selected mode (ATR, Percent, Ticks, or Points).
  Build an  enter  band  tauEnter = baseTau × Enter Mult  and an  exit  band  tauExit = baseTau × Exit Mult  where typically  Exit Mult < Enter Mult .
  Let  diff = p − dbhf .
  
  If  diff > +tauEnter , raise the baseline by  response × (diff − tauEnter) .
  If  diff < −tauEnter , lower the baseline by  response × (diff + tauEnter) .
  Otherwise, hold the prior value.
  
  Trend state is derived from slope:  dbhf > dbhf  → up trend,  dbhf < dbhf  → down trend.
  
 Inputs and what they control 
 Threshold mode 
  
  ATR  —  baseTau = ATR(atrLen) × atrMult . Adapts to volatility. Useful when regimes change.
  Percent  —  baseTau = |price| × pctThresh% . Scale-free across symbols of different prices.
  Ticks  —  baseTau = syminfo.mintick × tickThresh . Good for futures where tick size matters.
  Points  —  baseTau = ptsThresh . Fixed distance in price units.
  
 Band multipliers and response 
  
  Enter Mult  — outer band. Price must travel at least this far from the baseline before an update occurs. Larger values reject more noise but increase lag.
  Exit Mult  — inner band for hysteresis. Keep this smaller than Enter Mult to create a hold zone that resists small re-entries.
  Response  — step size when outside the enter band. Higher response tracks faster; lower response is smoother.
  
 UI settings 
  
  Show Filtered Price  — plots the baseline on price.
  Paint candles  — colors bars by the filtered slope using your long/short colors.
  
 How it can be used 
  
  Trend qualifier  — take entries only in the direction of the baseline slope and skip trades against it.
  Debounced crossovers  — use the baseline as a stabilized surrogate for price in moving-average or channel crossover rules.
  Trailing logic  — trail stops a small distance beyond the baseline so small pullbacks do not eject the trade.
  Session aware filtering  — widen Enter Mult or switch to ATR mode for volatile sessions; tighten in quiet sessions.
  
 Parameter interactions and tuning 
  
  Enter Mult vs Response  — both govern sensitivity. If you see too many flips, increase Enter Mult or reduce Response. If turns feel late, do the opposite.
  Exit Mult  — widening the gap between Enter and Exit expands the hold zone and reduces oscillation around the threshold.
  Mode choice  — ATR adapts automatically; Percent keeps behavior consistent across instruments; Ticks or Points are useful when you think in fixed increments.
  Timeframe coupling  — on higher timeframes you can often lower Enter Mult or raise Response because raw noise is already reduced.
  
 Concrete starter recipes 
  
  General purpose  — ATR mode,  atrLen=14 ,  atrMult=1.0–1.5 ,  Enter=1.0 ,  Exit=0.5 ,  Response=0.20 . Balanced noise rejection and lag.
  Choppy range filter  — ATR mode, increase  atrMult  to 2.0, keep  Response≈0.15 . Stronger suppression of micro-moves.
  Fast intraday  — Percent mode,  pctThresh=0.1–0.3 ,  Enter=1.0 ,  Exit=0.4–0.6 ,  Response=0.30–0.40 . Quicker turns for scalping.
  Futures ticks  — Ticks mode, set  tickThresh  to a few spreads beyond typical noise; start with  Enter=1.0 ,  Exit=0.5 ,  Response=0.25 .
  
 Strengths 
  
  Clear, explainable logic with an explicit noise budget.
  Multiple threshold modes so the same tool fits equities, futures, and crypto.
  Built-in hysteresis that reduces flip-flop near the boundary.
  Slope-based coloring and alerts that make state changes obvious in real time.
  
 Limitations and notes 
  
  All filters add lag. Larger thresholds and smaller response trade faster reaction for fewer false turns.
  Fixed Points or Ticks can under- or over-filter when volatility regime shifts. ATR adapts, but will also expand bands during spikes.
  On extremely choppy symbols, even a well tuned band will step frequently. Widen Enter Mult or reduce Response if needed.
  This is a chart study. It does not include commissions, slippage, funding, or gap risks.
  
 Alerts 
  
  DBHF Up Slope  — baseline turns from down to up on the latest bar.
  DBHF Down Slope  — baseline turns from up to down on the latest bar.
  
 Implementation details worth knowing 
  
  Initialization sets the baseline to the first observed price to avoid a cold-start jump.
  Slope is evaluated bar-to-bar. The up and down alerts check for a change of slope rather than raw price crossings.
  Candle colors and the baseline plot share the same long/short palette with transparency applied to the line.
  
 Practical workflow 
  
  Pick a mode that matches how you think about distance. ATR for volatility aware, Percent for scale-free, Ticks or Points for fixed increments.
  Tune Enter Mult until the number of flips feels appropriate for your timeframe.
  Set Exit Mult clearly below Enter Mult to create a real hold zone.
  Adjust Response last to control “how fast” the baseline chases price once it decides to move.
  
 Final thoughts 
 Deadband plus hysteresis gives you a principled way to “only care when it matters.” With a sensible threshold and response, the filter yields a stable, low-chop trend cue you can use directly for bias or plug into your own entries, exits, and risk rules.
Prev Day Volume ProfileWhat the script does
Calculates yesterday’s Volume Profile from the bars on your chart (not tick data) and derives:
POC (Point of Control)
VAL (Value Area Low)
VAH (Value Area High)
Draws three horizontal lines for today:
POC in orange
VAL and VAH in purple
Adds labels on the right edge that show the level name and the exact price (e.g., POC 1.2345).
Why it’s bar-based (not tick-based)
Pine Script can’t fetch external tick/aggTrades data. The script approximates a volume profile by distributing each bar’s volume across the price bins that the bar’s high–low range covers. For “yesterday”, this produces a stable, TV-native approximation that’s usually sufficient for intraday trading.
Key inputs
Value Area %: Defaults to 0.70 (70%)—the typical value area range.
TZ Offset vs Exchange (hours): Shifts the day boundary to match your desired session (e.g., Europe/Berlin: +1 winter / +2 summer). This ensures “yesterday” means 00:00–24:00 in your target timezone.
Row Size: Manual? / Manual Row Size: If enabled, you can set the price bin size yourself. Otherwise, the script chooses a TV-like step from syminfo.mintick.
Colors & Line width: POC orange; VAL/VAH purple; configurable width.
Smart Structure Breaks & Order BlocksOverview (What it does) 
The indicator “Smart Structure Breaks & Order Blocks” detects market structure using swing highs and lows, identifies Break of Structure (BOS) events, and automatically draws order blocks (OBs) from the origin candle. These zones extend to the right and change color/outline when mitigated or invalidated. By formalizing and automating part of discretionary analysis, it provides consistent zone recognition.
 Main Components 
 
 Swing Detection: ta.pivothigh/ta.pivotlow identify confirmed swing points.
 BOS Detection: Determines if the recent swing high/low is broken by close (strict mode) or crossover.
 OB Creation: After a BOS, the opposite candle (bearish for bullish BOS, bullish for bearish BOS) is used to generate an order block zone.
 Zone Management: Limits the number of zones, extends them to the right, and tracks tagged (mitigated) or invalidated states.
 
 Input Parameters 
 
 Left/Right Pivot (default 6/6): Number of bars required on each side to confirm a swing. Higher values = smoother swings.
 Max Zones (default 4): Maximum zones stored per direction (bull/bear). Oldest zones are overwritten.
 Zone Confirmation Lookback (default 3): Ensures OB origin candle validity by checking recent highs/lows.
 Show Swing Points (default ON): Displays triangles on swing highs/lows.
 Require close for BOS? (default ON): Strict BOS (close required) vs loose BOS (line crossover).
 Use candle body for zones (default OFF): Zones drawn from candle body (ON) or wick (OFF).
 
 Signal Definition & Logic 
 
 Swing Updates: Latest confirmed pivots update lastHighLevel / lastLowLevel.
 BOS (Break of Structure):
 Bullish – close breaks last swing high.
 Bearish – close breaks last swing low.
 Only one valid BOS per swing (avoids duplicates).
 OB Detection:
 Bullish BOS → previous bearish candle with lowest low forms the OB.
 Bearish BOS → previous bullish candle with highest high forms the OB.
 Zones: Bull = green, Bear = red, semi-transparent, extended to the right.
 Zone States:
 Mitigated: Price touches the zone → border highlighted.
 Invalidated:
  Bull zone → close below → turns red.
  Bear zone → close above → turns green.
 
 Chart Appearance 
 
 Swing High: red triangle above bar
 Swing Low: green triangle below bar
 Bull OB: green zone (border highlighted on touch)
 Bear OB: red zone (border highlighted on touch)
 Invalid Zones: Bull zones turn reddish, Bear zones turn greenish
 
 Practical Use (Trading Assistance) 
 
 Trend Following Entries: Buy pullbacks into green OBs in uptrends, sell rallies into red OBs in downtrends.
 Focus on First Touch: First mitigation after BOS often has higher reaction probability.
 Confluence: Combine with higher timeframe trend, volume, session levels, key price levels (previous highs/lows, VWAP, etc.).
 Stops/Targets:
 Bull – stop below zone, partial take profit at swing high or resistance.
 Bear – stop above zone, partial take profit at swing low or support.
 
 Parameter Tuning (per market/timeframe) 
 
 Pivot (6/6 → 4/4/8/8): Lower for scalping (3–5), medium for day trading (5–8), higher for swing trading (8–14). Increase to reduce noise.
 Strict Break: ON to reduce false breaks in ranging markets; OFF for earlier signals.
 Body Zones: ON for assets with long wicks, OFF for cleaner OBs in liquid instruments.
 Zone Confirmation (default 3): Increase for stricter OB origin, fewer zones.
 Max Zones (default 4 → 6–10): Increase for higher volatility, decrease to avoid clutter.
 
 Strengths 
 
 Standardizes BOS and OB detection that is usually subjective.
 Tracks mitigation and invalidation automatically.
 Adaptable: allows body/wick zone switching for different instruments.
 
 Limitations 
 
 Pivot-based: Signals appear only after pivots confirm (slight lag).
 Zones reflect past balance: Can fail after new events (news, earnings, macro data).
 Range-heavy markets: More false BOS; consider stricter settings.
 Backtesting: This script is for drawing/visual aid; trading rules must be defined separately.
 
 Workflow Example 
 
 Identify higher timeframe trend (4H/Daily).
 On lower TF (15–60m), wait for BOS and new OB.
 Enter on first mitigation with confirmation candle.
 Stop beyond zone; targets based on R multiples and swing points.
 
 FAQ 
 
 Q: Why are zones invalidated quickly?
A: Flow reversal after BOS. Adjust pivots higher, enable Strict mode, or switch to Body zones to reduce noise.
 Q: What does “tagged” mean?
A: Price touched the zone once = mitigated. Implies some orders in that zone may have been filled.
 Q: Body or Wick zones?
A: Wick zones are fine in clean markets. For volatile pairs with long wicks, body zones provide more realistic areas.
 
 Customization Tips (Code perspective) 
 
 Zone storage: Currently ring buffer ((idx+1) % zoneLimit). Could prioritize keeping unmitigated zones.
 Automated testing: Add strategy.entry/exit for rule-based backtests.
 Multi-timeframe: Use request.security() for higher timeframe swings/BOS.
 Visualization: Add labels for BOS bars, tag zones with IDs, count touches.
 
 Summary 
This indicator formalizes the cycle Swing → BOS → OB creation → Mitigation/Invalidation, providing consistent structure analysis and zone tracking. By tuning sensitivity and strictness, and combining with higher timeframe context, it enhances pullback/continuation trading setups. Always combine with proper risk management.
Trend Score with Dynamic Stop Loss HTF  
How the Trend Score System Works
This indicator uses a Trend Score (TS) to measure price momentum over time. It tracks whether price is breaking higher or lower, then sums these moves into a cumulative score to define trend direction.
⸻
1. Trend Score (+1 / -1 Mechanism)
On each new bar:
	•	+1 point: if the current bar breaks the previous bar’s high.
	•	−1 point: if the current bar breaks the previous bar’s low.
	•	If both happen in the same bar, they cancel each other out.
	•	If neither happens, the score does not change.
This creates a simple running measure of bullish vs bearish pressure.
⸻
2. Cumulative Trend Score
The Trend Score is cumulative, meaning each new +1 or -1 is added to the total score, building a continuous count.
	•	Rising scores = buyers are consistently pushing price to higher highs.
	•	Falling scores = sellers are consistently pushing price to lower lows.
This smooths out noise and helps identify persistent momentum rather than single-bar spikes.
⸻
3. Trend Flip Trigger (default = 3)
A trend flip occurs when the cumulative Trend Score changes by 3 points (default setting) in the opposite direction of the current trend.
	•	Bullish Flip:
	•	Cumulative TS rises 3 points from its most recent low pivot.
	•	Marks a potential start of a new uptrend.
	•	A bullish stop-loss (SL) is set at the most recent swing low.
	•	Bearish Flip:
	•	Cumulative TS falls 3 points from its most recent high pivot.
	•	Marks a potential start of a new downtrend.
	•	A bearish SL is set at the most recent swing high.
Example:
	•	TS is at -2, then climbs to +1.
	•	That’s a +3 change, triggering a bullish flip.
⸻
4. Visual Summary
	•	Green background: Active bullish trend.
	•	Red background: Active bearish trend.
	•	▲ Triangle Up: A bullish flip occurred this bar.
	•	Stop Loss Line: Shows the structural low used for risk management.
⸻
Why This Matters
The Trend Score measures trend pressure simply and objectively:
	•	+1 / -1 mechanics track real price behavior (breakouts of highs and lows).
	•	Cumulative changes of 3 points act like a momentum filter, ignoring small reversals.
	•	This helps you see true regime shifts on higher timeframes, which is especially useful for swing trades and investing decisions.
⸻
Key Takeaways
	•	Only flips after meaningful swings: prevents overreacting to single-bar noise.
	•	SL shows invalidation point: helps you know where a trend thesis fails.
	•	Works best on Daily or Weekly charts: for smoother, more reliable signals.  Using Trend Score for Long-Term Investing
This indicator is designed to support decision-making for higher timeframe investing, such as swing trades, multi-month positions, or even multi-year holds.
It helps you:
	•	Identify major bullish regimes.
	•	Decide when to add to winning positions (DCA up).
	•	Know when to pause buying or consider trimming during weak periods.
	•	Stay disciplined while holding long-term winners.
Important Note:
These are suggestions for context. Always combine them with your own analysis, portfolio allocation rules, and risk tolerance.
⸻
1. Start With the Higher Timeframe
	•	Use Weekly charts for a broad investing view.
	•	Use Daily charts only for fine-tuning entry points or deciding when to add.
	•	A Bullish Flip on Weekly suggests the market may be entering a major uptrend.
	•	If Weekly is bullish and Daily also turns bullish, it’s extra confirmation of strength.
⸻
2. Building a Position with DCA
Goal: Grow your position gradually during strong bullish regimes while staying aware of risk.
A. Initial Buy
	•	Start with a small initial allocation when a Bullish Flip appears on Weekly or Daily.
	•	This is just a starter position to get exposure while the new trend develops.
B. Adding Through Strength (DCA Up)
	•	Consider adding during pullbacks, as long as price stays above the active SL line.
	•	Each add should be smaller or equal to your first buy.
	•	Spread out adds over time or price levels, instead of going all-in at once.
C. Pause Buying When:
	•	Price approaches or touches the SL level (trend invalidation).
	•	A Bearish Flip appears on Weekly or Daily — this signals potential weakness.
	•	Your total position size reaches your maximum allocation limit for that asset.
⸻
3. Holding Winners
When a position grows in profit:
	•	Stay in the trend as long as the Weekly regime remains bullish.
	•	The indicator’s green background acts as a reminder to hold, not panic sell.
	•	Use the SL bubble to monitor where the trend could potentially break.
	•	Avoid selling just because of small pullbacks — focus on big-picture trend health.
⸻
4. Taking Partial Profits
While this tool is designed to help hold long-term winners, there may be times to lighten risk:
	•	After large, rapid moves far above the SL, consider trimming a small portion of your position.
	•	When MFE (Maximum Favorable Excursion) in the table reaches unusually high levels, it may signal overextension.
	•	If the Weekly chart turns Neutral or Bearish, you can gradually reduce exposure while waiting for the next Bullish Flip.
⸻
5. Using the Stop Loss Line for Awareness
The Dynamic SL line represents a structural level that, if broken, may suggest the bullish trend is weakening.
How to think about it:
	•	Above SL: Market remains structurally healthy — continue holding or adding gradually.
	•	Close to SL: Pause adds. Be cautious and consider tightening your risk.
	•	Below SL: Treat this as a potential signal to reassess your position, especially if the break is confirmed on Weekly.
The SL is not a hard stop — it’s a visual guide to help you manage expectations.
⸻
6. Example Use Case
Imagine you are investing in a growth stock:
	•	Weekly Bullish Flip: You open a small starter position.
	•	Price pulls back slightly but stays above SL: You add a second, smaller tranche.
	•	Trend continues up for months: You hold and stop adding once your desired allocation is reached.
	•	Price doubles: You trim 10–20% to lock some profits, but continue holding the majority.
	•	Price later dips below SL: You slow down, reassess, and decide whether to reduce exposure.
This keeps you:
	•	Participating in major uptrends.
	•	Avoiding overcommitment during weak phases.
	•	Making adjustments gradually, not emotionally.
⸻
7. Suggested Workflow
	1.	Check Weekly chart → is it Bullish?
	2.	If yes, review Daily chart to fine-tune entry or adds.
	3.	Build exposure gradually while Weekly remains bullish.
	4.	Watch SL bubbles as awareness points for risk management.
	5.	Use partial trims during big rallies, but avoid exiting entirely too soon.
	6.	Reassess if Weekly turns Neutral or Bearish.
⸻
Key Takeaways
	•	Use this as a compass, not a command system.
	•	Weekly flips = big picture direction.
	•	Daily flips = timing and precision.
	•	Add gradually (DCA) while above SL, pause near SL, reassess below SL.
	•	Hold winners as long as Weekly remains bullish.
Sentinel 5 — OHL daybreak signals [KedArc Quant]Overview  
Sentinel 5 plots the first-bar high/low of each trading session and gives clean, rules-based signals in two ways: 
1) OHL Setups at the close of the first bar (Open equals/near High  for potential short; Open equals/near Low for potential long). 
2) Breakout Signals later in the session when price breaks the first-bar High/Low, with optional body/penetration filters.
 Basic workflow 
1. Wait for the first session bar to finish.
*If O≈H (optionally by proximity) → short setup. • 
*If O≈L → long setup. • If neither happens, optionally allow later breakouts.
2. Optional: Act only on breakouts that penetrate a minimum % of that bar’s range/body.
3. Skip the day automatically if the first bar is abnormally large (marubozu-like / extreme ATR / outsized vs yesterday).
 Signals & Markers 
Markers on the chart:
▲ O=L (exact) / O near L (proximity) – long setup at first-bar close.
▼ O=H (exact) / O near H (proximity) – short setup at first-bar close.
▲ Breakout Long – later bar breaks above first-bar High meeting your penetration rule.
▼ Breakout Short – later bar breaks below first-bar Low meeting your penetration rule.
FibADX MTF Dashboard — DMI/ADX with Fibonacci DominanceFibADX MTF Dashboard — DMI/ADX with Fibonacci Dominance (φ) 
This indicator fuses classic DMI/ADX with the Fibonacci Golden Ratio to score directional dominance and trend tradability across multiple timeframes in one clean panel.
 What’s unique 
	•	Fibonacci dominance tiers:
	•	BULL / BEAR → one side slightly stronger
	•	STRONG when one DI ≥ 1.618× the other (φ)
	•	EXTREME when one DI ≥ 2.618× (φ²)
	•	Rounded dominance % in the +DI/−DI columns (e.g., STRONG BULL 72%).
	•	ADX column modes: show the value (with strength bar ▂▃▅… and slope ↗/↘) or a tier (Weak / Tradable / Strong / Extreme).
	•	Configurable intraday row (30m/1H/2H/4H) + D/W/M toggles.
	•	Threshold line: color & width; Extended (infinite both ways) or Not extended (historical plot).
	•	Theme presets (Dark / Light / High Contrast) or full custom colors.
	•	Optional panel shading when all selected TFs are strong (and optionally directionally aligned).
 How to use 
	1.	Choose an intraday TF (30/60/120/240). Enable D/W/M as needed.
	2.	Use ADX ≥ threshold (e.g., 21 / 34 / 55) to find tradable trends.
	3.	Read the +DI/−DI labels to confirm bias (BULL/BEAR) and conviction (STRONG/EXTREME).
	4.	Prefer multi-TF alignment (e.g., 4H & D & W all strong bull).
	5.	Treat EXTREME as a momentum regime—trail tighter and scale out into spikes.
 Alerts 
	•	All selected TFs: Strong BULL alignment
	•	All selected TFs: Strong BEAR alignment
 Notes 
	•	Smoothing selectable: RMA (Wilder) / EMA / SMA.
	•	Percentages are whole numbers (72%, not 72.18%).
	•	Shorttitle is FibADX to comply with TV’s 10-char limit.
 Why We Use Fibonacci in FibADX 
Traditional DMI/ADX indicators rely on fixed numeric thresholds (e.g., ADX > 20 = “tradable”), but they ignore the relationship between +DI and −DI, which is what really determines trend conviction.
FibADX improves on this by introducing the Fibonacci Golden Ratio (φ ≈ 1.618) to measure directional dominance and classify trend strength more intelligently.
⸻
 1. Fibonacci as a Natural Strength Threshold 
The golden ratio φ appears everywhere in nature, growth cycles, and fractals.
Since financial markets also behave fractally, Fibonacci levels reflect natural crowd behavior and trend acceleration points.
 In FibADX: 
	•	When one DI is slightly larger than the other → BULL or BEAR (mild advantage).
	•	When one DI is at least 1.618× the other → STRONG BULL or STRONG BEAR (trend conviction).
	•	When one DI is 2.618× or more → EXTREME BULL or EXTREME BEAR (high momentum regime).
This approach adds structure and consistency to trend classification.
⸻
 2. Why 1.618 and 2.618 Instead of Random Numbers 
Other traders might pick thresholds like 1.5 or 2.0, but φ has special mathematical properties:
	•	φ is the most irrational ratio, meaning proportions based on φ retain structure even when scaled.
	•	Using φ makes FibADX naturally adaptive to all timeframes and asset classes — stocks, crypto, forex, commodities.
⸻
3 . Trading Advantages 
Using the Fibonacci Golden Ratio inside DMI/ADX has several benefits:
	•	Better trend filtering → Avoid false DI crossovers without conviction.
	•	Catch early momentum shifts → Spot when dominance ratios approach φ before ADX reacts.
	•	Consistency across markets → Because φ is scalable and fractal, it works everywhere.
⸻
 4. How FibADX Uses This 
FibADX combines:
	•	+DI vs −DI ratio → Measures directional dominance.
	•	φ thresholds (1.618, 2.618) → Classifies strength into BULL, STRONG, EXTREME.
	•	ADX threshold → Confirms whether the move is tradable or just noise.
	•	Multi-timeframe dashboard → Aligns bias across 4H, D, W, M.
⸻
 Quick Blurb for TradingView 
FibADX uses the Fibonacci Golden Ratio (φ ≈ 1.618) to classify trend strength.
Unlike classic DMI/ADX, FibADX measures how much one side dominates:
	•	φ (1.618) = STRONG trend conviction
	•	φ² (2.618) = EXTREME momentum regime
This creates an adaptive, fractal-aware framework that works across stocks, crypto, forex, and commodities.
⚠️  Disclaimer : This script is provided for educational purposes only.
It does not constitute financial advice.
Use at your own risk. Always do your own research before making trading decisions.
Created by @nomadhedge 
BE-Fib Channel 2 Sided Trading█ Overview:
 "BE-Fib Channel 2 Sided Trading"  indicator is built with the thought of 2 profound setups named "Cup & Handle (C&H)" and "Fibonacci Channel Trading (FCT)" with the context of "day trading" or with a minimum holding period.
█ Similarities, Day Trading Context & Error Patterns:
While the known fact is that both C&H and FCT provide setups with lesser risk with bigger returns, they both share the similar "Base Pattern".
  
 Note: Inverse of the above Image shall switch the setups between long vs short. 
Since the indicator is designed for smaller time-frame candles, there may be instances where the "base pattern" does not visually resemble a Cup & Handle (C&H) pattern. However, patterns are validated using pivot points. The points labeled "A" and "C" can be equal or slightly slanted. Settings of the Indicator allows traders a flexibility to control the angle of these points to spot the strategies according to set conditions. Therefore, understanding the nuances of these patterns is crucial for effective decision-making.
█ 2 Sided Edge: FCT suggests to take trade closer to the yellow line to get better RR ratio. this leaves a small chance of doubt as to; what if price is intended to break the Yellow line thereby activating the C&H. 
 Wait for the confirmation is a Big FOMO with a compromised RR.  
Hence, This indicator is designed to handle both the patterns based on the strength, FIFO and pattern occurring delay. 
█ How to Use this Indicator: 
Step 1: Enable the Show Sample Sensitivity option to understand the angle of yellow line shown in the sample image. By enabling this option, On the last bar you shall see 4 lines being plotted depicting the max angle which is acceptable for both long and short trades. 
  
Note: Angle can be controlled via setting "Sensitivity". 
Higher Sensitivity --> Higher Setup identification --> can lead to failed setups due to 2 sided trading.
Lower Sensitivity --> Lower Setup identification --> can increase the changes of being right.
Step 2: Adjust the look back & look forward periods which shall be used for identifying patterns.
Note: Smaller values can lead to more setups being identified but can hamper the performance of the indicator while increasing the chances of failures. larger values identifies more significant setup but leads to more waiting period thereby compromising on the RR.
Step 3: Adjust the Base Range. 
Note: Smaller values can lead to more setups being identified but can hamper the performance of the indicator while increasing the chances of failures. larger values identifies more significant setup but leads to more Risk on play.
Step 4: set the Entry level for FCT & Set the SL for Both FCT & C&H and Target Reward ratio for C&H. 
█ Features of Indicator & How it works:
1. Patterns are being identified using Pivot Points method.
2. Tracks & validates both the setups simultaneously on every candle and traded one at a time based on FIFO, New setups found in-between, Defined Entry Levels while on wait for the other pattern to get activated.
3. Alerts added for trade events.
4. FCT setups are generally traded with trailed SL level and increasing Target level on every completed bar. while C&H has the standard SL & TP level with no Trail SL option.
DISCLAIMER: No sharing, copying, reselling, modifying, or any other forms of use are authorized for our documents, script / strategy, and the information published with them. This informational planning script / strategy is strictly for individual use and educational purposes only. This is not financial or investment advice. Investments are always made at your own risk and are based on your personal judgement. I am not responsible for any losses you may incur. Please invest wisely.
Happy to receive suggestions and feedback in order to improve the performance of the indicator better.
BTC/USD 3-Min Binary Prediction [v7.2 EN]BTC/USD 3-Minute Binary Prediction Indicator v7.2 - Complete Guide
Overview
This is an advanced technical analysis indicator designed for Bitcoin/USD binary options trading with 3-minute expiration times. The system aims for an 83% win rate by combining multiple analysis layers and pattern recognition.
How It Works
Core Prediction Logic
- Timeframe: Predicts whether BTC price will be ±$25 higher (HIGH) or lower (LOW) after 3 minutes
- Entry Signals: Generates HIGH/LOW signals when confidence exceeds threshold (default 75%)
- Verification: Automatically tracks and displays win/loss statistics in real-time
5-Layer Filter System
The indicator uses a sophisticated scoring system (0-100 points):
1. Trend Filter (25 points) - Analyzes EMA alignments and price momentum
2. Leading Indicators (25 points) - RSI and MACD divergence analysis
3. Volume Confirmation (20 points) - Detects unusual volume patterns
4. Support/Resistance (15 points) - Identifies key price levels
5. Momentum Alignment (15 points) - Measures acceleration and deceleration
Pattern Recognition
Automatically detects and visualizes:
- Double Tops/Bottoms - Reversal patterns
- Triangles - Ascending, descending, symmetrical
- Channels - Trending price channels
- Candlestick Patterns - Engulfing, hammer, hanging man
Multi-Timeframe Analysis
- Uses 1-minute and 5-minute data for confirmation
- Aligns multiple timeframes for higher probability trades
- Monitors trend consistency across timeframes
Key Features
Display Panels
1. Statistics Panel (Top Right)
   - Overall win rate percentage
   - Hourly performance (wins/losses)
   - Daily performance
   - Current system status
2. Analysis Panel (Left Side)
   - Market trend analysis
   - RSI status (overbought/oversold)
   - Volume conditions
   - Filter scores for each component
   - Final HIGH/LOW/WAIT decision
Visual Signals
- Green Triangle (↑) = HIGH prediction
- Red Triangle (↓) = LOW prediction
- Yellow Background = Entry opportunity
- Blue Background = Waiting for result
Configuration Options
Basic Settings
- Range Width: Target price movement (default $50 = ±$25)
- Min Confidence: Minimum confidence to enter (default 75%)
- Max Daily Trades: Risk management limit (default 5)
Filters (Can be toggled on/off)
- Trend Filter
- Volume Confirmation
- Support/Resistance Filter
- Momentum Alignment
Display Options
- Show/hide signals, statistics, analysis
- Minimal Mode for cleaner charts
- EMA line visibility
Important Risk Warnings
Binary Options Trading Risks:
1. High Risk Product - Binary options are extremely risky and banned in many countries
2. Not Investment Advice - This tool is for educational/analytical purposes only
3. No Guaranteed Returns - Past performance doesn't predict future results
4. Capital at Risk - You can lose your entire investment in seconds
Technical Limitations:
- Requires stable internet connection
- Performance varies with market conditions
- High volatility can reduce accuracy
- Not suitable for news events or low liquidity periods
Best Practices
1. Paper Trade First - Test thoroughly on demo accounts
2. Risk Management - Never risk more than 1-2% per trade
3. Market Conditions - Works best in normal volatility conditions
4. Avoid Major Events - Don't trade during major news releases
5. Monitor Performance - Track your actual results vs displayed statistics
Setup Instructions
1. Add to TradingView chart (BTC/USD preferred)
2. Use 30-second or 1-minute chart timeframe
3. Adjust settings based on your risk tolerance
4. Monitor F-Score (should be >65 for entries)
5. Wait for clear HIGH/LOW signals with high confidence
Alert Configuration
The indicator provides three alert types:
- HIGH Signal alerts
- LOW Signal alerts  
- General entry opportunity alerts
Legal Disclaimer
Binary options trading may not be legal in your jurisdiction. Many countries including the USA, Canada, and EU nations have restrictions or outright bans on binary options. Always check local regulations and consult with financial advisors before trading.
Remember: This is a technical analysis tool, not a money-printing machine. Successful trading requires discipline, risk management, and continuous learning. The displayed statistics are historical and don't guarantee future performance.
Volatility % Bands (O→C)Volatility % Bands (O→C) is an indicator designed to visualize the percentage change from Open to Close of each candle, providing a clear view of short-term momentum and volatility.
 
  **Histogram**: Displays bar-by-bar % change (Close vs Open). Green bars indicate positive changes, while red bars indicate negative ones, making momentum shifts easy to identify.
  **Moving Average Line**: Plots the Simple Moving Average (SMA) of the absolute % change, helping traders track the average volatility over a chosen period.
  **Background Bands**: Based on the user-defined Level Step, ±1 to ±5 zones are highlighted as shaded bands, allowing quick recognition of whether volatility is low, moderate, or extreme.
  **Label**: Shows the latest candle’s % change and the current SMA value as a floating label on the right, making it convenient for real-time monitoring.
 
This tool can be useful for volatility breakout strategies, day trading, and short-term momentum analysis.
Benchmark Relative Performance BRPBenchmark Relative Performance (BRP) is a comprehensive technical analysis tool that compares any stock's performance against a chosen benchmark (QQQ, SPY, IWM, etc.) to identify outperformance and underperformance patterns.
Key Features:
Dual-line visualization: Shows both ticker and relative strength performance
Dynamic color coding: 5-level color system indicating performance strength
Customizable benchmark: Choose from any ticker via TradingView's symbol picker
Volume weighting: Optional volume analysis for stronger signal confirmation
Performance zones: Visual thresholds for strong/moderate performance levels
Compact info table: Real-time performance status and values
What It Shows:
Benchmark Performance Line (Blue): Shows your chosen benchmark's percentage performance
Relative Strength Line (Color-coded): Shows how much the ticker outperforms/underperforms
Fill Area: Visual gap between ticker and benchmark performance
Performance Zones: Dotted lines marking significant performance thresholds
Color System:
Green: Strong outperformance (above custom threshold)
Lime: Standard outperformance
Yellow: Neutral/Equal performance
Orange: Standard underperformance
Red: Strong underperformance (below custom threshold)
Best Used For:
Stock selection and rotation strategies
Sector/ETF relative strength analysis
Identifying momentum shifts vs benchmarks
Portfolio performance evaluation
Market timing based on relative performance
Settings:
Customizable lookback period (default: 20)
Adjustable strong performance threshold (default: 5%)
Optional volume weighting factor
Full table customization (position, colors, fonts)
Performance display (percentage or decimal)
Perfect for traders and investors who want to identify stocks showing relative strength or weakness compared to major market benchmarks.
PnL Bubble [%] | Fractalyst1. What's the indicator purpose? 
The PnL Bubble   indicator transforms your strategy's trade PnL percentages into an interactive bubble chart with professional-grade statistics and performance analytics. It helps traders quickly assess system profitability, understand win/loss distribution patterns, identify outliers, and make data-driven strategy improvements.
 How does it work? 
Think of this indicator as a visual report card for your trading performance. Here's what it does:
 What You See 
Colorful Bubbles: Each bubble represents one of your trades
 
  Blue/Cyan bubbles = Winning trades (you made money)
  Red bubbles = Losing trades (you lost money)
 Bigger bubbles = Bigger wins or losses
 Smaller bubbles = Smaller wins or losses
 
 How It Organizes Your Trades: 
Like a Photo Album: Instead of showing all your trades at once (which would be messy), it shows them in "pages" of 500 trades each:
 
 Page 1: Your first 500 trades
 Page 2: Trades 501-1000
 Page 3: Trades 1001-1500, etc.
 
 What the Numbers Tell You: 
 
  Average Win: How much money you typically make on winning trades
  Average Loss: How much money you typically lose on losing trades
  Expected Value (EV): Whether your trading system makes money over time
 
  Positive EV = Your system is profitable long-term
  Negative EV = Your system loses money long-term
  Payoff Ratio (R): How your average win compares to your average loss
 
  R > 1 = Your wins are bigger than your losses
  R < 1 = Your losses are bigger than your wins
 
 Why This Matters: 
 
 At a Glance: You can instantly see if you're a profitable trader or not
 Pattern Recognition: Spot if you have more big wins than big losses
 Performance Tracking: Watch how your trading improves over time
 Realistic Expectations: Understand what "average" performance looks like for your system
 
 The Cool Visual Effects: 
 
 Animation: The bubbles glow and shimmer to make the chart more engaging
 Highlighting: Your biggest wins and losses get extra attention with special effects
 Tooltips: hover any bubble to see details about that specific trade.
 
 What are the underlying calculations? 
The indicator processes trade PnL data using a dual-matrix architecture for optimal performance:
 Dual-Matrix System: 
• Display Matrix (display_matrix): Bounded to 500 trades for rendering performance
• Statistics Matrix (stats_matrix): Unbounded storage for complete statistical accuracy
 Trade Classification & Aggregation: 
 // Separate wins, losses, and break-even trades
if val > 0.0
    pos_sum += val      // Sum winning trades
    pos_count += 1      // Count winning trades
else if val < 0.0
    neg_sum += val      // Sum losing trades  
    neg_count += 1      // Count losing trades
else
    zero_count += 1     // Count break-even trades 
 Statistical Averages: 
 avg_win = pos_count > 0 ? pos_sum / pos_count : na
avg_loss = neg_count > 0 ? math.abs(neg_sum) / neg_count : na 
 Win/Loss Rates: 
 total_obs = pos_count + neg_count + zero_count
win_rate = pos_count / total_obs
loss_rate = neg_count / total_obs 
 Expected Value (EV): 
 ev_value = (avg_win × win_rate) - (avg_loss × loss_rate) 
 Payoff Ratio (R): 
 R = avg_win ÷ |avg_loss| 
 Contribution Analysis: 
 ev_pos_contrib = avg_win × win_rate    // Positive EV contribution
ev_neg_contrib = avg_loss × loss_rate  // Negative EV contribution 
 How to integrate with any trading strategy? 
 Equity Change Tracking Method: 
 //@version=6
strategy("Your Strategy with Equity Change Export", overlay=true)
float prev_trade_equity = na
float equity_change_pct = na
if barstate.isconfirmed and na(prev_trade_equity)
    prev_trade_equity := strategy.equity
trade_just_closed = strategy.closedtrades != strategy.closedtrades 
if trade_just_closed and not na(prev_trade_equity)
    current_equity = strategy.equity
    equity_change_pct := ((current_equity - prev_trade_equity) / prev_trade_equity) * 100
    prev_trade_equity := current_equity
else
    equity_change_pct := na
plot(equity_change_pct, "Equity Change %", display=display.data_window) 
 Integration Steps: 
1. Add equity tracking code to your strategy
2. Load both strategy and PnL Bubble indicator on the same chart
3. In bubble indicator settings, select your strategy's equity tracking output as data source
4. Configure visualization preferences (colors, effects, page navigation)
 How does the pagination system work? 
The indicator uses an intelligent pagination system to handle large trade datasets efficiently:
 Page Organization: 
• Page 1: Trades 1-500 (most recent)
• Page 2: Trades 501-1000
• Page 3: Trades 1001-1500
• Page N: Trades   to  
 Example: With 1,500 trades total (3 pages available):
• User selects Page 1: Shows trades 1-500
• User selects Page 4: Automatically falls back to Page 3 (trades 1001-1500)
 5. Understanding the Visual Elements 
 Bubble Visualization: 
• Color Coding: Cyan/blue gradients for wins, red gradients for losses
• Size Mapping: Bubble size proportional to trade magnitude (larger = bigger P&L)
• Priority Rendering: Largest trades displayed first to ensure visibility
• Gradient Effects: Color intensity increases with trade magnitude within each category
 Interactive Tooltips: 
Each bubble displays quantitative trade information:
 tooltip_text = outcome + " | PnL: " + pnl_str +
              "\nDate: " + date_str + " " + time_str +
              "\nTrade #" + str.tostring(trade_number) + " (Page " + str.tostring(active_page) + ")" +
              "\nRank: " + str.tostring(rank) + " of " + str.tostring(n_display_rows) +
              "\nPercentile: " + str.tostring(percentile, "#.#") + "%" +
              "\nMagnitude: " + str.tostring(magnitude_pct, "#.#") + "%" 
 Example Tooltip:
Win | PnL: +2.45%
Date: 2024.03.15 14:30
Trade #1,247 (Page 3)
Rank: 5 of 347
Percentile: 98.6%
Magnitude: 85.2% 
 Reference Lines & Statistics: 
• Average Win Line: Horizontal reference showing typical winning trade size
• Average Loss Line: Horizontal reference showing typical losing trade size
• Zero Line: Threshold separating wins from losses
• Statistical Labels: EV, R-Ratio, and contribution analysis displayed on chart
 What do the statistical metrics mean? 
 Expected Value (EV): 
Represents the mathematical expectation per trade in percentage terms
 EV = (Average Win × Win Rate) - (Average Loss × Loss Rate) 
 Interpretation:
• EV > 0: Profitable system with positive mathematical expectation
• EV = 0: Break-even system, profitability depends on execution
• EV < 0: Unprofitable system with negative mathematical expectation
Example: EV = +0.34% means you expect +0.34% profit per trade on average 
 Payoff Ratio (R): 
Quantifies the risk-reward relationship of your trading system
 R = Average Win ÷ |Average Loss| 
 Interpretation:
• R > 1.0: Wins are larger than losses on average (favorable risk-reward)
• R = 1.0: Wins and losses are equal in magnitude
• R < 1.0: Losses are larger than wins on average (unfavorable risk-reward)
Example: R = 1.5 means your average win is 50% larger than your average loss 
 Contribution Analysis (Σ): 
Breaks down the components of expected value
 Positive Contribution (Σ+) = Average Win × Win Rate
Negative Contribution (Σ-) = Average Loss × Loss Rate 
 Purpose:
• Shows how much wins contribute to overall expectancy
• Shows how much losses detract from overall expectancy
• Net EV = Σ+ - Σ- (Expected Value per trade)
Example: Σ+: 1.23% means wins contribute +1.23% to expectancy
Example: Σ-: -0.89% means losses drag expectancy by -0.89% 
 Win/Loss Rates: 
 Win Rate = Count(Wins) ÷ Total Trades
Loss Rate = Count(Losses) ÷ Total Trades 
 Shows the probability of winning vs losing trades
Higher win rates don't guarantee profitability if average losses exceed average wins 
 7. Demo Mode & Synthetic Data Generation 
When using built-in sources (close, open, etc.), the indicator generates realistic demo trades for testing:
 if isBuiltInSource(source_data)
    // Generate random trade outcomes with realistic distribution
    u_sign = prand(float(time), float(bar_index))
    if u_sign < 0.5
        v_push := -1.0  // Loss trade
    else
        // Skewed distribution favoring smaller wins (realistic)
        u_mag = prand(float(time) + 9876.543, float(bar_index) + 321.0)
        k = 8.0  // Skewness factor
        t = math.pow(u_mag, k)
        v_push := 2.5 + t * 8.0  // Win trade 
 Demo Characteristics: 
• Realistic win/loss distribution mimicking actual trading patterns
• Skewed distribution favoring smaller wins over large wins
• Deterministic randomness for consistent demo results
• Includes jitter effects to prevent visual overlap
 8. Performance Limitations & Optimizations 
 Display Constraints: 
 points_count = 500  // Maximum 500 dots per page for optimal performance 
 Pine Script v6 Limits: 
• Label Count: Maximum 500 labels per indicator
• Line Count: Maximum 100 lines per indicator  
• Box Count: Maximum 50 boxes per indicator
• Matrix Size: Efficient memory management with dual-matrix system
 Optimization Strategies: 
• Pagination System: Handle unlimited trades through 500-trade pages
• Priority Rendering: Largest trades displayed first for maximum visibility
• Dual-Matrix Architecture: Separate display (bounded) from statistics (unbounded)
• Smart Fallback: Automatic page clamping prevents empty displays
 Impact & Workarounds: 
• Visual Limitation: Only 500 trades visible per page
• Statistical Accuracy: Complete dataset used for all calculations
• Navigation: Use page input to browse through entire trade history
• Performance: Smooth operation even with thousands of trades
 9. Statistical Accuracy Guarantees 
 Data Integrity: 
• Complete Dataset: Statistics matrix stores ALL trades without limit
• Proper Aggregation: Separate tracking of wins, losses, and break-even trades
• Mathematical Precision: Pine Script v6's enhanced floating-point calculations
• Dual-Matrix System: Display limitations don't affect statistical accuracy
 Calculation Validation: 
 // Verified formulas match standard trading mathematics
avg_win = pos_sum / pos_count  // Standard average calculation
win_rate = pos_count / total_obs  // Standard probability calculation
ev_value = (avg_win * win_rate) - (avg_loss * loss_rate)  // Standard EV formula 
 Accuracy Features: 
• Mathematical Correctness: Formulas follow established trading statistics
• Data Preservation: Complete dataset maintained for all calculations
• Precision Handling: Proper rounding and boundary condition management
• Real-Time Updates: Statistics recalculated on every new trade
 10. Advanced Technical Features 
 Real-Time Animation Engine: 
 // Shimmer effects with sine wave modulation
offset = math.sin(shimmer_t + phase) * amp
// Dynamic transparency with organic flicker
new_transp = math.min(flicker_limit, math.max(-flicker_limit, cur_transp + dir * flicker_step)) 
• Sine Wave Shimmer: Dynamic glowing effects on bubbles
• Organic Flicker: Random transparency variations for natural feel
• Extreme Value Highlighting: Special visual treatment for outliers
• Smooth Animations: Tick-based updates for fluid motion
 Magnitude-Based Priority Rendering: 
 // Sort trades by magnitude for optimal visual hierarchy
sort_indices_by_magnitude(values_mat) 
• Largest First: Most important trades always visible
• Intelligent Sorting: Custom bubble sort algorithm for trade prioritization
• Performance Optimized: Efficient sorting for real-time updates
• Visual Hierarchy: Ensures critical trades never get hidden
 Professional Tooltip System: 
• Quantitative Data: Pure numerical information without interpretative language
• Contextual Ranking: Shows trade position within page dataset
• Percentile Analysis: Performance ranking as percentage
• Magnitude Scaling: Relative size compared to page maximum
• Professional Format: Clean, data-focused presentation
 11. Quick Start Guide 
 Step 1: Add Indicator 
• Search for "PnL Bubble   | Fractalyst" in TradingView indicators
• Add to your chart (works on any timeframe)
 Step 2: Configure Data Source 
• Demo Mode: Leave source as "close" to see synthetic trading data
• Strategy Mode: Select your strategy's PnL% output as data source
 Step 3: Customize Visualization 
• Colors: Set positive (cyan), negative (red), and neutral colors
• Page Navigation: Use "Trade Page" input to browse trade history
• Visual Effects: Built-in shimmer and animation effects are enabled by default
 Step 4: Analyze Performance 
• Study bubble patterns for win/loss distribution
• Review statistical metrics: EV, R-Ratio, Win Rate
• Use tooltips for detailed trade analysis
• Navigate pages to explore full trade history
 Step 5: Optimize Strategy 
• Identify outlier trades (largest bubbles)
• Analyze risk-reward profile through R-Ratio
• Monitor Expected Value for system profitability
• Use contribution analysis to understand win/loss impact
 12. Why Choose PnL Bubble Indicator? 
 Unique Advantages: 
• Advanced Pagination: Handle unlimited trades with smart fallback system
• Dual-Matrix Architecture: Perfect balance of performance and accuracy
• Professional Statistics: Institution-grade metrics with complete data integrity
• Real-Time Animation: Dynamic visual effects for engaging analysis
• Quantitative Tooltips: Pure numerical data without subjective interpretations
• Priority Rendering: Intelligent magnitude-based display ensures critical trades are always visible
 Technical Excellence: 
• Built with Pine Script v6 for maximum performance and modern features
• Optimized algorithms for smooth operation with large datasets
• Complete statistical accuracy despite display optimizations
• Professional-grade calculations matching institutional trading analytics
 Practical Benefits: 
• Instantly identify system profitability through visual patterns
• Spot outlier trades and risk management issues
• Understand true risk-reward profile of your strategies
• Make data-driven decisions for strategy optimization
• Professional presentation suitable for performance reporting
 Disclaimer & Risk Considerations: 
 Important: Historical performance metrics, including positive Expected Value (EV), do not guarantee future trading success. Statistical measures are derived from finite sample data and subject to inherent limitations:
• Sample Bias: Historical data may not represent future market conditions or regime changes
• Ergodicity Assumption: Markets are non-stationary; past statistical relationships may break down
• Survivorship Bias: Strategies showing positive historical EV may fail during different market cycles
• Parameter Instability: Optimal parameters identified in backtesting often degrade in forward testing
• Transaction Cost Evolution: Slippage, spreads, and commission structures change over time
• Behavioral Factors: Live trading introduces psychological elements absent in backtesting
• Black Swan Events: Extreme market events can invalidate statistical assumptions instantaneously
Advanced Range Analyzer ProAdvanced Range Analyzer Pro – Adaptive Range Detection & Breakout Forecasting 
 Overview 
Advanced Range Analyzer Pro is a comprehensive trading tool designed to help traders identify consolidations, evaluate their strength, and forecast potential breakout direction. By combining volatility-adjusted thresholds, volume distribution analysis, and historical breakout behavior, the indicator builds an adaptive framework for navigating sideways price action. Instead of treating ranges as noise, this system transforms them into opportunities for mean reversion or breakout trading.
  
 How It Works 
The indicator continuously scans price action to identify active range environments. Ranges are defined by volatility compression, repeated boundary interactions, and clustering of volume near equilibrium. Once detected, the indicator assigns a strength score (0–100), which quantifies how well-defined and compressed the consolidation is.
Breakout probabilities are then calculated by factoring in:
 
 Relative time spent near the upper vs. lower range boundaries
 Historical breakout tendencies for similar structures
 Volume distribution inside the range
 Momentum alignment using auxiliary filters (RSI/MACD)
 
This creates a live probability forecast that updates as price evolves. The tool also supports range memory, allowing traders to analyze the last completed range after a breakout has occurred. A dynamic strength meter is displayed directly above each consolidation range, providing real-time insight into range compression and breakout potential.
 Signals and Breakouts 
Advanced Range Analyzer Pro includes a structured set of visual tools to highlight actionable conditions:
 
 Range Zones  – Gradient-filled boxes highlight active consolidations.
 Strength Meter  – A live score displayed in the dashboard quantifies compression.
 Breakout Labels  – Probability percentages show bias toward bullish or bearish continuation.
 Breakout Highlights  – When a breakout occurs, the range is marked with directional confirmation.
 Dashboard Table  – Displays current status, strength, live/last range mode, and probabilities.
 
These elements update in real time, ensuring that traders always see the current state of consolidation and breakout risk.
 Interpretation 
 Range Strength : High scores (70–100) indicate strong consolidations likely to resolve explosively, while low scores suggest weak or choppy ranges prone to false signals.
 Breakout Probability : Directional bias greater than 60% suggests meaningful breakout pressure. Equal probabilities indicate balanced compression, favoring mean-reversion strategies.
 Market Context : Ranges aligned with higher timeframe trends often resolve in the dominant direction, while counter-trend ranges may lead to reversals or liquidity sweeps.
 Volatility Insight : Tight ranges with low ATR imply imminent expansion; wide ranges signal extended consolidation or distribution phases.
 Strategy Integration 
Advanced Range Analyzer Pro can be applied across multiple trading styles:
 
 Breakout Trading : Enter on probability shifts above 60% with confirmation of volume or momentum.
 Mean Reversion : Trade inside ranges with high strength scores by fading boundaries and targeting equilibrium.
 Trend Continuation : Focus on ranges that form mid-trend, anticipating continuation after consolidation.
 Liquidity Sweeps : Use failed breakouts at boundaries to capture reversals.
 Multi-Timeframe : Apply on higher timeframes to frame market context, then execute on lower timeframes.
 
 Advanced Techniques 
 
 Combine with volume profiles to identify areas of institutional positioning within ranges.
 Track sequences of strong consolidations for trend development or exhaustion signals.
 Use breakout probability shifts in conjunction with order flow or momentum indicators to refine entries.
 Monitor expanding/contracting range widths to anticipate volatility cycles.
 
Custom parameters allow fine-tuning sensitivity for different assets (crypto, forex, equities) and trading styles (scalping, intraday, swing).
Inputs and Customization
 
 Range Detection Sensitivity : Controls how strictly ranges are defined.
 Strength Score Settings : Adjust weighting of compression, volume, and breakout memory.
 Probability Forecasting : Enable/disable directional bias and thresholds.
 Gradient & Fill Options : Customize range visualization colors and opacity.
 Dashboard Display : Toggle live vs last range, info table size, and position.
 Breakout Highlighting : Choose border/zone emphasis on breakout events.
 
 Why Use Advanced Range Analyzer Pro 
This indicator provides a data-driven approach to trading consolidation phases, one of the most common yet underutilized market states. By quantifying range strength, mapping probability forecasts, and visually presenting risk zones, it transforms uncertainty into clarity.
Whether you’re trading breakouts, fading ranges, or mapping higher timeframe context, Advanced Range Analyzer Pro delivers a structured, adaptive framework that integrates seamlessly into multiple strategies.
BTC Macro Composite Global liquidity Index -OffsetThis indicator is based on the thesis that Bitcoin price movements are heavily influenced by macro liquidity trends. It calculates a weighted composite index based on the following components:
	•	Global Liquidity (41%): Sum of central bank balance sheets (Fed  , ECB  , BoJ  , and PBoC  ), adjusted to USD.
	•	Investor Risk Appetite (22%): Derived from the Copper/Gold ratio, inverse VIX (as a risk-on signal), and the spread between High Yield and Investment Grade bonds (HY vs IG OAS).
	•	Gold Sensitivity (15–20%): Combines the XAUUSD price with BTC/Gold ratio to reflect the historical influence of gold on Bitcoin pricing.
Each component is normalized and then offset forward by 90 days to attempt predictive alignment with Bitcoin’s price.
The goal is to identify macro inflection points with high predictive value for BTC. It is not a trading signal generator but rather a macro trend context indicator.
❗ Important: This script should be used with caution. It does not account for geopolitical shocks, regulatory events, or internal BTC market structure (e.g., miner behavior, on-chain metrics).
💡 How to use:
	•	Use on the 1D timeframe.
	•	Look for divergences between BTC price and the macro index.
	•	Apply in confluence with other technical or fundamental frameworks.
🔍 Originality:
While similar components exist in macro dashboards, this script combines them uniquely using time-forward offsets and custom weighting specifically tailored for BTC behavior.
BB Expansion Oscillator (BEXO)BB Expansion Oscillator (BEXO) is a custom indicator designed to measure and visualize the expansion and contraction phases of Bollinger Bands in a normalized way.
🔹 Core Features:
Normalized BB Width: Transforms Bollinger Band Width into a 0–100 scale for easier comparison across different timeframes and assets.
Signal Line: EMA-based smoothing line to detect trend direction shifts.
Histogram: Highlights expansion vs contraction momentum.
OB/OS Zones: Detects Over-Expansion and Over-Contraction states to spot potential volatility breakouts or squeezes.
Dynamic Coloring & Ribbon: Visual cues for trend bias and crossovers.
Info Table: Displays real-time values and status (Expansion, Contraction, Over-Expansion, Over-Contraction).
Background Highlighting: Optional visual aid for trend phases.
🔹 How to Use:
When BEXO rises above the Signal Line, the market is in an Expansion phase → potential trend continuation.
When BEXO falls below the Signal Line, the market is in a Contraction phase → potential consolidation or trend weakness.
Overbought/Over-Expansion zone (above OB level): Signals high volatility; watch for possible reversal or breakout exhaustion.
Oversold/Over-Contraction zone (below OS level): Indicates a squeeze or low volatility; often precedes strong breakout moves.
🔹 Best Application:
Identify volatility cycles (squeeze & expansion).
Filter trades by volatility conditions.
Combine with price action, volume, or momentum indicators for confirmation.
⚠️ Disclaimer:
This indicator is for educational and research purposes only. It should not be considered financial advice. Always combine with proper risk management and your own trading strategy.
Frank-Setup EMA, RS & RSI ✅It is a clean and simple indicator designed to identify weakness in stocks using two proven methods: RSI and Relative Strength (RS) vs. a benchmark (e.g., NIFTY).
🔹 Features
RSI Weakness Signals
Plots when RSI crosses below 50 (weakness begins).
Plots when RSI moves back above 50 (weakness ends).
Relative Strength (RS) vs Benchmark
Compares stock performance to a chosen benchmark.
Signals when RS drops below 1 (stock underperforming).
Signals when RS recovers above 1 (strength resumes).
Clear Visual Markers
Circles for RSI signals.
Triangles for RS signals.
Optional RSI labels for clarity.
Built-in Alerts
Get notified instantly when RSI or RS weakness starts or ends.
No need to constantly watch charts.
🎯 Use Case
This tool is built for traders who want to:
Spot shorting opportunities when a stock shows weakness.
Track underperformance vs. the index.
Manage risk by exiting longs when weakness appears.
Frank-Setup ✅ (RSI + RS only)Frank-Shorting Setup ✅ is an indicator designed to help traders spot weakness in a stock by combining RSI and Relative Strength (RS) analysis.
🔹 Key Features
RSI Weakness Signals
Marks when RSI falls below 50 (downside pressure begins).
Marks when RSI moves back above 50 (weakness ends).
Relative Strength (RS) vs Benchmark
Compares stock performance to a benchmark (e.g., NIFTY).
Signals when RS drops below 1 (stock underperforming).
Signals when RS moves back above 1 (strength resumes).
Clear Chart Markings
Circles for RSI signals.
Triangles for RS signals.
Optional labels for extra clarity.
Alerts Built-In
Get notified when RSI or RS weakness starts/ends.
No need to monitor charts all the time
Frank-Shorting Setup ✅ (RSI + RS only)An indicator designed to help traders spot weakness in a stock by combining RSI and Relative Strength (RS) analysis.
🔹 Key Features
RSI Weakness Signals
Marks when RSI falls below 50 (downside pressure begins).
Marks when RSI moves back above 50 (weakness ends).
Relative Strength (RS) vs Benchmark
Compares stock performance to a benchmark (e.g., NIFTY).
Signals when RS drops below 1 (stock underperforming).
Signals when RS moves back above 1 (strength resumes).
Clear Chart Markings
Circles for RSI signals.
Triangles for RS signals.
Optional labels for extra clarity.
Alerts Built-In
Get notified when RSI or RS weakness starts/ends.
No need to monitor charts all the time






















