FVG BearishThis indicator identified negetive Fair Value Gap based on the following creteria:
1. Gap between the last but 1 candle low and current candle high
2. The width of the gap is at least 0.3% of current close
3. The previous candle is a bearish candle with body at least 0.7% of current close
4. Value of the previous candle is greater tha equal to 30 M
5. The candle is marked with red dot on top
Cari dalam skrip untuk "Candlestick"
FVG BullishThis indicator marks the formation of Positive fair value gap in 1 min chart based on the following conditions:
1. Low of current candle is higher than last but one candle
2. The gap between the two is atleast 0.3% of current closing
3. The middle candle oftren called as the expansion candle is at least 0.7% of current close
4. Valune of the expansion candle is greater than 30M indicating institutional participation
5. Such candle are indicated by Green curcles at the bottome
FxInside// This Pine Script® code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © yyy_trade
//@version=6
indicator("FxInside", overlay = true, max_lines_count = 500)
lineColor = input.color(color.new(color.blue, 12), "FxLineColor")
type vaild_struct
float high
float low
int time
type fx
string dir
chart.point point
var array valid_arr = array.new()
var fx lastFx = na
var float motherHigh = na
var float motherLow = na
isInsideBar = high <= high and low >= low
if isInsideBar and na(motherHigh)
motherHigh := high
motherLow := low
isExtendedInsideBar = not na(motherHigh) and high <= motherHigh and low >= motherLow
body_color = input.color(color.new(color.orange, 0), "实体颜色")
wick_color = input.color(color.new(color.orange, 0), "影线颜色")
border_color = input.color(color.new(color.orange, 0), "边框颜色")
plotcandle(open, high, low, close, color=isExtendedInsideBar ? body_color : na, wickcolor=isExtendedInsideBar ? wick_color : na, bordercolor =isExtendedInsideBar ? border_color : na ,editable=false)
if not na(motherHigh) and (high > motherHigh or low < motherLow)
motherHigh := na
motherLow := na
// 以下为分型折线逻辑,如不需要可删除
process_fx(last_fx, now_fx) =>
if not na(last_fx)
line.new(last_fx.point, now_fx.point, color=lineColor, xloc=xloc.bar_time)
now_fx
if not isExtendedInsideBar
array.push(valid_arr, vaild_struct.new(high, low, time))
if array.size(valid_arr) > 17
array.shift(valid_arr)
len = array.size(valid_arr)
if len > 3
k_ago = array.get(valid_arr, len - 2)
k_now = array.get(valid_arr, len - 1)
if k_ago.high > k_now.high
for i = 3 to len
last_k = array.get(valid_arr, len - i)
if last_k.high < k_ago.high
if last_k.low < k_ago.low
lastFx := process_fx(lastFx, fx.new("TOP", chart.point.from_time(k_ago.time, k_ago.high)))
break
else
if not na(lastFx)
if lastFx.dir == "TOP"
lastFx := process_fx(lastFx, fx.new("BOT", chart.point.from_time(last_k.time, last_k.low)))
lastFx := process_fx(lastFx, fx.new("TOP", chart.point.from_time(k_ago.time, k_ago.high)))
break
else if last_k.high > k_ago.high
break
// 底分型判定
if k_ago.low < k_now.low
for i = 3 to len
last_k = array.get(valid_arr, len - i)
if last_k.low > k_ago.low
if last_k.high > k_ago.high
lastFx := process_fx(lastFx, fx.new("BOT", chart.point.from_time(k_ago.time, k_ago.low)))
break
else
if not na(lastFx)
if lastFx.dir == "BOT"
lastFx := process_fx(lastFx, fx.new("TOP", chart.point.from_time(last_k.time, last_k.high)))
lastFx := process_fx(lastFx, fx.new("BOT", chart.point.from_time(k_ago.time, k_ago.low)))
break
else if last_k.low < k_ago.low
break
len = input.int(20, minval=1, title="Length")
src = input(close, title="Source")
offset = input.int(title="Offset", defval=0, minval=-500, maxval=500, display = display.data_window)
out = ta.ema(src, len)
plot(out, title="EMA", color=color.blue, offset=offset)
// Smoothing MA inputs
GRP = "Smoothing"
TT_BB = "Only applies when 'SMA + Bollinger Bands' is selected. Determines the distance between the SMA and the bands."
maTypeInput = input.string("None", "Type", options = , group = GRP, display = display.data_window)
maLengthInput = input.int(14, "Length", group = GRP, display = display.data_window)
bbMultInput = input.float(2.0, "BB StdDev", minval = 0.001, maxval = 50, step = 0.5, tooltip = TT_BB, group = GRP, display = display.data_window)
var enableMA = maTypeInput != "None"
var isBB = maTypeInput == "SMA + Bollinger Bands"
// Smoothing MA Calculation
ma(source, length, MAtype) =>
switch MAtype
"SMA" => ta.sma(source, length)
"SMA + Bollinger Bands" => ta.sma(source, length)
"EMA" => ta.ema(source, length)
"SMMA (RMA)" => ta.rma(source, length)
"WMA" => ta.wma(source, length)
"VWMA" => ta.vwma(source, length)
// Smoothing MA plots
smoothingMA = enableMA ? ma(out, maLengthInput, maTypeInput) : na
smoothingStDev = isBB ? ta.stdev(out, maLengthInput) * bbMultInput : na
plot(smoothingMA, "EMA-based MA", color=color.yellow, display = enableMA ? display.all : display.none, editable = enableMA)
bbUpperBand = plot(smoothingMA + smoothingStDev, title = "Upper Bollinger Band", color=color.green, display = isBB ? display.all : display.none, editable = isBB)
bbLowerBand = plot(smoothingMA - smoothingStDev, title = "Lower Bollinger Band", color=color.green, display = isBB ? display.all : display.none, editable = isBB)
fill(bbUpperBand, bbLowerBand, color= isBB ? color.new(color.green, 90) : na, title="Bollinger Bands Background Fill", display = isBB ? display.all : display.none, editable = isBB)
EMA Multi-Type StrategyThis is a price-action + EMA trend strategy that:
Uses EMA as trend filter
Looks for pullbacks and structure shifts near the EMA
Trades 3 different entry patterns (TYPE 1 / 2 / 3)
Allows:
Fixed SL–TP (RR based)
OR ATR trailing stop
Optionally blocks opposite trades until the current trade exits
Think of it as:
“Trade continuation after pullback in EMA trend, with multiple confirmation strengths.”
alfaza candleblue candle
it shows the candle in blue color that comply with the conditions of high volume more than 4 pervious candles and it comes after price drop
Alfaza candlepower of candle
it shows the candle that has large volume the 4 previous candles and the candle comes after price drop
Trend Table (Gradient Pill)Single-row layout with each timeframe as a "pill" cell (label + arrow combined)
Background color changes to teal green for bullish, coral red for bearish
White text on colored backgrounds for better contrast
Cleaner arrows (▲/▼) instead of emoji arrows
Transparent outer frame with subtle border
Franken-StrengthBuy and Sell Scalping Signals using RSI and TMO to read market structure for better entry and exit points.
Tetris V1 traderglobaltopTetris Indicator is a visual trading tool that displays blocks or zones on the chart to identify market structures, such as impulses, pullbacks, and key price areas. Its purpose is to simplify market analysis, helping traders clearly identify entries, exits, and potential trend continuations.
Trading involves risk. All risk is assumed solely by the operator; the indicator developer is not responsible for any trading losses..
Indicador Tetris es una herramienta de trading visual que muestra bloques o zonas en el gráfico para identificar estructuras del mercado, como impulsos, retrocesos y áreas clave de precio. Su objetivo es simplificar la lectura del mercado, ayudando a detectar entradas, salidas y posibles continuaciones de tendencia de forma clara, con una ema de 120.
Power Candle Morphology Power Score Only- By DaliliPower Candle Morphology Indicator
By Dalili
Overview
This indicator is a price-action–only candle morphology engine designed to identify moments of genuine directional intent rather than noise. It operates strictly on single-bar geometry and immediate context, without moving averages, oscillators, volatility smoothing, or historical aggregation. Each qualifying candle is scored in real time and labeled only when structural dominance is present.
Core Philosophy
Markets move when one side overwhelms the other. This tool quantifies that imbalance directly from the candle itself. It ignores indicators derived from price and instead evaluates how price behaved inside the bar: body dominance, wick asymmetry, closing authority, and classic institutional candle patterns. No hindsight. No averaging. One bar, one judgment.
Morphology Detection
The indicator classifies only high-conviction candle structures:
1. Marubozu variants, where the body controls the full range and the close asserts dominance at the extreme.
2. Engulfing structures, where a current candle decisively absorbs prior opposing intent.
3. Directional pin bars, where rejection is violent and asymmetric, signaling forced participation failure on one side.
If none of these conditions are met, the candle is ignored entirely.
Power Scoring System
Each qualifying candle receives a Power Score from 1 to 10, derived from four independent components:
1. Body dominance as a percentage of total range.
2. Wick asymmetry relative to the body, measuring rejection or control.
3. Close location within the range, measuring who won the bar.
4. Pattern boost for structurally dominant formations.
The score is intentionally capped and discrete. There is no smoothing, rolling average, or cumulative bias.
Signal Output
Only candles that meet both structural qualification and a minimum power threshold are labeled. Labels are minimal by design:
“P#” only, plotted above or below the candle in the direction of dominance. Green denotes bullish control. Red denotes bearish control. No additional text, shapes, or overlays are introduced.
What This Indicator Is Not
It is not predictive.
It is not trend-following.
It is not confirmation-stacking.
It does not care about indicators agreeing with it.
What It Is Used For
This indicator is best used as a decision-quality filter. It answers a single question with precision: Was this candle structurally strong enough to matter? When combined with context such as support and resistance, volume expansion, or volatility contraction, it highlights the exact bars where professional participation is most likely present.
In short, this is a candle truth detector. It strips price action down to dominance, grades it objectively, and stays silent unless something real just happened.
Candle Intelligence🔹 Candle Intelligence (IM-CI)
Candle Intelligence (IM-CI) is a context-only intraday market behavior indicator designed to help traders understand how price is behaving, not where to buy or sell.
This tool classifies individual candles, detects short-term behavioral patterns, and displays a non-blocking market state to improve decision awareness during live trading.
⚠️ IM-CI does NOT generate buy/sell signals.It is strictly intended for market context, confirmation, and study.
🔍 What This Indicator Does
🧠 Candle Intelligence Layer
Each candle is classified based on volatility-adjusted behavior using ATR:
Strong expansion candles
Normal directional candles
Weak / neutral candles
These classifications are shown as compact candle codes (optional) to quickly read price behavior without clutter.
📐 Pattern Recognition (Context Only)
IM-CI detects short, non-predictive behavioral patterns, such as:
Compression
Absorption
Momentum bursts
Distribution
These patterns are displayed as soft zones, not signals, helping traders visually study how price reacts around key moments.
Cooldown logic is used to prevent repetitive pattern noise.
🌐 Market State Engine
The indicator continuously evaluates recent candle behavior and VWAP positioning to describe the current market condition, such as:
Expansion
Extended
Distribution
Balanced
This state is shown in a small HUD panel and is designed to:
Reduce emotional over-trading
Identify unsuitable market conditions
Improve alignment with higher-probability environments
⚙️ Key Features
ATR-aware candle classification
VWAP extension detection
Timeframe-adaptive candle code visibility
Non-repainting logic
Clean, lightweight HUD panel
Designed for intraday futures & index trading
🛠 How to Use
Use IM-CI as a context filter, not a trigger
Combine with your own execution system
Avoid trading during Extended or unclear states
Best suited for lower timeframes (1–5 min)
⚠️ Disclaimer
This indicator is provided for educational and informational purposes only. It does not constitute financial advice and should not be used as a standalone trading system.
All trading decisions remain the sole responsibility of the user.
[ST] Flow CandlesThis indicator does not generate buy or sell signals.
It translates the current market state into colors, allowing for fast and clean visual reading.
The logic is simple:
RSI + slope → show how the market is moving right now (flow).
Relative volume → indicates how much conviction is behind that movement.
LSVI (relative volatility) → defines when continuation is allowed, avoiding entries during chaotic volatility expansions.
Color interpretation:
Gray → neutral market / no clear asymmetry.
Neon green → strong bullish trend, confirmed by volume.
Strong red → strong bearish trend, confirmed by volume.
Gold → continuation allowed after a spike
(volatility compression + flow still active).
This indicator was designed to work alongside SMC, Liquidity and FVG, acting as a flow and timing reader, not as an automatic entry system.
SMC shows where.
Volume shows effort.
Colors show flow.
Gold shows timing.
8 AM (UTC-5) 1-Hour Candle High/Low Box This indicator creates a box for the 8 am (UTC-5) 1-hour candle and will delete on the chart once both the high and low is swept. When one side is swept, the box will turn orange.
SMC Market Structure (HH/HL/LH/LL + BOS/CHoCH/MSS)SMC Market Structure (HH/HL/LH/LL + BOS/CHoCH/MSS) is a clean price-action / Smart Money Concepts market structure tool designed to automatically identify and label key structural events on the chart:
Swing structure points: HH, HL, LH, LL
Continuation confirmations: BOS (Break of Structure)
Early reversal warnings: CHoCH (Change of Character)
Stronger reversal signals: MSS (Market Structure Shift) using a displacement filter
The script is built to remain visually tidy: it draws simple horizontal structure lines at the broken swing level and prints small abbreviations (BOS / CHoCH / MSS) directly on the chart without cluttering candles or adding heavy panels.
What the Indicator Detects
1) Swing Points (HH / HL / LH / LL)
Swings are detected using confirmed pivots (left/right “Swing length” bars).
HH (Higher High): a swing high above the previous swing high
LH (Lower High): a swing high below the previous swing high
HL (Higher Low): a swing low above the previous swing low
LL (Lower Low): a swing low below the previous swing low
These labels help define the market’s active structure:
Bullish structure: HH + HL sequence
Bearish structure: LL + LH sequence
Range / consolidation: mixed swing progression
2) BOS (Break of Structure) – Trend Continuation
A BOS prints when price breaks the most recent swing level in the direction of the current structure:
In a bullish market state → break above the most recent swing high
In a bearish market state → break below the most recent swing low
This is typically treated as confirmation that the existing trend is continuing.
3) CHoCH (Change of Character) – Early Reversal Signal
A CHoCH prints on the first break against the current structure:
In a bullish market state → break below the most recent swing low
In a bearish market state → break above the most recent swing high
CHoCH is intended as an early warning that the market may be transitioning into a new directional bias.
4) MSS (Market Structure Shift) – Stronger Reversal via Displacement
MSS is treated as a “strong CHoCH” and requires a decisive, displacement-style candle at the break.
To qualify as MSS, the script requires:
A break against structure with a CLOSE break, and
A displacement candle where:
Candle body > ATR × Displacement Multiplier
This helps filter out shallow wicks or minor liquidity grabs and highlights shifts that show stronger participation and momentum.
How the Indicator Draws on the Chart
When a BOS / CHoCH / MSS occurs:
A horizontal line is drawn from the swing point to the break bar at the broken level.
A small abbreviation label (BOS / CHoCH / MSS) is placed either:
In the middle of the line segment, or
On the break bar (selectable)
Swing labels (HH/HL/LH/LL) are optional and can be disabled for a cleaner “event-only” layout.
Inputs & Settings
Swing Length (Pivot Left/Right)
Controls how sensitive the swing detection is.
Lower values (3–5): more structure points, more signals
Higher values (8–14): fewer, cleaner swings (better for higher timeframes)
Break Confirmation (Wick vs Close)
Wick: break triggers when the candle’s wick crosses the swing level
Close: break triggers only when the candle closes beyond the swing level
Many SMC traders prefer Wick for detecting liquidity runs and early breaks, while others prefer Close to reduce false signals.
MSS Displacement Filter
ATR Length: ATR calculation period
Displacement Multiplier: Minimum body size = ATR × multiplier
Higher multiplier = fewer MSS signals, but stronger quality threshold.
Display Toggles
Show/Hide Swing Labels (HH/HL/LH/LL)
Show/Hide BOS, CHoCH, MSS
Optional EQH/EQL labeling (equal highs/lows)
Visual Controls
Bullish / bearish structure colors
Line width / style
Text offset (in ticks) to keep labels neat above/below level
Maximum structure objects to keep on screen (prevents object-limit issues)
Recommended Usage
Trend Following
Use HH/HL or LL/LH progression to define the trend.
Wait for BOS to confirm continuation.
Use BOS levels as:
Bias confirmation
Potential retest zones
Risk reference for stop placement
Reversal / Shift Detection
Identify prevailing structure (bullish or bearish).
Watch for CHoCH as the first sign of a possible reversal.
Treat MSS as a stronger “shift” event (displacement + close break), often suitable for:
Changing directional bias
Switching from pullback trading to reversal continuation setups
Multi-Timeframe Workflow (Common SMC Method)
Higher timeframe (HTF): use swings and BOS to define macro bias
Lower timeframe (LTF): use CHoCH/MSS to time entries and manage risk
Confirm entries with your preferred tools (order blocks, FVGs, liquidity pools, session timing, etc.)
Notes & Limitations
This script uses confirmed pivots, so swing labels appear only after the swing is fully formed (after Swing length bars). This avoids repainting swing points.
BOS/CHoCH/MSS events are derived from the most recent confirmed swing levels.
MSS requires a close break and displacement threshold even if “Wick” breaks are enabled for other events (by design, to keep MSS strict).
Best Settings by Timeframe (General Guide)
Scalping (1–5m): Swing length 3–5, Wick breaks, MSS multiplier 1.2–1.8
Intraday (15m–1h): Swing length 5–8, Wick or Close, MSS multiplier 1.5–2.0
Swing trading (4h–1D): Swing length 8–14, Close breaks, MSS multiplier 1.8–2.5
Bot Scalping XAUUSD(Volatilidad + TP Parcial + Modo Intermedio)Probar un nuevo bot.
En oro dando entradas para scalping con TP, SL Y BE
Gold Bullish Order Blocks - 3 Candle Confirmation after the OBBest Order blocks finder created by Marky using claude AI.
ICT IRON-CLAD: Fixed Sessionsall sessions and killzones marked out with colours and lables as used by all traders
Custom EMA Stack + Signals AiWhat your script does (in plain English)
• Plots EMA 8, 21, 50, 100, 200 with toggles to show/hide each one.
• Generates a BUY label when:
• EMA 8 crosses above EMA 50
• AND EMA 50 is above EMA 200 (bullish environment filter)
• Generates a SELL label when:
• EMA 8 crosses below EMA 50
• AND EMA 50 is below EMA 200 (bearish environment filter)
This is a simple trend‑filtered crossover system.
EY Watermark DashboardThis script provides a comprehensive, high-level watermark dashboard designed to give traders an immediate snapshot of a symbol's health and context without cluttering the main chart area.
Main Features & Logic:
Contextual Data: Displays Company Name, Market Cap (T/B/M), Sector, and Industry.
Volatility (ATR): Shows the 14-day Average True Range as a percentage of the price, with color-coded emojis based on user-defined thresholds.
Volume Anomaly Detection: Compares current intraday volume against a 200-bar SMA to flag "Low," "High," or "Extreme" volume spikes.
Pre-Market Analysis: Calculates cumulative pre-market volume and compares it to a 30-day average volume. This is categorized into levels (Negligible, Noise, Sentiment, Significant Move, or Major Event) to help identify early institutional interest.
Trend & Distance: Tracks price position relative to a customizable Moving Average (default 150) and calculates the percentage distance from the All-Time High (ATH).
Fundamental Data: Integrates P/E ratios and a countdown to the next earnings date using TradingView's financial and earnings data functions.
How to use: Traders can use this to quickly verify if a stock is "extended" from its ATH, if the current volume is anomalous, or if there is significant pre-market activity that warrants attention before the opening bell.






















