Fractal Strength OscillatorThe  Fractal Strength Oscillator  Indicator combines the Relative Strength Index (RSI) and Fractal Dimension Index (FDI) to identify market momentum and trend direction. By integrating RSI's momentum signals with FDI's fractal-based trend analysis, this indicator provides clear visual cues for bullish and bearish conditions through colored plots and price bars.
 How It Works 
 
 RSI Calculation: Computes RSI based on a user-selected price source (default: Close) over a configurable period. Optional smoothing with various moving average types (e.g., SMA, EMA, ALMA) enhances signal clarity.
 FDI Calculation: Measures market complexity using a fractal dimension over a user-defined period (default: 20). A threshold (default: 1.45) determines trend strength.
 
 Trend Logic 
 
 Bullish Signal: RSI > 55 or FDI < threshold indicates upward momentum
 Bearish Signal: RSI < 45 or FDI > threshold indicates downward momentum
 
 Customization & Parameters 
 
 RSI Parameters: RSI length, smoothing option   , MA type,  MA length, ALMA sigma 
 FDI Parameters: FDI length, trend threshold.
 
 Trading Applications 
 
 Momentum Trading:  Use RSI and FDI signals for entry/exit points.
 Trend Confirmation:   Bar coloring aligns with trend signals.
 Reversal Detection:  Identify shifts when RSI or FDI crosses thresholds
 
 Final Note 
The Fractal Strength Oscillator Indicator is a straightforward tool for traders seeking momentum and trend insights. Its combination of RSI, FDI, and visual cues supports informed trading decisions. Backtest thoroughly and use within a broader strategy. This indicator is for educational purposes and not financial advice.
Pattern grafici
Validated Order Blocks with Fib LevelsThis indicator automatically identifies and displays Smart Money Concepts (SMC) order blocks based on market structure breaks:
How it works:
Bearish Order Blocks (Red): Marks the last bullish candle before a swing high. The OB becomes valid when price breaks below the previous swing low, indicating institutional selling zones. Drawn from the candle's close (body top) to its low (bottom wick).
Bullish Order Blocks (Green): Marks the last bearish candle before a swing low. The OB becomes valid when price breaks above the previous swing high, indicating institutional buying zones. Drawn from the candle's high (top wick) to its close (body bottom).
Features:
Three Fibonacci retracement levels (50%, 75%, 100%) for each order block
Fib 100% faces downward on bearish OBs and upward on bullish OBs
Auto-validation: OBs are removed when price closes through them
Customizable: Adjustable swing detection, timeframe selection, and OB display limits
Optional Break of Structure (BOS) markers to show when OBs activate
Works on any timeframe with HTF analysis support
Perfect for identifying key institutional support/resistance zones and potential reversal areas.
Exportable Support & Resistance v2version two improves and more open for new users to export data, support and resistance 
Exportable Support & Resistance (Pivot-based)this indicator allows users to identify supports and resistances and helps extracts the data.
Demand & Supply by DaoEADemand & Supply by DaoEA
This indicator is designed to help traders identify key demand and supply zones, displaying strong price action patterns such as Pin Bar, Engulfing, Hammer, and Shooting Star to confirm reversal points.
Key Features
Automatically identifies Supply & Demand Zones and extends them to the right.
Displays Break of Structure (BOS) when prices break out of these zones.
Tracks Swing Highs/Lows and analyzes HH, HL, LH, and LL.
Highlights strong price action patterns such as Bullish/Bearish Pin Bars, Engulfing, Hammer, and Shooting Star.
Customizable zones, colors, and labels.
Overlay zone protection. To avoid over-cluttering the chart,
Usage
Use with higher timeframes (H1 and above) to identify high demand and supply points.
Switch to smaller timeframes (M15–M30) to identify entry and exit opportunities.
Wait for a strong BOS + PA to confirm the signal.
Suitable for scalpers, swing traders, and Smart Money Concept (SMC) traders who want to clearly understand market structure.
Divergence Scalp v1.1 By DaoAn advanced divergence detection indicator based on RSI and price pivots, designed for scalpers and swing traders who want to catch high-probability reversal points.
🔑 Key Features
RSI Divergence Detection
Regular Bullish Divergence → Price makes lower low, RSI makes higher low (RSI < 50).
Hidden Bullish Divergence → Price makes higher low, RSI makes lower low (RSI < 50).
Regular Bearish Divergence → Price makes higher high, RSI makes lower high (RSI > 50).
Hidden Bearish Divergence → Price makes lower high, RSI makes higher high (RSI > 50).
Customizable Settings
Pivot lookback length & detection range.
Toggle On/Off for Bullish, Bearish, Hidden signals.
Adjustable colors for signals and labels.
RSI Visualization
Plots RSI line with overbought (70), oversold (30), and midline (50).
Background shading for quick visual reference.
Signal Labels
“Bull / H Bull” → Bullish Divergence.
“Bear / H Bear” → Bearish Divergence.
Built-in Alerts → Real-time alerts for all four divergence types.
📊 How It Helps
This tool makes it easier to spot early signs of momentum shifts, allowing traders to anticipate reversals at key levels and improve entry/exit timing.
👉 Perfect for traders who use RSI divergence + price action as a scalping or swing strategy.
RSI Zones Background + Optional RSI PaneOverview
This Pine Script indicator does two things at once:
Colors the background of the main price chart whenever the RSI value is below a lower threshold (default 30) or above an upper threshold (default 70). This highlights oversold and overbought zones directly on the price chart itself.
Optionally displays a separate RSI panel with the RSI line and shaded region between the two threshold levels for reference.
The indicator is fully customizable through the settings panel—color choices, transparency, and whether to show the separate RSI pane can all be adjusted.
Key Parts of the Code
1. Inputs
src: The source price series for RSI calculation.
len: RSI lookback length (default 14).
lowerThr and upperThr: The lower and upper thresholds (defaults: 30 and 70).
lowColor and highColor: Colors for the background when RSI is below or above the thresholds.
bgTrans: Transparency level for the background shading.
showRSI: Boolean to toggle the optional RSI pane on or off.
2. RSI Calculation
rsi = ta.rsi(src, len)
This computes the RSI from the chosen price source.
3. Background Coloring on the Price Chart
bgCol = rsi <= lowerThr ? color.new(lowColor,bgTrans) :
         rsi >= upperThr ? color.new(highColor,bgTrans) :
         na
