A+ Confluence Alert (BTC filter) — Kailash//@version=5
indicator("A+ Confluence Alert (BTC filter) — Kailash", overlay=true)
// === USER INPUTS ===
btcTicker      = input.symbol("BINANCE:BTCUSDT", "BTC symbol (for bias filter)")
btcHTF         = input.timeframe("60", "BTC Higher TF (for bias)")    // 1H
localHTF       = input.timeframe("15", "Local bias TF")              // 15m
ema_fast_len   = input.int(20, "EMA fast length")
ema_slow_len   = input.int(50, "EMA slow length")
vol_sma_len    = input.int(20, "Volume SMA length")
vol_mult       = input.float(1.5, "Volume spike multiplier", step=0.1)
liquidity_look = input.int(12, "Liquidity sweep lookback (bars)")
session_filter = input.bool(true, "Use session filter (NY window)")
ny_start       = input.session("1300-2000", "NY session (UTC)")
// === FETCH BTC HIGHER-TF BIAS ===
btc_close_htf = request.security(btcTicker, btcHTF, close, lookahead=barmerge.lookahead_off)
btc_ema_fast  = request.security(btcTicker, btcHTF, ta.ema(close, ema_fast_len), lookahead=barmerge.lookahead_off)
btc_ema_slow  = request.security(btcTicker, btcHTF, ta.ema(close, ema_slow_len), lookahead=barmerge.lookahead_off)
btc_bias_long = btc_ema_fast > btc_ema_slow
btc_bias_short= btc_ema_fast < btc_ema_slow
// === LOCAL BIAS (on localHTF) for current chart symbol ===
local_close  = request.security(syminfo.tickerid, localHTF, close, lookahead=barmerge.lookahead_off)
local_ema_f  = request.security(syminfo.tickerid, localHTF, ta.ema(close, ema_fast_len), lookahead=barmerge.lookahead_off)
local_ema_s  = request.security(syminfo.tickerid, localHTF, ta.ema(close, ema_slow_len), lookahead=barmerge.lookahead_off)
local_long   = local_ema_f > local_ema_s
local_short  = local_ema_f < local_ema_s
// === VOLUME SPIKE ===
vol_sma = ta.sma(volume, vol_sma_len)
vol_spike = volume > vol_sma * vol_mult
// === SIMPLE LIQUIDITY SWEEP DETECTION (proxy) ===
// Long-sweep: price made new local low (below recent lowest) and then reclaimed above that prior low.
// Short-sweep: symmetrical for highs.
recent_low = ta.lowest(low, liquidity_look)
recent_high = ta.highest(high, liquidity_look)
sweep_long = (low < recent_low ) and (close > recent_low )    // low punched lower, then close reclaimed
sweep_short= (high > recent_high ) and (close < recent_high )  // high pumped, then reclaimed down
// === ORDER-BLOCK RECLAIM PROXY ===
// Define last opposite directional candle high/low as "OB"
var float ob_high = na
var float ob_low = na
// Update order blocks when opposite direction candles form
if close  < open   // bearish candle
    ob_high := high 
if close  > open   // bullish candle
    ob_low := low 
// Reclaim conditions: price closes above recent bearish-high (for long), or below recent bullish-low (for short)
reclaim_long  = not na(ob_high) and close > ob_high
reclaim_short = not na(ob_low) and close < ob_low
// === SESSION FILTER ===
in_session = true
if session_filter
    in_session := not na(time(timeframe.period, ny_start))
// === FULL CONFLUENCE LOGIC ===
// Long confluence: BTC bias long, local bias long, sweep_long or reclaim_long, volume spike, in session
long_confluence = btc_bias_long and local_long and (sweep_long or reclaim_long) and vol_spike and in_session
// Short confluence: BTC bias short, local bias short, sweep_short or reclaim_short, volume spike, in session
short_confluence = btc_bias_short and local_short and (sweep_short or reclaim_short) and vol_spike and in_session
// === PLOTTING SIGNALS ON CHART ===
plotshape(long_confluence, title="A+ Long", style=shape.labelup, location=location.belowbar, color=color.green, size=size.small, text="A+ Long")
plotshape(short_confluence, title="A+ Short", style=shape.labeldown, location=location.abovebar, color=color.red, size=size.small, text="A+ Short")
// === ALERTS ===
alertcondition(long_confluence, title="A+ Confluence Long", message="A+ LONG: BTC bias long, local bias long, sweep/OB reclaim + volume spike. Symbol: {{ticker}}. Time: {{time}}")
alertcondition(short_confluence, title="A+ Confluence Short", message="A+ SHORT: BTC bias short, local bias short, sweep/OB reclaim + volume spike. Symbol: {{ticker}}. Time: {{time}}")
// === INFO BOX ===
var label info = na
if barstate.islast
    label.delete(info)
    info := label.new(x=bar_index, y=high, yloc=yloc.abovebar, style=label.style_label_left, text=
      "A+ Long: " + (long_confluence ? "YES" : "NO") + " " +
      "A+ Short: " + (short_confluence ? "YES" : "NO") + " " +
      "BTC HTF Bias: " + (btc_bias_long ? "LONG" : btc_bias_short ? "SHORT" : "NEUTRAL") + " " +
      "Local Bias: " + (local_long ? "LONG" : local_short ? "SHORT" : "NEUTRAL") + " " +
      "VolSpike: " + (vol_spike ? "YES" : "NO"),
      color=color.new(color.blue, 80), textcolor=color.white)
