Indikator Pine Script®
Candlestick analysis
Indikator Pine Script®
Futures: Avg. Points Per Candle (1H look back) - Stats TableThis script will display the average movement in points per candle with a 1-hour look back period. For example, if trading on the 5-minute timeframe, this script will display how many points each candle has moved on average over the past hour. It's especially helpful when determining volatility and when to size up or down.
Indikator Pine Script®
All-in-One Candlestick Pattern [v6] - v.01This Pine Script code defines a comprehensive technical analysis indicator designed to automatically identify and label a wide variety of candlestick patterns on a financial chart. The script is structured into distinct sections that first establish user-defined thresholds and then apply mathematical logic to categorize market sentiment into bullish, bearish, or neutral formations. By calculating specific relationships between a candle's body, wicks, and its position relative to a moving average trend, the tool provides real-time visual signals and automated alerts for traders. Ultimately, this script serves as a sophisticated decision-support tool that translates complex price action into clear, actionable geometric markers and notifications.
Indikator Pine Script®
SAG-RSI-V12: Advanced Volume Analytics & Institutional Flow DeteOverview
The SAG-RSI-V12 is a high-precision market intelligence tool designed to expose institutional activity—often referred to as "Smart Money" or "Whales." While price can be manipulated, volume represents the true commitment of market participants.
This script calculates the real-time Volume Absorption Ratio, comparing current trading activity against its 20-period Simple Moving Average (SMA). This allows traders to identify anomalies, exhaustion points, and explosive breakout setups before they are fully reflected in the price action.
Key Technical Features
📊 Intuitive Volume Mapping: Bullish and Bearish volume bars are color-coded to provide instant visual context of market sentiment.
🎯 Dynamic Status Line (Hover Detector): A specialized data-window integration that displays the exact Volume vs. MA % of any specific bar you hover over. This allows for surgical historical analysis.
📟 Real-Time Institutional Dashboard: A fixed UI table in the top-right corner that monitors live data. It features an automated alert system for high-activity zones.
🐋 Whale Activity Alert: The system is calibrated with a 200% threshold. When volume exceeds double its average, the dashboard dynamically changes color (Red/Yellow highlight), signaling massive institutional absorption.
Strategic Implementation (How to Trade)
1. Retail Flow (<100%): Indicates standard market participation; lack of institutional interest.
2. Momentum Building (100% - 150%): Increasing interest; potential trend continuation.
3. Institutional Entry (>200%): "The Whale Alert." When the table highlights in red/yellow, a major player has entered the field. Look for price confirmation (breakout or reversal) to ride the institutional wave.
Disclaimer
This tool is part of the SAG Strategic Suite. It is best utilized in conjunction with price action analysis and trend-following indicators like EMAs to confirm entry and exit points.
Indikator Pine Script®
Sequential Stoch and RSI MA Cross CAWBuy and sell signals based on the crossing of the Stochastic and RSI at relatively the same time.
Indikator Pine Script®
Stoch and RSI MA Cross Any Order CAWBuy and sell signals based on the crossing of both the Stochastic and the RSI at relatively the same time.
Indikator Pine Script®
Pro Pattern Long-Short (High Winrate)Pro Pattern Buy/Sell (High Winrate) is a professional-grade price action indicator that detects high-probability candlestick formations and filters them through multiple confirmation layers to improve signal accuracy. It combines classic patterns like Engulfing, Morning/Evening Star, Hammer, and Three Soldiers/Crows with trend validation (EMA + Supertrend + ADX), volume strength analysis, RSI conditions, support/resistance proximity, and time-of-day filters.
The system automatically calculates optimized entry, stop-loss, and take-profit levels based on ATR and a configurable risk-reward ratio, then tracks trade outcomes to display live performance metrics such as win rate, profit/loss ratio, and filter efficiency. With smart visual levels, extended trade lines, real-time signal labels, and a detailed analytics dashboard, it delivers a structured, data-driven trading framework designed to reduce noise and highlight only the highest-quality setups.
Indikator Pine Script®
Sequential Stoch and RSI MA Cross CAWBuy and sell signals based on both Stochastic and RSI crosses relatively at the same time
Indikator Pine Script®
Strategi Pine Script®
Last Closed Candle $ Value (Stocks)Last Closed Candle Value in $ . High-Low. With Some Option to ModificTIONS
Indikator Pine Script®
aurora//@version=6
strategy("AURORA PRIME — MAX CAGR v3",
overlay=true,
initial_capital=100000,
pyramiding=2,
process_orders_on_close=true)
//----------------------------------------------------
// INPUTS
//----------------------------------------------------
baseRisk = input.float(0.6, "Base Risk %", step=0.1)
expRisk = input.float(0.9, "Expansion Risk %", step=0.1)
atrLen = input.int(14, "ATR Length")
stopATRmult = input.float(1.5, "Stop ATR Mult")
trailATRmult = input.float(2.0, "Trail ATR Mult")
adxLen = input.int(14, "ADX Length")
adxThresh = input.float(22, "ADX Trend Threshold")
volMult = input.float(1.5, "Volume Expansion Mult")
//----------------------------------------------------
// CORE INDICATORS
//----------------------------------------------------
atr = ta.atr(atrLen)
ema200 = ta.ema(close, 200)
// --- Manual ADX Calculation ---
upMove = high - high
downMove = low - low
plusDM = (upMove > downMove and upMove > 0) ? upMove : 0
minusDM = (downMove > upMove and downMove > 0) ? downMove : 0
trur = ta.rma(ta.tr(true), adxLen)
plusDI = 100 * ta.rma(plusDM, adxLen) / trur
minusDI = 100 * ta.rma(minusDM, adxLen) / trur
dx = 100 * math.abs(plusDI - minusDI) / (plusDI + minusDI)
adx = ta.rma(dx, adxLen)
volPower = volume / ta.sma(volume, 20)
volExpansion = volPower > volMult
trendRegime = adx > adxThresh
expansionRegime = trendRegime and volExpansion
// Structure bias (HTF)
htfClose = request.security(syminfo.tickerid, "60", close)
htfEMA = request.security(syminfo.tickerid, "60", ta.ema(close, 50))
bullBias = htfClose > htfEMA
bearBias = htfClose < htfEMA
//----------------------------------------------------
// ENTRY LOGIC
//----------------------------------------------------
longSignal = bullBias and trendRegime and close > ema200
shortSignal = bearBias and trendRegime and close < ema200
//----------------------------------------------------
// RISK ENGINE
//----------------------------------------------------
riskPct = expansionRegime ? expRisk : baseRisk
riskCash = strategy.equity * riskPct * 0.01
stopDist = atr * stopATRmult
qty = stopDist > 0 ? riskCash / stopDist : 0
//----------------------------------------------------
// EXECUTION
//----------------------------------------------------
longSL = close - stopDist
shortSL = close + stopDist
// 2R partial
longTP1 = close + stopDist * 2
shortTP1 = close - stopDist * 2
// ATR trail
trailLong = atr * trailATRmult
trailShort = atr * trailATRmult
if longSignal and strategy.position_size <= 0
strategy.entry("AURORA", strategy.long, qty)
strategy.exit("TP1", "AURORA", qty_percent=50, limit=longTP1)
strategy.exit("Trail", "AURORA", stop=longSL, trail_points=trailLong)
if shortSignal and strategy.position_size >= 0
strategy.entry("AURORA", strategy.short, qty)
strategy.exit("TP1", "AURORA", qty_percent=50, limit=shortTP1)
strategy.exit("Trail", "AURORA", stop=shortSL, trail_points=trailShort)
// Pyramiding logic
inLong = strategy.position_size > 0
inShort = strategy.position_size < 0
entryPrice = strategy.position_avg_price
unrealRLong = inLong ? (close - entryPrice) / stopDist : 0
unrealRShort = inShort ? (entryPrice - close) / stopDist : 0
if inLong and unrealRLong >= 1 and expansionRegime
strategy.entry("AURORA-ADD", strategy.long, qty)
if inShort and unrealRShort >= 1 and expansionRegime
strategy.entry("AURORA-ADD", strategy.short, qty)
plot(ema200, color=color.orange)
Strategi Pine Script®
BB + EMA10 Confirm + Color Filldouble bollinger band with ema 10 ,when the candles go out of the band it reverses and wait for the candle to touch the middle bollinger band,when ema 10 crosses below or above buy and sell with green fill and red fill
Strategi Pine Script®
KIJO OI RSI + FR + vol Fut RSIThis educational indicator combines Price RSI, Open Interest RSI, Futures Volume RSI, and a normalized Funding Rate into a single visual panel. It is designed to help traders understand the structural relationship between price movement and derivatives positioning.
The script integrates:
- RSI of price (momentum)
- RSI of Open Interest (position expansion/contraction)
- RSI of futures volume (aggressive participation)
- Funding Rate scaled into RSI range for visual comparison
- Multi-timeframe background logic based on Price + OI interaction
The background coloring highlights structural conditions:
- Price and OI expanding
- Potential trapped positioning
- Position closing environments
The upper section reflects the current timeframe.
The lower section reflects a higher timeframe defined by a customizable multiplier.
This tool is designed strictly for educational and analytical purposes.
It does not generate buy or sell signals and should not be used as standalone trading advice.
Descripción: Este indicador educativo combina RSI del Precio, RSI del Open Interest, RSI del Volumen de Futuros y Funding Rate normalizado en un solo panel visual. Su objetivo es ayudar a comprender la relación estructural entre el movimiento del precio y el posicionamiento en derivados.
El script integra:
- RSI del precio (momentum)
- RSI del Open Interest (expansión o contracción de posiciones)
- RSI del volumen de futuros (participación agresiva)
- Funding Rate escalado al rango RSI para comparación visual
- Lógica de fondo multi-timeframe basada en la interacción Precio + OI
El fondo coloreado permite visualizar si el mercado está expandiendo posiciones, cerrándolas o generando posibles atrapamientos. La parte superior representa el timeframe actual y la inferior un timeframe superior configurable.
Está diseñado con fines educativos para estudiar estructura de mercado y comportamiento de derivados. No es un sistema automático de entrada o salida.
Indikator Pine Script®
Inside DayThe Inside Day Background indicator automatically highlights Inside Day candles directly on the chart using a customizable background color.
An Inside Day occurs when the current candle’s high is lower than the previous candle’s high, and the current low is higher than the previous candle’s low — signaling price consolidation and range compression.
This condition often precedes volatility expansion and breakout opportunities.
How It Works
The script scans each bar and checks the following condition:
Current High < Previous High
Current Low > Previous Low
When both are true:
The chart background is highlighted
No shapes or labels are plotted (clean chart visualization)
An alert condition is triggered (optional)
Trading Use Cases
Inside Days are commonly used for:
Breakout strategies
Range expansion setups
Volatility contraction signals
Bull Flag / consolidation continuation patterns
Opening range continuation plays
Traders often watch for a break above the Inside Day high (bullish) or below the low (bearish).
Features
Clean background highlight only (no chart clutter)
Fully customizable background color
Toggle on/off visibility
Built-in alert condition
Works on all timeframes
Overlay on price chart
Notes
Consecutive Inside Days will continue highlighting until range expansion occurs.
Best combined with volume, VWAP, or range breakout strategies.
Effective for both day trading and swing trading environments.
Indikator Pine Script®
IPO Day HighIPO High plots a horizontal reference level at the high of a stock’s IPO day — but only if the company went public within a user-defined recent period (default: last 2 years).
This level often acts as a key psychological and technical reference for recently listed stocks, commonly used by traders to track:
Early supply zones
Price discovery rejections
Breakout continuation above IPO highs
Post-IPO consolidation structures
How It Works
The script detects the first available daily candle in TradingView’s historical data for the symbol.
That candle is treated as the IPO day.
It extracts the high price of that session.
If the IPO occurred within the last X years (user input), the script draws a horizontal line from the IPO date forward.
If the IPO is older than the selected lookback period, the line will not display.
Practical Use Cases
Traders commonly monitor IPO highs for:
Breakout confirmation
Failed breakout / bull trap detection
Support reclaim after pullbacks
Momentum continuation setups
Particularly useful for:
Recent IPO momentum stocks
Small caps in price discovery
High-growth tech listings
Indikator Pine Script®
MM FX Week (Fixed New York 17:00) - FINAL STABLE* Recolors intraday candles based on a fixed New York 17:00 (ET) custom week. Ensures consistent FX rollover timing across all timezones.
* Custom weekly candle coloring based on New York 17:00 (ET). Week calculation remains consistent regardless of user timezone.
* Fixed New York 17:00 custom week with automatic candle recoloring by weekly bias.
Indikator Pine Script®
PDH & PDL PDH & PDL – Previous Day High & Low
A clean and minimalist indicator that plots the Previous Day High (PDH) and Previous Day Low (PDL) as short, right-projected lines with subtle labeling.
Designed for intraday traders who focus on liquidity, structure, and key reaction levels without cluttering the chart.
Automatically updates each new trading day and works on any intraday timeframe.
Indikator Pine Script®
Opening Range Box real FRANCISCO GENAOopening range 930 a 935 , is an strategy for the opening range breakout
Indikator Pine Script®
EMA + RSI + ADX + Bollinger + Bullish Engulfing SniperKodun düzeltmesi geldikçe yayımlamaya devam edeceğim, şuan için test aşamasında
Indikator Pine Script®
Alpaca-trade
V3S-GodMode Synced Strategy คือเครื่องมือ All-in-One สำหรับเทรดเดอร์สาย ICT / SMC (Smart Money Concepts) ที่ออกแบบมาเพื่อการเทรด Gold (XAUUSD) และ Futures โดยเฉพาะ รวบรวมเครื่องมือวิเคราะห์โครงสร้างราคาและเวลา (Time & Price) ที่สำคัญที่สุดไว้ในหน้าจอเดียว พร้อมระบบ Clean Chart ที่ช่วยให้กราฟไม่รก
🚀 Key Features (ฟีเจอร์หลัก):
1. 🏛️ Market Structure & Trend
Trend Filter: กรองเทรนด์หลักด้วย EMA 200 (ปรับแต่งได้)
VWAP: เส้นค่าเฉลี่ยถ่วงน้ำหนักปริมาณการซื้อขาย
Swing Detection: ระบุจุด Swing High/Low อัตโนมัติ (เลือกดูย้อนหลังหรือดูแค่ปัจจุบันได้)
2. ⏰ Time & Sessions
Session Ranges: กล่องแสดงช่วงเวลา Asia, London, และ New York พร้อมเส้นกึ่งกลาง (Mean Threshold)
Daily Levels: เส้นราคาสำคัญประจำวัน (Previous Day High/Low, True Day Open, New Day Open)
Clean Chart Mode: โหมดพิเศษแสดงผลเฉพาะสัปดาห์ปัจจุบัน ช่วยให้โหลดกราฟไวและไม่รกตาย้อนหลัง
3. 🧠 ICT Concepts & Macros
ICT Macro Tracker: ติดตามช่วงเวลา Macro สำคัญ (เช่น 02:50, 09:50) พร้อมเส้นราคาเปิดของช่วงเวลานั้นๆ
Quarterly Theory: เส้นแบ่งช่วงเวลา 90 นาที (Q1-Q4) และ Micro Cycles (23 นาที)
SMT Divergence: ตรวจจับความขัดแย้งของราคากับสินทรัพย์อ้างอิง (เช่น DXY)
4. 💎 Smart Money & Entry Models
Inversion FVG (IFVG): แสดง Fair Value Gaps ที่ถูกทำลายและเปลี่ยนหน้าที่เป็นแนวรับ/ต้าน (Credit: LuxAlgo logic)
CISD (Change in State of Delivery): ระบบแจ้งเตือนจุดกลับตัวเมื่อเกิดการกวาด Liquidity + FVG + Displacement ในช่วง Killzone
5. 🏆 Gold Special Features
Round Numbers: เส้นแนวรับแนวต้านจิตวิทยา (Psychological Levels) สำหรับทองคำ ปรับระยะห่างได้ (เช่น ทุกๆ $5 หรือ $10)
6. 🛠️ Quality of Life
Dashboard & Watermark: แสดงสถานะและชื่อระบบแบบมืออาชีพ
Customizable: ปรับสี เปิด/ปิด ฟีเจอร์ต่างๆ ได้ตามใจชอบผ่านเมนูตั้งค่า
⚠️ Disclaimer: เครื่องมือนี้มีไว้เพื่อช่วยในการวิเคราะห์ทางเทคนิคเท่านั้น ไม่ใช่คำแนะนำทางการเงิน การลงทุนมีความเสี่ยง ผู้ใช้งานควรศึกษาและบริหารความเสี่ยงด้วยตนเอง
-------------------------------------------------------------
Here is the English Version of the description, ready for you to copy and paste into TradingView! 😎
📝 V3S-GodMode Synced Strategy
Title: V3S-GodMode Synced Strategy
Description:
V3S-GodMode Synced Strategy is an All-in-One trading toolkit designed specifically for ICT / SMC (Smart Money Concepts) traders focusing on Gold (XAUUSD) and Futures markets. It consolidates the most critical Price Action and Time analysis tools into a single, comprehensive indicator, featuring a "Clean Chart Mode" to keep your workspace uncluttered and professional.
🚀 Key Features:
1. 🏛️ Market Structure & Trend
Trend Filter: Filters the primary market direction using a customizable EMA 200.
VWAP: Displays the Volume Weighted Average Price for intraday analysis.
Swing Detection: Automatically identifies Swing Highs and Swing Lows (Toggle available for historical or current data only).
2. ⏰ Time & Sessions
Session Ranges: Visual boxes for Asia, London, and New York sessions, complete with a Mean Threshold (50%) line.
Daily Levels: critical daily price levels, including Previous Day High/Low (PDH/PDL), True Day Open (TDO), and New Day Open (NDO).
Clean Chart Mode: A unique feature that displays data only for the current week, significantly improving chart loading speed and reducing visual noise from historical data.
3. 🧠 ICT Concepts & Macros
ICT Macro Tracker: Tracks essential Macro windows (e.g., 02:50, 09:50) and plots the opening price line for each specific macro period.
Quarterly Theory: Vertical dividers for 90-minute cycles (Q1-Q4) and Micro Cycles (23-minute intervals).
SMT Divergence: Detects divergences between the asset price and a reference asset (e.g., DXY) to spot potential reversals.
4. 💎 Smart Money & Entry Models
Inversion FVG (IFVG): Highlights Fair Value Gaps that have been invalidated and flipped their role to support or resistance (Credit to LuxAlgo logic).
CISD (Change in State of Delivery): An alert system identifying potential reversal points based on Liquidity Sweeps + FVG + Displacement occurring specifically within Killzones.
5. 🏆 Gold Special Features
Round Numbers: Automatic psychological support and resistance lines for Gold, with adjustable increments (e.g., every $5, $10, or custom values).
6. 🛠️ Quality of Life
Dashboard & Watermark: Displays the system status and indicator name with a professional look.
Fully Customizable: Toggle any feature on or off and customize colors to match your personal trading style via the settings menu.
⚠️ Disclaimer: This tool is intended for technical analysis assistance only and does not constitute financial advice. Trading involves significant risk. Users should conduct their own research and manage their risk accordingly.
Indikator Pine Script®
4H Fibonacci Candle Levelseng.:
This indicator plots Fibonacci levels based on the last closed 4-hour candle.
If that candle was bullish, the levels are drawn bullish as well (from the bottom wick tip to the top wick tip), and if it was bearish, they are drawn the other way around.
As soon as a 4-hour candle closes, the levels are cleared and the new levels of the newly closed candle are drawn.
The indicator is visible on all timeframes, but the levels are fixed to the last 4-hour candle.
Indikator Pine Script®
Impulse Candle Tracker👑
✝️
Title:
Impulse Candle Tracker
Description:
The Impulse Candle Tracker is a powerful tool for traders seeking to identify high-probability market momentum and supply/demand zones using a candle-based acceleration model that detects rapid price movements relative to preceding candles.
Key Features:
• Impulse Detection: Identifies bullish and bearish impulse candles by measuring strong relative price movement, highlighting genuine momentum shifts.
• Wick Analysis: Suppresses candles with dominant wicks to filter false momentum signals and focus on meaningful moves.
• Dynamic Order Blocks: Automatically generates supply (bearish) and demand (bullish) zones using a customizable number of preceding candles and adjustable duration.
• Mitigation Handling: Optionally dims or deletes mitigated and broken zones to maintain clarity on active levels.
• Customizable Visualization: Full control over colors for bullish, bearish, neutral candles, and zone fills/borders.
• Alerts: Built-in alert conditions for bullish and bearish impulses, allowing real-time reactions to market momentum.
Inputs & Settings:
• Acceleration Factor & inverse for momentum detection
• Wick Ratio Threshold for filtering weak impulses
• Candle count and duration for order block creation
• Options to show, dim, or delete mitigated/broken zones
• Full color customization for candles and zones
Usage:
This indicator helps traders:
• Identify when momentum is accelerating or slowing in real time
• Spot high-probability supply and demand zones for entries or exits
• Understand short-term market structure and price action dynamics
• Combine with other analysis techniques or strategies for trend confirmation
Technical Notes:
• The indicator works on standard OHLC charts. Non-standard chart types (Heikin Ashi, Renko, etc.) are not recommended for impulse detection.
• Backtesting or historical signals should account for realistic slippage and commissions; past impulse signals do not guarantee future results.
Indikator Pine Script®






