bgcolor(bgCol)
If RSI ≤ lower threshold: background turns lowColor (oversold zone).
If RSI ≥ upper threshold: background turns highColor (overbought zone).
Otherwise, no background color.
4. Optional RSI Pane
plot(showRSI ? rsi : na, display=display.pane)
Plots the RSI line in a separate pane when showRSI is true; otherwise hides it.
5. Horizontal Lines for Thresholds
hLower = hline(lowerThr, ...)
hUpper = hline(upperThr, ...)
Two horizontal lines at the lower and upper thresholds.
Because hline() can’t be wrapped inside if blocks, the script always creates them but makes them transparent (using na color) when the pane is hidden.
6. Filling Between Threshold Lines
fill(hLower, hUpper, color=showRSI ? color.new(color.gray,95) : na)
When the RSI pane is visible, the area between the two threshold lines is shaded in gray to create a “mid-zone” effect. This fill also switches off (becomes na) if the pane is hidden.
7. Alerts
The script also includes two alert conditions:
When RSI crosses below the lower threshold.
When RSI crosses above the upper threshold.
How It Works in Practice
On the price chart, you’ll see the background turn blue (or your chosen color) when RSI is ≤30, and red when RSI is ≥70.
If you enable “Show RSI” in the settings, a separate RSI pane will appear below the price chart, plotting the RSI line with two threshold lines and a shaded region in between.
You can fully adjust transparency and colors to suit your chart style.
Benefits
Quickly visualize overbought and oversold conditions without opening a separate RSI window.
Optional RSI pane provides context when needed.
Customizable colors and transparency make it easy to integrate with any chart theme.
Alerts give you automatic notifications when RSI crosses key levels.
------------------------------------------------------------------------------------------------------------------
개요
이 지표는 두 가지 기능을 동시에 수행합니다.
가격 차트 뒤 배경에 색상 표시
RSI 값이 설정한 하단 임계값(기본 30) 이하이거나 상단 임계값(기본 70) 이상일 때, 가격 차트 뒤쪽에 과매도·과매수 구간을 색으로 표시해줍니다.
선택적으로 RSI 보조창 표시
옵션을 켜면 별도의 RSI 패널이 나타나서 RSI 라인과 두 임계값(30, 70)을 연결한 구간을 음영 처리하여 보여줍니다.
설정 창에서 색상·투명도·보조창 표시 여부를 전부 조정할 수 있습니다.
코드 핵심 설명
1. 입력값
src: RSI 계산에 사용할 가격 소스(기본 종가).
len: RSI 기간(기본 14).
lowerThr / upperThr: RSI 하단·상단 임계값(기본 30, 70).
lowColor / highColor: RSI가 각각 하단 이하·상단 이상일 때 배경 색상.
bgTrans: 배경 투명도(0=불투명, 100=투명).
showRSI: RSI 보조창을 켜고 끌 수 있는 스위치.
2. RSI 계산
rsi = ta.rsi(src, len)
지정한 가격 소스를 기반으로 RSI를 계산합니다.
3. 가격 차트 배경 색칠
bgCol = rsi <= lowerThr ? color.new(lowColor,bgTrans) :
         rsi >= upperThr ? color.new(highColor,bgTrans) :
         na