Chart patterns
F & W  SMC Alerthis script is a custom TradingView indicator designed to combine elements of a trend‑following VWAP approach (inspired by the “Fabio” strategy) with a smart‑money‑concepts framework (inspired by Waqar Asim). Here’s what it does:
* **Directional bias:** It calculates a 15‑minute VWAP and compares the current 15‑minute close to it. When price is above the 15‑minute VWAP, the script assumes a long bias; when below, a short bias. This reflects the trend‑following aspect of the Fabio strategy.
* **Liquidity sweeps:** Using recent pivot highs and lows on the current timeframe, it identifies when price takes out a recent high (for potential longs) or low (for potential shorts). This represents a “liquidity sweep” — a fake breakout that collects stops and signals a possible reversal or continuation.
* **Break of structure (BOS):** After a sweep, the script confirms that price is breaking away from the swept level (i.e., higher than recent highs for longs or lower than recent lows for shorts). This BOS confirmation helps avoid false signals.
* **Entry filters:** For a long setup, the bias must be long, there must be a liquidity sweep followed by a BOS, and price must reclaim the current‑timeframe VWAP. For a short setup, the opposite conditions apply (short bias, sweep + BOS to the downside, and price rejecting the VWAP).
* **Alerts and plot:** It provides two alert conditions (“Fabio‑Waqar Long Setup” and “Fabio‑Waqar Short Setup”) that you can attach to notifications. It also plots the intraday VWAP on your chart for visual reference.
In short, this script watches for a confluence of trend direction, liquidity sweeps, structural shifts, and VWAP reclaim/rejection, and then notifies you when those conditions align. You can use it as an alerting tool to identify high‑probability setups based on these combined strategies.
ApexSniper2.0I have Tested this Indicator Manually for about 2 months now and its been amazing.Ive been working with pine code for a really long time now, took me about 6 months to build this script, hopefully it works well for you.very good for trading. will help you out a lot
Session Breakout, Retest, Reversal + Large Move Alert# Script Description for Publication
## Script Name
**Session Breakout, Retest, Reversal + Large Move Alert**
## Short Description
A professional trading indicator that identifies session breakouts, failed retests, and large intraday price movements across any futures contract with real-time alerts and visual markers.
## Long Description
This comprehensive indicator combines session analysis with dynamic move detection, designed for active traders monitoring ES, NQ, GC, CL, and other futures contracts.
**Core Features:**
**Session Tracking:**
Automatically identifies and marks daily session breakouts and failed retests based on user-defined session times and timezones. The indicator draws visual boxes showing session highs (PH) and lows (PL), with labels marking breakout (BO) and retest failure (RF) points.
**Dynamic Large Move Detection:**
Monitors candles on any chart interval for significant price movements. The threshold is fully customizable per futures contract (default 15 points for ES/NQ/GC). When a candle closes with a move exceeding the threshold, the indicator displays a "BO" label with the exact move size and current chart timeframe.
**Real-Time Alerts:**
Triggers active alerts whenever large moves are detected, allowing traders to receive instant notifications via TradingView's alert system for timely entry or exit opportunities.
**Multi-Timeframe Compatible:**
Works seamlessly on any chart interval (1-minute through daily and beyond) without manual adjustments. The detection threshold automatically applies to the current chart's candles, with labels displaying the active timeframe.
**Universal Futures Support:**
Configurable for any futures contract by adjusting the point threshold input parameter based on each contract's typical volatility.
## Key Inputs
| Input | Default | Purpose |
|-------|---------|---------|
| Session Time | 0400-0930 | Defines trading session hours (pre-market session) |
| Session Timezone | America/New_York | Sets timezone for session detection |
| Point Move Threshold | 15.0 | Minimum point move to trigger alert (adjust per futures: ES=15, GC=15, CL=1.5) |
## How to Use
1. **Add to Chart:** Search for this indicator in TradingView and add it to your futures chart (ES, NQ, GC, CL, etc.)
2. **Configure Inputs:**
   - Set session start/end times for your preferred trading session
   - Adjust point threshold based on your futures contract
   - Verify timezone matches your trading location
3. **Create Alerts:**
   - Click "Create Alert" on the chart
   - Select "Large Move Alert" from the condition dropdown
   - Choose notification method (push, email, or SMS)
   - Set desired frequency
4. **Monitor Moves:**
   - Watch for "BO" labels appearing on confirmed candles
   - Each label shows the threshold value and actual move size
   - Combine with your existing trading strategy for confirmation
