Forecasting
Multi ZigZag DR Advanced Elliott Wave - DR BASL📊 Multi ZigZag DR – Advanced Elliott Wave Detection by DR BASL 🧠
"ZigZag DR BASL - Elliott Wave" is a high-performance indicator designed to automatically detect Elliott Impulse Waves (0 → 1 → 2) using a multi-ZigZag approach with advanced ATR filtering.
🔍 Core Features:
✅ Detects impulse waves across 4 custom ZigZag lengths.
✅ Draws Entry, Stop Loss, and Take Profit (TP1–TP4) levels.
✅ Filters out market noise using ATR-based movement threshold.
✅ Fully customizable: colors, styles, wave structure, and display settings.
✅ Visual trend coloring (Bullish / Bearish) for directional clarity.
✅ Built-in alerts to notify when a new valid impulse wave is formed.
✅ Optional Pivot Statistics Table for wave validation and analysis.
🧠 Ideal For:
Elliott Wave traders looking for precise and automated detection.
Swing and structure-based traders using wave confluence.
Traders who prefer multi-layered ZigZag logic for confidence.
Users seeking visual clarity for entries, targets, and market context.
💡 Developed By:
📌 DR BASL – Designed with precision and flexibility in mind, coded in Pine Script v5, with modular logic and optimization for large-scale structures.
PosSys Reversal Points AdvisorOffering you the ability to quantify microstructure with no repaints, no lagging and no delay; Track and trade any and every reversal before it's obvious.
Use the PosSys™ Advisor to assist with entries, reentries, stoploss placement, confirmation, bias or confluence as needed, regardless of your trading style or execution method.
Access here⬇️
qssystems.tech
Want to backtest signals first? Use free version here ⬇️
PosSys Reversal Points (Delayed Version)**Disclaimer: There is a roughly 10-signal delay on all assets and timeframes; The delayed version is intended for historical testing only. **
Offering you the ability to quantify microstructure with no repaints, no lagging and no delay; Track and trade any and every reversal before it's obvious.
Use the PosSys™ Advisor to assist with entries, reentries, stoploss placement, confirmation, bias or confluence as needed, regardless of your trading style or execution method.
Access the paid version here ⬇️
qssystems.tech
Watch Demos here ⬇️
www.youtube.com
Quarterly Earnings
Easy to access fundamentals of a company on the chart.
EPS and Sales data of post quarters
Universal Trend Predictor//@version=5
indicator("Universal Trend Predictor", overlay=true, max_labels_count=500)
// === INPUTS ===
len_trend = input.int(50, "Trend Length (regression)", minval=10, maxval=200)
len_mom = input.int(14, "Momentum Length", minval=5, maxval=50)
len_vol = input.int(20, "Volume SMA Length", minval=5, maxval=100)
correlation_weight = input.float(0.5, "Correlation Weight (0-1)", minval=0, maxval=1)
// === TREND LINE (Linear Regression) ===
reg = ta.linreg(close, len_trend, 0)
reg_slope = ta.linreg(close, len_trend, 0) - ta.linreg(close, len_trend, 1)
// === MOMENTUM ===
mom = ta.mom(close, len_mom)
// === VOLUME ===
vol_sma = ta.sma(volume, len_vol)
vol_factor = volume / vol_sma
// === CORRELATION ASSETS ===
spx = request.security("SPX", timeframe.period, close)
dxy = request.security("DXY", timeframe.period, close)
xau = request.security("XAUUSD", timeframe.period, close)
// === CORRELATION LOGIC ===
spx_mom = ta.mom(spx, len_mom)
dxy_mom = ta.mom(dxy, len_mom)
xau_mom = ta.mom(xau, len_mom)
// Корреляция: усиливаем сигнал, если BTC и SPX растут, ослабляем если DXY растет
correlation_score = 0.0
correlation_score := (mom > 0 and spx_mom > 0 ? 1 : 0) - (mom > 0 and dxy_mom > 0 ? 1 : 0) + (mom > 0 and xau_mom > 0 ? 0.5 : 0)
correlation_score := correlation_score * correlation_weight
// === SIGNAL LOGIC ===
trend_up = reg_slope > 0
trend_down = reg_slope < 0
strong_mom = math.abs(mom) > ta.stdev(close, len_mom) * 0.5
high_vol = vol_factor > 1
buy_signal = trend_up and mom > 0 and strong_mom and high_vol and correlation_score >= 0
sell_signal = trend_down and mom < 0 and strong_mom and high_vol and correlation_score <= 0
// === ПАРАМЕТРЫ ДЛЯ ПРОГНОЗА ===
months_forward = 3
bars_per_month = timeframe.isintraday ? math.round(30 * 24 * 60 / timeframe.multiplier) :
timeframe.isdaily ? 30 :
timeframe.isweekly ? 4 :
30
bars_forward = math.min(months_forward * bars_per_month, 500) // TradingView лимит
// === ОГРАНИЧЕНИЕ ЧАСТОТЫ СИГНАЛОВ ===
var float last_buy_bar = na
var float last_sell_bar = na
can_buy = na(last_buy_bar) or (bar_index - last_buy_bar >= 15)
can_sell = na(last_sell_bar) or (bar_index - last_sell_bar >= 15)
buy_signal_final = buy_signal and can_buy
sell_signal_final = sell_signal and can_sell
if buy_signal_final
last_buy_bar := bar_index
if sell_signal_final
last_sell_bar := bar_index
// === ВЫДЕЛЕНИЕ СИЛЬНЫХ СИГНАЛОВ ===
strong_signal = strong_mom and math.abs(reg_slope) > ta.stdev(close, len_trend) * 0.5
// === VISUALIZATION ===
// Trend line (основная)
plot(reg, color=trend_up ? color.green : color.red, linewidth=2, title="Trend Line")
// Прогноз трендовой линии вперёд
reg_future = reg + reg_slope * bars_forward
line.new(x1=bar_index, y1=reg, x2=bar_index + bars_forward, y2=reg_future, color=color.new(color.blue, 0), width=2, extend=extend.none)
// Buy/Sell labels
plotshape(buy_signal_final and not strong_signal, style=shape.labelup, location=location.belowbar, color=color.new(color.green, 0), size=size.small, text="BUY", title="Buy Signal")
plotshape(buy_signal_final and strong_signal, style=shape.labelup, location=location.belowbar, color=color.new(color.lime, 0), size=size.large, text="BUY", title="Strong Buy Signal")
plotshape(sell_signal_final and not strong_signal, style=shape.labeldown, location=location.abovebar, color=color.new(color.red, 0), size=size.small, text="SELL", title="Sell Signal")
plotshape(sell_signal_final and strong_signal, style=shape.labeldown, location=location.abovebar, color=color.new(color.fuchsia, 0), size=size.large, text="SELL", title="Strong Sell Signal")
// Trend direction forecast (arrow)
plotarrow(trend_up ? 1 : trend_down ? -1 : na, colorup=color.green, colordown=color.red, offset=0, title="Trend Forecast Arrow")
// === ALERTS ===
alertcondition(buy_signal, title="Buy Alert", message="Universal Trend Predictor: BUY signal!")
alertcondition(sell_signal, title="Sell Alert", message="Universal Trend Predictor: SELL signal!")
// === END ===
aiTrendview.com Trading Dashboard with Volume AnalysisaiTrendview.com Trading Dashboard with Volume Analysis – Comprehensive Guide
The aiTrendview.com Trading Dashboard is a sophisticated multi-factor trading overlay for TradingView designed to streamline technical analysis for all trader levels. It integrates price action signals, real-time volume analytics, position/profit management, and momentum cues—all in a single, visually rich dashboard table.
Indicator Overview & Detailed Segment Advantages
1. Dashboard Settings
• Table Position & Size:
Place the dashboard wherever it's most visible (top/middle/bottom/left/center/right) and size it for your viewing comfort.
Advantage: Ensures unintrusive, clear access to actionable insights regardless of device or workspace setup.
• Show Brand:
Toggle branding to keep the dashboard minimal or visibly sourced for team environments.
Advantage: Personal or professional customization.
2. Volume Analysis
• Volume Average Days (Default: 20):
Sets the lookback period for volume averages, aligning analytics with your trading timeframe.
Advantage: Adaptable for short-term, swing, or position trading.
• Show Volume Details:
Displays metrics like today's vs. average volume and buy/sell ratios.
Advantage: Instantly spot unusual activity or volume spikes tied to big moves—crucial for spotting valid breakouts or breakdowns.
• Show Volume Pace:
Reveals how current volume tracks versus expected pace for the session.
Advantage: Supports intraday traders in catching momentum surges early.
3. Trading Signal Settings
• RSI & Supertrend Configuration:
Set lengths and sensitivity for two of the most popular trading indicators (RSI and Supertrend).
Advantage: Fine-tune signals for your asset and timeframe for more accurate entries/exits.
4. Color Settings
Customize all visual cues, from header backgrounds to buy/sell pressure and profit signals.
Advantage: Personalized shades maximize readability and reduce cognitive load, especially in multi-indicator setups.
Core Analytical Segments of the Dashboard
Segment Shows... Trading Value
SIGNALS Real-time "BUY", "SELL", "BULLISH", or "BEARISH" status Entry/exit & directional bias at a glance
MOMENTUM Momentum strength (Bullish, Bearish, Neutral) via RSI + price Gauge conviction behind price moves
POSITION ACTIVE/INACTIVE tracker for sample trade logic Monitor mock/real positions
PROFIT % return since notional entry Quick profit/loss assessment
VOLUME % Buy vs. Sell ratio Who dominates—bulls or bears?
PRESSURE Graphical gauge (🟢/🔴 icons) showing volume pressure balance Immediate view of pressure trends
LEVELS Confirmed entry price & key support/resistance from Supertrend Entry/stop/trailing logic
STATUS Position to previous day close (Bullish/Bearish/Neutral) Daily context for overall trend
Further secondary labels describe entry averages, RSI value, book action (take profit/hold/stop loss), trailing stop, volume pace, buy/sell percentages, supertrend direction, and symbol—all intuitive for real-time review.
5. Signal & Trading Logic
• Buy Signal:
Fires when price crosses above supertrend and RSI <70—suggests bullish entry.
• Sell Signal:
Fires when price crosses below supertrend and RSI >30—suggests bearish entry.
• Automatic Position/Profit Tracking:
Illustrates entry price, calculates % profit, and suggests book actions (Take Profit, Partial, Stop Loss, Hold).
Advantage: Reduces emotional decisions and supports disciplined, systematic trading.
6. Volume & Pressure Gauges
• Buy/Sell Pressure:
Calculates and visually displays active buying/selling force as a % plus colored markers.
Advantage: Quickly tells you if buyers or sellers are dominating the session and lets you avoid weak, low-conviction environments.
• Volume Pace:
Shows whether session volume is "Above Pace," "Below Pace," or "On Pace" relative to expectations for that time of day.
Advantage: Vital for momentum or breakout traders looking for early confirmation.
7. Visual Enhancements
• Dynamic Background Coloring:
Light green/red overlay hints when bulls/bears are in clean control.
Advantage: Instant situational awareness without searching for a number.
• Buy/Sell Signal Plotting:
Arrow markers on the chart for clear entry/exit timings.
• Supertrend Line:
Visual stop/confirmation for trending trades.
8. Real-Time Alerts
• Built-in conditions to alert on:
o Buy/Sell signals.
o Extremely strong buy/sell pressure.
o Volume pace spikes/drops.
Advantage: You’re never late to market changes, even if you’re not watching every candle.
Step-by-Step Instructions for New Traders
Step 1: Add the Indicator
• Go to TradingView, open the Pine Script editor, paste the code, and add to chart.
Step 2: Dashboard Customization
• Choose preferred dashboard placement and size for comfortable viewing.
• Select color and branding options.
Step 3: Volume Analysis Setup
• Set "Volume Average Days" in line with your trading style (shorter for day trades, longer for swing/position).
• Enable "Show Volume Details" for enhanced insight.
• Turn on "Show Volume Pace" especially for intraday monitoring.
Step 4: Signal Calibration
• Choose your RSI and Supertrend parameters based on asset volatility and your timeframe.
Step 5: Read & React to Signals
• Signals Section: Look for "BUY" or "SELL" cues in green/red.
• Momentum: Use as confidence check for entries/exits.
• Volume, Pressure: Favor trades with high buy/sell ratio and strong pressure matches.
• Profit, Book Action: Reference for possible profit-taking or loss mitigation.
Step 6: Trade & Manage Risk
• Use entry/stop/target cues from LEVELS and TRAILING SL columns.
• Adjust trade size and stops when momentum and volume strongly confirm each other.
Step 7: Use Alerts & Review
• Set alerts for key events so you’re notified of major moves.
• Review dashboard data after each session to learn from outcomes and strengthen your strategy.
Practical Dashboard Example
Segment Example Value What It Means/How to Use
SIGNALS BUY Consider opening a long position
MOMENTUM BULLISH Confirms long trade bias
POSITION ACTIVE Mock/real long position is on
PROFIT 3.20% Profit exceeds 2%—ready for partial book
VOLUME 66.2% Buy Buyers are in clear control
PRESSURE 🟢🟢🟢🟢🟢🔴🔴 Green > red, strong bull pressure
LEVELS 544.80 (entry) Use for stop/target planning
STATUS Bullish Today > prev. day’s close, upward bias
Tips for Beginners
• Always combine dashboard insights with chart support/resistance and price action analysis.
• Avoid trading when dashboard shows mixed/neutral readings—look for confluence.
• Start with demo trades to build dashboard reading skills and strengthen decision-making routines.
• Use alerts to stay responsive, but don’t act blindly—always apply risk controls.
This dashboard unites vital trade signals, volume analytics, and risk tools in one seamless, customizable display—making professional analysis accessible for traders at any level.
LCI108 beta 1.0Lci108 Beta 1.0
A comprehensive indicator that takes data from 7 different indicators from different timeframes
The ability to set alerts for tools and for the entire Watchlist
It often gives signals before the start of a strong trend
Комплексный индикатор берущий данные от 7 разных индикаторов с разных таймфреймов
Возможность настройки алертов по инструментам и по всему Watchlist
Очень часто дает сигналы перед началом сильного тренда
Telegram
@Lsi108
فلتر فني كامل - تنبيه بيع وشراء//@version=5
indicator("فلتر فني كامل - تنبيه بيع وشراء", overlay=true)
// إعدادات المتوسطات
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
// مؤشر القوة النسبية RSI
rsi = ta.rsi(close, 14)
// MACD
= ta.macd(close, 12, 26, 9)
// شمعة مؤسسية: جسم كبير + فوليوم مرتفع
body = math.abs(close - open)
isBigCandle = body > ta.sma(body, 10)
volumeCondition = volume > ta.sma(volume, 20)
// شروط شراء
buyCond = close > ema50 and ema50 > ema200 and rsi < 30 and macdLine > signalLine and isBigCandle and volumeCondition
// شروط بيع
sellCond = close < ema50 and ema50 < ema200 and rsi > 70 and macdLine < signalLine and isBigCandle and volumeCondition
// رسم إشارات على الشارت
plotshape(buyCond, title="إشارة شراء", location=location.belowbar, color=color.green, style=shape.labelup, text="شراء")
plotshape(sellCond, title="إشارة بيع", location=location.abovebar, color=color.red, style=shape.labeldown, text="بيع")
// التنبيه
alertcondition(buyCond, title="تنبيه شراء", message="إشارة شراء حسب الفلتر الفني")
alertcondition(sellCond, title="تنبيه بيع", message="إشارة بيع حسب الفلتر الفني")
ATR + FibsDescription:
This script plots ATR levels and ATR-based Fibonacci extension levels from either the Low of Day, or High of Day, using the daily Average True Range (ATR) to project key price zones. It's designed to help traders quickly assess where price is trading relative to the day’s ATR.
Features:
Visual reference for how far price has moved relative to today's ATR
Projects fib levels using daily ATR from LOD or HOD
Optional display of fib lines, % labels, and price values
Customizable colors and line widths per level
Auto-resets daily with updated highs/lows
Works on all intraday and higher timeframes
Ideal for traders who want to gauge intraday extension, or frame entries using volatility-based levels.
Average Daily Range in TicksPurpose: The ADR Ticks Indicator calculates and displays the average daily price range of a financial instrument, expressed in ticks, over a user-specified number of days. It provides traders with a measure of average daily volatility, which can be used for position sizing, setting stop-loss/take-profit levels, or assessing market activity.
Calculation: Computes the average daily range by taking the difference between the daily high and low prices, averaging this range over a customizable number of days, and converting the result into ticks (using the instrument's minimum tick size).
Customization: Includes a user input to adjust the number of days for the average calculation and a toggle to show/hide the ADR Ticks value in the table.
Risk Management: Helps traders estimate typical daily price movement to set appropriate stop-loss or take-profit levels.
Market Analysis: Offers insight into average daily volatility, useful for day traders or swing traders assessing whether a market is trending or ranging.
Technical Notes:
The indicator uses barstate.islast to update the table only on the last bar, reducing computational load and preventing overlap.
The script handles different chart timeframes by pulling daily data via request.security, making it robust across various instruments and timeframes.
Share Size FinderEnter your target gain and return timeframe to calculate how many shares to buy and the price you’ll need to sell at to meet that goal.
The return timeframe is based on how many candles (based on the ATR) it may take to reach your exit price. I use 2 for scalping.
The table shows the total cost of buying that share amount at the current price—useful for managing account risk, especially for cash accounts or those under PDT rules.
A chart of the exit price is also included to help you compare with projections like Fibonacci extensions.
TQQQ Live PnL TrackerTQQQ PnL Tracker by IceTrader Team - #MakeMyPortfolioGreatAgain
Once you add the script, modify this section of the code to match your exact TQQQ order and start tracking its Profit/Loss.
code block:
entryPrice = 86.65 (set the price at which you bought)
positionSize = 1155 (set the exact quantity of stocks you bought)
direction = "Long" (Change to "Short" if it's a short trade)
🌊 Reinhart-Rogoff Financial Instability Index (RR-FII)Overview
The Reinhart-Rogoff Financial Instability Index (RR-FII) is a multi-factor indicator that consolidates historical crisis patterns into a single risk score ranging from 0 to 100. Drawing from the extensive research in "This Time is Different: Eight Centuries of Financial Crises" by Carmen M. Reinhart and Kenneth S. Rogoff, the RR-FII translates nearly a millennium of crisis data into practical insights for financial markets.
What It Does
The RR-FII acts like a real-time financial weather forecast by tracking four key stress indicators that historically signal the build-up to major financial crises. Unlike traditional indicators based only on price, it takes a broader view, examining the global market's interconnected conditions to provide a holistic assessment of systemic risk.
The Four Crisis Components
- Capital Flow Stress (Default weight: 25%)
- Data analyzed: Volatility (ATR) and price movements of the selected asset.
- Detects abrupt volatility surges or sharp price falls, which often precede debt defaults due to sudden stops in capital inflow.
- Commodity Cycle (Default weight: 20%)
- Data analyzed: US crude oil prices (customizable).
- Watches for significant declines from recent highs, since commodity price troughs often signal looming crises in emerging markets.
- Currency Crisis (Default weight: 30%)
- Data analyzed: US Dollar Index (DXY, customizable).
- Flags if the currency depreciates by more than 15% in a year, aligning with historical criteria for currency crashes linked to defaults.
- Banking Sector Health (Default weight: 25%)
- Data analyzed: Performance of financial sector ETFs (e.g., XLF) relative to broad market benchmarks (SPY).
- Monitors for underperformance in the financial sector, a strong indicator of broader financial instability.
Risk Scale Interpretation
- 0-20: Safe – Low systemic risk, normal conditions.
- 20-40: Moderate – Some signs of stress, increased caution advised.
- 40-60: Elevated – Multiple risk factors, consider adjusting positions.
- 60-80: High – Significant probability of crisis, implement strong risk controls.
- 80-100: Critical – Several crisis indicators active, exercise maximum caution.
Visual Features
- The main risk line changes color with increasing risk.
- Background colors show different risk zones for quick reference.
- Option to view individual component scores.
- A real-time status table summarizes all component readings.
- Crisis event markers appear when thresholds are breached.
- Customizable alerts notify users of changing risk levels.
How to Use
- Apply as an overlay for broad risk management at the portfolio level.
- Adjust position sizes inversely to the crisis index score.
- Use high index readings as a warning to increase vigilance or reduce exposure.
- Set up alerts for changes in risk levels.
- Analyze using various timeframes; daily and weekly charts yield the best macro insights.
Customizable Settings
- Change the weighting of each crisis factor.
- Switch commodity, currency, banking sector, and benchmark symbols for customized views or regional focus.
- Adjust thresholds and visual settings to match individual risk preferences.
Academic Foundation
Rooted in rigorous analysis of 66 countries and 800 years of data, the RR-FII uses empirically validated relationships and thresholds to assess systemic risk. The indicator embodies key findings: financial crises often follow established patterns, different types of crises frequently coincide, and clear quantitative signals often precede major events.
Best Practices
- Use RR-FII as part of a comprehensive risk management strategy, not as a standalone trading signal.
- Combine with fundamental analysis for complete market insight.
- Monitor for differences between component readings and the overall index.
- Favor higher timeframes for a broader macro view.
- Adjust component importance to suit specific market interests.
Important Disclaimers
- RR-FII assesses risk using patterns from past crises but does not predict future events.
- Historical performance is not a guarantee of future results.
- Always employ proper risk management.
- Consider this tool as one element in a broader analytical toolkit.
- Even with high risk readings, markets may not react immediately.
Technical Requirements
- Compatible with Pine Script v6, suitable for all timeframes and symbols.
- Pulls data automatically for USOIL, DXY, XLF, and SPY.
- Operates without repainting, using only confirmed data.
The RR-FII condenses centuries of financial crisis knowledge into a modern risk management tool, equipping investors and traders with a deeper understanding of when systemic risks are most pronounced.
Institutional Order Block Indicator [IOB] + Buy/Sell Signals✅ Institutional Order Block detection
✅ Buy/Sell EMA crossover indicator
✅ Combined visuals (order block boxes + BUY/SELL labels)
✅ Alerts for both order blocks and signals
% / ATR Buy, Target, Stop + Overlay & P/L% / ATR Buy, Target, Stop + Overlay & P/L
This tool combines volatility‑based and fixed‑percentage trade planning into a single, on‑chart overlay—with built‑in profit‑and‑loss estimates. Toggle between ATR or percentage modes, plot your Buy, Target and Stop levels, and see the dollar gain or loss for a specified position size—all in one interactive table and chart display.
NOTE: To activate plotted lines, price labels, P/L rows and table values, enter a Buy Price greater than zero.
What It Does
Mode Toggle: Choose between “ATR” (volatility‑based) or “%” (fixed‑percentage) calculations.
Buy Price Input: Manually enter your entry price.
ATR Mode:
Target = Buy + (ATR × Target Multiplier)
Stop = Buy − (ATR × Stop Multiplier)
Percentage Mode:
Target = Buy × (1 + Target % / 100)
Stop = Buy × (1 – Stop % / 100)
P/L Estimates: Specify a dollar amount to “invest” at your Buy price, and the script calculates:
Gain ($): Profit if Target is hit
Loss ($): Cost if Stop is hit
Visual Overlay: Draws horizontal lines for Buy, Target and Stop, with optional price labels on the chart scale.
Interactive Table: Displays Buy, Target, Stop, ATR/timeframe info (in ATR mode), percentages (in % mode), and P/L rows.
Customization Options
Line Settings:
Choose color, style (solid/dashed/dotted), and width for Buy, Target, Stop lines.
Extend lines rightward only or in both directions.
Table Settings:
Position the table (top/bottom × left/right).
Toggle individual rows: Buy Price; Target (multiplier or %); Stop (multiplier or %); Target ATR %; Stop ATR %; ATR Time Frame; ATR Value; Gain ($); Loss ($).
Customize text colors for each row and background transparency.
General Inputs:
ATR length and optional ATR timeframe override (e.g. use daily ATR on an intraday chart).
Target/Stop multipliers or percentages.
Dollar Amount for P/L calculations.
How to Use It for Trading
Plan Your Entry: Enter your intended Buy Price and position size (dollar amount).
Select Mode: Toggle between ATR or % mode depending on whether you prefer volatility‑based or fixed offsets.
Assess R:R and P/L: Instantly see your Target, Stop levels, and potential profit or loss in dollars.
Visual Reference: Lines and price labels update in real time as you tweak inputs—ideal for live trading, backtesting or trade journaling.
Ideal For
Traders who want both volatility‑based and percentage‑based exit options in one tool
Those who need on‑chart P/L estimates based on position size
Swing and intraday traders focused on objective, rule‑based trade management
Anyone who uses ATR for adaptive stops/targets or fixed percentages for simpler exits
Institutional Order Block Indicator [IOB]🔍 Detects Institutional Activity
Identifies bullish and bearish order blocks based on:
High volume spikes (volume > 2× average)
EMA crossovers
Significant price movements
📊 Plots Order Blocks
Draws green rectangles for bullish blocks (demand zones)
Draws red rectangles for bearish blocks (supply zones)
🎯 Generates Trading Signals
Long Entry: Institutional impact shifts from negative to positive
Short Entry: Impact shifts from positive to negative
Uses a cumulative impact score to measure pressure over time
💰 Risk Management
Automatically calculates stop-loss (ATR-based) and take-profit (1.5× RR)
Plots TP/SL lines and entry price
📈 Visual Trend Line
Tracks institutional pressure direction with a color-coded line
🔔 Alerts
Sends alerts for:
New order block formation
Long/Short entry signals
✅ Suitable for: Intraday & swing trading
📉 Works best on: 15m, 1H, 4H timeframes
🎯 Goal: High-probability trades based on smart money activity.
Time Block with Current K-Line TimeTiltle:
Time Block and Current K-line Time
Core Functions:
1. This indicator provides traders with a powerful time analysis tool to help identify key time nodes and market structures. Generally speaking, the duration of a market trend is a time block
2. Multiple time zone support, supporting five major trading time zones: Shanghai, New York, London, Tokyo, and UTC, and adaptive time display in the selected time zone
3. Time block visualization: select the time block length according to the observation period, and draw a separator line at the time block boundary
4. Real-time time display: current K-line detailed time (year/month/day hour: minute week)
5. Future time prediction, the next time block starts at the future dividing line, and the countdown function displays the time to the next block, which is used to assist in judging the remaining duration of the current trend
Usage Scenarios:
Day trading: Identify trading day boundaries (1-day blocks)
Swing trading: Grasp the weekly/monthly time frame conversion (1-week/1-month blocks)
Long-term investment: Observe the annual market cycle (1-year blocks)
Cross-time zone trading: Seamlessly switch between major global trading time zones
——————————————————————————————————————————————————————————
标题:
时间区块与当前K线时间
核心功能:
1. 本指标为交易者提供强大的时间分析工具,帮助识别关键时间节点和市场结构,通常而言,一段行情持续的时间为一个时间区块
2. 多时区支持,支持上海、纽约、伦敦、东京、UTC五大交易时区,自适应所选时区的时间显示
3. 时间区块可视化:根据观测周期选择时间区块长度,在时间区块边界绘制分隔线
4. 实时时间显示:当前K线详细时间(年/月/日 时:分 星期)
5. 未来时间预测,下一个时间区块开始位置显示未来分割线,倒计时功能显示距离下个区块的时间,用于辅助判断当前趋势的剩余持续时间
使用场景:
日内交易:识别交易日边界(1日区块)
波段交易:把握周/月时间框架转换(1周/1月区块)
长期投资:观察年度市场周期(1年区块)
跨时区交易:无缝切换全球主要交易时区
zSph x Larry Waves Wave Degree TimingElliott Waves are fractal structures governed by time. The categorization of time in relation to Elliott Wave is named ‘Wave Degree’.
All waves are characterized by relative size called degree. The degree of a wave is determined by its size and position relative to lesser waves (smaller time and size), corresponding waves (similar time and size) and encompassing waves (greater time and size).
Elliott named 9 degrees (Supercycle – Subminuette).
Elliott also stated the Subminuette degree is discernable on the HOURLY chart.
# Concept
BINANCE:BTCUSDT
Degree is governed by Time yet it is not based upon time lengths (or price lengths), rather it is based on form and structure – a function of both price and time.
The precise degree may not be identified in real time, yet the objective is to be within +/- 1 standard deviation of the expected degree to be aware of the overall market progression.
Understanding degree helps in the identification of when an impulse or a correction is nearing completion and to be aware of the major pivot in price action to occur as a result of the completion of a major expansion or major retracement and be aware of when major pivots in price relating to major expansions and major retracements by managing expectations from a time perspective.
*Important to understand* : If price is currently in a Wave Degree Extension or a Very Complex Correction, the wave degree timings will be distorted (extended in time).
Example: A Cycle typically lasts a few years - yet can last a decade(s) in an Extension.
It’s best to keep the analysis on the Minute/Minuette timeframe to manage timing expectations yet always refer back to the Higher Time Frame Structure.***
# Correct Usage
BEFORE PLACING THE ANCHOR TO DISPLAY ZONES:
Completion of prior wave structure should be completed and there needs to be confirmation the next wave structure is in progression, such as a change in market structure.
Anchor :
Best to anchor on the higher time frame to ensure you always have the anchor point defined when you scale down/move down in the timeframes.
Ensure the anchor point is placed at the termination of a structure/beginning of a new structure (Generally they will be price extremes – extreme highs and lows)
Zones :
Minimum Zones : The minimum amount of time of completion for a single wave structure to complete for a degree.
Average Zones : The average amount of time of completion for a single wave structure to complete for a degree.
Maximum Zones : The general maximum amount of time of completion for a single wave structure to complete for a degree.
Wave Degree Timeframe Analysis :
Higher-Level Degrees (Primary, Intermediate, Minor) - Utilize on H4+ timeframe
Lower-Level Degrees (Minute, Minuette, Subminuette) – Utilize on 15M to H4 timeframe
Micro-Level Degrees (Micro and Submicro) – Utilize on timeframes less than 15M
(There is a chart in the settings you can toggle on/off that reiterates this as well.)
# Settings
Y-Axis Offset :
It is a scale relative to the asset being viewed. Example:
- If using on Bitcoin, Bitcoin moves on average $1,000 of dollars up or down (on the Y-Axis), therefore it would be relevant to use values with 4 nominal values to offset it correctly to view easier on the chart as needed.
- If using on SP500, SP500 moves on average $50-100 of dollars up or down (on the Y-Axis), therefore it would be relevant to use values with 2 or 3 nominal values to offset it correctly to view easier on the chart as needed.
Extend :
This option allows to extend lines for the borders of the zones towards price action.
US Macro Indicators (CPI YoY, PPI YoY, Interest Rate)US Macro Indicators (CPI YoY, PPI YoY, Interest Rate)
This indicator overlays the most important US macroeconomic trends for professional traders and analysts:
CPI YoY (%): Tracks year-over-year change in the Consumer Price Index, the main measure of consumer inflation, and a core focus for Federal Reserve policy.
PPI YoY (%): Shows year-over-year change in the Producer Price Index, often a leading indicator for future consumer inflation and margin pressures.
Fed Funds Rate (%): Plots the US benchmark interest rate, reflecting the real-time stance of US monetary policy.
Additional Features:
Key policy thresholds highlighted:
2% (Fed’s formal inflation target)
1.5% (comfort floor)
3% and 4% (upper risk/watch zones for inflation)
Transparent background shading signals elevated inflation zones for quick visual risk assessment.
Works on all asset charts and timeframes (macro data is monthly).
Why use it?
This tool lets you instantly visualize inflation trends versus policy and spot key macro inflection points for equities, FX, and rates. Perfect for anyone applying macro fundamentals to tactical trading and investment decisions.
Log Return DistributionThis indicator calculates the statistical distribution of logarithmic returns over a user-defined lookback period and visualizes it as a horizontal profile anchored to the most recent opening price.
Lookback Length: The number of recent bars to include in the distribution analysis. A larger value (e.g., 252) provides a long-term statistical view, while a smaller value (e.g., 20) focuses on recent, short-term volatility.
Bins Count: The number of price levels to divide the distribution into. An odd number is recommended (e.g., 31, 51) to ensure a dedicated central line for the 0% return.
Max Line Length: The horizontal length (in bars) of the line representing the most frequent return bin (the mode). This setting scales the entire profile, allowing you to make differences in frequency more or less pronounced visually.