bgcolor(bgCol)
RSI ≤ 하단 임계값 → lowColor(과매도 색)
RSI ≥ 상단 임계값 → highColor(과매수 색)
나머지 구간은 색상 없음.
4. 선택적 RSI 보조창
plot(showRSI ? rsi : na, display=display.pane)
showRSI가 켜져 있으면 RSI 라인을 보조창에 표시하고, 꺼져 있으면 숨깁니다.
5. 임계값 가로선
hLower = hline(lowerThr, ...)
hUpper = hline(upperThr, ...)
하단·상단 임계값을 가로선으로 표시합니다.
hline은 if 블록 안에서 쓸 수 없기 때문에 항상 그려지지만, 보조창이 꺼지면 색을 na로 처리해 안 보이게 합니다.
6. 임계값 사이 영역 음영 처리
fill(hLower, hUpper, color=showRSI ? color.new(color.gray,95) : na)
보조창이 켜져 있을 때만 두 가로선 사이를 회색으로 채워 “중립 구간”을 강조합니다.
7. 알림 조건
RSI가 하단 임계값을 아래로 돌파할 때 알림.
RSI가 상단 임계값을 위로 돌파할 때 알림.
실제 작동 모습
가격 차트 뒤쪽에 RSI ≤30이면 파란색, RSI ≥70이면 빨간색 배경이 나타납니다(색상은 설정에서 변경 가능).
RSI 보조창을 켜면, RSI 라인과 임계값 가로선, 그리고 그 사이 음영 영역이 함께 나타납니다.
투명도를 높이거나 낮추어 강조 정도를 조절할 수 있습니다.
장점
별도의 RSI창을 열지 않고도 가격 차트 배경만으로 과매수·과매도 상태를 직관적으로 확인 가능.
필요하면 보조창으로 RSI를 직접 확인하면서 임계값 가이드와 음영 영역을 함께 볼 수 있음.
색상·투명도를 자유롭게 조절할 수 있어 차트 스타일에 맞게 커스터마이징 가능.
RSI가 임계값을 돌파할 때 자동 알림을 받을 수 있음.
Opening Candle Zone with ATR Bands by nkChartsThis indicator highlights the opening range of each trading session and projects dynamic ATR-based zones around it.
 Key Features 
 
 Plots high and low levels of the opening candle for each new daily session.
 Extends these levels across the session, providing clear intraday support and resistance zones.
 Adds ATR-based offset bands above and below the opening range for volatility-adjusted levels.
 Customizable colors, ATR length, and multiplier for flexible use across markets and timeframes.
 Adjustable session history limit to control how many past levels remain on the chart.
 
 How to Use: 
 
 The opening range high/low often acts as strong intraday support or resistance.
 The ATR bands give an adaptive volatility buffer, useful for breakout or mean-reversion strategies.
 Works on any market with clear session opens.
 
This tool is designed for traders who want to combine session-based price action with volatility insights, helping identify potential breakouts, reversals, or consolidation areas throughout the day.
 ⚠️ Disclaimer: This indicator is for educational purposes only. It does not provide financial advice or guarantee profits. Always perform your own analysis before making trading decisions.