## Visual Elements
- **Session Box:** Blue shaded area showing session high/low range
- **PH Label:** Green label marking session high (pivot high)
- **PL Label:** Red label marking session low (pivot low)
- **BO ↑/↓ Labels:** Lime/red labels marking session breakouts
- **RF Labels:** Yellow/orange labels marking failed retests
- **Large Move Labels:** Green (bullish) or red (bearish) labels showing threshold breaches with move size
## Ideal For
- Scalpers monitoring quick intraday moves
- Day traders tracking pre-market breakouts
- Futures traders on ES, NQ, GC, CL, and other contracts
- Multi-timeframe traders watching various chart intervals simultaneously
- Alert-based automated trading systems
## Technical Details
- **Pine Script Version:** 5
- **Overlay:** Yes (displays on price chart)
- **Historical Buffer:** 5000 bars (supports 1-minute and lower timeframes)
- **Compatibility:** All futures contracts and chart intervals
## Disclaimer
This indicator is provided for educational and informational purposes only. It is not financial advice. Users should conduct their own research and consult with financial professionals before making trading decisions. Past performance does not guarantee future results.
---
iman S&D ( Supply and Demand )Hello friend, I hope you are doing well . 🍕
Using this indicator you can find the supply and demand areas in all different symbols like crypto, forex, etc.🔥
Note that you can make it even more optimal by changing the settings values.⚡
--------
🐱👤Contact Via Telegram : @byp4s
FDT Pro FDT Pro   – The all-in-one futures trading kit used by serious traders.
INSTITUTIONAL TOOLS, RETAIL PRICE: $0
• Daily VWAP + Standard Deviation Bands (±1, ±2 SD)
• 9 & 20 EMA – Fast & slow trend confirmation
• Daily Volume Profile – POC, VAH, VAL (70% Value Area)
• Volume Delta – Real-time buying vs selling pressure
• Cumulative Delta – Net order flow tracking
• Auto-reset every session (RTH/ETH compatible)
• Zero runtime errors – mobile & desktop tested
• Pine Script v6 – future-proof
WORKS ON:
✓ /ES, /NQ, /CL, /GC, /SI, /BTC, /ETH
✓ 1m to 1D timeframes
✓ Scalping, day trading, swing trading
HOW TO USE:
1. Add to chart
2. Save as Template → "FDT Pro"
3. Apply to any futures contract in 1 click
NO PREMIUM. NO TRIAL. NO BS.
Built for traders who refuse to pay for edge.
FDT Pro – Because your P&L shouldn’t fund someone else’s indicator.
HOW IT WORKS 
FDT Pro   – TOOL LEGEND
YELLOW LINE → VWAP
   Daily fair value. Price above = bullish bias.
ORANGE CIRCLES → ±1 SD
   68% of price action. Mean reversion zones.
RED CIRCLES → ±2 SD
   95% extremes. Breakout or reversal levels.
AQUA LINE → EMA 9
   Fast momentum. Entry timing.
PINK LINE → EMA 20
   Trend filter. Avoid counter-trend trades.
YELLOW THICK LINE → POC
   Price of Control. Strongest support/resistance.
BLUE BOX → VALUE AREA (70%)
   Where 70% of volume traded. "Fair price" zone.
LABEL (POC/VAH/VAL) → KEY LEVELS
   POC = Control | VAH = Top of value | VAL = Bottom
GREEN/RED BARS → VOLUME DELTA
   Green = buying pressure | Red = selling pressure
PURPLE LINE → CUMULATIVE DELTA
   Net order flow. Divergence = reversal setup.
HOW TO TRADE:
• Buy dips to POC/VAL if delta turns green
• Short rallies to POC/VAH if delta turns red
• Break above VAH = long | Below VAL = short
• Use VWAP as dynamic stop or target
NO PREMIUM. NO ERRORS. NO LIMITS.
ApexSniperI have Tested this Indicator Manually for about 2 months now and its been amazing.Ive been working with pine code for a really long time now, took me about 6 months to build this script, hopefully it works well for you.very good for trading. will help you out a lot
ApexSignalsIve been working with pine code for a really long time now, took me about 6 months to build this script, hopefully it works well for you.very good for trading. will help you out a lot
Bullmart Discounted Momentum 1.0detection of timeframe-specific patterns on manipulated coins, - screening for over-extension of pronounced directional movements against their usual natural growth-rate boundary
 RBD + SMA/EMA/ORB + Buy/Sell ComboWhat is SMA (Simple Moving Average)?
