CQ_(0)_Essential Indicators [BITCOIN HOY]Essential indicators (BitcoinHoy)
A Comprehensive TradingView Indicator for Crypto Traders and Analysts
Introduction
The Essential indicators (BitcoinHoy) is a versatile TradingView indicator designed to streamline and enrich the trading experience for cryptocurrency traders and analysts. Developed as a practical complement to popular Fibonacci-based range tools, this indicator brings together manual input capabilities and a curated suite of proven Pine Script tools, providing users with a robust, all-in-one solution for technical analysis.
Complementary Indicators
Essential indicators (BitcoinHoy) is specifically crafted to work alongside the Fibonacci IntraDay Range, Fibonacci IntraWeek Range, and Fibonacci IntraMonth Range tools. By integrating with these established indicators, it enhances multi-timeframe analysis, allowing traders to visualize and act upon key price levels within daily, weekly, and monthly contexts. This synergy helps users refine their strategies and better anticipate market movements.
Manual Input Features
A standout feature of Essential indicators (BitcoinHoy) is its support for manual input of both mid and long-term price targets. Users can easily enter their own key levels, including potential entries and target prices, directly on the chart. Additionally, the indicator enables the marking of specific entry events and target events, offering a clear historical and forward-looking view of trading plans and outcomes. This manual flexibility empowers traders to adapt their analysis to evolving market conditions and personal strategies.
Integrated Indicators
To further enhance its utility, Essential indicators (BitcoinHoy) integrates a selection of carefully chosen indicators authored by respected members of the Pine Script community. Each tool adds unique analytical power, covering various aspects of price action, trend identification, and market structure.
Candles in a Row: Sequence Visualization
Based on Zeiierman's popular "Candles in a Row," this feature counts and displays consecutive green (bullish) and red (bearish) candles on the chart. By visualizing these sequences, traders can quickly identify streaks of buying or selling pressure, spot potential exhaustion points, and time entries or exits more effectively. This clarity is especially valuable in volatile crypto markets, where momentum shifts can be rapid and impactful.
Trend Range Detector: Range and Breakout Identification
Also from Zeiierman, the "Trend Range Detector" module identifies and highlights price ranges, signaling periods of consolidation or equilibrium. When price action breaks out of these defined ranges, the indicator draws attention to these events, helping traders recognize emerging trends and potential trade opportunities. This detection capability supports both range-bound and breakout trading strategies.
Fibonacci Retracement Neo: Key Level Progress Tracking
Incorporating .srb's "Fibonacci Retracement Neo," Essential indicators (BitcoinHoy) displays a dynamic progress gauge, showing how far price has moved through significant Fibonacci retracement levels. The indicator also marks entry events at these key levels, providing actionable signals for traders who rely on Fibonacci-based strategies. This visual feedback aids in tracking price reactions at important support and resistance zones.
ZigZag Trend Metrics Delta: Pivot Analysis
Leveraging Fract's "ZigZag Trend Metrics Delta," this component identifies and annotates major price pivots, offering insight into the broader trend structure. By highlighting significant swing highs and lows, the indicator helps users spot trend reversals, continuation patterns, and optimal points for entry or exit. This information is crucial for analyzing market cycles and refining risk management.
Conclusion
Essential indicators (BitcoinHoy) provides a holistic and user-friendly solution for crypto traders and analysts seeking to enhance their technical analysis on TradingView. By combining the flexibility of manual input with a suite of trusted Pine Script indicators, it enables users to monitor price action, track key events, and respond proactively to market developments. Whether used alone or in conjunction with Fibonacci range tools, Essential indicators (BitcoinHoy) supports informed decision-making and improved trading outcomes
ピボットポイントと水準
Inside SwingsOverview
The Inside Swings indicator identifies and visualizes "inside swing" patterns in price action. These patterns occur when price creates a series of pivots that form overlapping ranges, indicating potential consolidation or reversal zones.
What are Inside Swings?
Inside swings are specific pivot patterns where:
- HLHL Pattern: High-Low-High-Low sequence where the first high is higher than the second high, and the first low is lower than the second low
- LHLH Pattern: Low-High-Low-High sequence where the first low is lower than the second low, and the first high is higher than the second high
Here an Example
These patterns create overlapping price ranges that often act as:
- Support/Resistance zones
- Consolidation areas
- Potential reversal points
- Breakout levels
Levels From the Created Range
Input Parameters
Core Settings
- Pivot Lookback Length (default: 5): Number of bars on each side to confirm a pivot high/low
- Max Boxes (default: 100): Maximum number of patterns to display on chart
Extension Settings
- Extend Lines: Enable/disable line extensions - this extends the Extremes of the Swings to where a new Swing Started or Extended Right for the Latest Inside Swings
- Show High 1 Line: Display first high/low extension line
- Show High 2 Line: Display second high/low extension line
- Show Low 1 Line: Display first low/high extension line
- Show Low 2 Line: Display second low/high extension line
Visual Customization
Box Colors
- HLHL Box Color: Color for HLHL pattern boxes (default: green)
- HLHL Border Color: Border color for HLHL boxes
- LHLH Box Color: Color for LHLH pattern boxes (default: red)
- LHLH Border Color: Border color for LHLH boxes
Line Colors
- HLHL Line Color: Extension line color for HLHL patterns
- LHLH Line Color: Extension line color for LHLH patterns
- Line Width: Thickness of extension lines (1-5)
Pattern Detection Logic
HLHL Pattern (Bullish Inside Swing)
Condition: High1 > High2 AND Low1 < Low2
Sequence: High → Low → High → Low
Visual: Two overlapping boxes with first range encompassing second
Detection Criteria:
1. Last 4 pivots form High-Low-High-Low sequence
2. Fourth pivot (first high) > Second pivot (second high)
3. Third pivot (first low) < Last pivot (second low)
LHLH Pattern (Bearish Inside Swing)
Condition: Low1 < Low2 AND High1 > High2
Sequence: Low → High → Low → High
Visual: Two overlapping boxes with first range encompassing second
Detection Criteria:
1. Last 4 pivots form Low-High-Low-High sequence
2. Fourth pivot (first low) < Second pivot (second low)
3. Third pivot (first high) > Last pivot (second high)
Visual Elements
Boxes
- Box 1: Spans from first pivot to last pivot (larger range)
- Box 2: Spans from third pivot to last pivot (smaller range)
- Overlap: The intersection of both boxes represents the inside swing zone
Extension Lines
- High 1 Line: Horizontal line at first high/low level
- High 2 Line: Horizontal line at second high/low level
- Low 1 Line: Horizontal line at first low/high level
- Low 2 Line: Horizontal line at second low/high level
Line Extension Behavior
- Historical Patterns: Lines extend until the next pattern starts
- Latest Pattern: Lines extend to the right edge of chart
- Dynamic Updates: All lines are redrawn on each bar for accuracy
Trading Applications
Support/Resistance Levels
Inside swing levels often act as:
- Dynamic support/resistance
- Breakout confirmation levels
- Reversal entry points
Pattern Interpretation
- HLHL Patterns: Potential bullish continuation or reversal
- LHLH Patterns: Potential bearish continuation or reversal
- Overlap Zone: Key area for price interaction
Entry Strategies
1. Breakout Strategy: Enter on break above/below inside swing levels
2. Reversal Strategy: Enter on bounce from inside swing levels
3. Range Trading: Trade between inside swing levels
Technical Implementation
Data Structures
type InsideSwing
int startBar // First pivot bar
int endBar // Last pivot bar
string patternType // "HLHL" or "LHLH"
float high1 // First high/low
float low1 // First low/high
float high2 // Second high/low
float low2 // Second low/high
box box1 // First box
box box2 // Second box
line high1Line // High 1 extension line
line high2Line // High 2 extension line
line low1Line // Low 1 extension line
line low2Line // Low 2 extension line
bool isLatest // Latest pattern flag
Memory Management
- Pattern Storage: Array-based storage with automatic cleanup
- Pivot Tracking: Maintains last 4 pivots for pattern detection
- Resource Cleanup: Automatically removes oldest patterns when limit exceeded
Performance Optimization
- Duplicate Prevention: Checks for existing patterns before creation
- Efficient Redraw: Only redraws lines when necessary
- Memory Limits: Configurable maximum pattern count
Usage Tips
Best Practices
1. Combine with Volume: Use volume confirmation for breakouts
2. Multiple Timeframes: Check higher timeframes for context
3. Risk Management: Set stops beyond inside swing levels
4. Pattern Validation: Wait for confirmation before entering
Common Scenarios
- Consolidation Breakouts: Inside swings often precede significant moves
- Reversal Zones: Failed breakouts at inside swing levels
- Trend Continuation: Inside swings in trending markets
Limitations
- Lagging Indicator: Patterns form after completion
- False Signals: Not all inside swings lead to significant moves
- Market Dependent: Effectiveness varies by market conditions
Customization Options
Visual Adjustments
- Modify colors for different market conditions
- Adjust line widths for visibility
- Enable/disable specific elements
Detection Sensitivity
- Increase pivot length for smoother patterns
- Decrease for more sensitive detection
- Balance between noise and signal
Display Management
- Control maximum pattern count
- Adjust cleanup frequency
- Manage memory usage
Conclusion
The Inside Swings indicator provides a systematic approach to identifying consolidation and potential reversal zones in price action. By visualizing overlapping pivot ranges
The indicator's strength lies in its ability to:
- Identify key price levels automatically
- Provide visual context for market structure
- Offer flexible customization options
- Maintain performance through efficient memory management
CQ_(0)_Essential Indicators [BITCOIN HOY]Essential indicators (BitcoinHoy)
A Comprehensive TradingView Indicator for Crypto Traders and Analysts
Introduction
The Essential indicators (BitcoinHoy) is a versatile TradingView indicator designed to streamline and enrich the trading experience for cryptocurrency traders and analysts. Developed as a practical complement to popular Fibonacci-based range tools, this indicator brings together manual input capabilities and a curated suite of proven Pine Script tools, providing users with a robust, all-in-one solution for technical analysis.
Complementary Indicators
Essential indicators (BitcoinHoy) is specifically crafted to work alongside the Fibonacci IntraDay Range, Fibonacci IntraWeek Range, and Fibonacci IntraMonth Range tools. By integrating with these established indicators, it enhances multi-timeframe analysis, allowing traders to visualize and act upon key price levels within daily, weekly, and monthly contexts. This synergy helps users refine their strategies and better anticipate market movements.
Manual Input Features
A standout feature of Essential indicators (BitcoinHoy) is its support for manual input of both mid and long-term price targets. Users can easily enter their own key levels, including potential entries and target prices, directly on the chart. Additionally, the indicator enables the marking of specific entry events and target events, offering a clear historical and forward-looking view of trading plans and outcomes. This manual flexibility empowers traders to adapt their analysis to evolving market conditions and personal strategies.
Integrated Indicators
To further enhance its utility, Essential indicators (BitcoinHoy) integrates a selection of carefully chosen indicators authored by respected members of the Pine Script community. Each tool adds unique analytical power, covering various aspects of price action, trend identification, and market structure.
Candles in a Row: Sequence Visualization
Based on Zeiierman's popular "Candles in a Row," this feature counts and displays consecutive green (bullish) and red (bearish) candles on the chart. By visualizing these sequences, traders can quickly identify streaks of buying or selling pressure, spot potential exhaustion points, and time entries or exits more effectively. This clarity is especially valuable in volatile crypto markets, where momentum shifts can be rapid and impactful.
Trend Range Detector: Range and Breakout Identification
Also from Zeiierman, the "Trend Range Detector" module identifies and highlights price ranges, signaling periods of consolidation or equilibrium. When price action breaks out of these defined ranges, the indicator draws attention to these events, helping traders recognize emerging trends and potential trade opportunities. This detection capability supports both range-bound and breakout trading strategies.
Fibonacci Retracement Neo: Key Level Progress Tracking
Incorporating .srb's "Fibonacci Retracement Neo," Essential indicators (BitcoinHoy) displays a dynamic progress gauge, showing how far price has moved through significant Fibonacci retracement levels. The indicator also marks entry events at these key levels, providing actionable signals for traders who rely on Fibonacci-based strategies. This visual feedback aids in tracking price reactions at important support and resistance zones.
ZigZag Trend Metrics Delta: Pivot Analysis
Leveraging Fract's "ZigZag Trend Metrics Delta," this component identifies and annotates major price pivots, offering insight into the broader trend structure. By highlighting significant swing highs and lows, the indicator helps users spot trend reversals, continuation patterns, and optimal points for entry or exit. This information is crucial for analyzing market cycles and refining risk management.
Conclusion
Essential indicators (BitcoinHoy) provides a holistic and user-friendly solution for crypto traders and analysts seeking to enhance their technical analysis on TradingView. By combining the flexibility of manual input with a suite of trusted Pine Script indicators, it enables users to monitor price action, track key events, and respond proactively to market developments. Whether used alone or in conjunction with Fibonacci range tools, Essential indicators (BitcoinHoy) supports informed decision-making and improved trading outcomes
Turtle soupHi all!
This indicator will show you turtle soups. The logic is that pivots detected from a higher timeframe, with the pivot lengths of left and right in the settings, will be up for 'grabs' by price that spents more than one candle above/below the pivot.
If only one candle is beyond the pivot it's a liquidity sweep or grab. Liquidity sweeps can be discovered through my script 'Market structure' (), but this script will discover turtle soup entries with false breakouts that takes liquidity.
The turtle soup can have a confirmation in the terms of a change of character (CHoCH). The turtle soup strategy usually comes with some sort of confirmation, in this case a CHoCH, but it can also be a market structure shift (MSS) or a change in state of delivery (CISD).
Turtle soups (pivots that have been 'taken') within a turtle soup will also be visible (but not have a turtle).
Alerts are available for when a turtle soup setup occurs and you can set the alert frequency of your liking (to get early signals with a script that might repaint or wait for a closed candle).
I hope that this description makes sense, tell me otherwise. Also tell me if you have any improvements or feature requests.
Best of trading luck!
The chart in the publication contains a 4 hour chart with a daily timeframe and confirmations with CHoCH.
Divergence for Many Indicators v5 - No RepaintUses confirmed bar processing to prevent repainting, ensuring
signals never change after they appear. Automatically draws
divergence lines on the chart and labels show which indicators
are diverging. Customizable settings include pivot period,
minimum divergence threshold, line styles, and colors for
different divergence types.
Ideal for identifying potential trend reversals (regular
divergence) and trend continuations (hidden divergence) with
high-confidence multi-indicator confirmation.
Levels[cz]Description
Levels is a proportional price grid indicator that draws adaptive horizontal levels based on higher timeframe (HTF) closes.
Instead of relying on swing highs/lows or pivots, it builds structured support and resistance zones using fixed percentage increments from a Daily, Weekly, or Monthly reference close.
This creates a consistent geometric framework that helps traders visualize price zones where reactions or consolidations often occur.
How It Works
The script retrieves the last HTF close (Daily/Weekly/Monthly).
It then calculates percentage-based increments (e.g., 0.5%, 1%, 2%, 4%) above and below that reference.
Each percentage forms a distinct “level group,” creating layered grids of potential reaction zones.
Levels are automatically filtered to avoid overlap between different groups, keeping the chart clean.
Visibility is dynamically controlled by timeframe:
Level 1 → up to 15m
Level 2 → up to 1h
Level 3 → up to 4h
Level 4 → up to 1D
This ensures the right amount of structural detail at every zoom level.
How to Use
Identify confluence zones where multiple levels cluster — often areas of strong liquidity or reversals.
Use the grid as a support/resistance map for entries, targets, and stop placement.
Combine with trend or momentum indicators to validate reactions at key price bands.
Adjust the percentage increments and reference timeframe to match the volatility of your instrument (e.g., smaller steps for crypto, larger for indices).
Concept
The indicator is based on the idea that markets move in proportional price steps, not random fluctuations.
By anchoring levels to a higher-timeframe close and expanding outward geometrically, Levels highlights recurring equilibrium and expansion zones — areas where traders can anticipate probable turning points or consolidations.
Features
4 customizable percentage-based level sets
Dynamic visibility by timeframe
Non-overlapping level hierarchy
Lightweight on performance
Fully customizable colors, styles, and widths
PRO Scalper(EN)
## What it is
**PRO Scalper** is an intraday price–action and liquidity map that helps you see where the market is likely to move **now**, not just where it has been.
It combines five building blocks that professional scalpers often watch together:
1. **Session Volume-Weighted Average Price (VWAP)** — the intraday “fair value” anchor.
2. **Opening Range** — the first minutes of the session that set the day’s balance.
3. **Trend filter** — higher-timeframe bias using **Exponential Moving Averages (EMA)** and optional **Average Directional Index (ADX)** strength.
4. **Two independent Supply/Demand zone engines** — zones are drawn from confirmed swing pivots, with midlines and **touch counters**.
5. **Order-flow style visuals**:
* **Delta bubbles** (green/red circles) show where buying or selling pressure was unusually strong, using a safe **delta proxy** (no external feeds).
* **Liquidity densities** (subtle rectangular bands) highlight clusters of large activity that often act as magnets or barriers and disappear when “eaten” by strong moves.
This mix gives you a **complete intraday picture**: the mean (VWAP), the day’s initial balance (Opening Range), the higher-timeframe push (trend filter), the nearby fuel or brakes (zones), and the live pressure points (bubbles and densities).
---
## Why these components
* **VWAP** tracks where the bulk of traded value sits. Price tends to rotate around it or accelerate away from it — a perfect compass for scalps.
* **Opening Range** frames the early auction. Many intraday breaks, fades and retests start at its boundaries.
* **EMA bias + ADX strength** separates trending conditions from chop, so you can keep only the zones that agree with the bigger push.
* **Pivot-based zones (two pairs at once)** are simple, objective and fast. Midlines help with confirmations; touch counters quantify how many times the zone was tested.
* **Bubbles and densities** add the “effort” layer: where the push appeared and where liquidity is concentrated. You see **where** a move is likely to continue or fail.
Together they reduce ambiguity: **context + level + effort** — all on one screen.
---
## How it works (plain language)
* **VWAP** resets each day and is calculated as the cumulative sum of typical price multiplied by volume divided by total volume.
* **Opening Range** is either automatic (a multiple of your chart timeframe) or a manual number of minutes. While it is forming, the highest high and lowest low are captured and plotted as the range.
* **Trend filter**
* **EMA Fast** and **EMA Slow** define directional bias.
* **ADX (optional)** adds “trend strength”: only when the Average Directional Index is above the chosen threshold do we treat the move as strong. You can source this from a higher timeframe.
* **Zones**
* There are **two independent pairs** of pivots at the same time (for example 10-left 10-right and 5-left 5-right).
* Each detected pivot creates a **Supply** (from a swing high) or **Demand** (from a swing low) box. Box depth = **zone depth × Average True Range** for adaptive sizing; the boxes **extend forward**.
* Midline (optional dashed line inside the box) is the “balance” of the zone.
* **“Only in trend”** mode can hide boxes that go against the higher-timeframe bias.
* The **touch counter** increases when price revisits the box. Labels show the pair name and the number of touches.
* **Bubbles**
* A safe **delta proxy** measures bar pressure (for example, range-weighted close vs open).
* A **quantile filter** shows only unusually large pressure: choose lookback and percentile, and the script draws a circle sized by intensity (green = bullish pressure, red = bearish).
* **Densities**
* The script marks heavy activity clusters as **subtle bands** around price (depth = fraction of Average True Range).
* If price **breaks** a density with volume above its moving average, the band **disappears** (“eaten”), which often precedes continuation.
---
## How to use — practical playbooks
> Recommended chart: crypto or index futures, one to five minutes. Use **one hour** or **fifteen minutes** for the higher-timeframe bias.
### 1) Trend pullback scalp (continuation)
1. Enable **Only in trend** zones.
2. In an uptrend: wait for a pullback into a **Demand** zone that overlaps with VWAP or sits just below the Opening Range midpoint.
3. Look for **green bubbles** near the zone’s bottom or a fresh **density** under price.
4. Enter on a candle closing **back above the zone midline**.
5. Stop-loss: below the bottom of the zone or a small multiple of Average True Range.
6. Targets: previous swing high, Opening Range high, fixed risk multiples, or VWAP.
Mirror the logic for downtrends using Supply zones, red bubbles and densities above price.
### 2) Reversion with liquidity sweep (fade)
1. Bias neutral or countertrend allowed.
2. Price **wicks through** a zone boundary (or an Opening Range line) and **closes back inside** the zone.
3. The bubble color often flips (absorption).
4. Enter toward the **inside** of the zone; stop beyond the sweep wick; first target = zone midline, second = opposite side of the zone or VWAP.
### 3) Opening Range break and retest
1. Wait for the Opening Range to complete.
2. A break with a large bubble suggests intent.
3. Look for a **retest** into a nearby zone aligned with VWAP.
4. Trade continuation toward the next zone or the session extremes.
### 4) Density “eaten” continuation
1. When a density band **disappears** on high volume, it often means the resting liquidity was consumed.
2. Trade in the direction of the break, toward the nearest opposing zone.
---
## Settings — quick guide
**Core**
* *ATR Length* — used for zone and density depths.
* *Show VWAP / Show Opening Range*.
* *Opening Range*: Auto (multiple of timeframe minutes) or Manual minutes.
**Trend Filter**
* *Mode*: Off, EMA only, or EMA with ADX strength.
* *Use higher timeframe* and its value.
* *EMA Fast / EMA Slow*, *ADX Length*, *ADX threshold*.
* *Plot EMA filter* to display the moving averages.
**Zones (two pairs)**
* *Pivot A Left / Right* and *Pivot B Left / Right*.
* *Zone depth × ATR*, *Extend bars*.
* *Show zone midline*, *Only in trend zones*.
* Labels automatically show the touch counters.
**Bubbles**
* *Show Bubbles*.
* *Quantile lookback* and *Quantile percent* (higher percent = stricter filter, fewer bubbles).
**Densities**
* *Metric*: absolute delta proxy or raw volume.
* *Quantile lookback / percent*.
* *Depth × ATR*, *Extend bars*, *Merge distance* (in ATR),
* *Break condition*: volume moving average length and multiplier,
* *Midline for densities* (optional dashed line).
---
## Tips and risk management
* This script **does not use external order-flow feeds**. Delta is a **proxy** suitable for TradingView; tune quantiles per symbol and timeframe.
* Do not trade every bubble. Combine **context (trend + VWAP + Opening Range)** with **level (zone)** and **effort (bubble/density)**.
* Set stop-losses beyond the zone or at a fraction of Average True Range. Predefine risk per trade.
* Backtest your rules with a strategy script before using real funds.
* Markets differ. Parameters that work on Bitcoin may not transfer to low-liquidity altcoins or stocks.
* Nothing here is financial advice. Scalping is high-risk; slippage and over-trading can quickly damage your account.
---
## What makes PRO Scalper unique
* Two **independent** zone engines run in parallel, so you can see both **larger structure** and **fine intraday levels** at the same time.
* Clean **“only in trend” rendering** — zones and midlines against the bias can be hidden, reducing clutter and hesitation.
* **Touch counters** convert “feel” into numbers.
* **Self-contained order-flow visuals** (bubbles and densities) that require no extra data sources.
* Careful defaults: subtle colors for densities, clearer zones, and responsive auto Opening Range.
---
(RU)
## Что это такое
**PRO Scalper** — это индикатор для внутридневной торговли, который показывает **контекст и ликвидность прямо сейчас**.
Он объединяет пять модулей, которыми профессиональные скальперы пользуются вместе:
1. **VWAP** — средневзвешенная по объему цена за сессию, «справедливая стоимость» дня.
2. **Opening Range** — первая часть сессии, задающая баланс дня.
3. **Фильтр тренда** — направление старшего таймфрейма по **экспоненциальным средним** и при желании по силе тренда **Average Directional Index**.
4. **Две независимые системы зон спроса/предложения** — зоны строятся от подтвержденных экстремумов (пивотов), имеют **среднюю линию** и **счетчик касаний**.
5. **Визуализация «ордер-флоу»**:
* **Пузыри дельты** (зеленые/красные круги) — места повышенного покупательного/продажного давления, рассчитанные через безопасный **прокси-дельты**.
* **Плотности ликвидности** (ненавязчивые прямоугольные ленты) — скопления объема, которые нередко притягивают цену или удерживают ее и исчезают, когда «разъедаются» сильным движением.
Итог — **полная картинка момента**: среднее (VWAP), баланс дня (Opening Range), старшая сила (фильтр тренда), ближайшие уровни топлива/тормозов (зоны), текущие точки усилия (пузыри и плотности).
---
## Почему именно эти элементы
* **VWAP** показывает, где сосредоточена стоимость; цена либо вращается вокруг него, либо быстро уходит — идеальный ориентир скальпера.
* **Opening Range** фиксирует ранний аукцион — от его границ часто начинаются пробои, возвраты и ретесты.
* **EMA + ADX** отделяют тренд от «пилы», позволяя оставлять на графике только зоны по направлению старшего таймфрейма.
* **Зоны от пивотов** просты, объективны и быстры; средняя линия помогает подтверждать разворот, счетчик касаний переводит субъективность в цифры.
* **Пузыри и плотности** добавляют слой «усилия»: где именно возник толчок и где сконцентрирована ликвидность.
Комбинация **контекста + уровня + усилия** уменьшает двусмысленность и ускоряет принятие решения.
---
## Как это работает (простыми словами)
* **VWAP** каждый день стартует заново: сумма «типичной цены × объем» делится на суммарный объем.
* **Opening Range** — автоматический (кратный минутам вашего таймфрейма) или вручную заданный период; пока он формируется, фиксируются максимум и минимум.
* **Фильтр тренда**
* Две экспоненциальные средние задают направление.
* **ADX** (по желанию) добавляет «силу». Источник можно взять со старшего таймфрейма.
* **Зоны**
* Одновременно работает **две пары** пивотов (например 10-лево 10-право и 5-лево 5-право).
* От пивота строится зона **предложения** (от максимума) или **спроса** (от минимума). Глубина зоны = **коэффициент × Average True Range**; зона тянется вперед.
* Внутри рисуется **средняя линия** (по желанию).
* Режим **«только по тренду»** скрывает зоны против старшего направления.
* **Счетчик касаний** увеличивается, когда цена снова входит в зону; подпись показывает пару и количество касаний.
* **Пузыри**
* Используется безопасный **прокси-дельты** — измерение «напряжения» внутри свечи.
* Через **квантильный фильтр** выводятся только необычно сильные места: настраиваются окно и процент квантиля; размер кружка — сила, цвет: зеленый покупатели, красный продавцы.
* **Плотности**
* Крупные активности отмечаются **ненавязчивыми прямоугольниками** (глубина — доля Average True Range).
* Если плотность **пробивается** объемом выше среднего, она **исчезает** — часто это предвещает продолжение.
---
## Как пользоваться — практические схемы
> Рекомендация: крипто или фьючерсы, таймфрейм 1–5 минут. Для старшего фильтра удобно взять **1 час** или **15 минут**.
### 1) Скальп на откат по тренду
1. Включите **«только по тренду»**.
2. В восходящем тренде дождитесь отката в **зону спроса**, желательно рядом с **VWAP** или серединой **Opening Range**.
3. Подтверждение — **зеленые пузыри** у нижней границы зоны или свежая **плотность** под ценой.
4. Вход после закрытия свечи **выше средней линии** зоны.
5. Стоп-лосс: за нижнюю границу зоны или небольшой множитель Average True Range.
6. Цели: предыдущий максимум, верх Opening Range, фиксированные R-множители, либо VWAP.
Для нисходящего тренда зеркально: зоны предложения, красные пузыри и плотности над ценой.
### 2) Контрдвижение с «выбиванием ликвидности»
1. Нейтральный или контртрендовый режим.
2. Цена **выносит хвостом** границу зоны (или линию Opening Range) и **закрывается обратно внутри**.
3. Цвет пузыря часто меняется (поглощение).
4. Вход внутрь зоны; стоп — за хвост выбивания; цели: средняя линия, противоположная граница зоны или VWAP.
### 3) Пробой Opening Range + ретест
1. Дождитесь завершения диапазона.
2. Сильный пробой с крупным пузырем — признак намерения.
3. Ищите **ретест** в зоне по тренду рядом с линией диапазона и VWAP.
4. Торгуйте продолжение к следующей зоне.
### 4) Продолжение после «съеденной» плотности
1. Когда прямоугольник плотности **исчезает** на повышенном объеме, это значит, что ликвидность поглощена.
2. Торгуйте в сторону пробоя к ближайшей противоположной зоне.
---
## Настройки — краткая шпаргалка
**Core**
— Длина Average True Range (для размеров зон и плотностей).
— Включение VWAP и Opening Range.
— Длина Opening Range: автоматическая (кратная минутам ТФ) или ручная.
**Trend Filter**
— Режим: выкл., только средние, либо средние + ADX.
— Источник со старшего таймфрейма и его значение.
— Длины средних, длина ADX и порог силы.
— Показать/скрыть линий средних.
**Zones (две пары одновременно)**
— Пара A: лев/прав; Пара B: лев/прав.
— Глубина зоны × Average True Range, продление по барам.
— Средняя линия, режим **«только по тренду»**.
— Подписи со счетчиком касаний.
**Bubbles**
— Вкл./выкл., окно поиска и процент квантиля (чем выше процент — тем реже пузыри).
**Densities**
— Метрика: абсолютная прокси-дельты или чистый объем.
— Окно/квантиль, глубина × Average True Range, продление,
— Порог объединения (в Average True Range),
— Условие «разъедания» по объему,
— Средняя линия плотности (по желанию).
---
## Советы и риски
* Индикатор **не использует внешние потоки ордер-флоу**. Дельта — **прокси**, подходящая для TradingView; подбирайте квантили под инструмент и таймфрейм.
* Не торгуйте каждый пузырь. Склейте **контекст (тренд + VWAP + Opening Range)** с **уровнем (зона)** и **усилием (пузырь/плотность)**.
* Стоп-лосс — за границей зоны или по Average True Range. Риск на сделку задавайте заранее.
* Перед реальными деньгами протестируйте правила в стратегии.
* Разные рынки ведут себя по-разному; настройки из Биткоина могут не подойти малоликвидным альткоинам или акциям.
* Это не инвестиционная рекомендация. Скальпинг — высокий риск; проскальзывание и переизбыток сделок быстро наносят ущерб капиталу.
---
## Чем уникален PRO Scalper
* Две **одновременные** системы зон показывают и **крупную структуру**, и **точные локальные уровни**.
* Режим **«только по тренду»** чистит экран от лишних уровней и ускоряет решение.
* **Счетчики касаний** дают количественную опору.
* **Самодостаточные визуализации усилия** (пузыри и плотности) — без сторонних источников данных.
* Аккуратная цветовая схема: плотности — мягко, зоны — ясно; Opening Range — адаптивный.
Пусть он станет вашей «картой местности» для быстрых и дисциплинированных решений внутри дня.
High-Low-Avg Plot (1D)This script aims to plot the High, Low, Average (of High+Low+Close) for past 14 days of an index/a stock to provide certain levels in trading
Buying Climax + Spring [Darwinian]Buying Climax + Spring Indicator
Overview
Advanced Wyckoff-based indicator that identifies potential market reversals through **Buying Climax** patterns (exhaustion tops) and **Spring** patterns (accumulation bottoms). Designed for traders seeking high-probability reversal signals with strict uptrend validation.
---
Method
🔴 Buying Climax Detection
Identifies exhaustion patterns at market tops using multi-condition analysis:
**Base Buying Climax (Red Triangle)**
- Volume spike > 1.8x average
- Range expansion > 1.8x average
- New 20-bar high reached
- Close finishes in lower 30% of bar range
- **Strict uptrend validation**: Price must be 30%+ above 20-day low
**Enhanced Buying Climax (Maroon Triangle)**
- All Base BC conditions PLUS:
- Gap up from previous high
- Intraday fade (close < open and below midpoint)
- **Higher confidence reversal signal**
🟢 Wyckoff Spring Detection
Identifies accumulation patterns at support levels:
- Price breaks below recent pivot low (false breakdown)
- Close recovers above pivot level (rejection)
- Occurs at trading range low
- Optional volume confirmation (1.5x+ average)
- Limited to 3 attempts per pivot (prevents over-signaling)
✅ Uptrend Validation Filter
**Four-condition composite filter** prevents false signals in sideways/downtrending markets:
1. Close-to-close rise ≥ 5% over lookback period
2. Price structure: Close > MA(10) > MA(20)
3. Swing low significantly below current price
4. **Primary requirement**: Current high ≥ 30% above 20-day low
---
Input Tuning Guide
Buying Climax Settings:
**Volume & Range Thresholds**
- `Volume Spike Threshold`: Default 1.8x
- Lower (1.5x) = More signals, more noise
- Higher (2.0-2.5x) = Fewer but stronger exhaustion signals
- `Range Spike Threshold`: Default 1.8x
- Adjust parallel to volume threshold
- Higher values = extreme volatility required
**Pattern Detection**
- `New High Lookback`: Default 20 bars
- Shorter (10-15) = Recent highs only
- Longer (30-50) = Major breakout detection
- `Close Off High Fraction`: Default 0.3 (30%)
- Lower (0.2) = Stricter rejection requirement
- Higher (0.4-0.5) = Allow weaker intraday fades
- `Gap Threshold`: Default 0.002 (0.2%)
- Increase (0.005-0.01) for stocks with wider spreads
- Decrease (0.001) for tight-spread instruments
- `Confirmation Window`: Default 5 bars
- Shorter (3) = Faster confirmation, more false positives
- Longer (7-10) = Wait for deeper automatic reaction
Uptrend Filter Settings
**Critical for Signal Quality**
- `Minimum Rise from 20-day Low`: Default 0.30 (30%)
- **Most important parameter**
- Lower (0.20-0.25) = More signals in moderate uptrends
- Higher (0.40-0.50) = Only extreme parabolic moves
- `Pole Lookback`: Default 30 bars
- Shorter (20) = Recent momentum focus
- Longer (40-50) = Longer-term trend validation
- `Minimum Rise % for Pole`: Default 0.05 (5%)
- Adjust based on market volatility
- Higher in strong bull markets (7-10%)
Wyckoff Spring Settings
- `Pivot Length`: Default 6 bars
- Shorter (3-4) = More frequent pivots, more signals
- Longer (8-10) = Major support/resistance only
- `Volume Threshold`: Default 1.5x
- Higher (1.8-2.0x) = Stronger conviction required
- Disable volume requirement for low-volume stocks
- `Trading Range Period`: Default 20 bars
- Match to consolidation timeframe being traded
- Shorter (10-15) for intraday patterns
- Longer (30-40) for weekly consolidations
---
Recommended Workflow
1. **Start with defaults** on daily timeframe
2. **Adjust uptrend filter** first (30% rise parameter)
- Too many signals? Increase to 35-40%
- Too few? Decrease to 25%
3. **Fine-tune volume/range multipliers** based on instrument volatility
4. **Enable alerts** for real-time monitoring:
- Base BC → Initial warning
- Enhanced BC → High-priority reversal
- Confirmed BC (AR) → Strong follow-through
- Spring → Accumulation opportunity
---
Alert System
- **Base Buying Climax**: Standard exhaustion pattern detected
- **Enhanced BC (Gap+Fade)**: Higher confidence reversal setup
- **Confirmed BC (AR)**: Automatic reaction validated (price drops below BC midline)
- **Wyckoff Spring**: Accumulation pattern at support
---
Best Practices
- Combine with support/resistance analysis
- Watch for BC clusters (multiple timeframes)
- Spring patterns work best after Buying Climax distribution
- Backtest parameters on your specific instruments
- Higher timeframes (daily/weekly) = higher reliability
---
Technical Notes
- Built with Pine Script v6
- No repainting (signals finalize on bar close)
- Minimal CPU usage (optimized calculations)
- Works on all timeframes and instruments
- Overlay indicator (displays on price chart)
---
*Indicator follows classical Wyckoff methodology with modern volatility filters*
Bitgak [Osprey]🟠 INTRODUCTION
Bitgak , translated as "Oblique Angle" in Korean, is a strategy used by multi-hundred-million traders in Korea, sometimes more heavily than Fibonacci retracement.
It is a concept that by connecting two or more pivot points on the chart and creating equidistant parallel lines, we can spot other pivot points. As seen in the example, a line at a different height but with the same angle spots many pivot points.
This indicator spots pivot points on the chart and tests all different possible Bitgak lines with a brute-force method. Then it shows the parallel line configuration with the most pivots hitting it. You may use the lines drawn on the chart as possible reversal points.
It is best to use on Day and Week candles . In the very short range of time, the noise makes it hard to capture meaningful data.
🟠 HOW TO USE
The orange dots are the major pivot points (you can set the period of the long-term pivot) upon which the lines are built.
Change the "Manual Lookback Bars" from 300 to a meaningful period upon your inspection.
"Hit Tolerance %" means how close a pivot needs to be to the line to be considered as having touched the line.
If the line is too narrow, which is not very useful, you may consider increasing the "Long-term Pivot Bars" and experimenting with different settings for Channel Lines and Heuristics.
The result:
"Top Anchors to Test (L)" is how many L highest peaks and L lowest troughs should be weighed heavily when testing the lines. That is, with L = 1, the algorithm will reward the Bitgak lines that touch 1 highest peak and 1 lowest trough. It doesn't make much intuitive sense, so I suggest just testing it out.
🟠 HOW IT WORKS
Step 1: Pivot Detection
The indicator runs two parallel detection systems:
Short-term pivots (default: 7 bars on each side) - Captures minor swing highs/lows for detailed analysis
Long-term pivots (default: 17 bars on each side) - Identifies major structural turning points
These pivots form the foundation for all channel calculations.
Step 2: Anchor Point Selection
From the detected long-term pivots, the algorithm identifies:
The L highest peaks (default L=1, meaning the single highest peak)
The L lowest troughs (default L=1, meaning the single lowest trough)
These become potential "anchor points" for channel construction. Higher L values test more combinations but increase computation time.
Step 3: Channel Candidate Generation
For support channels: Every pair of troughs becomes a potential base line (A-B)
For resistance channels: Every pair of peaks becomes a potential base line (A-B)
The algorithm then tests each peak (for support) or trough (for resistance) as pivot C.
Step 4: Optimal Spacing Calculation
For each A-B-C combination, the algorithm calculates:
Unit Spacing = (Distance from C to A-B line) / Multiplier
It tests multipliers from 0.5 to 4.0 (or your custom range), asking: "If pivot C sits on the 1.0 line, what spacing makes the most pivots hit other lines?"
Step 5: Scoring & Selection
Each configuration is scored by counting how many pivots fall within tolerance (default 1% of price) of any parallel line in the range . The highest-scoring channel is drawn on your chart.
Range Boxes XL (Nephew_Sam_) inspiredThis indicator is just Nephew_Sam's "Range Box" indicator modified. It gives the user the opportunity to plot multiple range boxes. This has been one of my favorite indicators for a while. Hopefully some you you all can benefit from it as I have. Thank you @Nephew_Sam.
Volume Profile, Pivot Anchored by DGT - reviewedVolume Profile, Pivot Anchored by DGT - reviewed
This indicator, “Volume Profile, Pivot Anchored”, builds a volume profile between swing highs and lows (pivot points) to show where trading activity is concentrated.
It highlights:
Value Area (VAH / VAL) and Point of Control (POC)
Volume distribution by price level
Pivot-based labels showing price, % change, and volume
Optional colored candles based on volume strength relative to the average
Essentially, it visualizes how volume is distributed between market pivots to reveal key price zones and volume imbalances.
Leverage & Liquidations (Margins) Plotter - [SANIXLAB]Leverage & Liquidations (Margins) Plotter —
This indicator visualises liquidation zones across multiple leverage tiers and helps traders manage margin exposure .
It dynamically plots the liquidation ranges for 5x → 100x positions, highlighting where leveraged traders could get wiped out.
Add manual long / short markers , choose leverage and margin size, and the script calculates your exact liquidation prices — buffered for realism.
A clean control panel shows entries, liquidation levels, and percentage distance to liquidation.
Features
Visual leverage zones (5x → 100x)
Manual Long / Short marker system
Margin-based liquidation math with buffer
Toggleable entry & liq lines
Compact top-right control panel
Floating mid-zone leverage labels
Fully customizable colors
Use Case
Quickly see:
Where 10x / 20x traders get squeezed
How far your own trade can move before margin burn
Where cascading liquidations might begin
Perfect for futures & leverage traders who want to keep one eye on price … and the other on survival.
— MR.L ☕
Brewed with caffeine, coded with care.
Equinox Wolf - ICT MacrosEquinox Wolf – ICT Macros plots the key ICT session macro windows on your chart so you can focus on how price behaves inside each time range. The script anchors every session to America/New_York time, updates live or in backtesting, and only keeps the current trading day on screen, avoiding clutter from prior sessions. Each window can be toggled individually, the box fill, borders, and high/low/equilibrium levels share global color and style controls, and the levels extend forward until the next macro begins. Use it to highlight the ICT LND, NYAM, lunch, afternoon, and final-hour ranges and monitor how price reacts around their highs, lows, and midpoints.
Khusan Pullback & Mean-Reversion (Manual ADX, Clean)Description
The indicator combines two logics in one tool:
Trend Pullback: Entries in the direction of the dominant trend after a short-term pullback to the EMA.
Return to the mean (Mean-Reversal): countertrend trades from external Bollinger bands with an RSI filter.
Key Features
Manual ADX (Wilder calculation): more precisely, it controls the strength of the trend without hidden smoothing.
There is a clear separation of market modes: the background of the chart highlights the condition: trend up/down or sideways (range).
Signal tags: Long TPB / Short TPB for pullbacks in the trend, Long MR / Short MR for a return to the average.
A minimum of “noise": neat colors, clear captions, without unnecessary graphics.
How to read signals
Trend Pullback
Long TPB — ADX ≥ threshold, price returns above fast EMA, RSI > 45.
Short TPB — ADX ≥ threshold, price goes below fast EMA, RSI < 55.
Mean-Reversion
Long MR — sideways (ADX < threshold), price below lower BB, RSI < 30, confirmation of reversal.
Short MR — sideways (ADX < threshold), price above upper BB, RSI > 70, reversal confirmation.
Parameters (Inputs)
EMA fast / EMA slow — fast and slow EMA (default 20/50).
ADX length / threshold — period and trend strength threshold.
BB length / mult — period and Bollinger Bands multiplier.
RSI length — RSI period.
Show labels/background — enable mode signatures and highlighting.
Recommendations for use
Timeframes: from M15 to H4. On lower TF, add a filter by the higher trend (e.g. H1/H4 EMA).
Instruments: XAUUSD, FX majors, indices, liquid futures and crypto pairs.
Risk management: for TPB, use SL behind the local swing extremum/below the EMA zone; for MR, use SL behind the external BB.
Filters: avoid entering against strong news; prioritize MR when volatility is low, and TPB when volatility is high.
Alerts
Create standard alerts based on the appearance of Long/Short TPB and Long/Short MR labels — the indicator provides clear conditions for auto-entry/notifications.
Important
The indicator is not
ANF Bottom Watch + Retail Sector Alert (v6) Detect when ANF crosses above its 50-day moving average (technical recovery signal).
Show visual + alert when RSI recovers above 40 (momentum bottom confirmation).
Track peer strength (URBN, LULU, TPR, GPS) — if 3+ peers are trading above their own 50-day MA, the script flags a sector rotation (bullish context).
Give a “Bottom Watch Active” label when all three signals align.
MarketMonkey-Indicator-Set-6 Support & Resistance v3.0 colorsMarketMonkey-Indicator-Set-6 Support & Resistance v3.0 colors
Automatically detects and plots up to four recent support and resistance levels using pivot highs and lows. Lines update dynamically with adaptive colours, highlighting key price zones in real time. Optional R1–R4 and S1–S4 labels keep charts clean yet informative. Ideal for identifying trend reversals, breakout points, and areas where buyers or sellers are likely to act.
________________________________________
🔍 What It Does
The script uses pivot highs and pivot lows to detect recent swing points — the moments where price has clearly turned.
• Resistance levels are drawn at recent pivot highs (red lines).
• Support levels are drawn at recent pivot lows (blue lines).
• Each level automatically updates as new price data forms, keeping your analysis current.
The indicator displays up to four recent resistance and support levels on each side (R1–R4, S1–S4), with labels and colours that adapt to whether the line is above or below current price.
________________________________________
🎨 Features
• Dynamic Detection: Automatically identifies and updates support and resistance using pivot logic.
• Multi-Level Display: Shows up to four most recent highs and lows for a broader market view.
• Customisable Inputs: Adjust the number of bars used to confirm pivots and control how many levels are displayed.
• Colour-Coded Clarity:
o Resistance lines = soft red tone (indicating potential ceiling levels).
o Support lines = soft blue tone (indicating price floors).
• Optional Labels: Toggle on/off “R1–R4” and “S1–S4” tags for quick reference.
• Strong Level Highlighting: The nearest (most recent) levels are drawn thicker for emphasis.
byquan AlphaTrend + Supertrend Combo🔍 Overview
The AlphaTrend + SuperTrend Combo is a smart confirmation-based trading indicator that blends two powerful trend-following systems — AlphaTrend and SuperTrend — into one unified tool.
Its main purpose is to filter out false breakouts and improve entry accuracy by waiting for both indicators to confirm a signal within a specified number of candles.
This combination gives traders high-confidence BUY and SELL signals, clearly marked on the chart, with optional alert notifications.
⚙️ How It Works
🧠 1. AlphaTrend Logic
The AlphaTrend component calculates dynamic support and resistance bands based on Average True Range (ATR) and Money Flow Index (MFI) or RSI (if no volume data).
It identifies momentum shifts using:
upT = Lower ATR band
downT = Upper ATR band
Depending on whether the MFI (or RSI) is above or below 50, AlphaTrend adapts to bullish or bearish conditions.
Signals:
✅ Buy Signal → When AlphaTrend crosses above its past level (momentum turning up).
❌ Sell Signal → When AlphaTrend crosses below its past level (momentum turning down).
📈 2. SuperTrend Logic
The SuperTrend indicator uses ATR to track trend direction based on price and volatility.
A green SuperTrend implies a bullish trend.
A red SuperTrend implies a bearish trend.
It triggers signals when trend direction changes:
✅ SuperTrend Buy → Price breaks above the SuperTrend line.
❌ SuperTrend Sell → Price drops below the SuperTrend line.
Users can choose whether to use the standard ATR or a smoothed ATR version for calculation (changeATR option).
🔄 3. Combo Confirmation Logic
The indicator’s core strength is signal confirmation.
When one indicator (AlphaTrend or SuperTrend) gives a signal, it waits for the other to confirm within a certain number of candles — defined by the “Wait Bars” input.
Example:
AlphaTrend gives a Buy → within the next 3 candles, if SuperTrend also turns bullish → confirmed BUY.
SuperTrend gives a Sell → within the next 3 candles, if AlphaTrend confirms → confirmed SELL.
This filtering greatly reduces false signals caused by volatility or short-term noise.
🧭 Inputs & Settings
Parameter Description
Wait Bars Number of candles to wait for confirmation from the other indicator.
Show Labels Toggle visibility of BUY/SELL labels on chart.
AlphaTrend Multiplier / Period / Source Adjusts AlphaTrend’s sensitivity.
Use RSI (no volume) If true, replaces MFI with RSI for instruments without volume data (e.g., crypto indexes).
SuperTrend ATR Period / Multiplier Controls SuperTrend sensitivity and reactivity.
Use Standard ATR? If disabled, uses smoothed ATR instead.
SuperTrend Source Usually hl2, but can be customized.
📊 Signals & Visualization
🟢 BUY Label: Both indicators confirm an uptrend.
🔴 SELL Label: Both indicators confirm a downtrend.
Labels appear directly on the chart (abovebar for SELL, belowbar for BUY).
Alerts are automatically triggered for both confirmed directions.
🔔 Alerts
Two alert conditions are built in:
"Combo BUY: AlphaTrend + SuperTrend confirmed!"
"Combo SELL: AlphaTrend + SuperTrend confirmed!"
You can use these in TradingView’s alert system to receive push notifications or email alerts.
💡 Trading Tips
✅ Works best on trending markets (crypto, forex, stocks).
✅ Use on 15m–4h timeframes for optimal balance between speed and reliability.
✅ Combine with volume or higher timeframe trend filters for stronger entries.
✅ Adjust Wait Bars (2–5) depending on volatility.
⚖️ Summary
The AlphaTrend + SuperTrend Combo helps traders trade confidently by requiring dual confirmation before signaling a trade.
Key Features:
Combines two proven trend systems.
Reduces false entries through confirmation logic.
Visual BUY/SELL markers.
Built-in alerts for both signals.
Customizable sensitivity and timeframe adaptability.
🎯 Trade only when AlphaTrend and SuperTrend agree — let the market confirm your direction.
Simple CPR for intraday index tradingSimple CPR is an indicator that displays the Central Pivot Range (CPR) and Support-Resistance pivots. It offers granular customization across CPR, Floor pivots, Developing CPR, and Session High/Low levels.
Original concept from Larry Williams, Mark Fisher & Frank Ochoa
Modified from " CPR (Central Pivot Range)" script by ajithcpas
What is CPR (Central Pivot Range)?
The Central Pivot Range (CPR) is calculated from the previous period’s High (H), Low (L), and Close (C). It forms three levels:
• Pivot (P) = (H + L + C) / 3
• Top Central (TC) = ( P - BC) + P
• Bottom Central (BC) = ( H + L)/2
Together, these levels form a central zone representing the market’s “value area.” Price trading above the CPR typically indicates bullish sentiment, while trading below the CPR reflects bearish bias. A narrow CPR often precedes strong trending moves, whereas a wider CPR signals potential consolidation.
How Pivot Levels are Calculated
Beyond CPR, the indicator supports multiple pivot calculation models, including Traditional, Classic, Fibonacci, and Camarilla
For example, in the traditional model:
• R1 = ( 2 × P ) − L
• S1 = ( 2 × P ) − H
• Higher levels (R2, R3…) scale proportionally by the prior range (H-L).
These levels serve as dynamic intraday support-resistance zones and breakout targets.
Key Features
⦿ Multi-Formula CPR : Select Traditional, Classic, Fibonacci, or Camarilla pivots.
⦿ Multi-Timeframe Control : Auto-detect or manually set CPR timeframe (Daily → Yearly).
⦿ Complete Pivot Suite : Extending to five resistance and five support levels (R1–R5, S1–S5) with optional midpoints (R0.5, R1.5, R2.5, R3.5, R4.5, S0.5, S1.5, S2.5, S3.5, S4.5).All levels can be individually toggled on or off, giving traders complete control over the level of chart detail they prefer.
⦿ Full Customization : Independently toggle lines, fills, price labels, and level names.
⦿ Developing CPR & S/R : Real-time projection of next-session CPR, R1, and S1 with separate visibility controls.
⦿ Session High/Low Tracking : Plot Previous-Session High (PH) & Low (PL) with optional labels and prices.
⦿ Look-Back Flexibility : Display any number of historical CPR/pivot periods.
⦿ Styling Precision : Choose line width, style (solid, dashed, dotted), and individual colors.
⦿ Optional Fills : Visualize the CPR zone or CPR–R1/S1 bands with semi-transparent shading.
⦿ Optimized Performance : Efficient array-based drawing for smooth chart performance even with a long history.
Use Case
CPR analysis helps identify trend bias, volatility contraction/expansion, and key support-resistance zones. This indicator is ideal for intraday indices traders who need a structured yet customizable price-action framework.
Disclaimer
This script is for educational and technical analysis purposes only. It does not constitute financial advice or a recommendation. Always perform independent analysis and manage risk appropriately before placing trades.
CQ_(2)_Fibonacci IntraWeek Range [UkutaLabs]//█ OVERVIEW
//
//The Fibonacci Intraweek Period Range Indicator is a powerful trading tool that draws levels of support and resistance that are based on key
//Fibonacci levels.
//█ OVERVIEW
//
//The Fibonacci Intramonth Period Range Indicator is a powerful trading tool that draws levels of support and resistance that are based on key
//Fibonacci levels. Created by © UkutaLabs and modified by me to include a progress gauge. The script will identify the high and low of a range
//that is specified by the user, then draw several levels of support and resistance based on Fibonacci levels.
//
//The script will also draw extension levels outside of the specified range that are also based on Fibonacci levels. These extension
//levels can be turned off in the indicator settings.
//
//Each level is also labelled to help traders understand what each line represents. These labels can be turned off in the indicator
//settings.
//
//The purpose of this script is to simplify the trading experience of users by giving them the ability to customize the time period
//that is identified, then draw levels of support and resistance that are based on the price action during this time.
//
//█ USAGE
//
//In the indicator settings, the user has access to a setting called Session Range. This gives users control over the range that will
//be used.
//
//The script will then identify the high and low of the range that was specified and draw several levels of support and resistance based
//on Fibonacci levels between this range. The user can also choose to have extension levels that display more levels outside of the range.
//
//█ SETTINGS
//
//Configuration
//
//• Display Mode: Determines the number of days that will be displayed by the script.
//• Show Labels: Determines whether or not identifying labels will be displayed on each line.
//• Font Size: Determines the text size of labels.
//• Label Position: Determines the justification of labels.
//• Extension Levels: Determines whether or not extension levels will be drawn outside of the high and low of the specified range.
//
//Session
//
//• Session Range: Determines the time period that will be used for calculations.
//• Timezone Offset (+/-): Determines how many hours the session should be offset by.
//support and resistance based on Fibonacci levels.
//
//The script will also draw extension levels outside of the specified range that are also based on Fibonacci levels. These extension
//levels can be turned off in the indicator settings.
//
//Each level is also labelled to help traders understand what each line represents. These labels can be turned off in the indicator
//settings.
//
//The purpose of this script is to simplify the trading experience of users by giving them the ability to customize the time period
//that is identified, then draw levels of support and resistance that are based on the price action during this time.
//
//█ USAGE
//
//In the indicator settings, the user has access to a setting called Session Range. This gives users control over the range that will
//be used.
//
//The script will then identify the high and low of the range that was specified and draw several levels of support and resistance based
//on Fibonacci levels between this range. The user can also choose to have extension levels that display more levels outside of the range.
//
//█ SETTINGS
//
//Configuration
//
//• Display Mode: Determines the number of days that will be displayed by the script.
//• Show Labels: Determines whether or not identifying labels will be displayed on each line.
//• Font Size: Determines the text size of labels.
//• Label Position: Determines the justification of labels.
//• Extension Levels: Determines whether or not extension levels will be drawn outside of the high and low of the specified range.
//
//Session
//
//• Session Range: Determines the time period that will be used for calculations.
//• Timezone Offset (+/-): Determines how many hours the session should be offset by.
CQ_Fibonacci IntraMonth Range [UkutaLabs]//█ OVERVIEW
//
//The Fibonacci Intramonth Period Range Indicator is a powerful trading tool that draws levels of support and resistance that are based on key
//Fibonacci levels. Created by © UkutaLabs and modified by me to include a progress gauge. The script will identify the high and low of a range
//that is specified by the user, then draw several levels of support and resistance based on Fibonacci levels.
//
//The script will also draw extension levels outside of the specified range that are also based on Fibonacci levels. These extension
//levels can be turned off in the indicator settings.
//
//Each level is also labelled to help traders understand what each line represents. These labels can be turned off in the indicator
//settings.
//
//The purpose of this script is to simplify the trading experience of users by giving them the ability to customize the time period
//that is identified, then draw levels of support and resistance that are based on the price action during this time.
//
//█ USAGE
//
//In the indicator settings, the user has access to a setting called Session Range. This gives users control over the range that will
//be used.
//
//The script will then identify the high and low of the range that was specified and draw several levels of support and resistance based
//on Fibonacci levels between this range. The user can also choose to have extension levels that display more levels outside of the range.
//
//█ SETTINGS
//
//Configuration
//
//• Display Mode: Determines the number of days that will be displayed by the script.
//• Show Labels: Determines whether or not identifying labels will be displayed on each line.
//• Font Size: Determines the text size of labels.
//• Label Position: Determines the justification of labels.
//• Extension Levels: Determines whether or not extension levels will be drawn outside of the high and low of the specified range.
//
//Session
//
//• Session Range: Determines the time period that will be used for calculations.
//• Timezone Offset (+/-): Determines how many hours the session should be offset by.