Breaout and followthroughThis indicator is designed to identify and highlight a single, powerful entry signal at the beginning of a new trend. It filters for high-volatility breakout bars that show strong directional conviction, helping traders catch the initial momentum of a potential move. It will only paint one bullish or bearish signal after a trend change is detected, preventing repeat signals during a sustained move.
Core Concept
The indicator combines four key concepts to generate high-probability signals:
Trend Direction: It first establishes the overall trend (bullish or bearish) using a configurable Exponential or Simple Moving Average (EMA/SMA).
Volatility Expansion: It looks for bars with a larger-than-average range by comparing the bar's size to the Average True Range (ATR). This helps identify moments of increased market interest.
Closing Strength (IBS): It uses the Internal Bar Strength (IBS) to measure directional conviction. A high IBS (closing near the top) suggests bullish strength, while a low IBS (closing near the bottom) suggests bearish pressure.
Breakout Confirmation: As an optional but powerful filter, it can confirm the signal by ensuring the bar is breaking above the high or below the low of a user-defined number of previous bars.
A signal is only generated on the first bar that meets all these criteria after the price crosses the trend-defining moving average, making it ideal for capturing the start of a new swing.
Features
Bullish Signals (Green): Highlights the first bar in an uptrend that is larger than the ATR, closes with a high IBS (>70), and optionally breaks out above the recent highs.
Bearish Signals (Red): Highlights the first bar in a downtrend that is larger than the ATR, closes with a low IBS (<30), and optionally breaks out below the recent lows.
"First Signal Only" Logic: The script is hard-coded to show only the initial signal in a new trend, filtering out noise and redundant signals.
Fully Customizable Trend Filter:
Choose between EMA or SMA for trend definition.
Set the MA length (default is a short-term 7-period MA).
Option to show or hide the moving average on the chart.
Optional Breakout Filter:
Enable or disable the requirement for the signal bar to break the high/low of previous bars.
Customize the lookback period for the breakout confirmation.
How to Use
This indicator can be used as a primary signal for a trend-following or momentum-based trading system.
Look for a Green Bar (Bullish Signal): This suggests the start of a potential uptrend. Consider it a signal for a long entry. A logical stop-loss could be placed below the low of the highlighted signal bar.
Look for a Red Bar (Bearish Signal): This suggests the start of a potential downtrend. Consider it a signal for a short entry. A logical stop-loss could be placed above the high of the highlighted signal bar.
Adjust Settings: Use the settings menu to configure the indicator to your preferred market and timeframe. A longer Trend MA Length will result in fewer, more long-term signals, while a shorter length will be more responsive.
As with any tool, this indicator is best used in conjunction with other forms of analysis, such as market structure, support/resistance levels, and proper risk management.
TONYLASUERTEIndicator Description 
This indicator is designed to provide a clear market reading by combining trend analysis, low-activity zones, and potential reaction signals:
-  Moving Averages (50 and 200 periods):  the 50-period (blue) and 200-period (red) moving averages help define the overall market trend while also acting as dynamic support and resistance levels. Their alignment or crossover serves as a key signal for assessing market strength.
-  Asian Session Highlighting:  the indicator marks rectangles over the Asian session ranges, a phase typically characterized by low volatility and tight ranges. This helps avoid trading in low-interest conditions and focus on more liquid phases.
-  Post-Asia Reactions:  the imbalance occurring after the Asian session is highlighted, making it easier to spot potential breakout points and the start of directional moves.
-  Divergent Candles (visual signals):  divergence candles are highlighted with different colors. When combined with the moving averages and the post-Asia imbalance, they can anticipate possible reversals or confirm trend continuation.
 📌 Indicator Objective:  filter out low-quality trading phases, highlight key reaction zones, and improve entry timing by leveraging the interaction between trend (moving averages), divergences, and post-Asian session dynamics.
Institutions ZonesInstitutions Zone Tracker
This indicator automatically detects, draws, and manages institutional zones using refined order block logic. It is built to highlight high-probability reversal or breakout areas across any timeframe, with advanced zone management features that go beyond typical open-source versions.
How It Works
The script identifies price regions where significant institutional buying or selling has previously occurred and tracks how they evolve in real time:
Green = Areas of strong institutional buying interest.
Red =  Areas of institutional selling interest.
Gray = Tested Zone: If price re-enters a previously drawn zone, it turns gray and relabels as “Tested,” signaling reduced reaction strength.
Unlike many standard supply/demand tools, this script includes automatic zone removal, tested-zone tracking, and no-repaint logic to maintain chart accuracy and reduce clutter.
Features
Dynamic zone creation and removal based on order block and mitigation rules.
Real-time updates with no repainting.
Visual clarity controls (adjustable transparency, labels inside zones).
Automatic zone lifecycle tracking, with clear status indicators (“Demand Zone,” “Supply Zone,” “Tested”).
How to Use
Apply the indicator to any chart and timeframe.
Use Demand Zones as potential long/swing-low areas and Supply Zones as potential short/swing-high areas.
When a zone turns gray, treat it as weakened — reactions may be less reliable.
Combine with your own technical or fundamental analysis for confirmation.
Best Practices
Pair with candlestick reversal signals or momentum indicators for higher accuracy.
Adjust tuning/mitigation parameters to fit your trading style and the asset’s volatility.
Use across multiple timeframes to validate institutional order flow alignment.
Why This Script Is Different
Most open-source supply/demand indicators only plot static zones. This script introduces:
Automatic zone removal to keep charts clean and relevant.
Dynamic “tested zone” logic that tracks weakening institutional levels.
Real-time, no-repaint drawing, ensuring zones remain accurate as price action evolves.
These unique features make the tool more practical for live trading and justify closed-source protection.
⚠️ Disclaimer
This script is for educational and informational purposes only. It does not constitute financial advice. Always conduct your own analysis and consult a licensed professional before trading. The author is not liable for losses or damages. Use at your own risk.
W Pattern Finder📊 W Pattern Finder
English:
This indicator automatically detects W-Patterns (Double Bottoms) following the HLHL structure and marks the last four crucial points on the chart.
Additionally, it draws the neckline, a Take Profit (TP) and a Stop Loss (SL) – including a Risk/Reward ratio.
✨ Features
* Automatic detection of W-Patterns (Double Bottoms)
* Draws the neckline and the last 4 key points
* Calculates and displays TP and SL levels (with adjustable RR ratio)
* Auto-Clear: All objects are removed once TP or SL is reached
* Fully customizable colors & widths for pattern, TP and SL lines
* Tolerance filter for lows to improve clean pattern recognition
* Visual marking of the W-pattern directly in the chart
⚙️ Settings
* Pivot Length → controls sensitivity of pattern detection
* Line color & width for the pattern
* Individual colors and widths for TP and SL lines
* Risk/Reward Ratio (RR) freely adjustable
* Tolerance (%) for deviation of lows
📈 Use Case
This indicator is especially useful for chart technicians & pattern traders who trade W-formations (Double Bottoms).
With the automatic calculation of TP & SL, it becomes instantly clear whether a trade is worth taking.
⚠️ Disclaimer:
This indicator is not financial advice. It is intended for educational and analytical purposes only.
Use it in trading at your own risk
smc-vol ••• ahihiif bullish_pattern and showBreak
    label_y = low - (high - low) * label_distance / 100
    label.new(bar_index, label_y, "BULLISH↑", color=color.new(color.green, 20), textcolor=color.white, style=label.style_label_up, size=size.normal)