The Simple Moving Average (SMA) smooths out price data by calculating the average closing price over a specific number of periods.
It helps identify trend direction and potential reversals.
📊 SMA 21 and SMA 50 Explained:
SMA	Description	Use
SMA 21	Short-term moving average (last 21 candles)	Shows short-term trend and momentum
SMA 50	Medium-term moving average (last 50 candles)	Shows medium-term trend and key support/resistance levels
⚙️ How to Use Them Together:
Bullish Signal (Buy) 🟢
When SMA 21 crosses above SMA 50, it’s called a Golden Cross → trend turning up.
Indicates potential buy or long opportunity.
Bearish Signal (Sell) 🔴
When SMA 21 crosses below SMA 50, it’s called a Death Cross → trend turning down.
Indicates potential sell or short opportunity.
Trend Confirmation:
Price above both SMAs → uptrend.
Price below both SMAs → downtrend.
Support/Resistance:
During uptrends, SMA 21 often acts as dynamic support.
During downtrends, SMA 50 can act as resistance.
⏱ Example (for 10-min Nifty chart):
If SMA 21 > SMA 50 and price trades above both → look for buy on dips.
If SMA 21 < SMA 50 and price stays below → look for sell on rise setups.
DOGE_TRYING_SCALP_V093dont use this
this is for my fri
he entire purpose of this indicator is to automate the difficult part of the strategy—finding the perfect two-candle setup. It makes trading the system simple, visual, and mechanical.
The Three Key Visuals on Your Chart
The indicator gives you three pieces of information. Understanding them is the key to using it effectively.
The Yellow Candle (The "Setup Candle")
What it is: This is the "Rejection Wick Candle." It's the first candle in the two-part pattern.
What it means: "Get Ready." A potential trade setup is forming, but it is NOT a signal to enter yet. It tells you that the market tried to push in one direction and failed.
Your Action: Do nothing. Simply pay close attention to the next candle that is forming.
The Signal Triangle (The "Entry Trigger")
What it is: A green "LONG" triangle below the candle or a red "SHORT" triangle above the candle.
What it means: "GO." This is your confirmation. It only appears after the candle following the yellow one has closed and confirmed the direction of the trade.
Your Action: This is your signal to enter the trade immediately at the market price.
The Stop Loss Line (The "Safety Net")
What it is: A solid green or red line that appears at the same time as the Signal Triangle.
What it means: This is the exact price where your initial Stop Loss should be placed. The indicator calculates it for you automatically based on the rules.
Your Action: After entering the trade, place your Stop Loss order at this price level.
Step-by-Step Guide to Trading a LONG (Buy) Signal
Let's walk through a live example.
Step 1: The Setup Appears
You are watching the 15-minute chart. The price has been dropping. Suddenly, a candle with a long lower wick closes and the indicator colors it YELLOW.
What this tells you: The sellers tried to push the price down, but buyers stepped in and rejected the lower prices. This is a potential bottom.
Your Action: Do nothing yet. You are now waiting for confirmation.
Step 2: The Confirmation and Entry Trigger
You wait for the next 15-minute candle to complete. It closes as a green (bullish) candle. The moment it closes, three things appear instantly:
A green "LONG" triangle appears below that confirmation candle.
A solid green line appears at the low of the previous yellow candle.
The background of the two-candle pattern is shaded.
What this tells you: The rejection has been confirmed by bullish momentum. The system's rules for entry have been met.
Your Action:
Enter a BUY (Long) trade immediately.
Place your Stop Loss at the level of the solid green line.
Step 3: Manage the Trade
The indicator has done its job of getting you into a high-probability trade with a defined risk. Now, you manage the trade manually according to the strategy's rules (trailing your stop loss under the low of each new candle that makes a higher high).
Step-by-Step Guide to Trading a SHORT (Sell) Signal
Now, let's look at the opposite scenario.
Step 1: The Setup Appears
You are watching the 15-minute chart. The price has been rising. A candle with a long upper wick closes and the indicator colors it YELLOW.
What this tells you: The buyers tried to push the price up, but sellers took control and rejected the higher prices. This is a potential top.
Your Action: Wait for confirmation.
Step 2: The Confirmation and Entry Trigger
You wait for the next 15-minute candle to complete. It closes as a red (bearish) candle. The moment it closes, you will see:
A red "SHORT" triangle appear above that confirmation candle.
A solid red line appear at the high of the previous yellow candle.
The background of the pattern will be shaded.
What this tells you: The rejection has been confirmed by bearish momentum. It's time to sell.
Your Action:
Enter a SELL (Short) trade immediately.
Place your Stop Loss at the level of the solid red line.
Step 3: Manage the Trade
Just like before, your entry and initial risk are set. Your job now is to manage the trade by trailing your stop loss above the high of each new candle that makes a lower low.
Summary of the Workflow
Check H1 Trend (Optional but Recommended): Look at the 1-Hour chart to know if you should be favoring Buys or Sells.
Wait for Yellow: On the M15 chart, wait patiently for the indicator to color a candle yellow.
Wait for the Triangle: Wait for the next candle to close. If a green or red triangle appears, the setup is confirmed.
Execute: Enter your trade and immediately set your stop loss at the line the indicator provides.
Manage: Manage the rest of the trade manually.
WSH - Calvin / Scott EMA'sProvides EMA's as described by Calvin Hill along with some other EMA's including Hull, SSMA and some settings to turn on or off some of the noise.
Trend Following Pro [Wukong Algo]Trend Following Pro  
 
 This is a trading method in pullback areas following the trendline. The trendband is designed to include Entry band (green band) and Stop Loss band (red band). Stop Loss will trail along the trendline.
 Automatically connect TradingView and MetaTrader 5 (MT5) for automatic trading and order management via PineConnector
 The system includes a risk management grid including the levels: Stop Loss (SL), Break-even (BE), Trailing Stop, TP1 (1/4), TP2 (2/4), TP3 (3/4), TP4 (4/4). This grid helps you easily monitor and manage orders on TradingView in parallel with automatic order management on MT5.
 Suitable for all markets: Forex, Gold, Crypto, Stocks, as long as you use MT5 and TradingView
 If you do not need to trade automatically via MT5, the Support and Resistance Pro can also be used as an effective indicator in visual order management on TradingView charts, helps maintain discipline and good trading psychology (less Stress or FOMO)
 
  
 Trend Following Pro system quick guide: 
