Signature Five Lines by SidHemSignature Five Lines by SidHem
Overview:
Signature Five Lines by SidHem is a chart overlay tool that lets traders and analysts display a fully customizable multi-line signature or text annotation directly on TradingView charts. It allows up to five user-defined lines, optional logo or emoji on the first line, and automatic inclusion of the symbol and instrument description. The display can be shown either as a table or a label, with complete control over fonts, colors, spacing, and positioning.
If you’re tired of adding your details manually on every new chart, Signature Five Lines by SidHem helps you display your standard information automatically on any chart you open.
This script is useful for traders who want to keep key information visible, add personal notes, or include contextual text on charts without manually adding labels or text boxes.
Inputs and How to Use Them
1. Multi-Line Signature
Enable Line 1–5: Toggle visibility of each signature line. Show or hide this line on the chart.
Line 1–5 Text: Enter the custom text for each line. Line 1 can include a logo or emoji if enabled.
2. Logo / Emoji
Show Emoji / Text in Line 1: Enable an emoji or small text to appear before Line 1 of the signature for personalization.
Logo Text: Enter the emoji or symbol to display at the start of Line 1 when enabled.
3. Symbol / Instrument
Show Symbol Row: Display the chart’s symbol (e.g., NSE:INFY) above your custom lines.
Show Name / Description Row: Display the instrument’s name or description below the symbol.
Combine Symbol & Name in 1 Row: Merge the symbol and description into a single row for compact display.
4. Display Mode
Display Mode: Choose how the signature is displayed: Table (row-based) or Label (near price).
Theme Skin: Select a prebuilt color theme or choose Custom to define your own colors for text and background.
5. Table Style
Table Vertical Spacer Rows: Number of empty rows added above the signature lines to adjust vertical positioning.
Table Position: Set the location of the table on the chart (Top, Middle, Bottom; Left, Center, Right).
Table Font Size: Set the font size for the signature lines. Options: Tiny, Small, Normal, Large, Huge.
6. Table Custom Line Colors
Lines 1–5 Background & Text Colors: Customize the background and text color for each signature line individually.
Symbol Row (line6) Background & Text Colors: Customize background and text colors for the symbol row.
Name/Description Row (line7) Background & Text Colors: Customize background and text colors for the description row.
7. Label Style (for Label Mode)
Label Text Color: Color of text when using Label mode.
Label Background Color: Background color of the label; supports transparency.
Label Style: Position of the label pointer relative to the bar (Left, Right, Up, Down, Center).
Label X Offset: Horizontal shift of the label in bars relative to the current bar.
Label Y Offset: Vertical shift of the label in price points; allows precise positioning above or below the price.
How it Works:
The script dynamically builds a display array combining the chart symbol, instrument description, and your custom signature lines.
Long text is automatically wrapped to ensure readability without overlapping chart elements.
Users can choose Table mode (row-based display) or Label mode (floating near price), with customizable X/Y offsets for precise placement.
Predefined color themes make it easy to match the chart’s style, or you can select Custom to fully control background and text colors for each line.
An optional logo/emoji can appear at the start of Line 1 for personalization.
Advantages:
Keeps key chart information visible at all times.
Adds a professional annotation layer to charts for notes or commentary.
Multi-line support allows clear separation of different information (symbol, description, personal notes, optional emoji).
Dynamic wrapping ensures text remains readable on different timeframes or zoom levels.
Works with any TradingView chart or instrument.
Recommended Use:
Add Prefixed notes or annotations directly on charts - simply calling it a Signature
Display symbol and description alongside personal commentary.
Combine multiple lines of information in a clean and readable overlay.
Indicators and strategies
Hidden HybridHidden Hybrid or Sakli Katişik is an unique system by me for traders. I hope you found this so effective for your works. With regards,
A2B TRADINGBY TREVOR WILLIAMS
This is a multi-strategy trading toolkit that combines several elements:
Stochastic signals
Trend filters (EMAs)
Smart Order Flow (2 versions)
Vertical heat lines
Momentum-based reversal dots
SAR (Stop And Reverse)
Smoothed moving averages (ALMA + ZLMA)
Support and resistance lines
Scoreboards (for CCI, RSI, Vortex)
Projection lines
SNP (Sniper) boxes
Order dominance detection
Visual aids like labels, boxes, and line projections
Intraday Equal Peaks Levels (threshold immediate)//@version=6
indicator("Intraday Equal Peaks Levels (threshold immediate)", overlay=true, max_lines_count=500, max_labels_count=500)
// ===== INPUTS =====
leftBars = input.int(5, "Bars Left", minval=1)
rightBars = input.int(5, "Bars Right", minval=1)
marketType = input.string("Crypto", "Market Type", options= )
cryptoThresh = input.float(1.0, "Crypto Threshold %", minval=0.0, maxval=3.0, step=0.1)
stockThreshC = input.int(1, "Stocks Threshold (cents)", minval=0) // 1 -> 0.01 price units
showPanel = input.bool(true, "Show Equal Peaks Panel (top-right)")
// ===== DAY CHANGE =====
isNewDay = time("D") != time("D") // true on first bar of new calendar day
// ===== PIVOT DETECTION =====
pHigh = ta.pivothigh(high, leftBars, rightBars)
pLow = ta.pivotlow(low, leftBars, rightBars)
// ===== THRESHOLD CHECK =====
f_within_threshold(oldLevel, newLevel) =>
if marketType == "Stocks"
threshPrice = stockThreshC * 0.01
math.abs(newLevel - oldLevel) <= threshPrice
else
pct = oldLevel != 0 ? math.abs((newLevel - oldLevel) / oldLevel * 100.0) : 0.0
pct <= cryptoThresh
f_exceed_threshold(oldLevel, price) =>
if marketType == "Stocks"
threshPrice = stockThreshC * 0.01
math.abs(price - oldLevel) > threshPrice
else
pct = oldLevel != 0 ? math.abs((price - oldLevel) / oldLevel * 100.0) : 0.0
pct > cryptoThresh
// ===== STORAGE =====
var array arrLines = array.new_line()
var array arrPrices = array.new_float()
var array arrColors = array.new_color()
var array arrTypes = array.new_int() // 1 = resistance, -1 = support
// ===== HELPER: CLEAR ALL =====
f_clear_all() =>
if array.size(arrLines) > 0
for i = array.size(arrLines) - 1 to 0
ln = array.get(arrLines, i)
if not na(ln)
line.delete(ln)
array.clear(arrLines)
array.clear(arrPrices)
array.clear(arrColors)
array.clear(arrTypes)
// ===== RESET ON NEW DAY =====
if isNewDay
f_clear_all()
// ===== ADD PEAK (grouping logic) =====
f_add_peak(level, isRes) =>
grouped = false
targetType = isRes ? 1 : -1
if array.size(arrPrices) > 0
for i = 0 to array.size(arrPrices) - 1
if array.get(arrTypes, i) == targetType
oldLvl = array.get(arrPrices, i)
if f_within_threshold(oldLvl, level)
grouped := true
if array.get(arrColors, i) != color.yellow
array.set(arrColors, i, color.yellow)
lnobj = array.get(arrLines, i)
line.set_color(lnobj, color.yellow)
break
if not grouped
startBar = bar_index - rightBars
lncol = isRes ? color.red : color.green
ln = line.new(x1 = startBar, y1 = level, x2 = bar_index, y2 = level, xloc = xloc.bar_index, extend = extend.right, color = lncol, width = 2)
array.push(arrLines, ln)
array.push(arrPrices, level)
array.push(arrColors, lncol)
array.push(arrTypes, targetType)
// ===== DELETE LINES WHEN THRESHOLD EXCEEDED =====
if array.size(arrPrices) > 0
for i = array.size(arrPrices) - 1 to 0
lvl = array.get(arrPrices, i)
ln = array.get(arrLines, i)
if f_exceed_threshold(lvl, high) or f_exceed_threshold(lvl, low)
line.delete(ln)
array.remove(arrLines, i)
array.remove(arrPrices, i)
array.remove(arrColors, i)
array.remove(arrTypes, i)
// ===== HANDLE NEW PIVOTS =====
if not na(pHigh)
f_add_peak(pHigh, true)
if not na(pLow)
f_add_peak(pLow, false)
// ===== INFO PANEL (top-right) =====
var table t = table.new(position.top_right, 1, 2, border_width = 1)
if showPanel and barstate.islast
yellow_count = 0
yellow_prices = array.new_string()
if array.size(arrPrices) > 0
for i = 0 to array.size(arrPrices) - 1
if array.get(arrColors, i) == color.yellow
yellow_count += 1
lvl = array.get(arrPrices, i)
s = str.tostring(lvl, format.mintick)
array.push(yellow_prices, s)
priceTxt = "None"
if array.size(yellow_prices) > 0
joined = ""
for j = 0 to array.size(yellow_prices) - 1
part = array.get(yellow_prices, j)
joined := j == 0 ? part : joined + ", " + part
priceTxt := joined
table.cell(t, 0, 0, "Equal peaks: " + str.tostring(yellow_count), text_halign = text.align_left, text_size = size.small, bgcolor = color.new(color.black, 0), text_color = color.white)
table.cell(t, 0, 1, "Equal peaks price: " + priceTxt, text_halign = text.align_left, text_size = size.small, bgcolor = color.new(color.black, 0), text_color = color.white)
else
table.clear(t, 0, 0)
Swing H1 + M15 ComboThis indicator only use to H1 & M15 timeframe
✅ Entry Guidelines
Identify the Trend (H1 Swing Call)
A confirmed Swing Buy on H1 sets the trend to bullish.
A confirmed Swing Sell on H1 sets the trend to bearish.
The trend only changes when a new confirmed swing signal closes on H1.
Confirm with M15
On M15, wait for a buy signal if the H1 trend is bullish.
On M15, wait for a sell signal if the H1 trend is bearish.
✅ How It Works
H1 Swing Calls define the overall trend direction (bullish or bearish).
M15 CE Signals confirm short-term entries in line with the H1 trend.
A trade setup is only valid when both timeframes agree.
📈 Entry Strategy
Buy Setup:
H1 confirms a Swing Buy trend
M15 prints a CE Buy signal
Stop loss: below nearest swing low / structure
Sell Setup:
H1 confirms a Swing Sell trend
M15 prints a CE Sell signal
Stop loss: above nearest swing high / structure
EMA/SMA Band with Buy sellEMA band with Buy Sell signals.This can be adjusted as per Different EMA for scalp, Day and positional trading
北極熊指標ProPolarLabs Indicator Pro — Introduction
PolarLabs is a research collective dedicated to the advancement of quantitative trading and automation. We focus on all-weather portfolio strategies, diverse grid trading systems, and perpetual futures, aiming to empower traders and investors with streamlined, efficient, and innovative tools for the modern financial markets.
The PolarLabs Indicator now features enhanced capabilities including:
• Automatic detection of recent resistance ("Arctic Line") and support ("Antarctic Line") levels
• Advanced V-Average pricing with dynamic trend analysis
• Dual Momentum indicators (A-Momentum & T-Momentum) for market strength assessment
• IceFire Meter for real-time volume flow visualization
• Trend Follow Mode with Fibonacci-based entry bands for proactive position management
• Linear Regression Volume Distribution for smart accumulation zone identification
All key metrics are displayed in a clear, accessible dashboard on your chart, making it easy for quant enthusiasts and algorithmic traders to analyze market structures, identify key zones, and execute strategies with enhanced confidence.
Our tools are designed to complement your trading intuition - providing data-driven insights while respecting the art of market interpretation. Whether you're building automated grid systems, monitoring breakouts, or constructing all-weather portfolios, PolarLabs provides practical solutions to help you trade and analyze more effectively.
If you are interested, please send me a private message
X: X.com
TG: t.me
Follow us for more quant tools and automated trading strategies!
———————————————————————————————————————
北极熊指标Pro — 简介
北极熊研究所(PolarLabs)专注于量化交易和自动化策略的研究与创新。我们致力于开发全天候资产配置策略、各种网格交易系统以及永续合约解决方案,帮助更多热爱量化与自动化的交易员轻松高效地进行市场分析与策略执行。
北极熊指标现已升级增强功能:
• 自动侦测近期「北极线」(压力线)与「南极线」(支撑线)
• V均價动态趋势分析系统
• 双动能指标(A动能 & T动能)评估市场强度
• 冰火仪实时成交量流向可视化
• 趋势追踪模式配合斐波那契入场带,主动管理仓位
• 线性回归加量分布,智能识别筹码积累区域
所有关键数据均在图表右上角以面板形式直观展示,为您的交易分析提供有力支持。我们的工具旨在增强您的交易直觉——在提供数据驱动洞察的同时,尊重市场解读的艺术。
无论是箱体震荡、网格套利、趋势跟踪还是全自动量化策略,北极熊指标都能为您的交易决策提供深度市场结构分析。
【仅限受邀使用 - 需私人访问权限】
有兴趣请私信我查询
X: X.com
TG: t.me
欢迎关注 PolarLabs,获取更多量化与自动化工具和策略!
Simple Horizontal Volume Profile v2Simple Horizontal Volume Profile v2 — Description
What it does
A lightweight, script-based horizontal volume profile that builds a custom histogram over a rolling lookback window. The profile is split into price bins, accumulates volume either at the close or across the full bar range, and highlights the Value Area (VA) and Point of Control (POC). Designed to be fast, readable, and practical for intraday to swing analysis.
Key features
Two distribution modes
Overlap: distributes each bar’s volume proportionally across its high-to-low range.
Close: assigns the entire bar’s volume to the closing price.
POC + Value Area
Auto-detects POC (max volume bin).
Shades Value Area containing a user-defined percentage of total volume (default 70%).
Compact on-chart rendering
Draws a horizontal histogram using boxes anchored to the right edge of the chart.
Optional POC line across the active profile.
Configurable granularity
Adjustable lookback window, number of bins, and visual width in bars.
Performance-aware
Computes series each bar, renders objects only on the last bar to reduce overhead.
Inputs
Range (bars): number of bars to include in the profile window.
Price rows (bins): histogram resolution; higher = finer detail, potentially noisier.
Histogram width (bars): visual width of the boxes drawn to the right.
Volume distribution: Overlap or Close.
Price source for Close/HLC3: choose how price is read when needed.
Show Value Area: toggle VA shading on/off.
Value Area %: fraction of total volume to include (typical 68–70%).
Show POC: toggle POC line on/off.
Opacity & POC width: styling controls.
How to use (practical playbook)
Context: set the lookback to the structure you’re analyzing (range, leg, composite).
Balance trades: inside VA, fade extremes: VAL → POC → VAH (and back), using your price-action filter.
Breakout/acceptance: a hold and volume build above VAH or below VAL suggests trend continuation. Retests of VAH/VAL can be actionable.
Targets:
POC/HVNs act like magnets and slow price.
LVNs often behave as “air pockets” where price moves faster.
Multi-TF: align a lower-TF trigger with a higher-TF profile for higher conviction.
Tips
Start with 40–80 bins on H1–H4; increase on higher TFs if structure is broad.
If price is chopping in VA, keep expectations and position size modest.
Use Overlap for assets with long bars and wicks; Close when you prefer a tighter read.
Combine with S/R, Fib confluence, and volume/PA signals for entries and exits.
Notes & limitations
This is a script-drawn profile, not a built-in Volume Profile tool. Rendering uses boxes and a line; TradingView object limits apply.
Very short histories may clamp the left edge of the histogram to bar 0 by design.
The profile recomputes on the last bar for drawing efficiency.
Disclaimer
For educational purposes only. This script does not constitute financial advice. Trade at your own risk.
DXY-GU Divergence (Overlay)divergence indicator with for dxy . alerts availabkle for everytime frame ! best way to catch manipulation
Dean - BTCEASYTRADER BINANCE:BTCUSDT BITSTAMP:ETHUSD BITSTAMP:BTCUSD
This indicator is designed for the 4-hour timeframe.
Risk-reward ratio should be adjusted based on individual risk tolerance.
Through my own testing, a ratio of 1:1.5 to 1:3 yields the highest win rate.
This indicator is suitable for short-term swing trading.
If you prefer ultra-short-term scalping, this indicator is not for you.
In ultra-short timeframes, retail traders are just easy prey for institutions and high-frequency trading algorithms — you can't beat them at their own game.
Extend your time horizon — that's where your chance of success lies.
Tesla 3-6-9 Indicator (NY) – Free OnlyOverview
The Tesla 3-6-9 indicator detects key numeric patterns based on hour + minute or minute-only digit sums in New York time, highlighting the results directly on your chart with:
Colored candlesticks
🔺 Hour+Minute signals
🔻 Minute-only signals
Vertical line at minute 45
Daily Tesla statistics table (Paid Version)
This indicator is perfect for traders who want visual guidance for Tesla 3-6-9 patterns without manual calculations.
Features
Feature Free Version Paid Version
Minute-only Tesla signals 🔻 ✅ ✅
Hour+Minute Tesla signals 🔺 ❌ ✅
Candlestick coloring ✅ ✅ (customizable colors)
Vertical line at minute 45. ❌ ✅
Sound alerts ✅ ✅
Daily statistics table ❌ ✅
Symbol size & color customization. ✅ ✅
Ignore zero digits option ✅ ✅
How It Works
Minute-only sum: Adds digits of the current minute and reduces to 3, 6, or 9.
Hour + Minute sum: Adds digits of hour + minute, reduces to 3, 6, or 9.
Candle colors: Automatically changes color when Tesla patterns are detected.
Signals: 🔺 and 🔻 symbols appear above or below candles.
Vertical line: Marks minute 45 (Paid Version).
Daily stats table: Tracks Tesla signals per day (Paid Version).
Customizable Settings
Setting Description
Show 🔺 Hour+Minute Symbols Toggle visibility of Hour+Minute signals
Show 🔻 Minute-only Symbols Toggle visibility of Minute-only signals
Symbol Size Adjust size of 🔺 and 🔻 symbols
Candlestick Colors Customize bullish and bearish candle colors
Tesla Colors Set custom colors for Hour+Minute and Minute-only candles
Enable Sound Alerts Enable/disable sound alerts
Show Vertical Line at Minute 45 Toggle vertical line visibility
Line Color & Width Customize line appearance
Hour+Minute priority Determines if Hour+Minute signals override Minute-only visually
Installation
Open TradingView
Click Indicators → Invite-Only Scripts
Search for Tesla 3-6-9 Indicator (NY)
Add it to your chart and configure settings
Subscription & Pricing Suggestions
Free Version: Access to minute-only signals 🔻 as a teaser
Paid Version: Full feature set (🔺 signals, vertical line, daily stats)
Monthly Subscription: $10/month
Offer trial period to attract new users
Usage Tips
Best used on 1-minute or 5-minute charts
Works with any market symbol
Track patterns visually without manual calculation
Use the daily statistics table to analyze Tesla signal frequency
SignalToReversal+Reversal signal at Support & Resistance
This indicator will give you a signal for reversal trade.
better signal at Support & Resistance.
It's come with 3 targets by RRR 1:1 to 1:3 you may open 3 positions and move stop loss when 1st target hit.
Risk per trade 1%-3% is advice.
Use with your own RISK!
By K.Sompop Thailand Trader Club
SM ZONE AND IC CANDLE MARKINGSM AND IC MARKING INDICATOR where you can mark the daily indicator for the SM zone and london and new york zones automatically
Flexible Candle Zones (5x Historical, captures exact candle H/L)SM AND IC MARKING INDICATOR where you can mark the daily indicator for the SM zone and london and new york zones automatically
SM AND IC CANDLESM AND IC MARKING INDICATOR where you can mark the daily indicator for the SM zone and london and new york zones automatically
DAILY SM ZONE AND IC CANDLE MARKINGSM zone for daily time frame and london and NY time zones markings
Flexible Candle Zones — ZEESM ZONE and London and New york IC candle markings for the daily time frames
Mark Minervini Trend Template Candles📊 Mark Minervini Trend Template (Enhanced)
This script brings Mark Minervini’s famous Trend Template directly onto your TradingView charts — combining candle coloring, moving averages, trend checks, and a live criteria table into one tool.
🔎 What it does:
Candle Coloring: Each bar is colored on a gradient from red → yellow → light green → strong green, depending on how many of the 10 Trend Template rules are satisfied.
Key Moving Averages: Plots the 50-day, 150-day, and 200-day SMAs with distinct colors.
52-Week Context: Checks if the stock is trading near its yearly highs/lows.
Relative Strength vs. S&P 500: Scales performance into a percentile rank (0–100).
Trend Template Table: A neat table appears on the right-hand side of the chart, showing:
Each of the 10 Minervini rules ✅ / ❌
Current values (relative strength, % from 52-week high/low)
Total score out of 10
✅ Benefits:
Quickly spot whether a stock meets Minervini’s strict criteria for strong uptrends.
Use the color-coded candles for fast visual scanning.
Get a transparent checklist (no guesswork) with real-time updates.
📈 Ideal For :
Swing traders & growth investors who follow Mark Minervini’s methodology.
Traders who want a visual, rule-based filter to focus only on the strongest stocks.
fmfm10
The Traders Trend Dashboard (fmfm10) is a comprehensive trend analysis tool designed to assist traders in making informed trading decisions across various markets and timeframes. Unlike conventional trend-following scripts,fmfm10goes beyond simple trend detection by incorporating a unique combination of moving averages and a visual dashboard, providing traders with a clear
BAB VWAP V2 Daily, Weekly & Monthly (Optimized)Overview
BAB VWAP V2 displays 3 automatically anchored VWAPs (Daily, Weekly, Monthly) plus 2 customizable intraday VWAPs (anchored at user-defined HH:MM). Optional ±σ bands (volume-weighted) for D/W/M. Includes dynamic labels and an optional summary table.
Main Features
Daily/Weekly/Monthly VWAPs with automatic reset per period.
2 Intraday anchored VWAPs (default 09:00 & 15:30, configurable).
Volume-weighted standard deviation bands (σ) for D/W/M with optional fill.
Alerts on VWAP D/W/M crossovers.
Labels dynamically updated (no stacking) + optional table (2×4) with key values.
Parameters
Display: toggle D/W/M VWAPs, labels, table.
Colors & Style: line colors, thickness, style.
Bands (σ): enable per period, set multiplier, toggle fill.
Intraday (Anchored): enable VWAP 1 & 2, choose hour/minute, set colors & thickness.
How to Use
Add the indicator to a clean chart.
Enable desired VWAPs (D/W/M and/or intraday).
Optionally enable σ bands to contextualize price deviation from VWAP.
Configure intraday VWAP anchors to match your market session (e.g., RTH, EU open, etc.).
Alerts
Price crossing over/under Daily, Weekly, Monthly VWAPs.
Configure alerts from the Alerts panel.
Best Practices
Publish chart screenshots without other indicators for clarity.
Adjust intraday anchor times according to your instrument’s trading session (pre-/post-market handling may vary).
Limitations
Intraday VWAPs are calculated in 1-minute resolution via request.security to remain consistent across all timeframes.
Intraday σ bands are not included by default (can be added in a later version).
Changelog
V2: Performance refactor, non-mutable labels, fixed fill() usage, added 2 intraday VWAPs with time selectors, stabilized table.
V1: Basic D/W/M VWAPs + alerts.
Disclaimer
This script is for educational and informational purposes only. It does not constitute financial advice. You are solely responsible for your trading decisions.
Credits & License
© BAB Trading. Pine Script® — TradingView.
Open-source under the Mozilla Public License (MPL 2.0) by default (or specify your own license in the script header if different).
Уровни SL/TP и значение ATR первого часаSession Range SL/TP Levels with Advanced ATR
Overview
The Session Range SL/TP Levels indicator is a comprehensive tool designed for session-based trading strategies, particularly for breakouts. It identifies the high and low of a user-defined time range (e.g., the Asian session) and uses a sophisticated, customizable Average True Range (ATR) calculation to project key Stop Loss (SL) and Take Profit (TP) levels.
This indicator helps traders visualize potential entry and exit points based on the volatility of a specific trading session, with all crucial data presented in a clean on-screen table.
Key Features
Customizable Trading Session: Define any time range to establish your core trading zone. The indicator will automatically find the high and low of this period.
Advanced ATR Calculation: The indicator uses an ATR calculated on a 5-minute timeframe for higher precision. You can customize:
The ATR length and smoothing method (RMA, SMA, EMA, WMA).
A unique percentage reduction from the ATR to create a more conservative volatility buffer.
Volatility-Based SL/TP Levels: Automatically calculates and plots multiple SL and TP levels for both long and short scenarios based on user-defined multipliers of the modified ATR.
Comprehensive On-Screen Display: A detailed on-screen table provides all critical data at a glance, including:
The original 5-min ATR value.
The modified ATR after the percentage reduction.
Three custom ATR-multiple values for quick reference.
All calculated SL and TP price levels for both Long and Short setups.
Copy-Friendly Data Logging: With a single click in the settings, you can print all calculated values into the Pine Logs panel, allowing for easy copying and pasting into other applications or trading journals.
How to Use
Define Your Session: In the settings, enter the time for the trading session you want to analyze (e.g., "0200-0300" for a part of the Asian session).
Identify the Range: The indicator will draw the high and low of this session once the time period is complete.
Plan Your Trade: The calculated levels provide potential targets for breakout trades.
For a Long Trade: If the price breaks above the session high, the green Take Profit lines (TP1, TP2, TP3) serve as potential exit points, while the Stop Loss (Long) level serves as a volatility-based stop.
For a Short Trade: If the price breaks below the session low, the red Take Profit lines serve as potential targets, with the Stop Loss (Short) level as the corresponding stop.
Reference the Table: Use the on-screen table to see the exact price levels and ATR values without needing to hover over the lines.
Candle Range Theory (CRT) Enhanced✨ Key upgrades over your version:
Uses multi-timeframe high/low/mid as the reference range.
Adds false breakout candle filter (manipulation logic).
Adds liquidity sweep checks.
Filters out tiny candles (low range = noise).
Adds session filter (only valid during chosen active times).
Plots the HTF midpoint line for reference.
Leaves placeholders for order block / risk management logic.