if bearish_pattern and showBreak
    label_y = high + (high - low) * label_distance / 100
    label.new(bar_index, label_y, "BEARISH↓", color=color.new(color.red, 20), textcolor=color.white, style=label.style_label_down, size=size.normal)
// Background highlight
bgcolor(bullish_pattern ? color.new(color.green, 95) : na)
bgcolor(bearish_pattern ? color.new(color.red, 95) : na)
369 IPDA Time Detector369 IPDA Time Detector 
 Summary 
The 369 IPDA Time Detector is a specialized tool designed to visualize key temporal turning points in the market based on the "3, 6, 9" digital root principle. It serves as a confirmation layer for traders who focus on the time-based nature of Institutional Price Delivery Algorithms (IPDA), operating on the premise that while price can be manipulated, institutional algorithms adhere to predictable time sequences.
 Core Concept 
This indicator is built upon the theory that the numbers 3, 6, and 9 represent an underlying logic behind significant market swings. By applying digital root calculations (a process of summing the digits of a number until a single digit remains) to various time components, the indicator identifies moments that align with this core principle. These moments can act as high-probability confirmation for reversals, entries, or exits when used in conjunction with sound market analysis.
 How It Works 
The indicator performs digital root calculations on the opening time of each bar. If the final digital root of an enabled time calculation is 3, 6, or 9, it signals an IPDA Time event.
The following time calculations can be independently enabled:
-  Year + Month + Day:  For long-term swing analysis.
-  Month + Day:  For medium-term swing analysis.
-  Day:  For short-term swing analysis.
-  Hour + Minutes:  For intraday and session-based analysis.
-  Minutes:  For high-precision entry and exit timing.
For combined periods (e.g., "Hour + Minutes"), the indicator first calculates the digital root of the hour and the minute separately, then sums those roots and finds the final digital root of the result.
 Features & How to Use 
-  Visual Markers:  Highlights bars that meet an active IPDA time condition with a colored background, making them easy to spot.
-  Informative Labels:  Displays a label above the signal bar indicating which time calculation triggered the event (e.g., "H+M = 9"). If multiple conditions are met, it will display the highest-ranking signal (Y+M+D is highest).
-  Granular Control:  You can independently toggle each of the five time calculations on or off to tailor the indicator to your specific trading style and timeframe.
-  CRITICAL - Timezone Setting:  The indicator's calculations are based on the timezone selected in the settings. **It is essential to set this to your chart's display timezone** for the signals to align correctly with the candles you are viewing. The default is "America/New_York".
 Disclaimer 
This indicator is not a standalone trading system and does not provide buy or sell signals. It is designed as a  confirmation tool . Its signals should always be interpreted within the context of your existing analysis, such as market structure, Accumulation-Manipulation-Distribution (AMD) cycles, and other technical factors. Trading involves significant risk.
M Killzones[by vetrivel]Cool free style Session indicator, Inspired by TJR trader session times and it's easily changeable. Really this session times changes everything. Basic requirement to use this Discipline and Mindset   
ORB + Prev Close — [GlutenFreeCrypto]Draws a red line at the high of the first 5 min candle, draws a green line at the bottom of the first 5 min candle, draws a grey line at midpoint. Lines extend until market close (4pm) or after-hours 98pm) or extend the next day pre-market (until 9:30am). Closing blue dotted line is drawn at closing price, and extends in after-hours and pre-market.
EMA Crossover Strategy (15m)50 and 200 ema crossing when leaving anchor. when 50 and 200 crosses will give you direction of where market is going. wait for a pull back and take trade. sl on highest or lowest point of apex tp open . when you see multiple equal ( low or High) get put of trade. 
Auto Fractal [theUltimator5 feat. MrRo8ot] — DTW EditionAuto Fractal   — DTW Edition 
 What it does 