Step 1:  Click two point A & B in the support and resistance zone (supply and demand) to draw a horizontal line
 
 Click to select two points A and B to draw the trendband. Entry will occur if the price touches the green band and StopLoss will be activated if after Entry the price touches the outter red line. You can completely adjust the width of the green and red bands with the input parameters.
 Select the direction you want to trade, for example in the picture we are choosing the Buy (Long) order
 
  
Step 2: Enter the input parameters for the system including:
 
 Direction of Long (Buy), Short (Sell), Turn Off (No trade) orders
 Width of Entry price trigger (green band) , and width of Stoploss (red band)
 Order volume, TP1, TP2, TP3, TP4 levels
 Maximum number of trades on a trendline
 
  
Step 3: Set up automatic trading from TradingView via PineConnector EA and MT5
 
 If you do not need automatic trading in MT5, skip this step. Entry signals and risk management grids will still be displayed on the TradingView chart for you to see, but there is no connection and automatic trading signal shooting and automatic order management from TradingView to MT5 via PineConnector.
 We need to create an Alert in TradingView and attach it to this Indicator so that the Alert's trading signals are transmitted via MetaTrader 5 (MT5) via PineConnector.
 When trading, you need to turn on 3 software at the same time to be able to connect to each other to operate: TradingView, MetaTrader 5 (MT5), PineConnector
 
See more details in the screenshots
  
Step 4 - Complete setup, and wait for trading signals
 
 You have completed the setup steps for the Indicator, ready when there is a trading signal
 You do not need to sit in front of the screen all day if you do not want. The system has been set up to execute and manage orders automatically.
 Of course, sometimes you should still check your transaction status, in case of unexpected problems such as lost internet connection.
 If you still have questions about this Indicator, please email tuanwukongvn@gmail.com for support.
 
  
