Pattern grafici
Price Extension RatiosIdentifies where price is extended, positively or negatively, against the 21 Week EMA, with the objective of identifying market tops, bottoms and trending periods
AI Smart Liquidity Signal SMC Gold 🚀AI Smart Liquidity Signal SMC Gold
Description:
This indicator is a comprehensive technical analysis tool designed to identify potential trading opportunities. It combines two core methodologies: a primary signal engine based on pivot trendline breakouts, and a sophisticated confirmation layer using both classic technical indicators and modern Smart Money Concepts (SMC). This document provides a detailed, transparent explanation of all underlying logic and calculations.
1. Core Engine: Pivot-Based Liquidity Trendline Signals
The indicator's foundational signal is generated from a custom method we call "Liquidity Trendlines," which aims to identify potential shifts in momentum.
How It Works:
The script first identifies significant swing points using ta.pivothigh() and ta.pivotlow().
It then draws a trendline connecting consecutive pivot points (e.g., two pivot highs).
A "Liquidity Breakout" signal (liquidity_plup for buy, liquidity_pldn for sell) is generated when the price closes decisively across this trendline, forming the basis for a potential trade.
2. Confirmation Layer 1: Classic Technical Filters
A raw Liquidity Breakout signal is only a starting point. To enhance reliability, it can be passed through a series of user-enabled classic filters. A signal is only considered valid if all active filter conditions are met.
General & Smart Trend Filters: These filters use a combination of moving averages (50, 100, 200 EMA), DMI (ADX), and market structure (higher highs/lower lows) to define the short-term and long-term trend. A signal must align with the calculated trend direction to be valid.
RSI & MACD Filters: These are used for momentum confirmation. For example, a buy signal can be configured to be valid only if the MACD line is above its signal line and the RSI is below a certain threshold.
ATR (Volatility) Filter: Ensures trades are considered only when market volatility is sufficient, calculated as the ATR value relative to the closing price.
Support & Resistance (S&R) Filter: Blocks buy signals forming too close to a resistance zone and sell signals near a support zone.
Higher Timeframe (HTF) Filter: Provides confluence by checking that the trend on higher timeframes (e.g., 1H, 4H) aligns with the signal on the current timeframe.
3. Confirmation Layer 2: Smart Money Concepts (SMC) Filters
This optional but powerful layer analyzes price action for signs of institutional activity. When enabled, the base signal must also satisfy all active SMC conditions.
Break of Structure (BoS):
Logic: Confirms a trend continuation. A buy signal is validated if the price has recently broken above a significant prior swing high (bosUp). A sell signal is validated by a break below a prior swing low (bosDown).
Change of Character (ChoCh):
Logic: Identifies a potential trend reversal. It becomes valid when a pattern of falling lows is broken by a new high (chochUp), or vice-versa, adding strength to a reversal signal.
Liquidity Sweep:
Logic: A "sweep" suggests that liquidity has been taken. A buy signal is confirmed if the price recently swept below a prior low and then closed bullishly (sweepUp).
Supply/Demand Zone Filter:
Logic: The script identifies simple supply and demand zones based on the current high/low. It then checks if a signal is occurring in a "safe" area (i.e., a buy signal is not inside a supply zone).
Order Block (OB) / FVG Filter:
Logic: This is a simplified filter that checks the strength of the signal candle's body. A valid order block is considered to have a strong real body, and the script checks if the candle's body-to-range ratio (obValid) meets a minimum threshold.
4. ICT-Based Structure & Premium/Discount Zones
Separate from the filtering system, the indicator also includes a module for plotting key ICT (Inner Circle Trader) concepts, which can be used for manual analysis.
ICT Market Structure: It plots labels for Change of Character (CHoCH), Shift in Market Structure (SMS), and Break of Market Structure (BMS) based on a Donchian-channel-like logic that tracks highs and lows over a set period.
ICT Premium & Discount Zones: When enabled, it draws zones on the chart corresponding to Premium (for selling), Discount (for buying), and Equilibrium levels, calculated based on the range between the highest high and lowest low over the ICT period.
5. Risk Management & Additional Features
TP/SL Calculations: Automatically calculates Take Profit (TP) and Stop Loss (SL) levels for every valid signal based on the Average True Range (ATR).
Multi-Timeframe (MTF) Scanner: A dashboard that monitors and displays the final Buy/Sell signal status across multiple timeframes.
Session Filter & Alerts: Allows for restricting trades to specific market sessions and configuring alerts for any valid signal.
By combining pivot-based breakout detection with these rigorous, multi-layered confirmation processes, this indicator provides a structured and transparent approach to identifying trading opportunities.
Wolf WaveThis advanced Pine Script indicator automatically detects and visualizes Wolf Wave patterns.
Automatic Wolf Wave Detection: Identifies both Bullish and Bearish Wolf Wave patterns.
Dynamic Zigzag Calculation: Utilizes a configurable Zigzag period.
Extended Projection Lines: Draws extended lines (1-3 and 2-4) for clearer visualization.
Fibonacci Price Targets: Plots 127.2%, 161.8%, and 200% Fibonacci extension targets.
P3 Horizontal Line: Option to display a horizontal line at P3.
Historical Pattern Visibility: Choose to display only the most recent pattern or all historical patterns.
Customizable Colors & Styles: Personalize the appearance of lines and labels.
For advanced technical analysis courses, contact our professional analyst via Telegram: @wyckoffnawaf
Market Structure HH, HL, LH and LLit calculates zig zag.This indicator identifies key market structure points — Higher Highs (HH), Higher Lows (HL), Lower Highs (LH), and Lower Lows (LL) — using a configurable Zigzag approach. When a new HL or LH forms, it generates:
A suggested Entry level
A calculated Stop Loss (SL)
Three Take Profit (TP1, TP2, TP3) levels based on user-defined risk-reward ratios
The script shows only the most recent trade setup to keep the chart clean, and includes visual labels and alert options for both buy and sell conditions.
Matt Klemczak 15 M breakout v6.1Matt Klemczak breakout strategy. This is a strategy with high profit potential and significant result fluctuations, requiring patience and mental resilience. It relies on rare but substantial wins that offset long series of losing trades. It works best when applied consistently and with strict risk management. The key to success is perseverance through difficult periods and the ability to “wait for” the moments when the market is favorable.
VIPDX//@version=5
indicator(title="VIPDX1", shorttitle="", overlay=true)
// التأكد من أن السوق هو XAUUSD فقط
isGold = syminfo.ticker == "XAUUSD"
// حساب شموع الهايكن آشي
haClose = (open + high + low + close) / 4
var float haOpen = na
haOpen := na(haOpen ) ? open : (haOpen + haClose ) / 2
haHigh = math.max(high, math.max(haOpen, haClose))
haLow = math.min(low, math.min(haOpen, haClose))
// إعداد المعلمات
atr_len = input.int(3, "ATR Length", group="SuperTrend Settings")
fact = input.float(4, "SuperTrend Factor", group="SuperTrend Settings")
adxPeriod = input(2, title="ADX Filter Period", group="Filtering Settings")
adxThreshold = input(2, title="ADX Minimum Strength", group="Filtering Settings")
// حساب ATR
volatility = ta.atr(atr_len)
// حساب ADX يدويًا
upMove = high - high
downMove = low - low
plusDM = upMove > downMove and upMove > 0 ? upMove : 0
minusDM = downMove > upMove and downMove > 0 ? downMove : 0
smoothedPlusDM = ta.rma(plusDM, adxPeriod)
smoothedMinusDM = ta.rma(minusDM, adxPeriod)
smoothedATR = ta.rma(volatility, adxPeriod)
plusDI = (smoothedPlusDM / smoothedATR) * 100
minusDI = (smoothedMinusDM / smoothedATR) * 100
dx = math.abs(plusDI - minusDI) / (plusDI + minusDI) * 100
adx = ta.rma(dx, adxPeriod)
// حساب SuperTrend
pine_supertrend(factor, atr) =>
src = hl2
upperBand = src + factor * atr
lowerBand = src - factor * atr
prevLowerBand = nz(lowerBand )
prevUpperBand = nz(upperBand )
lowerBand := lowerBand > prevLowerBand or close < prevLowerBand ? lowerBand : prevLowerBand
upperBand := upperBand < prevUpperBand or close > prevUpperBand ? upperBand : prevUpperBand
int _direction = na
float superTrend = na
prevSuperTrend = superTrend
if na(atr )
_direction := 1
else if prevSuperTrend == prevUpperBand
_direction := close > upperBand ? -1 : 1
else
_direction := close < lowerBand ? 1 : -1
superTrend := _direction == -1 ? lowerBand : upperBand
= pine_supertrend(fact, volatility)
// فلتر التوقيت (من 8 صباحاً إلى 8 مساءً بتوقيت العراق UTC+3)
withinSession = time >= timestamp("Asia/Baghdad", year, month, dayofmonth, 8, 0) and time <= timestamp("Asia/Baghdad", year, month, dayofmonth, 20, 0)
// إشارات الدخول مع فلتر ADX والتوقيت
validTrend = adx > adxThreshold
longEntry = ta.crossunder(dir, 0) and isGold and validTrend and withinSession
shortEntry = ta.crossover(dir, 0) and isGold and validTrend and withinSession
// وقف الخسارة والهدف
pipSize = syminfo.mintick * 10
takeProfit = 150 * pipSize
stopLoss = 150 * pipSize
// حساب الأهداف والستوب بناءً على شمعة الدخول (haClose للشمعة الحالية)
longTP = haClose + takeProfit
longSL = haClose - stopLoss
shortTP = haClose - takeProfit
shortSL = haClose + stopLoss
// إشارات الدخول
plotshape(series=longEntry, location=location.belowbar, color=color.green, style=shape.labelup, title="BUY")
plotshape(series=shortEntry, location=location.abovebar, color=color.red, style=shape.labeldown, title="SELL")
// رسم خطوط الأهداف ووقف الخسارة عند بداية الشمعة التالية للإشارة
if longEntry
line.new(bar_index, haClose + takeProfit, bar_index + 10, haClose + takeProfit, color=color.green, width=2, style=line.style_dashed)
line.new(bar_index, haClose - stopLoss, bar_index + 10, haClose - stopLoss, color=color.red, width=2, style=line.style_dashed)
if shortEntry
line.new(bar_index, haClose - takeProfit, bar_index + 10, haClose - takeProfit, color=color.green, width=2, style=line.style_dashed)
line.new(bar_index, haClose + stopLoss, bar_index + 10, haClose + stopLoss, color=color.red, width=2, style=line.style_dashed)
// إضافة تنبيهات
alertcondition(longEntry, title="Buy Alert", message="Gold Scalping - Buy Signal!")
alertcondition(shortEntry, title="Sell Alert", message="Gold Scalping - Sell Signal!")
Circuit Breakers [hopiplaka - powered by Fadi]Circuit Breakers are what drive the financial market.
There's 3 main circuit breakers, 7, 13 and 20, for us indices
Forex is using 4% and crypto 10%
Using circuit breakers, and the fix time each asset has when it's settled, we can define a trading strategy. This trading strategy is explained in the Twin Tower tradeplan, by hopiplaka.
The levels this indicator draws are to be used in accordance with a PO3 sized swing (like 3, 9, 27, 81, ...)
You will see that either:
- a po3 sized swing occurs from the level
- a po3 sized swing occurs into the level
You than look for potential reversal patterns. I'm an ict trader, and rely heavily on the mmxm models he shared.
LUCEO Monday RangeLUCEO Monday Range 지표는 매주 월요일의 고점(Monday High), 저점(Monday Low), 균형값(Equilibrium)을 자동으로 표시해 주는 도구입니다.
ICT, 런던 브레이크아웃 등 월요일 범위를 기준으로 삼는 전략에 적합하며, 과거 데이터를 통해 이전 여러 주 월요일 범위를 시각화할 수 있습니다.
기능 요약:
월요일 고점(MH), 저점(ML), 균형가(EQ) 자동 표시
최대 52주까지 과거 월요일 범위 표시 가능
각 레벨 터치 시 알림 기능 지원
라벨/라인 색상, 스타일, 크기 사용자 지정 가능
주간/월간 차트에서는 자동으로 표시 비활성화
활용 예시:
월요일 고점을 상향 돌파하는 돌파 전략 분석
주간 유동성 중심 레벨인 EQ를 기준으로 방향성 판단
주요 반전 구간 탐지에 사용
---------------------------------------------------------------------------------------------------------
Monday Range (Lines) indicator automatically displays each Monday’s High (MH), Low (ML), and Equilibrium (EQ) levels on the chart.
It is useful for ICT-based setups, London breakout strategies, or any system that relies on weekly liquidity levels. The indicator supports visualization of up to 52 past Mondays.
Key Features:
Automatic plotting of Monday High, Low, and Equilibrium
Displays Monday ranges from multiple past weeks
Real-time alerts when price touches MH, ML, or EQ
Customizable line and label styles, colors, and sizes
Automatically disables display on weekly and monthly charts
Use Cases:
Validate London session breakout with Monday High breakout
Use EQ as a liquidity balance reference
Identify key reversal zones using weekly range extremes
-----------------------------------------------------------------------------------------------------------
알람 로직 수정
- 월요일 09:00~화요일 09:00 먼데이 레인지 형성중에는
직전주의 먼데이 레인지를 기준으로 알람
- 화요일 09:00부터는 생성된 현재 주의 먼데이 레인지를 기준으로 알람
Modify Alert Logic
- From Monday 09:00 to Tuesday 09:00 (while the Monday range is being formed), use the previous week's Monday range for alerts.
- From Tuesday 09:00 onward, use the newly formed current week's Monday range for alerts.
--------------------------------------------------------------------------------------------------------------
지표가 보이지 않는다는 의견이 있어 다시 올립니다.
Custom MA Crossover with Labels/*
This indicator displays two customizable moving averages (Fast and Slow),
defaulting to 10-period and 100-period respectively.
Key Features:
- You can choose between Simple Moving Average (SMA) or Exponential Moving Average (EMA).
- When the Fast MA crosses above the Slow MA, a green "BUY" label appears below the candle.
- When the Fast MA crosses below the Slow MA, a red "SELL" label appears above the candle.
- Alerts are available for both Buy and Sell crossovers.
Usage:
- Helps identify trend direction and potential entry/exit points.
- Commonly used in trend-following strategies and crossover systems.
- Suitable for all timeframes and assets.
Tip:
- You can adjust the Fast and Slow MA periods to fit your trading strategy.
- Try using this with volume or momentum indicators for confirmation.
*/
乾坤2号本脚本为吉阳社区专用,为副图配合乾坤1号使用的MACD魔改版,图中有双龙显示,还有穿梭在双龙上下的白色量能线,量能线上穿和下穿双龙和零轴代表顺势和逆势的力量不同,蓝龙和红龙,出现红色双龙代表走多,红龙在零轴上为顺势多,出现蓝色三角符号表示双龙跳红,出现蓝色方块表示顺势多开始,反之出现蓝色双龙为开始走空,蓝龙在零轴下为顺势空,出现红色三角符号表示双龙跳蓝,开始走空,出现蓝色方块代表顺势空,零轴下出现红龙就是逆势多,红龙上穿零轴就是顺势多;零轴上出现蓝龙就是逆势空,蓝龙下穿零轴就是顺势空;结合主图乾坤一号做单胜率很高。大周期辨别方向,小周期入场。
建议对应时间级别组合为:
1分钟周期配合15分钟周期;
3分钟周期配合1小时周期;
5分钟周期配合2小时周期;
15分钟周期配合4小时周期;
30分钟周期配合天图。
This script is specifically designed for the Jiyang Community and is a modified version of MACD for use with QianKun No. 1 on a sub-chart. The chart displays Double Dragons along with a white volume line that moves between the Double Dragons. The crossing of the volume line above or below the Double Dragons and zero axis represents varying strength of trend-following and counter-trend forces.
When the red Double Dragons appear, it signals a bullish trend. If the red dragon is above the zero axis, it indicates a trend-following buy. A blue triangle symbol indicates the Double Dragons have switched to red, signaling a potential bullish reversal. A blue square represents the beginning of a trend-following buy.
Conversely, when the blue Double Dragons appear, it signals a bearish trend. If the blue dragon is below the zero axis, it indicates a trend-following sell. A red triangle symbol indicates the Double Dragons have switched to blue, signaling a potential bearish reversal. A red square represents the beginning of a trend-following sell.
If the red dragon appears below the zero axis, it indicates a counter-trend buy, while a red dragon crossing above the zero axis signals a trend-following buy. If the blue dragon appears above the zero axis, it indicates a counter-trend sell, and when the blue dragon crosses below the zero axis, it signals a trend-following sell.
When combined with QianKun No. 1 on the main chart, the win rate is very high. Use higher time frames to identify the trend direction, and smaller time frames for entry.
Recommended time frame combinations:
1-minute cycle with 15-minute cycle
3-minute cycle with 1-hour cycle
5-minute cycle with 2-hour cycle
15-minute cycle with 4-hour cycle
30-minute cycle with daily chart.
乾坤1号本脚本为吉阳社区专用,集合了大趋势和内部多空,市场主要次要的结构突破和反转,集合六脉神剑辨别多空趋势,上涨下跌订单块,上涨下跌FVG,配合乾坤2号使用效果更佳!
This script is specifically designed for the Jiyang Community, combining major and minor market trends with internal long/short positions, as well as key structural breakthroughs and reversals. It utilizes the Six Pulse Divine Sword to identify market trends, bullish and bearish order blocks, and bullish and bearish FVGs. When used together with QianKun No. 2, the effectiveness is enhanced!
XRP Whale Accumulation Sniper v2 by Team UndergroundXRP Whale Sniper v2 by Team Underground
The XRP Whale Sniper v2 is a precision tool developed by Team Underground to identify large-scale accumulation and distribution events by whales in the XRP/USDT market on the daily chart. It combines historical on-chain behaviour patterns, momentum shifts, and smart money accumulation models into one clear visual system.
Key Features:
Green Line (Whale Activity Tracker): Smoothed oscillator-like overlay tracking potential whale accumulation (bottoming) phases.
Yellow triangle (Buy Signal): Indicates accumulation or whale entry zones, historically correlating with strong price bounces or trend reversals.
Adaptive Behaviour: The indicator adapts dynamically to volatility and trend strength, filtering out noise to highlight only high-probability zones.
Ideal Use:
Swing traders and long-term holders looking to ride whale moves.
Confirmation tool alongside your existing momentum, volume, or trend indicators.
Works best on daily timeframes for strategic entries and exits.
Not for financial advice. Provided for Coin Theory.
TWS - ATR, VWAP, PDHLCTWS - ATR calculations & move taken , VWAP & Previous day high , low close indicator.
Midnight 30min High/LowMidnight 30min High/Low — Overnight Liquidity Range Tracker
Capture the Overnight Session: A Strategic Level Identification Tool from Professional Trading Methodology
This indicator captures the high and low prices during the critical 30-minute midnight session (12:00-12:30 AM EST) and projects these levels forward as key support and resistance zones. These overnight ranges often contain significant liquidity and serve as crucial reference points for intraday price action, representing areas where institutional activity may have established important levels.
🔍 What This Script Does:
Identifies Critical Overnight Session Levels
- Automatically detects the 12:00-12:30 AM EST session window
- Captures the highest and lowest prices during this 30-minute period
- Projects these levels forward for multiple trading days
Creates Dynamic Support/Resistance Zones
- Extends midnight high/low levels as horizontal lines with customizable projection periods
- Fills the area between high and low to create a visual trading range
- Updates automatically each trading day with new overnight levels
Provides Clear Visual Reference Points
- Optional session start markers (●) highlight when the midnight session begins
- Color-coded lines distinguish between high and low levels
- Transparent fill area creates an easy-to-identify trading zone
Real-Time Level Tracking
- Updates levels in real-time during the active midnight session
- Maintains historical levels for reference and backtesting
- Compatible with data window for precise level values
⚙️ Customization Options:
Extend Days (1-30):** Control how many days forward the levels are projected (default: 5 days)
High Line Color:** Customize the midnight high line color (default: blue)
Low Line Color:** Customize the midnight low line color (default: orange)
Fill Color:** Adjust the transparency and color of the range area (default: light aqua, 80% transparency)
Show Session Markers:** Toggle yellow session start indicators on/off (default: enabled)
💡 How to Use:
Deploy on lower timeframes (1m-15m) for precise level identification and reaction monitoring**
Watch for key price interactions:
- Rejection at midnight high levels (potential resistance)
- Bounce from midnight low levels (potential support)
- Range-bound trading between the high and low levels
Combine with liquidity concepts:
- Monitor for stop hunts above/below these levels
- Look for false breakouts that snap back into the range
- Use as confluence with other ICT concepts like FVGs and Order Blocks
Strategic Applications:
- Range trading between midnight levels
- Breakout confirmation when price closes decisively outside the range
- Support/resistance validation for entry and exit planning
🔗 Combine With These Tools for Complete Market Structure Analysis:
✅ First FVG — Opening Range Fair Value Gap Detector.
✅ ICT Turtle Soup (Liquidity Reversal)— Spot stop hunts and false breakout scenarios.
✅ ICT Macro Zones (Grey Box Version)- It tracks real-time highs and lows for each Silver Bullet session.
✅ ICT SMC Liquidity Grabs and OBs- Liquidity Grabs, Order Block Zones, and Fibonacci OTE Levels, allowing traders to identify institutional entry models with clean, rule-based visual signals.
Together, these tools create a comprehensive Smart Money Concepts (SMC) framework — helping traders identify, anticipate, and capitalize on institutional-level price movements with precision and confidence during critical overnight sessions. Also, dont forget to not over-trade.
Midnight 30min High/LowMidnight 30min High/Low — Overnight Liquidity Range Tracker
Capture the Overnight Session: A Strategic Level Identification Tool from Professional Trading Methodology
This indicator captures the high and low prices during the critical 30-minute midnight session (12:00-12:30 AM EST) and projects these levels forward as key support and resistance zones. These overnight ranges often contain significant liquidity and serve as crucial reference points for intraday price action, representing areas where institutional activity may have established important levels.
🔍 What This Script Does:
Identifies Critical Overnight Session Levels
- Automatically detects the 12:00-12:30 AM EST session window
- Captures the highest and lowest prices during this 30-minute period
- Projects these levels forward for multiple trading days
Creates Dynamic Support/Resistance Zones
- Extends midnight high/low levels as horizontal lines with customizable projection periods
- Fills the area between high and low to create a visual trading range
- Updates automatically each trading day with new overnight levels
Provides Clear Visual Reference Points
- Optional session start markers (●) highlight when the midnight session begins
- Color-coded lines distinguish between high and low levels
- Transparent fill area creates an easy-to-identify trading zone
Real-Time Level Tracking
- Updates levels in real-time during the active midnight session
- Maintains historical levels for reference and backtesting
- Compatible with data window for precise level values
⚙️ Customization Options:
Extend Days (1-30):** Control how many days forward the levels are projected (default: 5 days)
High Line Color:** Customize the midnight high line color (default: blue)
Low Line Color:** Customize the midnight low line color (default: orange)
Fill Color:** Adjust the transparency and color of the range area (default: light aqua, 80% transparency)
Show Session Markers:** Toggle yellow session start indicators on/off (default: enabled)
💡 How to Use:
Deploy on lower timeframes (1m-15m) for precise level identification and reaction monitoring**
Watch for key price interactions:
- Rejection at midnight high levels (potential resistance)
- Bounce from midnight low levels (potential support)
- Range-bound trading between the high and low levels
Combine with liquidity concepts:
- Monitor for stop hunts above/below these levels
- Look for false breakouts that snap back into the range
- Use as confluence with other ICT concepts like FVGs and Order Blocks
Strategic Applications:
- Range trading between midnight levels
- Breakout confirmation when price closes decisively outside the range
- Support/resistance validation for entry and exit planning
🔗 Combine With These Tools for Complete Market Structure Analysis:
✅ First FVG — Opening Range Fair Value Gap Detector.
✅ ICT Turtle Soup (Liquidity Reversal)— Spot stop hunts and false breakout scenarios.
✅ ICT Macro Zones (Grey Box Version)- It tracks real-time highs and lows for each Silver Bullet session.
✅ ICT SMC Liquidity Grabs and OBs- Liquidity Grabs, Order Block Zones, and Fibonacci OTE Levels, allowing traders to identify institutional entry models with clean, rule-based visual signals.
Together, these tools create a comprehensive Smart Money Concepts (SMC) framework — helping traders identify, anticipate, and capitalize on institutional-level price movements with precision and confidence during critical overnight sessions. Also, dont forget to not over-trade.
Midnight 30min High/LowMidnight 30min High/Low — Overnight Liquidity Range Tracker
Capture the Overnight Session: A Strategic Level Identification Tool from Professional Trading Methodology
This indicator captures the high and low prices during the critical 30-minute midnight session (12:00-12:30 AM EST) and projects these levels forward as key support and resistance zones. These overnight ranges often contain significant liquidity and serve as crucial reference points for intraday price action, representing areas where institutional activity may have established important levels.
🔍 What This Script Does:
Identifies Critical Overnight Session Levels
- Automatically detects the 12:00-12:30 AM EST session window
- Captures the highest and lowest prices during this 30-minute period
- Projects these levels forward for multiple trading days
Creates Dynamic Support/Resistance Zones
- Extends midnight high/low levels as horizontal lines with customizable projection periods
- Fills the area between high and low to create a visual trading range
- Updates automatically each trading day with new overnight levels
Provides Clear Visual Reference Points
- Optional session start markers (●) highlight when the midnight session begins
- Color-coded lines distinguish between high and low levels
- Transparent fill area creates an easy-to-identify trading zone
Real-Time Level Tracking
- Updates levels in real-time during the active midnight session
- Maintains historical levels for reference and backtesting
- Compatible with data window for precise level values
⚙️ Customization Options:
Extend Days (1-30):** Control how many days forward the levels are projected (default: 5 days)
High Line Color:** Customize the midnight high line color (default: blue)
Low Line Color:** Customize the midnight low line color (default: orange)
Fill Color:** Adjust the transparency and color of the range area (default: light aqua, 80% transparency)
Show Session Markers:** Toggle yellow session start indicators on/off (default: enabled)
💡 How to Use:
Deploy on lower timeframes (1m-15m) for precise level identification and reaction monitoring**
Watch for key price interactions:
- Rejection at midnight high levels (potential resistance)
- Bounce from midnight low levels (potential support)
- Range-bound trading between the high and low levels
Combine with liquidity concepts:
- Monitor for stop hunts above/below these levels
- Look for false breakouts that snap back into the range
- Use as confluence with other ICT concepts like FVGs and Order Blocks
Strategic Applications:
- Range trading between midnight levels
- Breakout confirmation when price closes decisively outside the range
- Support/resistance validation for entry and exit planning
🔗 Combine With These Tools for Complete Market Structure Analysis:
✅ First FVG — Opening Range Fair Value Gap Detector.
✅ ICT Turtle Soup (Liquidity Reversal)— Spot stop hunts and false breakout scenarios
✅ ICT Macro Zones (Grey Box Version)- It tracks real-time highs and lows for each Silver Bullet session
✅ ICT SMC Liquidity Grabs and OBs- Liquidity Grabs, Order Block Zones, and Fibonacci OTE Levels, allowing traders to identify institutional entry models with clean, rule-based visual signals.
Together, these tools create a comprehensive Smart Money Concepts (SMC) framework — helping traders identify, anticipate, and capitalize on institutional-level price movements with precision and confidence during critical overnight sessions.
📊 Bot-Activated Signal OverlayThis script blends momentum, volume confirmation, and trend analysis to make signals more reliable — especially for flagged tickers you’re watching closely. You could even layer in alerts or refine the thresholds if you want a tighter grip on signal quality.
[Teyo69] T1 Wyckoff Jump Across the Creek and Ice📌 Overview
This indicator captures Wyckoff-style breakouts :
JAC (Jump Across the Creek) for bullish structure breakouts
JAI (Jump Across the Ice) for bearish breakdowns
It blends support/resistance logic, volume behavior, and slope/momentum from selected trend-following methods.
🧩 Features
Detects JAC (bullish breakout) and JAI (bearish breakdown) based on trend breakouts confirmed by volume.
Supports multiple trend logic modes:
📈 Super Trend
📉 EMA
🪨 Support & Resistance
📊 Linear Regression
Dynamically plots Creek (resistance) and Ice (support)
Incorporates volume spike and rising volume conditions for high-confidence signals
⚙️ How to Use
Select your preferred trend method from the dropdown.
Wait for:
A breakout in direction (up or down)
Rising volume and volume spike confirmation
Follow "Long" (JAC) or "Short" (JAI) labels for potential entries.
🎛️ Configuration
Indicator Leniency - Signal tolerance range after breakout
S&R Length - Pivot detection length for S/R method
Trend Method - Choose how trend is calculated
Volume SMA - Baseline for volume spike detection
Volume Length - Lookback for volume rising check
🧪 Signal Conditions
JAC Direction flips bullish + volume rising + spike
JAI Direction flips bearish + volume rising + spike
⚠️ Limitations
False signals possible during sideways/choppy markets.
Volume behavior depends on exchange feed accuracy.
S/R mode is slower but more stable; EMA & Linear Regression react faster but can whipsaw.
🔧 Advanced Tips
Use this with Wyckoff Accumulation/Distribution zones for better context.
Combine with RSI/OBV or higher timeframe trend filters.
Adjust leniency_lookback if signals feel too early/late.
If you're using Support and Resistance - Price action moves inside S & R it means that price is ranging.
📝 Notes
Volume conditions must confirm breakout, not just direction shift.
Built using native Pine Script switch and plotshape() for clarity.
"Creek" and "Ice" lines are color-coded trend / Support and Resistance zones.
Boring with Ok LeginThis TradingView Pine Script highlights “boring” candles that immediately follow a more moderately strong “legin” candle, using relaxed price action and supply/demand zone criteria.
A candle is highlighted if all these conditions are satisfied:
1. Boring Candle (Current Bar):
- The total wick size (upper + lower) is greater than its body size.
- The candle’s ATR (Average True Range) is greater than its TR (True Range), identifying it as “boring” (constricted movement).
2. OK Legin Candle (Previous Bar):
- The previous candle’s TR is at least 1.5× the current candle’s TR, or its size (high-low) is at least 1.5× the size of the current boring candle (shows moderate expansion).
- The previous candle’s body is at least 45% of its full size (not just all wick).
- The previous candle has a wick on its closing side (indicating some price rejection).
3. No Visual Gap Rule:
- There is no significant gap between the previous legin’s close and the current boring candle’s open.
The allowed gap is adaptive:
Usually 7% of the legin’s body size,
but always at least 0.1×ATR and never more than 2×ATR,
ensuring visual continuity no matter the size of the legin candle.
GainzAlgo ProGainzAlgo Pro is a premium trading indicator designed for precision — delivering clear BUY/SELL signals straight on your chart without any repainting or lag.
Built for traders who value clarity over noise, GainzAlgo Pro analyzes price action using a proprietary formula to make highly educated predications for when the market may pivot and increase or decrease in real-time. Whether you're scalping, day trading, or swing trading, the algorithm adapts across multiple timeframes to enhance your decision-making.
⚡Features:
Clear BUY/SELL signals without any clutter or noise.
No repainting or lag unlike other indicators, which are based on lagging indicators, such as Moving Averages.
Works on all markets and timeframes, including stocks, indices, crypto, forex and more.
TradingView alerts, which will always notify you whenever GainzAlgo Pro prints a new signal on your computer, phone, and email.
Adjustable technical settings, allowing you to improve GainzAlgo Pro's performance in certain markets, timeframes, or market conditions if needed.
Cosmetic settings, so you could customize the signals to your preference.
Full history of ALL previous GainzAlgo Pro's signals, giving you a better understanding of its long-term performance.
GainzAlgo Pro comes with great default settings, so changing them is not necessary. With that being said, below is the list of the technical settings.
⚙Technical settings
Candle Stability Index (0-1) measures the ratio between the body and the wicks of a candle. Higher - more stable.
RSI Index (0-100) measures how overbought/oversold is the market. Higher - more overbought/oversold.
Candle Delta Length (3-Inf) measures the period over how many candles the price increased/decreased. Higher - longer period.
📈Demo charts
The following charts feature GainzAlgo Pro with default settings.
🌟Cosmetic settings
Label size (huge, large, normal, small, tiny)
Label style (text bubble, triangle, arrow)
BUY Label Color (Any)
SELL Label Color (Any)
Label Text Color (Any)
Daily Pivot Strategy + RSI/MA/EMA/MACD/ADX AlertsEnglish Description
Daily Pivot Strategy + RSI/MA/EMA/MACD/ADX Alerts
This indicator combines a daily pivot-based price strategy with multiple technical signals to support disciplined trading decisions. Key features include:
- Dynamic entry and target levels using Pivot + ATR.
- RSI alerts for overbought/oversold conditions.
- Bullish and bearish crossovers of MA20/MA50 and EMA9/EMA50.
- MACD 12/26 cross signals for trend reversals.
- Manually coded ADX alerts: a green signal appears when +DI crosses above -DI and ADX is above 24; red signal when -DI crosses above +DI under same ADX conditions.
The tool displays both visual shapes and alert conditions on the chart, making it suitable for daily strategies and confirmation layers in technical analysis workflows.
شرح المؤشر بالعربية
مؤشر الإستراتيجية المحورية اليومية مع تنبيهات RSI و MA و EMA و MACD و ADX
هذا السكربت يجمع بين حساب النقطة المحورية اليومية ومستويات الدخول والخروج باستخدام متوسط التذبذب (ATR)، مع إشارات فنية متنوعة تساعد على اتخاذ قرارات تداول مدروسة. تشمل المميزات:
- حساب مستويات الدخول والأهداف بناءً على Pivot وATR.
- تنبيهات لحالة RSI (تشبع شرائي وبيعي).
- تقاطعات صعودية وهبوطية للمتوسطات MA و EMA.
- إشارات MACD الموثوقة للتحول الاتجاهي.
- إشارات ADX تم بناؤها يدويًا للكشف عن القوة الاتجاهية، تظهر بلون أخضر عند تقاطع +DI فوق -DI والـADX فوق 24، وباللون الأحمر عند انعكاس الاتجاه.
المؤشر مصمم لتوفير إشارات مرئية ومكتوبة على الرسم البياني، ويمكن استخدامه كجزء من إستراتيجية تداول يومية أو كمساعد فني للتأكيد قبل الدخول.