This tool searches the past for a price pattern that best matches your most recent price action, then maps that pattern onto today’s scale and draws:
 
 an orange line for the matched historical segment, and
 a fuchsia dotted line projecting how that pattern continued right after the match.
 
Under the hood it can use either DTW (Dynamic Time Warping) or Pearson correlation to score matches. DTW is more flexible for wobbly markets; Pearson is faster and stricter.
Be aware, this is not a buy/sell signal generator but a visual context/road-map tool to explore “what the market did last time this shape appeared.”
 How to use (quick start) 
 
 Add to chart and keep defaults.
 Watch the orange line: that’s the historical pattern remapped to today’s scale.
 The fuchsia dots show the immediate continuation from that old pattern (a projection, not a promise).
 Optional: switch 📊 Analysis Mode to explore different behaviors (see below).
 If you want to “freeze time” and check what would’ve been seen at a past moment, enable 📍 Legacy: Manual Point Selection, pick a date/time, and the tool will search from that point back in history.
 
 Reading the on-chart table 
 
 Best Match — DTW sim: Similarity score (0–1). Higher ≈ better shape match.
 Best Match — Corr: If using Pearson, shows correlation % (closer to 100% ≈ better).
 (Live) / (Frozen-X): Live runs on the last bar; Frozen indicates a manual selection and how many bars back the endpoint is.
 
 Configuration options 
 📊 Analysis Mode 
 
 Auto Fractal (default): Finds the best-matching past window and maps it onto today’s recent window.
 MOASS / BBBYQ: Same search engine, but the projection is exaggerated deliberately:
 MOASS: amplifies bearish impulse in the projection (downside excursion).
 BBBYQ: amplifies bullish impulse (upside excursion). Use the multipliers below to tune how “loud” the projection is.
 
 📍 Legacy: Manual Point Selection 
 
 Enable Manual Point Selection: When ON, choose date/time to “freeze” the endpoint. The tool then asks: Given price up to that time, what past pattern best matched it?
 Great for lightweight backtesting and validating behavior.
 
 🔧 Core parameters 
 
 Correlation/DTW Window Length (l): How many recent bars define the shape to match. (Typical 20–60.)
 Lookback Range (lb): How far back to search for candidates. Larger = more options, slower.
 Future Projection Length (future): How many bars of continuation to draw from the matched pattern.
 
 🎨 Visuals 
 
 Show Match Table / Draw Lines/Box: Turn UI and drawing on/off (disabling drawings speeds things up).
 Render every k-th point: Skip points for speed (1 = draw every point).
 Best Fit / Projection colors: Style the orange (match) and fuchsia (projection) lines.
 
 📐 Autoscale behavior 
 
 Autoscale pattern fit (autoscaleDraw): When ON, the matched pattern is linearly mapped to your recent window.
 Autoscale style:
 Min-Max fit: Stretch the pattern so its min/max aligns with your recent min/max. Preserves shape extremes.
 Anchor base: Keep the pattern’s first point anchored to the current endpoint; scale by ranges.
 Endpoint fit: Fit the first/last points to the recent first/last.
 Least-squares fit (default): Regression fit across the whole window; smooth and robust.
 
 🧱 Clamp (range-cap) controls 
These prevent “flat-topping” or clipping by letting you choose where clamping applies.
 
 Clamp mapped lines to recent range (clipToWindow): Master ON/OFF.
 Clamp future only: If ON, the orange match is free; only the fuchsia projection is range-limited.
 Clamp mode:
 None: No clamping.
 Hi/Lo recent: Clamp to the recent window’s high/low ± padding.
 Hi/Lo wide: Clamp to a wider high/low (X × window length) ± padding.
 ATR × N: Clamp around the endpoint price using ATR bands (ATR length & multiplier below).
 Clamp padding (fraction): Extra headroom above/below the clamp range (e.g., 0.12 = 12%).
 Hi/Lo wide lookback: Multiplier for the wide window.
 ATR length / ATR multiplier: For ATR × N clamping.
 