AI Trend Signal + Auto TrendLines [NinjADeviL]📈 AI Trend Signal + Auto TrendLines  
The AI Trend Signal + Auto TrendLines indicator combines smart automatic trendline detection with AI-based market structure analysis to deliver precise real-time entry and exit signals.
🧠 Key Features:
🔹 Automatically detects upward and downward trendlines based on dynamic swing analysis.
🔹 Highlights breakout zones with clear visual alerts.
🔹 Built-in AI engine to forecast early trend reversals.
🔹 Integrates Smart Money Concepts (BOS / CHoCH).
🔹 Dynamic background and color-coded visualization for bullish/bearish trends.
🔹 Works across all timeframes and asset classes — stocks, forex, indices, and crypto.
⚙️ Fully Customizable:
Adjust colors, sensitivity, line styles, and alerts to fit your personal trading strategy and chart style.
💡 Perfect For:
Traders looking to identify high-probability breakouts, trend reversals, and key structural points in the market with clarity and accuracy.
Percentage Based ZigZag with trend colouringA modification of the original ZigZag script, where the current price change in percentages are tracked, and the background is being marked based on trend strength. If a reversal is confirmed, the value of 2 or -2 is given, if its fading, meaning it is getting further from the highest high or lowest low by a treshold, 1 or -1 is given.
Colouring based on strength.
GUSI ProGUSI — Adaptive Bitcoin Cycle Risk Model
Most on-chain metrics published on TradingView — such as NUPL, MVRV, or Puell Multiple — were once reliable in past cycles but have lost accuracy. The reason is simple: their trigger levels are static, while Bitcoin’s market structure changes over time. Tops have formed lower each cycle, yet the traditional horizontal thresholds remain unchanged.
What GUSI does differently:
It introduces sloped trigger functions that decrease over time, adapting each metric to Bitcoin’s maturing market.
It applies long-term normalization methods (smoothing and z-score lookups) to reduce distortion from short-term volatility and extreme outliers.
It only includes signals that remain valid across all Bitcoin cycles since 2011, discarding dozens of popular on-chain ideas that fail even after adjustment.
How GUSI is built:
GUSI is not just a mashup of indicators. Each component is a proprietary, modified version of a known on-chain signal:
Logarithmic MACD with declining trigger bands
MVRV-Z Score Regression with cycle-aware slopes
Net Unrealized Profit/Loss Ratio normalized with dynamic z-scores
Puell Multiple with logarithmic decay
Weekly RSI momentum filter for bottoms
Optional Pi Cycle Top logic with sloped moving averages
These are combined into a composite risk scoring system (0–100). Every signal contributes to the score according to user-defined weights, and each can be toggled on/off. The end result is a flexible model that adapts to long-term changes in Bitcoin’s cycles while staying transparent in its logic.
How to use it:
Scores near 97 indicate historically high-risk conditions (cycle tops).
Scores near 2.5 highlight deep accumulation zones (cycle bottoms).
Background colors and labels make the conditions clear, and built-in alerts let you automate your strategy.
GUSI is designed for the INDEX:BTCUSD 1D chart and works best when viewed in that context.
In short: GUSI makes classic on-chain indicators relevant again by adapting them to Bitcoin’s evolving market cycles. Instead of relying on static thresholds that stop working over time, it introduces dynamic slopes, normalization, and a weighted composite framework that traders can adjust themselves.
Thiru Time CyclesThiru Time Cycles - Advanced Institutional Trading Framework
🔥 PROPRIETARY TIME CYCLE ANALYSIS SYSTEM
This comprehensive indicator implements a multi-layered institutional trading framework that combines session-based analysis, proprietary time cycle detection, and advanced market structure tracking. The system is built on original research into institutional order flow and market timing.
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
📊 CORE COMPONENTS
1. ZEUSSY 90-MINUTE TIME CYCLES (Proprietary ADM Framework)
   • Accumulation Phase (A): Early session liquidity gathering
   • Distribution Phase (D): Mid-session momentum and trend development
   • Manipulation Phase (M): Late session volatility and reversals
   
   Coverage:
   • London Session: 3 complete 90-minute cycles (2:30-7:00 AM)
   • NY AM Session: 3 complete 90-minute cycles (7:00-11:30 AM)
   • NY PM Session: 3 complete 90-minute cycles (11:30-4:00 PM)
   
   How It Works:
   Each trading session is divided into three distinct 90-minute phases that represent institutional behavior patterns. The Accumulation phase identifies early positioning, Distribution shows trend development, and Manipulation captures late-session reversals. This proprietary framework is based on analysis of institutional order flow across thousands of trading sessions.
2. ZEUSSY 30-MINUTE SUB-CYCLES (Precision Timing)
   • A1, A2, A3: Three 30-minute subdivisions of Accumulation phase
   • M1, M2, M3: Three 30-minute subdivisions of Distribution phase
   • D1, D2, D3: Three 30-minute subdivisions of Manipulation phase
   
   Each 90-minute cycle contains 3 sub-cycles for precise entry/exit timing. Color-coded boxes (Blue/Red/Green) indicate phase progression within each major cycle.
3. ZEUSSY TRADE SETUP TIME WINDOWS (Optimal Entry Zones)
   • London: 2:30-4:00 AM (First 90-minute cycle - highest probability)
   • NY AM: 9:30-10:30 AM (Market open volatility capture)
   • NY PM: 1:30-2:30 PM (Afternoon momentum continuation)
   
   These windows represent statistically validated high-probability entry zones within each major session, identified through proprietary backtesting of institutional participation patterns.
4. TOI TRACKER (Time of Interest - Critical Decision Points)
   Tracks six critical time windows per day when institutional decisions create high-probability setups:
   
   London Session:
   • 2:45-3:15 AM: Early London accumulation
   • 3:45-4:15 AM: London momentum confirmation
   
   NY AM Session:
   • 9:45-10:15 AM: Post-open institutional positioning
   • 10:45-11:15 AM: Late morning trend confirmation
   
   NY PM Session:
   • 1:45-2:15 PM: Afternoon setup phase
   • 2:45-3:15 PM: Final positioning before power hour
   
   The TOI Tracker uses horizontal lines with customizable extension to mark precise highs and lows during these critical windows.
5. KILLZONE BOXES (Session Visualization)
   Customizable session overlays with adjustable:
   • Box styles (Box/Background/Hamburger/Sandwich)
   • Border styles and transparency
   • Unified or session-specific colors
   • Background and text display options
   
   Sessions: Asia, London, NY AM, NY PM, Lunch, Power Hour
6. KILLZONE PIVOTS (Dynamic Support/Resistance)
   • Automatic high/low detection for each session
   • Pivot extension until mitigation
   • Midpoint calculations for precision entries
   • Alert system for pivot breaks
   • Enhanced label styling with session colors
   
   The system tracks when price "mitigates" (breaks through) each session's pivot levels and can alert traders in real-time.
