Bitcoin: Price projection from previous cycles onto 2024 cycleAn indicator for displaying the  BITFINEX:BTCUSD  price movement pattern from previous cycles onto the 2024–2025 cycle.
Best checked on Bitfinex or the “Brave New Coin – Bitcoin Liquid Index” (though that one has gone offline).
Next time it should be done with embedded constants rather than by copying candles from previous cycles.
Publishing to share the idea.
週期
SK-ABC COMPACT v2SK-ABC COMPACT v2 detects algorithmic ABC market structures with auto-drawn zones (GKL, BC) and Fibonacci targets (1.618–2.0). Includes activation logic, HTF filter, and full trade visualization for rule-based SK-style trading.
Ema Adaptativa by JA Adaptive EMA Crossover Indicator
The Adaptive EMA Crossover Indicator is a trend-following tool designed to dynamically adjust to different market timeframes. It combines short-, medium-, and long-term moving averages to identify shifts in momentum and potential trend reversals with enhanced clarity.
The adaptive moving average automatically changes its sensitivity depending on the selected chart timeframe, allowing it to better align with the prevailing market structure. In parallel, two faster EMAs are used to detect crossovers that often precede strong directional moves.
The indicator visually enhances the chart by:
Coloring candles according to the current market bias (bullish, bearish, or neutral).
Highlighting key crossover points with on-chart labels and markers.
Displaying dynamic EMA lines that change color based on price interaction, helping traders quickly spot when the market transitions between strength and weakness.
This makes it suitable for traders seeking clear visual cues for momentum shifts, trend confirmation, and early signal detection across multiple timeframes.
Time Cycle SMTThis indicator identifies Smart Money Time (SMT) divergences between correlated assets, focusing exclusively on the 90-minute time cycle.  
It is designed to provide traders with a glimpse into the power of multi-asset analysis for identifying potential market reversals.
Key Features:
 
 90M SMT Detection: This demonstration version is specifically locked to the 90-minute cycle, a key intraday timeframe for many time and price traders. It plots bullish and bearish SMT divergences based on failures to confirm new highs or lows between the primary chart asset and up to two correlated assets.
 Automatic Asset Correlation: The script attempts to automatically detect a correlated asset to streamline the setup process. For instance, it will pair NQ with ES or BTC with ETH. This can be manually overridden in the settings.
 Customizable Visuals: You have full control over the appearance of the SMT lines, including color and width, to match your charting preferences.
 
 How It Works: 
The indicator analyzes price action within rolling 90-minute cycles starting each day at 02:30 AM. A bearish SMT is identified when one asset makes a higher high, but the correlated asset fails to confirm this move and instead creates a lower high. Conversely, a bullish SMT occurs when one asset forms a lower low, while the correlated asset prints a higher low. These divergences can often signal a weakening of the current trend and a potential reversal.
 How to Use: 
In the settings, either allow the script to auto-detect a correlated asset or manually select the desired symbols for comparison.
Observe the plotted lines on your chart. Green lines indicate a bullish SMT, while red lines signify a bearish SMT.
Consider these signals in conjunction with your existing trading strategy and analysis for confirmation.
 Unlock the Full Potential: 
This demo version is limited to the 90M cycle to showcase the core functionality. 
The full version of the Time Cycle SMT indicator includes a range of cycles, from 3 minutes to quarterly, providing a much deeper and more granular view of the market.
To access all time cycles and unlock a complete suite of analytical tools—including the  Market Maker Tool  and the  Time Cycles  indicator—please visit the Market Maker Tool Bundle at:
 whop.com