Tip: If you see the pattern “flat on top,” try Clamp mode = None or Clamp future only = ON, or increase Clamp padding.
 📈 Matching engine (DTW / Pearson) 
 
 Use DTW: ON = Dynamic Time Warping (flexible shape matching). OFF = Pearson correlation (fast/strict).
 DTW Warping Band: 0–0.5; higher allows more time-stretch/bend (0.10–0.20 is common).
 Normalization:
 zscore (default): Standardize level/volatility; focuses on shape.
 returns: Use percent changes; shape from returns.
 none: Raw prices (scale sensitive).
 DTW Early-Abandon Pruning: Speed optimization; stop bad rows early.
 Prune multiplier: How aggressive the pruning is (1.0 = strict; raise if you miss matches).
 (Pearson) Minimum Correlation Threshold: If using Pearson, stop early once correlation ≥ threshold.
 
 ⚙️ Compute throttles 
 
 Compute only on bar close: Save CPU by updating only when bars close.
 Recompute every N bars: Further throttle; e.g., 5 updates every 5 bars.
 Lookback Candidate Step: Skip candidate starts (e.g., 3 = check every 3rd start) to speed up big lookbacks.
 
 Practical tips 
 
 Choose window sizes thoughtfully:
 Shorter l captures “micro” swings; longer l captures larger structures.
 DTW vs Pearson:
 If you want speed and clean, rigid matches → Pearson (Use DTW = OFF).
 If you want tolerant shape matching in choppy markets → DTW.
 Performance: If it feels heavy, try: lower lb, increase candidateStride, set computeOnBarClose = ON, raise computeEveryN, or disable drawings while testing.
 Manual rewind: Enable Manual Point Selection, pick a past time, and the tool shows exactly what would’ve been projected then.
 MOASS/BBBYQ multipliers: Tune MOASS projection multiplier / BBBYQ projection multiplier to adjust how strong the dotted projection swings.
 
 What the green box means 
A green, semi-transparent box highlights the historical segment that was chosen (in its original location). It’s just a visual cue showing where the orange line came from.
 Disclaimer 
Past patterns don’t guarantee future outcomes. Use this as a research/visualization aid, not as a standalone trading system. Always combine with risk management and your own analysis.
Order Block TraderThe Order Block (HTF) indicator automatically detects and plots higher timeframe order blocks directly onto your chart. Order blocks represent zones of institutional buying or selling pressure that often act as powerful support or resistance levels when revisited. This tool is designed for traders who want to align their lower timeframe entries with higher timeframe structure, helping to filter noise and focus on the most meaningful price levels.
What This Indicator Does
    Scans a higher timeframe of your choice to identify potential bullish and bearish order blocks.
    Draws the blocks on your current chart, extending them forward in time as reference zones.
    Highlights trade signals when price returns to and reacts at these order blocks.
    Optionally triggers alerts so that you never miss a potential opportunity.
How It Can Be Used Successfully
    Bullish Setup: A bullish order block may serve as a demand zone. When price revisits it, look for bullish confirmation such as a bounce from the block low and a close back above it. This can be used as a long entry point, with stops placed just below the block.
    Bearish Setup: A bearish order block may serve as a supply zone. When price revisits it, watch for rejection at the block high followed by a close back below it. This can be used as a short entry point, with stops placed just above the block.
    Multi-Timeframe Trading: Use order blocks from larger timeframes (e.g., 4H or Daily) as key zones, then drill down to shorter timeframes (e.g., 5m, 15m) to refine entries.
    Confluence with Other Tools: Combine order block signals with your existing strategy—trend indicators, Fibonacci levels, moving averages, or candlestick patterns—for stronger confirmation and improved win probability.
    Trade Management: Treat order blocks as zones rather than single price levels. Position sizing, stop placement, and risk-to-reward management remain essential for long-term success.