7. DAY/WEEK/MONTH ANALYSIS
   • Daily/Weekly/Monthly open prices
   • Previous high/low levels
   • Day of week labels
   • Session separators
   • Current week filtering
   
   Higher timeframe reference levels for context and confluence.
8. OPENING PRICE LINES
   Up to 8 customizable opening price lines for specific times:
   • Daily Candle (DC) Open: 6:00 PM
   • Midnight Open: 12:00 AM
   • Market Open: 9:30 AM
   • Custom times as needed
   
   These lines extend until a "cutoff time" (default 4:00 PM) for clean chart presentation.
9. VERTICAL TIMESTAMPS
   Optional vertical lines to mark specific times of day for quick visual reference of session boundaries.
10. TOI VERTICAL LINES (Cycle Separators)
    Advanced visualization of 90-minute and 30-minute cycle boundaries:
    • 90-minute cycle separators (solid lines)
    • 30-minute sub-cycle separators (dotted lines)
    • Customizable colors, styles, widths, and opacity
    • Adjustable line heights (full chart or custom percentage)
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
🎯 TRADING APPLICATIONS
**Scalping (1-5 minute charts):**
• Use 30-minute sub-cycles for precise entries
• TOI Tracker for high-probability windows
• Killzone pivots for stop placement
**Day Trading (15-60 minute charts):**
• 90-minute cycles for trend direction
• Zeussy Trade Setup Windows for entries
• Session pivots for targets
**Swing Trading (4H-Daily charts):**
• Daily/Weekly/Monthly levels for context
• Major session analysis for timing
• Killzone pivots for key levels
**Institutional Analysis:**
• Track ADM phases for order flow understanding
• Identify accumulation/distribution/manipulation patterns
• Anticipate session-based volatility
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
🔧 TECHNICAL SPECIFICATIONS
• Built on Pine Script v6
• Maximum efficiency: 500 labels, 500 lines, 500 boxes
• Multi-timezone support (GMT-12 to GMT+14)
• Timeframe limiting for optimal display
• Drawing limit controls for performance
• Advanced table displays for statistics
• Real-time alert system
• Professional watermark customization
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
💡 WHAT MAKES THIS UNIQUE
1. **Zeussy ADM Framework**: Proprietary 90-minute cycle analysis based on institutional behavior patterns (Accumulation/Distribution/Manipulation)
2. **Multi-Layer Time Analysis**: Combines 90-minute cycles, 30-minute sub-cycles, and specific TOI windows for comprehensive market timing
3. **Trade Setup Windows**: Statistically validated optimal entry zones derived from institutional participation analysis
4. **Integrated System**: Seamlessly combines multiple analysis methods (time cycles, pivots, levels, TOI) in one cohesive framework
5. **Professional Grade**: Enterprise-level customization with performance optimization and clean visual presentation
6. **Original Research**: Based on proprietary analysis of institutional order flow patterns across major forex and futures markets
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
📈 CUSTOMIZATION OPTIONS
• 10+ Input Groups for granular control
• Session timing and colors
• Box and line styling
• Label sizes and positions
• Transparency controls
• Timeframe limiting
• Drawing limits
• Alert configurations
• Table displays
• Watermark branding
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
⚠️ USAGE NOTES
• Best used on GMT-4 timezone for consistency
• Recommended timeframes: 1m-60m for intraday analysis
• Works on all markets: Forex, Indices, Commodities, Crypto
• Combine with price action and market structure for best results
• The Zeussy framework is most effective during active trading sessions
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
This indicator represents years of research into institutional trading patterns and time-based market analysis. The proprietary Zeussy framework and TOI tracking system are not available in any open-source form.
© 2025 Thiru Trades - All Rights Reserved
Relative Strength Portfolio StrategyCompares the relative strength of the following tokens
BTC
ETH
SOL
SUI
DOGE
LINK
XRP
BNB
ENA
CRV
AAVE
ONDO
TAO
DET
RENDER
PENGU
SHIB
WIF
MACD with Smart Entry Signals & Trend Filter
This advanced MACD indicator combines traditional MACD analysis with intelligent entry signal detection and an optional EMA trend filter. It identifies high-probability entry points by analyzing histogram patterns, consolidation phases, and trend continuation setups.
### Key Features
**🎯 Smart Entry Detection**
- **Consolidation Breakouts**: Identifies exits from consolidation zones (weak bars) with strong momentum
- **Trend Reversals**: Detects potential trend changes after extended weak phases
- **Correction/Continuation Patterns**: Recognizes brief corrections within strong trends that offer continuation opportunities
**📊 Enhanced MACD Visualization**
- Color-coded histogram showing four distinct states:
  - Strong Bullish (dark green): Rising histogram above zero
  - Weak Bullish (light green): Falling histogram above zero
  - Weak Bearish (light red): Rising histogram below zero
  - Strong Bearish (dark red): Falling histogram below zero
