Institutional Liquidity & FVG Tracker by Herman Sangivera(Papua)Institutional Liquidity & FVG Tracker (Precision SMC) by Herman Sangivera ( Papuan Trader )
This indicator is designed to identify key institutional levels by tracking Buy Side Liquidity (BSL), Sell Side Liquidity (SSL), and Fair Value Gaps (FVG). It helps traders visualize where "Smart Money" is likely to hunt for stops and where market imbalances exist.
Key Features:
Dynamic Liquidity Levels: Automatically identifies Swing Highs and Lows where retail Stop Losses are clustered.
Liquidity Purge Detection: Lines will visually fade once price "sweeps" or grabs the liquidity, signaling a potential reversal.
Fair Value Gaps (FVG): Highlights price imbalances (gaps) created by aggressive institutional displacement. These areas often act as magnets for price retracements.
How to Use:
The Sweep: Wait for the price to cross a dashed liquidity line (BSL or SSL). This indicates a "Stop Hunt" is occurring.
The Shift: Look for a rapid price reversal immediately after the sweep that leaves a Fair Value Gap (colored boxes) in its wake.
The Entry: Consider entering a trade when price retraces back into the FVG box, using the liquidity sweep high/low as your protected Stop Loss.
Settings:
Liquidity Lookback: Adjust the sensitivity of swing points. Higher values identify more significant, longer-term liquidity pools.
FVG Minimum Size: Filters out small, insignificant gaps to keep your chart clean and focused on high-probability setups.
Indicadores y estrategias
Sonic R 89 - NY SL Custom Fixed//@version=5
indicator("Sonic R 89 - NY SL Custom Fixed", overlay=true, max_lines_count=500)
// --- 0. TÙY CHỈNH THÔNG SỐ ---
group_session = "Cài đặt Phiên Giao Dịch (Giờ New York)"
use_session = input.bool(true, "Chỉ giao dịch theo khung giờ", group=group_session)
session_time = input.session("0800-1200", "Khung giờ NY 1", group=group_session)
session_time2 = input.session("1300-1700", "Khung giờ NY 2", group=group_session)
max_trades_per_session = input.int(1, "Số lệnh tối đa/mỗi khung giờ", minval=1, group=group_session)
group_risk = "Quản lý Rủi ro (Dashboard)"
risk_usd = input.float(100.0, "Số tiền rủi ro mỗi lệnh ($)", minval=1.0, group=group_risk)
group_sl_custom = "Cấu hình Stop Loss (SL)"
sl_mode = input.string("Dragon", "Chế độ SL", options= , group=group_sl_custom)
lookback_x = input.int(5, "Số nến (X) cho Swing SL", minval=1, group=group_sl_custom)
group_htf = "Lọc Đa khung thời gian (MTF)"
htf_res = input.timeframe("30", "Chọn khung HTF", group=group_htf)
group_sonic = "Cấu hình Sonic R"
vol_mult = input.float(1.5, "Đột biến Volume", minval=1.0)
max_waves = input.int(4, "Ưu tiên n nhịp đầu", minval=1)
trade_cd = input.int(5, "Khoảng cách lệnh (nến)", minval=1)
group_tp = "Quản lý SL/TP & Dòng kẻ"
rr_tp1 = input.float(1.0, "TP1 (RR)", step=0.1)
rr_tp2 = input.float(2.0, "TP2 (RR)", step=0.1)
rr_tp3 = input.float(3.0, "TP3 (RR)", step=0.1)
rr_tp4 = input.float(4.0, "TP4 (RR)", step=0.1)
line_len = input.int(15, "Chiều dài dòng kẻ", minval=1)
// --- 1. KIỂM TRA PHIÊN & HTF ---
is_in_sess1 = not na(time(timeframe.period, session_time, "America/New_York"))
is_in_sess2 = not na(time(timeframe.period, session_time2, "America/New_York"))
is_in_session = use_session ? (is_in_sess1 or is_in_sess2) : true
var int trades_count = 0
is_new_session = is_in_session and not is_in_session
if is_new_session
trades_count := 0
htf_open = request.security(syminfo.tickerid, htf_res, open, lookahead=barmerge.lookahead_on)
htf_close = request.security(syminfo.tickerid, htf_res, close, lookahead=barmerge.lookahead_on)
is_htf_trend = htf_close >= htf_open ? 1 : -1
// --- 2. TÍNH TOÁN CHỈ BÁO ---
ema89 = ta.ema(close, 89)
ema34H = ta.ema(high, 34)
ema34L = ta.ema(low, 34)
atr = ta.atr(14)
avgVol = ta.sma(volume, 20)
slope89 = (ema89 - ema89 ) / atr
hasSlope = math.abs(slope89) > 0.12
isSqueezed = math.abs(ta.ema(close, 34) - ema89) < (atr * 0.5)
var int waveCount = 0
if not hasSlope
waveCount := 0
newWave = hasSlope and ((low <= ema34H and close > ema34H) or (high >= ema34L and close < ema34L))
if newWave and not newWave
waveCount := waveCount + 1
// --- 3. LOGIC VÀO LỆNH ---
isMarubozu = math.abs(close - open) / (high - low) > 0.8
highVol = volume > avgVol * vol_mult
buyCondition = is_in_session and (trades_count < max_trades_per_session) and waveCount <= max_waves and is_htf_trend == 1 and
(isMarubozu or highVol) and close > ema34H and low >= ema89 and
(slope89 > 0.1 or isSqueezed ) and close > open
sellCondition = is_in_session and (trades_count < max_trades_per_session) and waveCount <= max_waves and is_htf_trend == -1 and
(isMarubozu or highVol) and close < ema34L and high <= ema89 and
(slope89 < -0.1 or isSqueezed ) and close < open
// --- 4. QUẢN LÝ LỆNH ---
var float last_entry = na
var float last_sl = na
var float last_tp1 = na
var float last_tp2 = na
var float last_tp3 = na
var float last_tp4 = na
var string last_type = "NONE"
var int lastBar = 0
trigger_buy = buyCondition and (bar_index - lastBar > trade_cd)
trigger_sell = sellCondition and (bar_index - lastBar > trade_cd)
// --- 5. TÍNH TOÁN SL & LOT SIZE ---
float contract_size = 1.0
if str.contains(syminfo.ticker, "XAU") or str.contains(syminfo.ticker, "GOLD")
contract_size := 100
// Logic tính SL linh hoạt
float swing_low = ta.lowest(low, lookback_x)
float swing_high = ta.highest(high, lookback_x)
float temp_sl_calc = na
if trigger_buy
temp_sl_calc := (sl_mode == "Dragon") ? ema34L : swing_low
if trigger_sell
temp_sl_calc := (sl_mode == "Dragon") ? ema34H : swing_high
float sl_dist_calc = math.abs(close - temp_sl_calc)
float calc_lots = (sl_dist_calc > 0) ? (risk_usd / (sl_dist_calc * contract_size)) : 0
if (trigger_buy or trigger_sell)
trades_count := trades_count + 1
lastBar := bar_index
last_type := trigger_buy ? "BUY" : "SELL"
last_entry := close
last_sl := temp_sl_calc
float riskAmt = math.abs(last_entry - last_sl)
last_tp1 := trigger_buy ? last_entry + (riskAmt * rr_tp1) : last_entry - (riskAmt * rr_tp1)
last_tp2 := trigger_buy ? last_entry + (riskAmt * rr_tp2) : last_entry - (riskAmt * rr_tp2)
last_tp3 := trigger_buy ? last_entry + (riskAmt * rr_tp3) : last_entry - (riskAmt * rr_tp3)
last_tp4 := trigger_buy ? last_entry + (riskAmt * rr_tp4) : last_entry - (riskAmt * rr_tp4)
// Vẽ dòng kẻ
line.new(bar_index, last_entry, bar_index + line_len, last_entry, color=color.new(color.gray, 50), width=2)
line.new(bar_index, last_sl, bar_index + line_len, last_sl, color=color.red, width=2, style=line.style_dashed)
line.new(bar_index, last_tp1, bar_index + line_len, last_tp1, color=color.green, width=1)
line.new(bar_index, last_tp2, bar_index + line_len, last_tp2, color=color.lime, width=1)
line.new(bar_index, last_tp3, bar_index + line_len, last_tp3, color=color.aqua, width=1)
line.new(bar_index, last_tp4, bar_index + line_len, last_tp4, color=color.blue, width=2)
// KÍCH HOẠT ALERT()
string alert_msg = (trigger_buy ? "BUY " : "SELL ") + syminfo.ticker + " at " + str.tostring(close) + " | SL Mode: " + sl_mode + " | Lot: " + str.tostring(calc_lots, "#.##") + " | SL: " + str.tostring(last_sl, format.mintick)
alert(alert_msg, alert.freq_once_per_bar_close)
// --- 6. CẢNH BÁO CỐ ĐỊNH ---
alertcondition(trigger_buy, title="Sonic R BUY Alert", message="Sonic R BUY Signal Detected")
alertcondition(trigger_sell, title="Sonic R SELL Alert", message="Sonic R SELL Signal Detected")
// --- 7. DASHBOARD & PLOT ---
var table sonic_table = table.new(position.top_right, 2, 10, bgcolor=color.new(color.black, 70), border_width=1, border_color=color.gray)
if barstate.islast
table.cell(sonic_table, 0, 0, "NY SESSION", text_color=color.white), table.cell(sonic_table, 1, 0, last_type, text_color=(last_type == "BUY" ? color.lime : color.red))
table.cell(sonic_table, 0, 1, "SL Mode:", text_color=color.white), table.cell(sonic_table, 1, 1, sl_mode, text_color=color.orange)
table.cell(sonic_table, 0, 2, "Trades this Sess:", text_color=color.white), table.cell(sonic_table, 1, 2, str.tostring(trades_count) + "/" + str.tostring(max_trades_per_session), text_color=color.yellow)
table.cell(sonic_table, 0, 3, "LOT SIZE:", text_color=color.orange), table.cell(sonic_table, 1, 3, str.tostring(calc_lots, "#.##"), text_color=color.orange)
table.cell(sonic_table, 0, 4, "Entry:", text_color=color.white), table.cell(sonic_table, 1, 4, str.tostring(last_entry, format.mintick), text_color=color.yellow)
table.cell(sonic_table, 0, 5, "SL:", text_color=color.white), table.cell(sonic_table, 1, 5, str.tostring(last_sl, format.mintick), text_color=color.red)
table.cell(sonic_table, 0, 6, "TP1:", text_color=color.gray), table.cell(sonic_table, 1, 6, str.tostring(last_tp1, format.mintick), text_color=color.green)
table.cell(sonic_table, 0, 7, "TP2:", text_color=color.gray), table.cell(sonic_table, 1, 7, str.tostring(last_tp2, format.mintick), text_color=color.lime)
table.cell(sonic_table, 0, 8, "TP3:", text_color=color.gray), table.cell(sonic_table, 1, 8, str.tostring(last_tp3, format.mintick), text_color=color.aqua)
table.cell(sonic_table, 0, 9, "TP4:", text_color=color.gray), table.cell(sonic_table, 1, 9, str.tostring(last_tp4, format.mintick), text_color=color.blue)
plot(ema89, color=slope89 > 0.1 ? color.lime : slope89 < -0.1 ? color.red : color.gray, linewidth=2)
p_high = plot(ema34H, color=color.new(color.blue, 80))
p_low = plot(ema34L, color=color.new(color.blue, 80))
fill(p_high, p_low, color=color.new(color.blue, 96))
plotshape(trigger_buy, "BUY", shape.triangleup, location.belowbar, color=color.green, size=size.small)
plotshape(trigger_sell, "SELL", shape.triangledown, location.abovebar, color=color.red, size=size.small)
bgcolor(isSqueezed ? color.new(color.yellow, 92) : na)
bgcolor(not is_in_session ? color.new(color.gray, 96) : na)
Institutional Top-Bottom by Herman Sangivera (Papua)Institutional Top-Bottom + Volume Profile by Herman Sangivera ( Papua )
📈 Component Description
Orange Line (POC - Point of Control): This represents the "Fair Value." Institutions view prices far above this line as "Expensive" (Premium) and prices below as "Cheap" (Discount).
Green/Red Boxes (Order Blocks): These are footprints left by big banks. A Green Box is a demand zone where institutional buying occurred, and a Red Box is a supply zone where institutional selling happened.
Institutional Labels: These appear when the RSI Divergence confirms that price momentum is fading, signaling a high-probability reversal (Top or Bottom).
🚀 Trading Strategy Guide
1. The High-Probability Buy Setup (Bottom)
Look for a "Confluence" of these three factors:
Location: Price is trading below the Orange POC line (Discount zone).
The Zone: Price enters or touches a Green Order Block.
The Signal: The "INSTITUTIONAL BUY" label appears.
Entry: Enter Buy at the close of the candle with the label.
Stop Loss: Place it just below the Green Order Block.
Take Profit: Target the Orange POC line or the nearest Red Order Block.
2. The High-Probability Sell Setup (Top)
Look for a "Confluence" of these three factors:
Location: Price is trading above the Orange POC line (Premium zone).
The Zone: Price enters or touches a Red Order Block.
The Signal: The "INSTITUTIONAL SELL" label appears.
Entry: Enter Sell at the close of the candle with the label.
Stop Loss: Place it just above the Red Order Block.
Take Profit: Target the Orange POC line or the nearest Green Order Block.
💡 Pro Tips for Accuracy
Timeframes: For the best results, use 15m for Scalping, and 1H or 4H for Day/Swing Trading.
Wait for the Candle Close: Labels are based on Pivot points. Always wait for the current candle to close to ensure the signal is locked and won't "repaint."
Avoid Flat Markets: This indicator works best when there is volatility. Avoid using it during "choppy" or sideways markets with very low volume.
CSS Reversal - VAThis indicator identifies a price action reversal pattern known as CSS (Candle Stop Setup). Unlike standard 3-candle patterns, this logic is dynamic and "hunts" for the true peak or valley before confirming a shift in momentum.
Core Logic & Rules
The script follows a specific sequence of "Initiation, Waiting, and Triggering" to ensure it captures high-probability reversals:
1. Initiation (The Sweep): The process starts when a candle (the Pivot) sweeps the liquidity of the previous candle.
Bearish: Candle 2 makes a higher high than Candle 1.
Bullish: Candle 2 makes a lower low than Candle 1.
2. Identifying the Extreme: The script tracks the absolute highest high (for bearish) or lowest low (for bullish) during the setup. If a subsequent candle goes higher/lower without triggering a close, the "mark" moves to that new extreme candle.
3. The Waiting Room (Inside Bars): The setup remains active even if several candles follow that do not break out of the Pivot's range. The script can wait indefinitely (e.g., 3, 4, or 5+ candles) as long as the original extreme is not breached.
4. The Trigger (The Confirmation): A signal is only confirmed when a candle closes past the opposite side of the extreme candle's body.
Bearish Trigger: A candle closes below the Low of the highest candle.
Bullish Trigger: A candle closes above the High of the lowest candle.
5. Retrospective Marking: Once the trigger close occurs, the script automatically places a visual marker (arrow) on the actual extreme candle (the peak or valley), even if that candle occurred several bars ago.
Visual Indicators
Red Arrow (↓): Placed at the high of the highest candle in a confirmed bearish reversal.
Green Arrow (↑): Placed at the low of the lowest candle in a confirmed bullish reversal.
Use Cases
This script is designed for traders who look for Liquidity Sweeps and Market Structure Shifts. It filters out "fake" reversals where price merely wicks past a level without a solid closing confirmation, and it specifically accounts for "inside bar" periods where price consolidates before making its move.
Super OscillatorSuper Oscillator – Intraday Momentum
Super Oscillator is a momentum-based oscillator designed for intraday trading, optimized for 1-minute charts and fast market conditions.
The indicator uses a zero-centered momentum model with dynamic smoothing and clearly defined zones to help traders identify exhaustion, pullbacks, and momentum shifts without excessive noise.
Key Features
Zero-centered oscillator for immediate directional bias
Dynamic overbought and oversold zones
Neutral “dead zone” to avoid low-probability trades
Smoothed momentum line with signal line for timing entries
Optimized for scalping and short-term intraday trading
Fully compatible with TradingView Pine Script v6
How to Use
Overbought zone: Look for bearish reactions or momentum exhaustion
Oversold zone: Look for bullish reactions or pullbacks
Dead zone: Avoid trades when momentum is unclear
Use the oscillator as a confirmation tool, always with price action and structure
Best Use Case
Intraday scalping (1M–5M)
Futures markets (indices, metals)
NY session trading
Disclaimer
This indicator does not predict price direction. It measures momentum and exhaustion and should be used as part of a complete trading plan with proper risk management.
EMA Pro Signals (Clean)EMA Pro Signals (Clean), EMA Pro Signals (Clean)
EMA Pro Signals (Clean)
EMA Pro Signals (Clean)
EMA Pro Signals (Clean)
EMA Pro Signals (Clean)
Pivot Points {xqweasdzxcv}Pivot Points {xqweasdzxcv}
This indicator plots classic Pivot Point levels (PP, S1–S3, R1–R3) using the previous period’s High, Low, and Close. The pivot timeframe is fully customizable (Daily, Weekly, Monthly, etc.), making it suitable for both intraday and swing trading.
The script automatically calculates:
Pivot Point (PP)
Three Support levels (S1, S2, S3)
Three Resistance levels (R1, R2, R3)
Each level can be individually toggled on or off, with customizable colors, line width, and line style. Price labels are dynamically displayed on the right edge of the chart for quick reference.
Designed for clean visuals and practical use, this tool helps identify key market reaction zones, potential reversals, and breakout areas across any timeframe.
Created by xqweasdzxcv.
Volume Delta MontoscaTechnical Summary: Volume Delta Montosca + Market Bias V3
The Volume Delta Montosca + Market Bias V3 is a multi-layered analysis tool designed to decode market sentiment through volume decomposition and relative strength. Instead of looking at volume as a single metric, this indicator splits every bar into its buy and sell components to reveal the true intent behind price movements.
Core Volume Analysis and Delta Logic
The indicator uses a calculation based on price movement within each bar to estimate Buy and Sell Delta. It measures the relationship between the close, high, and low to determine how much of the total volume was aggressive buying versus aggressive selling. Users can define a Dominance Threshold (typically 80%), which acts as a filter to identify bars where one side has a "substantial majority," effectively ignoring noise and focusing on high-conviction moves.
Signal Generation and FVG Filtering
Signals are categorized into two levels of importance. Base Signals (represented by small circles) occur when there is a significant volume spike—defined by a 20-period SMA—combined with high dominance. However, the indicator also features an internal Fair Value Gap (FVG) Filter. When price action "inverts" or breaks through a recent price imbalance while showing dominant volume, the indicator triggers a High-Priority Signal (represented by triangles). This specific logic ensures that signals are not just based on volume, but on the successful reclamation of key price areas.
Dynamic Market Bias and Comparative Strength
Beyond individual asset analysis, the script includes a Market Bias Engine that compares the current ticker against a benchmark, such as the S&P 500 (ES1!). It calculates a ratio between the two assets and applies a "Volume Supremacy" logic. If the current asset shows expanding volume and higher dominance percentages than the benchmark, the Bias Panel updates to show which asset is leading the market. This allows traders to see at a glance if they are trading the strongest available asset or if the broader market bias is shifting against them.
Visual Elements and Customization
The tool offers a clean visual experience by plotting a dual-colored histogram where the dominant volume color takes priority. It also includes Volume Candles, which paint the bars on the main chart to match the volume sentiment, and Top Diamonds to mark the peaks of volume expansion. All features, including the FVG lookback range and the SMA adjustment factor, are fully customizable to fit different trading timeframes and styles.
Simple Scalper using Pivots from last Higher timeframe candleHTF Pivot Levels – Proper Alignment
Version: 1.0
Pine Script Version: 5
Overlay: Yes
Author: Ammar Hasan
Description
This is very rudimentary beginner friendly indicator to help scalpers scalp level to level using previous higher timeframe pivot points.
This indicator draws pivot levels based on Higher Timeframe (HTF) candles on a lower timeframe chart. It calculates Pivot, Support (S1–S3), and Resistance (R1–R3) levels from the last closed HTF candle and draws them precisely on the lower timeframe bars corresponding to that candle.
Key Features:
Works on any lower timeframe chart (e.g., 1m, 5m) using higher timeframe inputs (e.g., 15m, 1h).
Draws 7 levels per HTF candle: Pivot (yellow), S1–S3 (red), R1–R3 (green).
Only shows the last maxBars HTF candles to keep the chart clean.
Fully aligned with the actual closed HTF candle, avoiding forward shifts.
No labels, repainting, or multi-line statements.
Inputs
Name Type Default Description
Higher Timeframe Timeframe "10" HTF to base pivot calculations on.
Max HTF Bars to Keep Integer (1–50) 7 Number of HTF candles to display at once.
Calculations
Pivot Level:
Pivot = (High + Low + Close) / 3
Support Levels:
S1 = 2 × Pivot − High
S2 = Pivot − (High − Low)
S3 = Low − 2 × (High − Pivot)
Resistance Levels:
R1 = 2 × Pivot − Low
R2 = Pivot + (High − Low)
R3 = High + 2 × (Pivot − Low)
Where High, Low, Close are from the last closed HTF candle.
Drawing Logic
Lower TF bars per HTF candle is calculated as:
LowerBarsPerHTF = HTF_seconds / LowerTF_seconds
Lines are drawn from x1 to x2:
x1 = (htf_count − 2) × LowerBarsPerHTF
x2 = x1 + LowerBarsPerHTF − 1
This ensures lines are aligned exactly with the lower TF bars corresponding to the HTF candle.
Lines are deleted once maxBars is exceeded to keep the chart clean.
Colors
Level Color
Pivot Yellow
S1–S3 Red
R1–R3 Green
Notes
Repainting: The indicator only uses closed HTF candles (lookahead=barmerge.lookahead_off) to prevent repainting.
Chart Compatibility: Works on any lower timeframe chart; HTF input can be any valid TradingView timeframe.
Scalping Use: Useful for seeing higher timeframe support/resistance levels on intraday charts.
TSM Supertrend (PINE SCRIPT v5) 202609This script is a trend-following Supertrend indicator, rewritten in Pine Script v5, designed to clearly identify market direction, trend reversals, and high-probability BUY / SELL signals.
ASIA + Zones (1st/2nd) + Trend Table (M1/M3/M5..D1) Disegna il box della sessione Asia (23:00–07:00 Roma) e ne calcola High/Low.
Evidenzia le ZONE e salva quelle fuori dalla sessione Asia.
Tabella trend in alto a destra con BULL/BEAR/NA per i timeframe selezionabili:
M1, M3, M5, M15, H1, H4, D1, colori personalizzabili.
La direzione viene stimata con pivots (break dell’ultimo pivot high = BULL, break dell’ultimo pivot low = BEAR).
Draws the Asia session box (23:00–07:00 Rome time) and calculates its High/Low.
Highlights the zones and stores those outside the Asia session.
Trend table in the top-right corner showing BULL / BEAR / NA for selectable timeframes:
M1, M3, M5, M15, H1, H4, D1, with fully customizable colors.
Trend direction is estimated using pivots:
Break of the last pivot high → BULL
Break of the last pivot low → BEAR
Crypto Dual MA Signal EditionCrypto Dual MA Signal Edition - Comprehensive Technical Analysis Indicator
Overview
The Crypto Dual MA Signal Edition is a sophisticated technical analysis indicator specifically designed for cryptocurrency markets, combining trend-following and momentum analysis systems into a unified framework. This indicator integrates multiple proven technical analysis concepts to provide comprehensive market insights while maintaining clear, actionable signals.
Integration Rationale & Component Synergy
1. Dual EMA Trend System + Stochastic RSI Convergence
Integration Basis: Trend-following indicators (EMA) work effectively when combined with momentum oscillators (Stochastic RSI) to filter false signals and confirm trend strength.
Synergy Mechanism:
The dual EMA system (12/25 periods) identifies primary trend direction
Stochastic RSI (14-period) provides overbought/oversold readings within that trend
Trend signals are only confirmed when both systems align, reducing whipsaws
EMA crossovers provide entry signals, while Stochastic RSI validates momentum
2. MA Filter Integration
Integration Basis: Longer-term moving averages act as trend filters to avoid trading against established market direction.
Synergy Mechanism:
200-period MA (configurable type: EMA/SMA/WMA) serves as trend benchmark
Long positions only triggered above 200-MA in bullish trends
Short positions only triggered below 200-MA in bearish trends
Provides multi-timeframe confirmation to intraday signals
3. Background Highlight System
Integration Basis: Visual cues enhance signal recognition and emphasize critical market conditions.
Synergy Mechanism:
Background colors highlight Stochastic RSI events without cluttering price chart
Different colors for different signal types (middle cross, overbought/oversold, level breaks)
Works in parallel with other systems, providing additional context without interference
Component Functions & Operational Principles
Core Components:
Dual EMA System
Fast EMA (12): Quick trend changes
Slow EMA (25): Confirmed trend direction
Mode: Switchable between dual EMA display and single EMA
Signal generation based on EMA positioning and consecutive bars
Stochastic RSI System
Combines RSI momentum with stochastic oscillator principles
Triple-smoothed (RSI → Stochastic → K/D smoothing)
Predefined levels: 80 (overbought), 50 (middle), 20 (oversold)
Multiple cross types for different market conditions
Signal Generation Logic
Consecutive count mechanism for trend persistence
"B" signals: Initial bullish EMA alignment
"S" signals: Initial bearish EMA alignment
Candlestick coloring for visual trend representation
Alert Systems
EMA cross alerts for major trend changes
Stochastic RSI cross alerts for momentum shifts
Separate alerts for different signal categories
Practical Usage Guidelines
For Trend Traders:
Primary Trend Identification: Use EMA positioning relative to 200-MA
Entry Timing: Wait for "B" or "S" signals confirmed by Stochastic RSI alignment
Trend Continuation: Monitor consecutive bar counts and candlestick colors
Exit Signals: Watch for opposing signals or Stochastic RSI divergence
For Range/Swing Traders:
Overbought/Oversold Levels: Stochastic RSI extremes (below 20/above 80)
Middle Crosses: Stochastic RSI crosses around 50 level
EMA Filter: Use 200-MA as support/resistance reference
Customization Options:
Adjust EMA periods for different trading styles
Modify Stochastic RSI parameters for sensitivity
Enable/disable background highlights based on preference
Select MA type and period for trend filtering
Originality & Unique Features
Distinctive Integration:
Consecutive Count System: Tracks trend persistence beyond simple crossovers
Unified Signal Display: Combines letters ("B"/"S"), candlestick colors, and background highlights
Flexible EMA Modes: Switch between dual and single EMA displays
Comprehensive Filtering: EMA alignment, MA position, and momentum confirmation
Practical Design Choices:
Color Scheme: Blue for bullish, orange for bearish (clear differentiation)
Signal Prioritization: Initial signals marked with letters, trends with colors
Multi-layer Validation: Three-tier confirmation system (EMA + Stochastic + MA filter)
Clean Visualization: Information-rich display without chart clutter
Important Disclaimers & Limitations
Realistic Expectations:
This indicator provides signals, not guarantees
All technical indicators have inherent lag
Market conditions change; no system works perfectly in all environments
Cryptocurrency markets exhibit high volatility and unpredictable behavior
Proper Usage:
Never rely solely on one indicator for trading decisions
Always use appropriate risk management and position sizing
Consider fundamental factors and market context
Test thoroughly on historical data before live implementation
Adjust parameters to match specific cryptocurrency pairs and timeframes
Development Philosophy
This indicator was developed with these principles:
Evidence-Based: Components based on widely researched technical concepts
Practical Focus: Designed for actual trading use, not theoretical perfection
User-Centric: Customizable to individual preferences and trading styles
Transparent: Clear logic without "black box" calculations
Final Recommendations
For optimal results:
Start with default parameters on major cryptocurrency pairs (BTC, ETH)
Adjust Stochastic RSI sensitivity for altcoins with different volatility profiles
Use higher timeframes (4H, Daily) for primary trend analysis
Combine with volume analysis and market structure for confirmation
Regularly review and adjust settings as market conditions evolve
The Crypto Dual MA Signal Edition provides a comprehensive toolkit for cryptocurrency analysis, but successful trading requires disciplined execution, continuous learning, and integrated risk management strategies.
Apex Wallet - Real-Time Market Volume Delta & Order FlowOverview The Apex Wallet Market Volume Delta is a professional liquidity analysis tool designed to decode the internal structure of market volume. Unlike standard volume bars, this script calculates the "Delta"—the net difference between buying and selling pressure—to reveal the true conviction of market participants in real-time.
Dynamic Multi-Mode Intelligence This indicator features an adaptive calculation engine that recalibrates its internal logic based on your trading style:
Scalping: Fast-response settings (9-period MA) for immediate execution on low timeframes.
Day-Trading: Balanced settings (26-period MA) optimized for intraday sessions.
Swing-Trading: High-filter settings (52-period MA) for major trend confirmation.
Advanced Order Flow Detection
Real-Time Delta Calculation: Tracks the precise interaction between price and volume to identify aggressive buyers vs. passive sellers.
Dual Calculation Modes: Choose between "Buy/Sell" (aggressive) or "Buy/Sell/Neutral" for a more granular view of flat market periods.
Visual Delta Labels: Displays the net volume values directly above each bar, with color-coded alerts (Green for Bullish Delta, Red for Bearish Delta).
Scalable UI: Features a "Scale Down Factor" to simplify large volume numbers into readable units (10/100/1k/10k).
Key Features:
Visual Split: Clearly differentiates historical volume from real-time buying and selling flows.
Trend Confirmation: Integrated optional EMA to compare current volume surges against the average market liquidity.
Clean Interface: Professional-grade histogram styling with clear demarcation of session activity.
Scalp Breakout Predictor Pro - by Herman Sangivera (Papua)Scalp Breakout Predictor Pro by Herman Sangivera ( Papuan Trader )
Overview
The Scalp Breakout Predictor Pro is a high-performance technical indicator designed for scalpers and day traders who thrive on market volatility. This tool specializes in identifying "Squeeze" phases—periods where the market is consolidating sideways—and predicts the likely direction of the upcoming breakout using underlying momentum accumulation.
How It Works
The indicator combines three core mathematical concepts to ensure "Safe but Fast" entries:
Squeeze Detection (BB vs. KC): It monitors the relationship between Bollinger Bands and Keltner Channels. When Bollinger Bands contract inside the Keltner Channels, the market is in a "Squeeze" (represented by the gray background). This indicates that energy is being coiled for a massive move.
Momentum Accumulation (Pre-Signal): While the price is still moving sideways, the script analyzes linear regression momentum.
PRE-BULL: Momentum is building upwards despite price being flat.
PRE-BEAR: Momentum is fading downwards despite price being flat.
Breakout Confirmation: An entry signal is only triggered when the Squeeze "fires" (the price breaks out of the bands), ensuring you don't get stuck in a dead market for too long.
Key Features
Real-time Prediction Labels: Get early warnings (PRE-BULL / PRE-BEAR) to prepare for the trade before it happens.
Dynamic TP/SL Lines: Automatically calculates Take Profit and Stop Loss levels based on the Average True Range (ATR), adapting to the current market's "breath."
On-Screen Dashboard: A sleek table in the top-right corner displays the current market phase (Squeeze vs. Volatile), the predicted next move, and the current ATR value.
Pine Script V6 Optimized: Built using the latest version of TradingView’s coding language for maximum speed and compatibility.
Trading Rules
Preparation: When you see a Gray Background, the market is sideways. Watch the Dashboard for the "Potential" direction.
Anticipation: If a PRE-BULL or PRE-BEAR label appears, get ready to enter.
Execution: Enter the trade when the ENTRY BUY (Lime Triangle) or ENTRY SELL (Red Triangle) signal appears.
Exit: Follow the Green Line for Take Profit and the Red Line for Stop Loss.
Technical Settings
HMA Length: Adjusts the sensitivity of the trend filter (Hull Moving Average).
TP/SL Multipliers: Allows you to customize your Risk:Reward ratio based on ATR volatility.
Squeeze Length: Determines the lookback period for consolidation detection.
Disclaimer: Scalping involves high risk. Always test this indicator on a demo account before using it with live capital.
Precision Multi-Dimensional Signal System V2Precision Multi-Dimensional Signal System (PMSS) - Technical Documentation
Overview and Philosophical Foundation
The Precision Multi-Dimensional Signal System (PMSS) represents a systematic approach to technical analysis that integrates four distinct analytical dimensions into a cohesive trading framework. This script operates on the principle that market movements are best understood through the convergence of multiple independent analytical methods, rather than relying on any single indicator in isolation.
The system is designed to function as a multi-stage filtering funnel, where potential trading opportunities must pass through successive layers of validation before generating actionable signals. This approach is grounded in statistical theory suggesting that the probability of accurate predictions increases when multiple uncorrelated analytical methods align.
Integration Rationale and Component Synergy
1. Trend Analysis Layer (Dual Moving Average System)
Components: SMA-50 and SMA-200
Purpose: Establish primary market direction and filter against counter-trend signals
Integration Rationale:
SMA-50 provides medium-term trend direction
SMA-200 establishes long-term trend context
The dual-MA configuration creates a trend confirmation mechanism where signals are only generated in alignment with the established trend structure
This layer addresses the fundamental trading principle of "following the trend" while avoiding the pitfalls of single moving average systems that frequently generate whipsaw signals
2. Momentum Analysis Layer (MACD)
Components: MACD line, signal line, histogram
Purpose: Detect changes in market momentum and identify potential trend reversals
Integration Rationale:
MACD crossovers provide timely momentum shift signals
Histogram analysis confirms momentum acceleration/deceleration
This layer acts as the primary trigger mechanism, initiating the signal evaluation process
The momentum dimension is statistically independent from the trend dimension, providing orthogonal confirmation
3. Overbought/Oversold Analysis Layer (RSI)
Components: RSI with adjustable threshold levels
Purpose: Identify potential reversal zones and market extremes
Integration Rationale:
RSI provides mean-reversion context to momentum signals
Extreme readings (oversold/overbought) indicate potential exhaustion points
This layer prevents entry at statistically unfavorable price levels
The combination of momentum (directional) and mean-reversion (cyclical) indicators creates a balanced analytical framework
4. Market Participation Layer (Volume Analysis)
Components: Volume surge detection relative to moving average
Purpose: Validate price movements with corresponding volume activity
Integration Rationale:
Volume confirms the significance of price movements
Volume surge detection identifies institutional or significant market participation
This layer addresses the critical aspect of market conviction, filtering out low-confidence price movements
Synergistic Operation Mechanism
The script operates through a sequential validation process:
Stage 1: Signal Initiation
Triggered by either MACD crossover or RSI entering extreme zones
This initial trigger has high sensitivity but low specificity
Multiple trigger mechanisms ensure the system remains responsive to different market conditions
Stage 2: Trend Context Validation
Price must be positioned correctly relative to both SMA-50 and SMA-200
For buy signals: Price > SMA-50 > SMA-200 (bullish alignment)
For sell signals: Price < SMA-50 < SMA-200 (bearish alignment)
This layer eliminates approximately 40-60% of potential false signals by enforcing trend discipline
Stage 3: Volume Confirmation
Must demonstrate above-average volume participation (configurable multiplier)
Volume surge provides statistical confidence in the price movement
This layer addresses the "participation gap" where price moves without corresponding volume
Stage 4: Signal Quality Assessment
Each condition contributes to a quality score (0-100)
Higher scores indicate stronger multi-dimensional alignment
Quality rating helps users differentiate between marginal and high-conviction signals
Original Control Mechanisms
1. Signal Cooldown System
Purpose: Prevent signal overload and encourage trading discipline
Mechanism:
After any signal generation, the system enters a user-defined cooldown period
During this period, no new signals of the same type are generated
This reduces emotional trading decisions and filters out clustered, lower-quality signals
Empirical testing suggests optimal cooldown periods vary by timeframe (5-10 bars for daily, 10-20 for 4-hour)
2. Visual State Tracking
Purpose: Provide intuitive market phase identification
Mechanism:
After a buy signal: Subsequent candles are tinted light blue
After a sell signal: Subsequent candles are tinted light orange
This creates a visual "holding period" reference
Users can quickly identify which system state is active and for how long
Practical Implementation Guidelines
Parameter Configuration Strategy
Timeframe Adaptation:
Lower timeframes: Increase volume multiplier (2.0-3.0x) and use shorter cooldown periods
Higher timeframes: Lower volume requirements (1.5-2.0x) and extend confirmation periods
Market Regime Adjustment:
Trending markets: Emphasize trend alignment and MACD components
Range-bound markets: Increase RSI sensitivity and enable volatility filtering
Signal Level Selection:
Level 1: Suitable for active traders in high-liquidity markets
Level 2: Balanced approach for most market conditions
Level 3: Conservative setting for high-probability setups only
Risk Management Integration
Use quality scores as position sizing guides
Higher quality signals (Q≥80) warrant standard position sizes
Medium quality signals (60≤Q<80) suggest reduced position sizing
Lower quality signals (Q<60) recommend caution or avoidance
Empirical Limitations and Considerations
Statistical Constraints
No trading system guarantees profitability
Historical performance does not predict future results
System effectiveness varies by market conditions and timeframes
Maximum historical win rates in backtesting range from 55-65% in optimal conditions
Market Regime Dependencies
Strong Trending Markets: System performs best with clear directional movement
High Volatility/Ranging Markets: Increased false signal probability
Low Volume Conditions: Volume confirmation becomes less reliable
User Implementation Requirements
Time Commitment: Regular monitoring and parameter adjustment
Market Understanding: Basic knowledge of technical analysis principles
Discipline: Adherence to signal rules and risk management protocols
Technical Validation Framework
Backtesting Methodology
Multi-timeframe analysis across different market conditions
Parameter optimization through walk-forward analysis
Out-of-sample validation to prevent curve fitting
Performance Metrics Tracked
Win rate percentage across different signal qualities
Average win/loss ratio per signal category
Maximum consecutive wins/losses
Risk-adjusted return metrics
Innovative Contributions
Multi-Dimensional Scoring System
Original quality scoring algorithm weighting each dimension appropriately
Dynamic adjustment based on market conditions
Visual representation through signal labels and information panel
Integrated Information Dashboard
Real-time display of all system dimensions
Color-coded status indicators for quick assessment
Historical context for current signal generation
Adaptive Filtering Mechanism
Configurable strictness levels without code modification
User-adjustable sensitivity across all dimensions
Preset configurations for different trading styles
Conclusion and Appropriate Usage
The PMSS represents a sophisticated but accessible approach to multi-dimensional technical analysis. Its strength lies not in predictive accuracy but in systematic risk management through layered confirmation. Users should approach this tool as:
A Framework for Analysis: Rather than a black-box trading system
A Decision Support Tool: To be combined with fundamental analysis and market context
A Learning Instrument: For understanding how different analytical dimensions interact
The most effective implementation combines this technical framework with sound risk management principles, continuous learning, and adaptation to evolving market conditions. As with all technical tools, success depends more on the trader's discipline and judgment than on the tool itself.
Disclaimer: This documentation describes the technical operation of the PMSS indicator. Trading involves substantial risk of loss and is not suitable for all investors. Past performance is not indicative of future results. Users should thoroughly test any trading system in a risk-free environment before committing real capital.
Full Dashboard V21 - Time Left Color LogicTable (Multi timefram)
- show Trend
- show rsi
- show Stoch
- show prev candle (default hide)
- show curr candle (default hide)
- shows the time when the candlestick will close.
--can config show/hide all column
Graph
- show rsi 89/21
Signal
- show signal with tp/sl (default hide)
Gold Intelligence - Final Sniper v12 by Herman Sangivera(Papua)🚀 Gold Intelligence - Final Sniper v12 by Herman Sangivera ( Papua )
Overview
Gold Intelligence - Final Sniper v12 is a cutting-edge technical indicator specifically engineered for high-volatility instruments like XAU/USD (Gold). This indicator merges advanced Price Action candlestick recognition algorithms with institutional volume analysis and real-time market sentiment to deliver precision entry signals.
The primary goal of this tool is to filter out market "noise" and highlight only High Probability Setups that meet strict technical criteria.
🛡️ Key Features
Smart Pattern Recognition: Automatically identifies high-impact patterns: Pin Bars (psychological rejection) and Engulfing Candles (institutional dominance).
Probability Scoring: Every signal is assigned a percentage (%) score based on volume confirmation and price intensity. Signals only trigger when they exceed the minimum threshold (default 75%).
Real-Time Sentiment Dashboard: An exclusive on-chart panel that monitors the balance of Buy/Sell pressure instantly.
Dynamic Risk Management: Automatically projects Take Profit (TP) and Stop Loss (SL) boxes using Average True Range (ATR) calculations, ensuring your targets stay adaptive to current market volatility.
Institutional Volume Check: Validates entries by cross-referencing significant volume spikes (Smart Money footprints) to help you avoid market traps and fakeouts.
📖 How to Use (Trading Guide)
Identify the Signal: Wait for the "SNAPSHOT GOLD" label to appear on the chart.
🟢 Green Label: Buy Signal (Bullish).
🔴 Red Label: Sell Signal (Bearish).
Check Probability Score: It is highly recommended to only take signals with a score of >75%. A higher score indicates stronger technical confluence.
Execution & Targets:
Enter the trade at the close of the signal candle.
Target the Green transparent box for profit and use the Red box for risk management.
Dashboard Confirmation: Ensure the Sentiment percentage aligns with your trade direction (e.g., Sentiment > 60% Buy for Long positions).
⚙️ Input Parameters
Min Probability: The minimum accuracy threshold for a signal to be displayed.
TP & SL Multiplier: Customize your reward-to-risk ratio based on ATR multiples.
Alerts: Fully compatible with real-time notifications for Mobile, Email, or Webhooks.
⚠️ Disclaimer
This indicator is an analytical tool and does not guarantee profits. Gold trading involves significant risk. Always use proper money management and backtest on a demo account before trading live funds.
MONSTER KHAN GOLED KILLERTHIS INDICATORE work base on many strategies and work in gold btc and us oil but best for gold and btc use m5 to m15 time frame
Fibonacci ATMAFibonacci ATMA. An ATR-adjusted EMA. This is for use with fibonacci scales for day trading and swing trading.
Dav1zoN ScalpThis script is a 5-minute scalping setup built around SuperTrend.
Entries are taken on SuperTrend flips on the 5-minute chart
Direction is confirmed with the 15-minute SMA200
Above SMA200 → only BUY trades
Below SMA200 → only SELL trades
This helps avoid sideways markets and low-quality signals
SuperTrend adapts to market volatility, while the higher-timeframe SMA200 keeps trades aligned with the main trend.
Trendlines with Breaks + Fib Lines ONLY15min and 3min fib line already marked 15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked15min and 3min fib line already marked
Cinematic Session Fade [Pro]🎬 Cinematic Session Fade — A Clean Way to See Market Mood
This indicator is designed to enhance visual clarity, not clutter your chart.
Instead of adding more lines, boxes, or signals, it uses soft cinematic session shading to show how market behavior naturally changes throughout the day.
🌍 Session-Based Market Atmosphere
Asia Session (Calm Blue)
Represents balance, low volatility, and range-building conditions.
London Session (Warm Gold)
Highlights the transition phase where momentum often starts to build.
New York Session (Deep Red)
Emphasizes decision-making hours, volatility, and directional moves.
The session colors fade smoothly in the background, creating a professional and distraction-free viewing experience.
🎨 Why This Indicator Looks Clean & Professional
No indicators stacked on price
No buy/sell arrows or noisy labels
Soft, eye-friendly background shading
Clean candle colors for clear price focus
Optimized for dark mode charts
This makes the chart easy to read, easy on the eyes, and visually attractive for both analysis and screenshots.
🧠 How Traders Use It
Identify which session the market is in at a glance
Adjust expectations for volatility and behavior
Combine with your own strategy (structure, SMC, trend, or price action)
Perfect for education, market commentary, and clean chart presentations
📈 Best Markets
Forex
Gold (XAUUSD)
Bitcoin & Crypto
Indices
🎯 Final Note
This tool does not predict price.
It simply provides context and atmosphere, helping traders stay aligned with market rhythm while keeping charts elegant and professional.
If you value clarity over clutter, this indicator is built for you.






