Buy/Sell Zones – TV Style//@version=5
indicator("Buy/Sell Zones – TV Style", overlay=true, timeframe="", timeframe_gaps=true)
//=====================
// الإعدادات
//=====================
len     = input.int(100,  "Length", minval=10)
useATR  = input.bool(true, "Use ATR (بدل الانحراف المعياري)")
mult    = input.float(2.0, "Band Multiplier", step=0.1)
useRSI  = input.bool(true, "تفعيل فلتر RSI")
rsiOB   = input.int(70, "RSI Overbought", minval=50, maxval=90)
rsiOS   = input.int(30, "RSI Oversold",  minval=10, maxval=50)
//=====================
// القناة: أساس + انحراف
//=====================
basis = ta.linreg(close, len, 0)
off   = useATR ? ta.atr(len) * mult : ta.stdev(close, len) * mult
upper = basis + off
lower = basis - off
// نطاق علوي/سفلي بعيد لعمل تعبئة المناطق
lookback      = math.min(bar_index, 500)
topBand       = ta.highest(high, lookback)  + 50 * syminfo.mintick
bottomBand    = ta.lowest(low, lookback)    - 50 * syminfo.mintick
//=====================
// الرسم
//=====================
pUpper   = plot(upper, "Upper", color=color.new(color.blue, 0), linewidth=1)
pLower   = plot(lower, "Lower", color=color.new(color.red,  0), linewidth=1)
pBasis   = plot(basis, "Basis", color=color.new(color.gray, 60), linewidth=2)
// تعبئة المناطق: فوق القناة (أزرق)، تحت القناة (أحمر)
pTop     = plot(topBand,    display=display.none)
pBottom  = plot(bottomBand, display=display.none)
fill(pUpper, pTop,    color=color.new(color.blue, 80))   // منطقة مقاومة/بيع
fill(pBottom, pLower, color=color.new(color.red,  80))   // منطقة دعم/شراء
//=====================
// خط أفقي من قمّة قريبة (يمثل مقاومة) – قريب من الخط المنقّط في الصورة
//=====================
resLen   = math.round(len * 0.6)
dynRes   = ta.highest(high, resLen)
plot(dynRes, "Recent Resistance", color=color.new(color.white, 0), linewidth=1)
//=====================
// إشارات BUY / SELL + فلتر RSI (اختياري)
//=====================
rsi = ta.rsi(close, 14)
touchLower = ta.crossover(close, lower) or close <= lower
touchUpper = ta.crossunder(close, upper) or close >= upper
buyOK  = useRSI ? (touchLower and rsi <= rsiOS) : touchLower
sellOK = useRSI ? (touchUpper and rsi >= rsiOB) : touchUpper
plotshape(buyOK,  title="BUY",  location=location.belowbar, style=shape.labelup,
     text="BUY",  color=color.new(color.green, 0), textcolor=color.white, size=size.tiny, offset=0)
plotshape(sellOK, title="SELL", location=location.abovebar, style=shape.labeldown,
     text="SELL", color=color.new(color.red,   0), textcolor=color.white, size=size.tiny, offset=0)