This indicator is not a standalone trading system but a framework for identifying high-probability supply and demand zones. Traders who apply it consistently—alongside proper risk management and confirmation methods—can improve their ability to catch trend continuations and reversals at structurally important levels.
SuperScript Filtered (Stable)🔎 What This Indicator Does
The indicator is a trend and momentum filter.
It looks at multiple well-known technical tools (T3 moving averages, RSI, TSI, and EMA trend) and assigns a score to the current market condition.
•	If most tools are bullish → score goes up.
•	If most tools are bearish → score goes down.
•	Only when the score is very strong (above +75 or below -75), it prints a Buy or Sell signal.
This helps traders focus only on high-probability setups instead of reacting to every small wiggle in price.
________________________________________
⚙️ How It Works
1.	T3 Trend Check
o	Compares a fast and slow T3 moving average.
o	If the fast T3 is above the slow T3 → bullish signal.
o	If it’s below → bearish signal.
2.	RSI Check
o	Uses the Relative Strength Index.
o	If RSI is above 50 → bullish momentum.
o	If RSI is below 50 → bearish momentum.
3.	TSI Check
o	Uses the True Strength Index.
o	If TSI is above its signal line → bullish momentum.
o	If TSI is below → bearish momentum.
4.	EMA Trend Check
o	Looks at two exponential moving averages (fast and slow).
o	If price is above both → bullish.
o	If price is below both → bearish.
5.	Score System
o	Each condition contributes +25 (bullish) or -25 (bearish).
o	The total score can range from -100 to +100.
o	Score ≥ +75 → Strong Buy
o	Score ≤ -75 → Strong Sell
6.	Signal Filtering
o	Only one buy is allowed until a sell appears (and vice versa).
o	A minimum bar gap is enforced between signals to avoid clutter.
________________________________________
📊 How It Appears on the Chart
•	Green “BUY” label below candles → when multiple signals agree and the market is strongly bullish.
•	Red “SELL” label above candles → when multiple signals agree and the market is strongly bearish.
•	Background softly shaded green or red → highlights bullish or bearish conditions.
No messy tables, no clutter — just clear trend-based entries.
________________________________________
🎯 How Traders Can Use It
This indicator is designed to help traders by:
1.	Filtering Noise
o	Instead of reacting to every small crossover or RSI blip, it waits until at least 3–4 conditions agree.
o	This avoids entering weak trades.
2.	Identifying Strong Trend Shifts
o	When a Buy or Sell arrow appears, it usually signals a shift in momentum that can lead to a larger move.
3.	Reducing Overtrading
o	By limiting signals, traders won’t be tempted to jump in and out unnecessarily.
4.	Trade Confirmation
o	Traders can use the signals as confirmation for their own setups.
o	Example: If your strategy says “go long” and the indicator also shows a strong Buy, that trade has more conviction.
5.	Alert Automation
o	Built-in alerts mean you don’t have to watch the chart all day.
o	You’ll be notified only when a strong signal appears.
________________________________________
⚡ When It Helps the Most
•	Works best in trending markets (bullish or bearish).
•	Very useful on higher timeframes (1h, 4h, daily) for swing trading.
•	Can also work on lower timeframes (5m, 15m) if combined with higher timeframe trend filtering.
________________________________________
👉 In short
This indicator is a signal filter + trend detector. It combines four powerful tools into one scoring system, and only tells you to act when the odds are stacked in your favor.
________________________________________
Debt Refinance Cycle + Liquidity vs BTC (Wk) — Overlay Part 1Debt Refi Cycle - Overlay script (BTC + Liquidity + DRCI/Z normalized to BTC range) 
IMB zones, alerts, 8 EMAs, DO lvlThis indicator was created to be a combined indicator for those who use DO levels, IMBs, and EMAs in their daily trading, helping them by providing a script that allows them to customize these indicators to their liking.
Here you can set the IMBs, DO levels, and EMAs. Its special feature is that it uses alerts to indicate which IMB zones have been created, along with the invalidation line for the new potential IMB.
The program always calculates the Daily Opening (DO) level from the opening of the broker, and you can set how many hours the line should be drawn.
Help for use:
There are 3 types of alerts:
- Use the "Bullish IMB formed" alert if you are looking for Bull IMBs.
- Use the "Bearish IMB formed" alert if you are looking for Bear IMBs.
- Use the "Either IMB" alert if you are looking for Bull and Bear IMBs.
Tip: Set the alert type "Once per bar close" if you do not want to set new alerts after an IMB is formed.
IMBs:
- Customizable IMB quantity (1-500 pcs)
- Zone colors and borders can be customized
- Potential IMB line can be customized
EMAs:
- You can set and customize 8 EMA lengths
- Only the current and higher timeframe EMAs are displayed
Daily Open Level:
- Displays today's Daily Open level
- Note: The DO level does not work in Replay mode
Last OFR:
"Show True OFR" checkbox added.
It displays the latest OFR, and hides the old ones.
AlgoAIDESIGNED FOR HEIKEN ASHI BARS
 
Gain Access here:  algoai.store 
AlgoAI
The Dark Edge of Trading
An AI-powered TradingView strategy that thrives across all markets. Short altcoin pumps. Ride NAS100 waves. Dominate gold, FX, stocks, and futures — all with one AI brain.
#1
Semi-Automatic Trading (Recommended)
Set up alerts on AlgoAI signals. As they come in, grade the setups and choose to enter manually. This gives you full control while leveraging AI precision.
#2
Fully Automated Trading
Pass signals via webhooks to TradersPost for futures or PineConnector for FX. Note: When running fully automated, it's suggested to use long-only or short-only mode to avoid side swiping and potential unintended drawdown.
  
 BITSTAMP:BTCUSD  






