**🔍 Multi-Layer Filtering System**
- **Candle Size Filter**: Eliminates signals during high volatility/large candle ranges
- **EMA Trend Filter**: Optional filter ensuring entries align with the dominant trend direction
- Visual markers for rejected signals (orange X for candle size, blue E for EMA trend)
**⚙️ Customizable Parameters**
- Adjustable MACD periods (default: 34/144/9)
- Configurable consolidation bar requirements
- Flexible correction pattern detection
- EMA trend filter with adjustable sensitivity
- Multiple alert types for all signal conditions
### How to Use
1. **Enable/disable filters** based on your trading style and market conditions
2. **Green triangles (L)**: Long entry signals when all conditions are met
3. **Red triangles (S)**: Short entry signals when all conditions are met
4. **Rejected signal markers**: Help you understand why certain setups were filtered out
5. **Background coloring**: Provides visual confirmation of signal zones and correction patterns
### Alert System
Comprehensive alerts for:
- Long and short entry signals
- Specific pattern types (consolidation, reversal, continuation)
- Rejected signals (helps refine strategy)
- Traditional MACD histogram crossovers
### Best Practices
- Use the EMA trend filter in trending markets to avoid counter-trend trades
- Adjust candle size filter based on your instrument's typical volatility
- Consider combining with support/resistance levels for confirmation
- Test different consolidation bar settings for your timeframe
### Parameters Summary
- Fast/Slow Length: MACD calculation periods
- Signal Smoothing: Signal line period
- Consolidation Bars: Minimum weak bars before breakout
- Max Candle Range: Filter for oversized candles
- EMA Period & Sensitivity: Trend filter configuration
---
*This indicator is designed for traders who want a systematic approach to identifying MACD-based entry opportunities with built-in risk management through filtering.*
Multi-Tool Signal (Buy/Add/Hold/Sell) v6Multi-Tool Signal (Buy/Add/Hold/Sell) v6- technical analysis of stocks 
Pure Price Action ICT Tools + Liquidity (iFVG+OB) [SurgeGuru]Pure Price Action ICT Tools + Liquidity Dashboard
A comprehensive Institutional Concepts & Techniques (ICT) trading toolkit that identifies key market structure elements, liquidity zones, and order blocks to help traders spot institutional trading opportunities.
📊 MAIN FEATURES:
🎯 Market Structure Analysis
Identifies swing highs/lows across multiple timeframes (Short/Intermediate/Long Term)
Detects Break of Structure (BOS) and Change of Character (CHoCH)
Customizable line styles and colors for bullish/bearish structures
💧 Liquidity Detection
Buyside & Sellside Liquidity Zones: Identifies areas where stops are likely clustered
Liquidity Voids: Detects price gaps where minimal trading occurred
Enhanced Liquidity Zones: Volume-based liquidity areas with dynamic coloring
Adjustable visibility levels and margin settings
🔄 Order Blocks & Breaker Blocks
Automatically identifies institutional order blocks
Tracks breaker blocks that invalidate previous order blocks
Configurable lookback periods for bull/bear blocks
Option to use candle body or wicks for detection
⚡ SWING POINTS
Clear marking of significant highs and lows
Multiple timeframe analysis
Customizable label sizes and colors
🛠️ CUSTOMIZATION OPTIONS:
Multiple Timeframe Detection: Short, Intermediate, and Long Term analysis
Visual Customization: Adjust colors, line styles, and label sizes
Performance Optimized: Limited historical calculations for smooth operation
Selective Display: Toggle individual components on/off as needed
🎯 TRADING APPLICATIONS:
Identify institutional order flow and liquidity grabs
Spot market structure shifts and potential reversal zones
Locate optimal entry points using order blocks
Manage risk using liquidity zones as natural targets/stops
⚙️ TECHNICAL SPECS:
Version: Pine Script v5
Max Labels: 500 | Max Boxes: 500 | Max Lines: 500
Calculation Bars: 2000
Credits: 
BigBeluga for liquidity formula
LuxAlgo for amazing iFVG code.
EDGAR 1-Hour Overview (E1H)EDGAR 1-Hour Overview (E1H)
 This indicator is designed for precision sniper entries by using 1-hour institutional reference levels to guide trades executed on the 1-minute timeframe.
It combines three core systems in one:
📊 1-Hour Base Overview — detects key institutional zones where price is likely to react or reject.
⚡ EMA Trend Filter (2 & 8) — confirms directional bias for intraday scalping and momentum trading.
🐋 Whale Detector — identifies sudden volatility spikes and large orders (institutional buying or selling) using adaptive standard-deviation filters.
With the E1H Overview, you no longer need to guess where the market will bounce or reverse — it highlights real-time zones where big players (whales) are entering positions, allowing you to synchronize your 1-minute sniper entries with institutional movement.
Time Period Highlighter (UTC) — SPARTANHighlights sessions
00:00 UTC - 06:00 UTC
06:00 UTC - 12:00 UTC
12:00 UTC - 12:00 UTC






















