King Trade 4-hour buy/sell strategyThis is a buy/sell system for 4-hour candlestick charts. For best results, use it on Heiken Ashi candlestick charts.
지표 및 전략
FPT - Engulfing Bar Highlight📌 Description
FPT – Engulfing Bar Highlight is a clean and lightweight indicator designed to highlight valid bullish and bearish engulfing candles directly on the chart.
The indicator uses a strict engulfing definition:
Bullish Engulfing
Current low breaks the previous low
Close is above the previous open
Close is above the current open
Bearish Engulfing
Current high breaks the previous high
Close is below the previous open
Close is below the current open
An optional minimum candle size filter (in ticks) helps eliminate weak or insignificant engulfing candles.
This tool is ideal for traders who:
Trade price action
Use engulfing candles as entry, confirmation, or context
Want a minimal, non-intrusive visual highlight
Combine engulfing logic with key levels, sessions, or other strategies
⚙️ Inputs
Highlight Mode
Bull Only
Bear Only
Both
Minimum Engulfing Size (ticks)
🎯 Features
Clean bar highlight (no boxes, labels, or signals)
No repainting
Works on any market and timeframe
Perfect for discretionary and algorithmic workflows
⚠️ Disclaimer
This indicator is for educational and informational purposes only.
It does not constitute financial advice.
Always use proper risk management.
UT Bot + Hull MA Close-Cross Confirm (Strategy)UT Bot + Hull MA Close-Cross Confirm (Strategy)
This strategy combines the classic UT Bot ATR trailing stop with a Hull Moving Average (HMA) close-cross confirmation to reduce false signals and improve trade quality.
The system works in two stages:
UT Bot Signal Detection
A volatility-adjusted ATR trailing stop identifies potential trend shifts using a 1-period EMA crossover. This provides early buy and sell signals based on momentum and volatility.
Hull MA Close-Cross Confirmation
UT Bot signals are only confirmed once price closes across the Hull Moving Average. If a UT signal occurs on the wrong side of the Hull MA, the strategy waits until a valid close-cross occurs before triggering an entry. This confirmation step helps filter chop and late-trend reversals.
Key Features
Non-repainting logic (uses bar-close confirmation)
Futures-friendly design (fixed contracts, point-based TP/SL)
Supports Long, Short, or Both directions
Built-in Take Profit & Stop Loss
Configurable Hull MA type (HMA / EHMA / THMA)
Optional Heikin Ashi signal source
Clean Buy/Sell alerts for automation and webhook execution
Trade Logic Summary
Long Entry:
UT Bot buy signal + confirmed close above Hull MA
Short Entry:
UT Bot sell signal + confirmed close below Hull MA
Exit:
Fixed Take Profit or Stop Loss (user-defined in points)
Alerts & Automation
The strategy includes dedicated Buy Alert and Sell Alert conditions designed for webhook automation (e.g., trade logging, execution engines, or external dashboards). Alerts trigger only on confirmed bar closes, matching backtest behavior.
Intended Use
This strategy is designed for futures markets (e.g., MNQ, ES, GC) and performs best on intraday timeframes. Session filters, risk rules, and trade management can be handled externally if desired.
Disclaimer
This script is provided for educational and research purposes only and is not financial advice. Always test thoroughly and use proper risk management.
Weekly Bullish Engulfing ScreenerThis is a weekly Bullish engulfing screener to find the stocks ready to breakout
IV Rank as a Label (Top Right)IV Rank (HV Proxy) – Label
Displays an IV Rank–style metric using Historical Volatility (HV) as a proxy, since TradingView Pine Script does not provide access to true per-strike implied volatility or IV Rank.
The script:
Calculates annualized Historical Volatility (HV) from price returns
Ranks current HV relative to its lookback range (default 252 bars)
Displays the result as a clean, color-coded label in the top-right corner
Color logic:
🟢 Green: Low volatility regime (IV Rank < 20)
🟡 Yellow: Neutral volatility regime (20–50)
🔴 Red: High volatility regime (> 50)
This tool is intended for options context awareness, risk framing, and volatility regime identification, not as a substitute for broker-provided IV Rank.
Best used alongside:
Options chain implied volatility
Delta / extrinsic value
Time-to-expiration analysis
Note: This indicator does not use true implied volatility data.
PSP 4H USD Divergence Highlighter (EURUSD + GBPUSD vs DXY)PSP indicator for the 4H chart. This compares the divergence between the EURUSD, GBPUSD, & DXY
Smart Money Concepts with EMA + RSI - DrSafDescription
This indicator combines LuxAlgo’s Smart Money Concepts (SMC) framework with a trend and momentum confluence system.
Core Features:
Swing & internal BOS / CHoCH
Order blocks, fair value gaps, equal highs/lows
Premium & discount zones
Multi-timeframe high/low levels
Added Filters:
EMA 21 / 50 / 200 trend alignment
Optional RSI 50 momentum filter
Clear long/short signals based on:
Swing CHoCH
Higher-timeframe trend alignment
Momentum confirmation
Signal Logic
Long: Bullish CHoCH + EMA bullish structure + RSI confirmation
Short: Bearish CHoCH + EMA bearish structure + RSI confirmation
Designed for non-repainting execution, clean chart structure or systematic trading.
Indicator plots EMA 21, EMA 50, and EMA 200 to define trend structure and dynamic support/resistance.
EMA 200: overall trend bias
EMA 21 and EMA 50: pullback support for high probability trend entries.
EMA 21/50 crosses highlight momentum shifts but are not intended as standalone entry signals.
License
Based on LuxAlgo Smart Money Concepts
CC BY-NC-SA 4.0 (Non-Commercial)
Master Forex Dashboard: Sessions, Volume & MTF Trend//@version=5
indicator("Master Forex Dashboard: Sessions, Volume & MTF Trend", overlay=true, max_boxes_count=500)
// ==========================================
// 1. SESSIONS LOGIC
// ==========================================
showAsia = input.bool(true, "Show Asia Session", group="Forex Sessions")
asiaTime = input.session("0000-0900", "Asia Session Time", group="Forex Sessions")
asiaColor = input.color(color.new(color.blue, 90), "Asia Color", group="Forex Sessions")
showLondon = input.bool(true, "Show London Session", group="Forex Sessions")
londonTime = input.session("0800-1700", "London Session Time", group="Forex Sessions")
londonColor= input.color(color.new(color.orange, 90), "London Color", group="Forex Sessions")
showNY = input.bool(true, "Show NY Session", group="Forex Sessions")
nyTime = input.session("1300-2200", "NY Session Time", group="Forex Sessions")
nyColor = input.color(color.new(color.red, 90), "NY Color", group="Forex Sessions")
is_session(sess) => not na(time(timeframe.period, sess, "UTC+0"))
bgcolor(showAsia and is_session(asiaTime) ? asiaColor : na)
bgcolor(showLondon and is_session(londonTime) ? londonColor : na)
bgcolor(showNY and is_session(nyTime) ? nyColor : na)
// ==========================================
// 2. VOLUME LOGIC
// ==========================================
volLen = input.int(20, "Volume MA Length", group="Volume Logic")
highMult = input.float(1.5, "High Vol Multiplier", group="Volume Logic")
lowMult = input.float(0.5, "Low Vol Multiplier", group="Volume Logic")
volMA = ta.sma(volume, volLen)
isHighVol = volume > (volMA * highMult)
isLowVol = volume < (volMA * lowMult)
barcolor(isHighVol ? color.yellow : isLowVol ? color.gray : na)
// ==========================================
// 3. MTF TREND DASHBOARD (FIXED)
// ==========================================
emaLen = input.int(200, "Trend EMA Length", group="Dashboard")
textSize = input.string("small", "Table Text Size", options= , group="Dashboard")
// Function defined at GLOBAL scope to avoid your error
f_fill_row(table_id, row, label, trendVal, tSize) =>
bgColor = trendVal == 1 ? color.new(color.green, 30) : color.new(color.red, 30)
txt = trendVal == 1 ? "BULLISH" : "BEARISH"
table.cell(table_id, 0, row, label, text_color=color.white, text_size=tSize)
table.cell(table_id, 1, row, txt, bgcolor=bgColor, text_color=color.white, text_size=tSize)
get_trend(tf) =>
htfEMA = request.security(syminfo.tickerid, tf, ta.ema(close, emaLen))
htfClose = request.security(syminfo.tickerid, tf, close)
htfClose > htfEMA ? 1 : -1
// Fetch Data
t15 = get_trend("15"), t1h = get_trend("60"), t4h = get_trend("240"), t1d = get_trend("1D")
// Table UI
var table trendTable = table.new(position.top_right, 2, 5, border_width = 1)
if barstate.islast
table.cell(trendTable, 0, 0, "TF", bgcolor=color.gray, text_color=color.white, text_size=textSize)
table.cell(trendTable, 1, 0, "Trend", bgcolor=color.gray, text_color=color.white, text_size=textSize)
f_fill_row(trendTable, 1, "15m", t15, textSize)
f_fill_row(trendTable, 2, "1H", t1h, textSize)
f_fill_row(trendTable, 3, "4H", t4h, textSize)
f_fill_row(trendTable, 4, "1D", t1d, textSize)
Binance Perp Basis % (Auto)Hello,
This script is pretty much self explanatory.
It is the real-time basis rate % of Binance futures crypto paired with USDT.
If the indicator shows "NaN" it means that the coin exists in USDT.P but does not have a homologue in spot to run the basis rate & calculation.
To change colors:
for positive & negative basis rate % you simply have to open the script & change the values here shown:
//=== 4. Plot =================================================================
col = basis >= 0 ? color.new(color. white , 0) : color.new(color. black , 0)
To change the 0 line color and opacity:
line(0, "Zero line", color=color.new(color.gray, 60), linestyle=hline.style_dashed)
Multiple Time Frame Stoch-RSIThis indicator is designed to show users the values for default stochastic RSI and default RSI settings across multiple time frames.
I have made many bad trades focusing too closely on one particular time frame and indicators that suggest the price will move one way, to be superseded by a higher timeframe pushing price in another direction.
The timeframes are customisable so you can select your own timeframes, but the default timeframes chosen here are part of the BareNaked Crypto or Naked Nation strategy, looking at timeframes in multiples of 3 for lower timeframes.
The idea in its simplest form is that when timeframes like the 3/6/9m are all over sold or over bought (coloured red or green) then it could be a suitable time to place an order. Or at least be more favourable for your trade.
This indicator as with all indicators is designed as a tool to add to whatever arsenal of strategy or tools you are already using and does not constitute financial advice, just be cause 3/6/9m is in red or green does not guarantee that the trade will go your way.
The orange on the timeframes are generally designed to show users where price can reverse so for example if the stochastic 3m is at 10 and in green, but the 9m is at 65 in orange, it could be that a push up is not finished and the 9m drop from oversold to 65 could be reversed due to a low 3m stochastic number and then 9m goes from 65 back up to 100, and vice versa.
The arrows for direction also allow you to quickly deduce the direction of the stochastic RSI, ^ up, V down, and stable -. this should allow you to see if the stochastic has been rising and is beginning to turn around or not.
Mystic Pulse V2.0 Optimized Long [CHE]credits to youtuber : youtu.be
Key Insights
Strategy outperforms buy & hold BTC by 245%
Only 1 losing year (2022 bear market: -18.45%)
Average win (+19.24%) is 4.2× larger than average loss (-4.57%)
No repainting - all signals confirmed at bar close
The strategy file is ready to copy into TradingView. Apply it to BTCUSD 1D with the settings specified (100% equity, 0.1% commission, 1 tick slippag
HMA Direction Scalping + Liquidity Zones + Metricsuses hma to determine buy and sell using 9hma for direction.
Optimized Options Day Trading Script -Anurag Dec20-2025This indicator is a specialized Multi-Timeframe Trend & Regime System designed specifically for intraday trading on SPY, QQQ, and SPX. It is optimized for high-volatility execution (like 0DTE) by filtering out "choppy" low-probability conditions before they happen.
Unlike standard indicators that only look at the current chart, this script runs a background check on the 15-Minute Timeframe
ORB 5 Min Break & Retest + Alerts By KhanORB 5-Minute Break & Retest Indicator
This indicator plots the high and low of the first 5-minute candle of the trading session (Opening Range). It then monitors price for a breakout above or below the ORB levels and triggers an alert when price retests the broken level and holds.
Designed to help identify high-probability ORB continuation setups with clear visual levels and TradingView alerts.
If you want, I can also:
Make it even shorter (1–2 lines)
Write a more detailed TradingView public script description
Add a usage guide (rules + best timeframe)
Disclaimer:
This is general information only and not financial advice. For personal guidance, please talk to a licensed professional.
Supply-Demand Dominance & Energy RibbonOverview:
This indicator is specifically fine-tuned for the Nasdaq (NAS100) market. It combines volume-based Delta analysis (Supply-Demand) with price kinetic energy (Slope) to identify high-probability reversal points and trend strength.
Key Features & Usage:
Supply-Demand Dominance (Top-Right Label):
Analyzes volume spikes over a 50-period lookback to determine market control.
Displays "매수 우위" (Bullish Dominance) or "매도 우위" (Bearish Dominance) in real-time.
Energy Ribbon (Bottom Visualization):
Calculates the slope of the TCI oscillator to visualize momentum intensity.
Solid Green/Red: Strong momentum.
Faded Green/Red: Weakening momentum or minor trend.
Momentum Combo Signals (Circle Shapes):
Triggered when WaveTrend and TCI oscillators cross in extreme zones (Overbought 70 / Oversold 30).
Smart Filter: Signals are only shown when they align with the current Supply-Demand dominance, reducing "market noise."
Volume Spikes (Arrow Symbols):
Indicates abnormal volume activity (1.5x average delta). These arrows (↑/↓) help identify potential breakout points or the climax of a move even when a full combo signal isn't present.
NeuralFlow Forecast Levels - User InputsThis is a companion indicator that plots AI-adaptive market equilibrium and expansion mapping levels directly on the SPY chart.
NeuralFlow Forecast Levels are generated through a Artificial Intelligence framework trained to identify:
Where price is statistically inclined to re-balance
Where expansion zones historically exhaust rather than extend
This is structure mapping, not prediction.
......................................................................................
What the Bands Represent?
AI Equilibrium (white core)
Primary weekly balance zone where price is most likely to mean-revert.
Predictive Rails (aqua / purple)
High-confidence corridor of institutional flow containment.
Outer Zones (green / red)
Expansion limits where continuation historically begins to decay.
Extreme Zones (top / bottom)
Rare deviation envelope where auction completion is statistically favored.
.The engine updates only when underlying structure changes —
not when candles fluctuate intraday.
.................................................................................................................
Usage Context
These levels are contextual reference zones, not entry signals. They are designed to answer:
Where does price matter?
Where does continuation weaken?
Where does balance statistically reassert itself?
Risk Disclaimer
Educational and analytical use only. Not financial advice.
Performance with Okuninushi Line Area Determinations**Performance Indicator with Market Structure Analysis**
Building upon TradingView's official Performance indicator, I've added a custom column to assess current market structure using my Okuninushi Line methodology, which visualizes the AB structure concept.
**What is the AB Structure?**
The AB structure identifies equilibrium levels based on recent price action. The Okuninushi Line calculates the 50% midpoint between the highest high and lowest low over a specified lookback period. In this implementation, I use a 65-day period on the daily timeframe (representing one quarter: 13 weeks × 5 trading days), though this is fully customizable.
**Market Structure Classification:**
- **Above Okuninushi Line** → "upper to okuni" → Price is in the **Premium Area** (bullish structure)
- **Below Okuninushi Line** → "down to okuni" → Price is in the **Discount Area** (bearish structure)
This additional column provides an instant visual reference for whether each asset is currently trading above or below its equilibrium level, complementing the traditional performance metrics with structural context.
---
Portfolio P&L Table 10 SlotsOverview
This indicator displays a compact, Excel-style position P&L table directly on your TradingView chart. It is designed to help traders track unrealized profit/loss for a manually-entered position and ensure the calculations only apply to the symbols you actually trade, preventing confusion when switching between tickers.
The script is symbol-aware: it checks the current chart symbol against up to 10 user-defined position slots and shows P&L only when a match is found.
Core Concept
Most P&L scripts on TradingView rely on a single set of inputs (average price, quantity), which remains active even when the user changes chart symbols. That can lead to incorrect P&L displays on instruments where no position exists.
This indicator solves that by combining:
Symbol matching logic (ticker / exchange:ticker / base ticker normalization)
Slot-based position storage (up to 10 positions)
Dynamic real-time P&L calculations driven by the chart’s live price
As a result, the table behaves like a “position panel” that follows the chart, while respecting your actual holdings list.
Matching & Display Logic
Symbol Detection
The indicator compares the current chart symbol to each slot’s symbol using multiple matching methods to reduce false mismatches:
Full symbol (EXCHANGE:TICKER)
Ticker only (TICKER)
Normalized “base ticker” extraction (useful when your chart format differs from inputs)
Position Selection
The first matching slot is selected and displayed.
If no slot matches, the table shows “No position for this symbol” and does not output P&L values.
P&L Calculation Logic
When a valid slot is matched and its values are valid:
Unrealized Gross P&L
Long: (Last Price − Avg Price) × Quantity
Short: (Avg Price − Last Price) × Quantity (handled via direction multiplier)
Unrealized Net P&L (optional)
If fees are enabled, the script subtracts the slot’s total fees from gross P&L.
P&L %
Calculated relative to average price, direction-adjusted for long/short positions.
Breakeven Price
Without fees: breakeven = average price
With fees: breakeven is adjusted using fees / quantity and direction.
The table updates automatically with market movement because all values are recalculated from the chart’s current price.
Inputs and Defaults
General
Include Fees? (default: Off)
Text Size
Table Position (Top/Bottom, Left/Right)
Slots (1 → 10)
Each slot contains:
Symbol (example formats: NVTS, NASDAQ:NVTS, NYSE:PATH)
Side (Long / Short)
Average Price
Quantity
Total Fees (optional; applied only when “Include Fees” is enabled)
Colors (Fully Customizable)
The table supports user-defined colors for:
Header text/background
Body text/background
Positive P&L color
Negative P&L color
Neutral/no-position color
This allows you to match the table visually to any chart theme.
The indicator is intended for :
Quick P&L visibility while charting
Avoiding accidental P&L “carry over” when switching symbols
Tracking a shortlist of positions without external spreadsheets
If you trade more than 10 tickers regularly, the script can be extended further using the same slot architecture.
Limitations
Values are unrealized and based on the chart’s price (close/last available feed).
The script does not track multiple lots per symbol automatically; each slot represents a single consolidated position (avg + total qty).
Disclaimer
This script is provided for educational and analytical purposes only. It does not constitute financial advice, investment recommendations, or an invitation to trade. Trading involves risk, and past performance does not guarantee future results. Always verify your position data and calculations independently before making trading decisions.
Daily candle separation + NY open + First hour open Daily candle separation + NY open + First hour open
extradestrategy.limited.editiom 2026cocok untuk btc usd tidak di perjual belikan harap tidak menggunakan sembarangan
SB A / A++ ALERT ENGINE (Alerts Only)SB A / A++ Alert Engine
Session-Based Level Rejection Strategy (Automation-Ready)
Overview
The SB A / A++ Alert Engine is a rules-based TradingView indicator designed to identify high-probability institutional-style reversal trades using Stacey Burke–inspired concepts such as previous day levels, session structure, opening ranges, and round numbers.
This tool is alerts-only by design, making it ideal for:
TradingView alerts
Webhook automation
Telegram / Discord signal delivery
External trade execution systems
It does not repaint and evaluates signals on confirmed bar close only.
---
Core Trading Idea
Price frequently reacts at important reference levels during active trading sessions.
This script looks for rejection + confirmation at those levels and grades setups based on confluence and candle quality.
Only A-grade and A++-grade setups are alerted.
---
What the Script Detects
📌 Key Levels (Confluence Engine)
Previous Day High / Low
Initial Balance (Mon–Tue range, active Wed–Fri)
Session Opening Range (first hour of London / NY)
Round Numbers (configurable tick spacing)
Each level touched contributes to confluence — without double-counting the same zone.
---
🕒 Session Control
Signals are only allowed during:
London Session
New York Session
Includes:
Session resets
Max alerts per session
Cooldown between signals
---
🔎 Candle Confirmation
Valid signals require clear rejection behavior, such as:
Bullish / Bearish Engulfing candle
Strong Pin Bar (wick ≥ 2× body)
---
🧠 Trade Grades
A Trade
Valid session
ATR percentile filter passed
≥ 1 level of confluence
Directional rejection
A++ Trade
All A-Trade rules
Strong confirmation candle (engulf or pin)
≥ 2 independent confluence zones
Grades are displayed visually and included in alert payloads.
---
📊 Volatility Filter (ATR Percentile)
Instead of fixed ATR thresholds, the script uses an ATR percentile rank, ensuring trades only trigger when volatility is above normal for that market.
This adapts automatically across:
Forex
Indices
Futures
Crypto
---
Visual Output
▲ Green / Lime triangles → LONG (A / A++)
▼ Orange / Red triangles → SHORT (A / A++)
Color intensity reflects trade grade
Optional session shading (if enabled)
---
Alerts & Automation
All alerts are webhook-ready and structured for automation.
Each alert includes:
Symbol
Timeframe
Direction (LONG / SHORT)
Trade grade (A or A++)
Confluence count
Entry price (close of signal bar)
Designed to integrate with:
Telegram bots
Trade execution bridges
Risk management engines
---
What This Script Is (and Is Not)
✅ IS
A high-quality signal engine
Non-repainting
Automation-friendly
Institutional level-based logic
❌ IS NOT
A scalping indicator
A prediction tool
A “trade every candle” system
This tool favors patience, structure, and quality over frequency.
---
Recommended Usage
Timeframes: M5 – M15
Best markets: FX majors, indices, liquid crypto
Combine with your own execution, risk, and trade management rules
---
⚠️ Disclaimer
This script is for educational and informational purposes only. It does not constitute financial advice. Always test on demo or paper trading before using live capital.
Info Box with VPINfo box with turnover
it has all the % of SL
it also has VOlume and turnover with it
It is lighter version of prov






