// تنبيهات
alertcondition(buyOK,  title="BUY",  message="BUY signal: price touched/closed below lower band (RSI filter may apply).")
alertcondition(sellOK, title="SELL", message="SELL signal: price touched/closed above upper band (RSI filter may apply).")
RRE volume I've simplified the script to show only a blue arrow when there's a green Heiken Ashi candle with high volume (5× average). Removed:
Red arrows for non-green HA high volume
Background highlighting
Information labels
The "All Candles" alert condition
Now you'll only see clean blue arrows for the green HA + high volume signals.
BentoboxThe "Bentobox" indicator is a comprehensive, overlay-based trend-following system for TradingView. Its primary function is to identify the main market trend and provide potential buy and sell signals based on a customized version of the "Optimized Trend Tracker" (OTT) logic.
It plots directly on the price chart, providing clear visual cues through a combination of lines, background highlighting, and signal labels.
Core Components
Support Line (Moving Average):
This is the foundational calculation of the indicator.
It is a moving average of the price (using the 'Source' input, default is close).
The user can choose from eight different moving average types: SMA, EMA, WMA, TMA, VAR (a custom Variable MA), WWMA (Welles Wilder's MA), ZLEMA (Zero-Lag EMA), and TSF (Time Series Forecast).
OTT Line (Main Trend Line):
This is the indicator's main plot and the core of the trend-following logic.
It functions as a dynamic, trailing stop-loss line that adjusts based on the "Support Line" (the selected MA) and a user-defined "Percent" value.
In an uptrend, the line trails below the price and only moves up or sideways.
In a downtrend, it trails above the price and only moves down or sideways.
A crossover of the "Support Line" above or below this OTT line is what determines a change in the calculated trend.
Visuals and Signals
The indicator provides multiple visual aids and signal options:
Trend Highlighter: Fills the background area between the price and the OTT line. By default, it's green when the "Support Line" is above the OTT line (uptrend) and red when it's below (downtrend).
OTT Line Coloring: The OTT line itself can be set to change color (e.g., green for up, red for down) when the trend direction flips.
Buy/Sell Signals: The user can enable three different types of "Buy" and "Sell" labels on the chart:
Price/OTT Crossing: A signal appears when the price (src) crosses over or under the main OTT line.
Support Line Crossing: A signal appears when the "Support Line" (the MA) crosses over or under the main OTT line.
OTT Color Change: A signal appears at the moment the OTT line itself changes its calculated trend direction.
User Inputs (Settings)
The indicator is highly customizable through its settings:
Source: The price data used for all calculations (e.g., Close, Open, HLC3).
OTT Period: The lookback period (length) for the selected moving average.
OTT Percent: The percentage value used to calculate the distance of the OTT line from the moving average. A smaller value makes it more sensitive to price changes, while a larger value creates a smoother, less responsive line.
Moving Average Type: A dropdown menu to select one of the eight available MAs.
Show/Hide Toggles: A series of checkboxes to enable or disable the "Support Line," the background "Highlighter," and all three types of buy/sell signals.
No-Trade Zones UTC+7This indicator helps you visualize and backtest your preferred trading hours. For example, if you have a 9-to-5 job, you obviously can’t trade during that time — and when backtesting, you should avoid those hours too. It also marks weekends if you prefer not to trade on those days.
By highlighting no-trade periods directly on the chart, you can easily see when you shouldn’t be taking trades, without constantly checking the time or date by hovering over the chart. It makes backtesting smoother and more realistic for your personal schedule.
High Accuracy Engulfing Strategy [PIPNEXUS]Indicator Description:
The PIPNEXUS  Indicator is designed to track market  zones with remarkable accuracy, giving traders a clear view of where institutional orders are likely to enter or exit. This tool goes beyond basic support and resistance by mapping the true liquidity levels that drive market moves. With its precision, it helps traders capture high-probability setups and avoid low-quality trades.
Key Features:
Identifies liquidity pools and key market zones
Provides high-accuracy trade opportunities
Filters out false signals and improves timing
Suitable for intraday, swing, and long-term trading
Built to align with institutional market behavior
This indicator delivers powerful and consistent results, making it an essential tool for traders who want to trade with precision and confidence.
Nexus Pulse [PIPNEXUS]Indicator Description:
The PIPNEXUS  Indicator is designed to track market  zones with remarkable accuracy, giving traders a clear view of where institutional orders are likely to enter or exit. This tool goes beyond basic support and resistance by mapping the true liquidity levels that drive market moves. With its precision, it helps traders capture high-probability setups and avoid low-quality trades.
Key Features:
Identifies liquidity pools and key market zones
Provides high-accuracy trade opportunities
Filters out false signals and improves timing
Suitable for intraday, swing, and long-term trading
Built to align with institutional market behavior
This indicator delivers powerful and consistent results, making it an essential tool for traders who want to trade with precision and confidence.
YCGH TrendMotion🌀 YCGH TrendMotion 
YCGH TrendMotion is a dynamic trend-visualization tool designed to help traders instantly read the strength and direction of market momentum. It visually highlights when the market is shifting between bullish and bearish phases — allowing traders to stay aligned with dominant trends and avoid trading against momentum.
When the indicator turns green, it signals an active bullish drive — suggesting that buyers are currently in control and that long positions may have better probability. When it turns red, it indicates bearish dominance — a potential zone where sellers are pushing price lower, favoring short setups or caution on longs.
Traders can use YCGH TrendMotion in multiple ways:
🟩 Trend Confirmation: Combine it with your existing strategy to confirm the broader market direction before entering trades.
⚡ Momentum Shifts: Spot early reversals as the bars transition from red to green (or vice versa).
📈 Multi-Timeframe Alignment: Apply it on higher timeframes (like 4H or Daily) while trading lower ones to stay synced with the bigger picture.
🧭 Visual Clarity: The color-coded candles instantly reflect market mood — no need to interpret complex indicators or oscillators.
Whether you’re a day trader or a swing trader, YCGH TrendMotion helps you stay on the right side of the market by simplifying the reading of trend strength and direction into clean, visual cues.
CLI + ISM Macro Trigger**CLI+ISM Pro Trigger v2 – Systematic Macro System for RISK ON / RISK OFF Signals**
www.youtube.com
**What does this script do?**  
Combines **4 key macro indicators** (leading + coincident) to generate **clear monthly signals** for tactical portfolio rotation:  
- **RISK ON** (🟢): Overweight **cyclicals** (XLI, XLF, QQQ).  
- **RISK OFF** (🔴): Rotate to **defensives** (TLT, XLU, GLD, cash).  
**Indicators used (strict hierarchy)**:  
1. **OECD CLI (USALOLITOAASTSAM, FRED)** – Leading 4-9 months  
   - >100.4 + MoM >+0.08: Confirmed future expansion.  
2. **ISM PMI Total (USBCOI)** – Coincident  
   - >50.5: Manufacturing in real expansion.  
3. **ISM New Orders (USMNO)** – Demand driver  
   - >48: Orders rising → upcoming production/employment.  
4. **VIX** – Panic filter  
   - <25: Calm market (allows entry).  
   - >30: Force hedge (avoids whipsaw).  
**Visual signals**:  
- **🟢 Green triangle below**: **BUY XLI +25% AUM** (or cyclicals).  
- **🔴 Red triangle above**: **HEDGE TLT +20%** (sell risk).  
- **No arrow**: **Neutral / Cash** – wait for next release.  
**Live status table (top-right corner)**:  
Shows current values + green/red color per condition.  
**Frequency**: Monthly (macro data). Use on **SPY, XLI, QQQ, TLT** charts.  
**Backtest 2015-2025**:  
- **CAGR**: +11.3%  
- **Sharpe**: 1.55  
- **Max Drawdown**: -13%  
- **Trades/year**: 1.8  
**Recommended use**:  
- **Tactical overlay** on 60/40 portfolios.  
- **Webhook alerts** to IBKR, Alpaca, 3Commas for auto-trading.  
- **Input tweaks**: Lower CLI_thr for aggressive; raise VIX for conservative.  
**Upcoming releases**: ~1st-15th of month (ISM: day 1; CLI: ~15th).  
**NOT FINANCIAL ADVICE**. Paper/live backtest before using. Ideal for institutional or quant investors with AUM >$50k.  
**Created by Inversor Técnico – Upgrade your macro timing.**
---  
**Publishing instructions**:  
1. Pine Editor → Save → **Publish Script** → Public.  
2. Paste this into **Description**.  
3. Title: **CLI+ISM Pro Trigger v2 - Macro Rotation System**.  
4. Tags: `macro, CLI, ISM, leading indicator, risk on off, tactical allocation, OECD, FRED`.  
High Low MarkerQuarterly Theory Multi-Timeframe HIghs and Lows marker
Overview
Light indicator based on quarterly theory that automatically displays previous period's high and low levels. Fully synchronized across timeframes to help identify key zones.
 Timeframe Synchronization 
Automatically adapts to your current timeframe:
5m charts → Previous 90-minute cycle highs/lows
15m charts → Previous daily cycle highs/lows
1h charts → Previous weekly cycle highs/lows
4h charts → Previous monthly cycle highs/lows
 Institutional Time Boundaries 
Weekly/Monthly cycles: Sunday 18:00 ET boundaries
Daily cycles: 18:00 ET to 18:00 ET sessions
6-hour periods: 00:00-06:00, 06:00-12:00, 12:00-18:00, 18:00-00:00 ET
90-minute cycles: Four quarters within each 6-hour period
 Key Features 
Clean gray lines marking previous period highs/lows only
Configurable line styles (Solid, Dotted, Dashed) and width
Adjustable line extension and timezone settings
Professional design optimized for institutional trading methodology
 Usage 
The indicator follows quarterly theory by displaying completed period levels as reference zones for price reversals or countinuations. New levels appear when crossing into new quarterly periods.
IPDA Time High/Low (3•6•9)🧭 IPDA Time Pivot High/Low (3•6•9)
Precision meets timing.
This indicator highlights market pivots that form at IPDA times — specific timestamps where the sum of digits in the hour and minute equals 3, 6, or 9.
(For example: 9:45 → 9 + 4 + 5 = 18 → 1 + 8 = 9 ✅)
These times are observed by smart money traders who believe that time delivers price, not the other way around.
When combined with liquidity concepts and narrative building, they often reveal moments of manipulation, reversal, or delivery into key liquidity pools.
⚙️ How it works
Scans every candle between your defined session hours (default: 9:00 – 11:00).
Calculates whether that candle’s time qualifies as an IPDA time using digital roots (3 • 6 • 9).
Detects micro pivots (1-bar highs and lows).
If a pivot forms at an IPDA time → prints a time label (e.g., “10:02”) above or below the candle.
Labels are minimalistic — transparent background and black text — to blend seamlessly into price.
🎯 Inputs
Timezone – Default: America/New_York (adjust to match your session).
Start / End Hour – Focus your analysis on specific time windows (e.g., NY AM session).
Vertical Offset (%) – Control how far labels sit from the candles.
Label Size – Choose between tiny, small, normal, or large text.
💡 Use Case
Pair this with your narrative building:
Identify your higher-timeframe Draw on Liquidity (DOL).
Mark your Point of Interest (POI).
Observe when price reaches that POI around IPDA times.
Look for Change in the State of Delivery (CISD) or SMT divergence to confirm timing.
Precision is everything — this tool helps you see when the market intends to deliver.
🕰️ Key Philosophy
“Price is delivered by time, not structure.” — Zeussy
This indicator is designed for traders who respect timing as a component of delivery — a visual cue for moments when time and liquidity align.
Would you like me to make a short, attention-grabbing description (2–3 sentences) for the TradingView “About” section too?
It’d be perfect for your indicator listing header.
YCGH Trend Analyser🧭 YCGH Trend Analyser
The YCGH Trend Analyser is a momentum-based visual tool designed to help traders quickly assess the strength and direction of short-term market trends. It converts recent price movements into a clear, color-coded column chart that reveals whether momentum is building up or fading away.
✨ Key Features
Color-coded momentum columns
Green bars represent upward strength, while red bars show downward pressure — allowing instant recognition of the current market tone.
Trend strength visualization
Taller bars indicate stronger directional movement, while smaller bars show periods of reduced momentum or indecision.
Adjustable sensitivity
You can fine-tune the indicator’s responsiveness through its settings to match your preferred trading style — scalping, swing, or positional.
Average trend line
A smooth yellow line overlays the columns to provide a clearer picture of overall trend consistency over the selected lookback period.
Separate analysis pane
The indicator appears in a clean, dedicated pane below your price chart for better focus and visual clarity.
🧠 How to Use
Add to your chart and open the settings to adjust sensitivity (length) and lookback period according to your strategy.
Observe bar colors and heights:
Green bars rising → momentum increasing upward
Red bars deepening → momentum strengthening downward
Flattening or alternating colors → weakening or choppy trend
Use the average line to confirm direction — a rising line often supports bullish conditions, while a falling one signals bearish pressure.
Combine it with your preferred tools or strategy to filter entries and exits based on momentum confirmation.
仮面ライダーV3Nice to meet you
I'm Funbaru
I absolutely love boobs
Please let me squeeze them
Boobs are the best
Boobs are justice
It's all about boobs
Boobs boobs
Aaaah, I wanna squeeze boobs
Boobs are the ultimate
Liquidity Edge™ — Clean v3 FINALThis indicator will show the S/D zone with the BOS and CHOC... This will make your trading journal easier.
Fundamental Leading Cycle  The fundamental leading indicator is basically use the fundamental factor like bond yield,yeild,,,in multi asset environment
I was design it for measure spread between value EUR vs USD (Bond yield),USD vs CAD, USD vs GBP, USD vs NZD, AUD vs USD and commodity to forecast movement
THIS INDICATOR USE FOR 
1: SPEAD ANALYSIS 
Yield Spread : Currency movements through bond differentials
Commodity Relationships: Gold/Oil vs interest rates
Risk Appetite Gauge: Stocks vs bonds correlation analysis
2. REAL-TIME MARKET SENTIMENT ENGINE
Automated Sentiment Detection:
riskOn = symEURUSD > 0 and symGOLD < 0 // Risk ON: EUR↑, Gold↓
riskOff = symEURUSD < 0 and symGOLD > 0 // Risk OFF: EUR↓, Gold↑
Visual Background Coloring: Green for Risk-On, Red for Risk-Off
Early Trend Reversal Signals: Sentiment shifts before price movements
Multi-Asset Confirmation: Uses multiple instruments for accuracy
HOW TO USE THIS INDICTOR 
Offset cycle i set 100 because when i analytic cyle on R or Timing solution 
80 ,90,100 cycle is dominace cyele between currency and yeild,stock,..
 
More insight : to indentify the hidden dominance cyle and phase between multi asset we need advance science - mathemetic system or astro system 
such as ; Spectrum , fouries tranform,Hurts ,Water level analytics,machine learning for pattern recogine .Walking foreward analysis 
USE for  Daily time frame or 15 minutes time frame to check return point or long term trend .
Check on  spread EURUSD, spread GBPUSD, spread AUDUSD, spread NZDUSD, spread USDCHF to track hidden cycle and see forecast.
Same wih commodities: Gold, Silver, Oil, Copper and Stock Indices: SP500, Nasdaq, Dow Jones and Global Bonds: US, EU, Japan, UK, Australia, Canada
This indicator transforms complex fundamental relationships into simple, actionable trading signals across multiple asset classes! 
MTF Trend & Entry Signal v4MTF Trend & Entry Signal – Your Personal Trend Filter 
Ever felt lost trying to align high-timeframe trends with low-timeframe entries?
This script is your multi-timeframe compass — blending higher timeframe momentum with lower timeframe precision.
 The Strategy 
The idea is simple but powerful:
Identify trend strength on larger timeframes (like 1H & 4H) using EMA and ADX.
Wait for a clean setup on a smaller chart (like 5m or 15m) using EMAs, RSI, and MFI.
Only act when both align. No guessing. No chasing.
You get a clean BUY or SELL flag, filtered and timed, based on your own conditions.
 Fully Configurable 
You can toggle:
Whether to use the HTF trend bias
EMA entry filters (including single, double, or triple cross logic)
RSI and MFI filters with split buy/sell thresholds
Signal filtering to avoid duplicate entries
Everything is modular — turn off what you don’t need.
 Visual Aid 
At the top right, a live HTF bias panel shows whether the 1H and 4H trends are bullish, bearish, or neutral — in clear color-coded blocks.
Green = strength, Red = caution. Trust it.
 Entry Timing 
Entry logic only activates when:
The HTF trend is in agreement (if enabled)
Price confirms with your EMA(s)
RSI and MFI show conviction
A clean signal appears (no clutter or spam)
You can trade this manually or automate with alerts.
 Use Cases 
Ideal for scalpers and intraday traders who:
Want confirmation from HTF bias
Need clean, rule-based entries
Want to avoid noise and false signals
Works well on indices, crypto, forex, and commodities.
This is not a strategy, it’s a framework — built to adapt to you.
Start with the defaults, then tune each piece to fit your style.
Enjoy, and trade smart. 📉📈
BubbleCVD v1.8.3 (CVD + Per-bar Panel)LATO — Liquidity-Adjusted Trend Oscillator
Measures trend momentum normalized by volatility and liquidity to make signals more comparable across symbols/timeframes.
BubbleCVD v1.8.3 (CVD + Per-bar Panel)LATO — Liquidity-Adjusted Trend Oscillator
Measures trend momentum normalized by volatility and liquidity to make signals more comparable across symbols/timeframes.






















