Bearish Breakaway Dual Session-FVGInspired by the FVG Concept:
This indicator is built on the Fair Value Gap (FVG) concept, with a focus on Consolidated FVG. Unlike traditional FVGs, this version only works within a defined session (e.g., ETH 18:00–17:00 or RTH 09:30–16:00).
See the Figure below as an example:
Bearish consolidated FVG & Bearish breakaway candle
Begins when a new intraday high is printed. After that, the indicator searches for the 1st bearish breakaway candle, which must have its high below the low of the intraday high candle. Any candles in between are part of the consolidated FVG zone. Once the 1st breakaway forms, the indicator will shades the candle’s range (high to low). Then it will use this candle as an anchor to search for the 2nd, 3rd, etc. breakaways until the session ends.
Session Reset: Occurs at session close.
Repaint Behavior:
If a new intraday (or intra-session) high forms, earlier breakaway patterns are wiped, and the system restarts from the new low.
Counter:
A session-based counter at the top of the chart displays how many bullish consolidated FVGs have formed.
Settings
• Session Setup:
Choose ETH, RTH, or custom session. The indicator is designed for CME futures in New York timezone, but can be adjusted for other markets.
If nothing appears on your chart, check if you loaded it during an inactive session (e.g., weekend/Friday night).
• Max Zones to Show:
Default = 3 (recommended). You can increase, but 3 zones are usually most useful.
• Timeframe:
Best on 1m, 5m, or 15m. (If session range is big, try higher time frame)
Usage:
See this figure as an example
1. Avoid Trading in Wrong Direction
• No Bearish breakaway = No Short trade.
• Prevents the temptation to countertrade in strong uptrends.
2. Catch the Trend Reversal
• When a bearish breakaway appears after an intraday high, it signals a potential reversal.
• You will need adjust position sizing, watch out liquidity hunt, and place stop loss.
• Best entries of your preferred choices: (this is your own trading edge)
Retest
Breakout
Engulf
MA cross over
Whatever your favorite approach
• Reversal signal is the strongest when price stays within/below the breakaway candle’s
range. Weak if it breaks above.
3. Higher Timeframe Confirmation
• 1m can give false reversals if new lows keep forming.
• 5m often provides cleaner signals and avoids premature reversals.
Summary
This indicator offers 3 main advantages:
1. Prevents wrong-direction trades.
2. Confirms trend entry after reversal signals.
3. Filters false positives using higher timeframes.
Failed example:
Usually happen if you are countering a strong trend too early and using 1m time frame
Last Mention:
The indicator is only used for bearish side trading.
Candlestick analysis
Scalp - Victor Trader//@version=6
indicator("Scalp Fluxo Simples v6 — OP1/OP2/OP3", overlay=true, max_labels_count=500)
// === Inputs básicos ===
lenVol = input.int(50, "Janela do Volume", minval=10)
zVolThr = input.float(2.2,"Z-score mínimo p/ Clímax", step=0.1)
imbThr = input.float(0.65,"Desequilíbrio |Δ|/Vol", step=0.01)
sweepLookbk = input.int(20, "Lookback p/ Varredura", minval=5)
wickMult = input.float(1.0,"Pavio dominante vs Corpo (x)", step=0.1)
confirmClose = input.bool(true, "Confirmar só no fechamento? (anti-repaint)")
cooldownBars = input.int(8, "Cooldown OP1 (barras mínimas entre OP1)", minval=0)
// --- OP2 (reteste) ---
useOP2 = input.bool(true, "Ativar OP2 (reteste da zona)?")
retestBars = input.int(8, "Janela p/ reteste (barras após OP1)", minval=1)
// --- OP3 (confirmação do candle seguinte) ---
useOP3 = input.bool(true, "Ativar OP3 (confirmação do candle seguinte)?")
// === Funções utilitárias ===
zscore(src, len) =>
m = ta.sma(src, len)
s = ta.stdev(src, len)
s := s == 0.0 ? 1e-10 : s
(src - m) / s
// === Proxy de delta (tick rule) ===
chg = close - close
delta = volume * math.sign(chg)
// === Clímax de volume ===
zVol = zscore(volume, lenVol)
climax = zVol >= zVolThr
// === Pavio dominante ===
body = math.abs(close - open)
topWick = high - math.max(open, close)
botWick = math.min(open, close) - low
topDom = topWick > body * wickMult
botDom = botWick > body * wickMult
// === Desequilíbrio ===
imbalance = math.abs(delta) / math.max(volume, 1.0)
buyImb = imbalance >= imbThr and delta > 0
sellImb = imbalance >= imbThr and delta < 0
// === Sweeps ===
prevHH = ta.highest(high, sweepLookbk)
prevLL = ta.lowest(low, sweepLookbk)
sweepHigh = high > prevHH
sweepLow = low < prevLL
okBar = not confirmClose or barstate.isconfirmed
// === OP1 (sinal raiz) ===
topOP1_raw = climax and buyImb and sweepHigh and topDom and okBar
bottomOP1_raw = climax and sellImb and sweepLow and botDom and okBar
// Cooldown OP1
var int lastTopOP1 = na
var int lastBotOP1 = na
topOP1 = topOP1_raw and (na(lastTopOP1) or bar_index - lastTopOP1 > cooldownBars)
bottomOP1 = bottomOP1_raw and (na(lastBotOP1) or bar_index - lastBotOP1 > cooldownBars)
if topOP1
lastTopOP1 := bar_index
if bottomOP1
lastBotOP1 := bar_index
// === Guardar ZONAS do pavio do OP1 para OP2 ===
var float lastTopZoneLow = na
var float lastTopZoneHigh = na
var int lastTopBar = na
var float lastBotZoneLow = na
var float lastBotZoneHigh = na
var int lastBotBar = na
if topOP1
lastTopZoneLow := math.max(open, close)
lastTopZoneHigh := high
lastTopBar := bar_index
if bottomOP1
lastBotZoneLow := low
lastBotZoneHigh := math.min(open, close)
lastBotBar := bar_index
// === OP2 (reteste da zona do pavio dentro de N barras) ===
topOP2 = useOP2 and not na(lastTopBar) and bar_index > lastTopBar and (bar_index - lastTopBar <= retestBars) and high >= lastTopZoneLow and low <= lastTopZoneHigh and close < open and okBar
bottomOP2 = useOP2 and not na(lastBotBar) and bar_index > lastBotBar and (bar_index - lastBotBar <= retestBars) and high >= lastBotZoneLow and low <= lastBotZoneHigh and close > open and okBar
// === OP3 (confirmação do candle seguinte) ===
topOP3 = useOP3 and topOP1 and close < low and okBar
bottomOP3 = useOP3 and bottomOP1 and close > high and okBar
// === Plots ===
plotshape(series=topOP1, title="TOP OP1", style=shape.triangledown, location=location.abovebar, color=color.red, size=size.small, text="TOP1")
plotshape(series=topOP2, title="TOP OP2", style=shape.triangledown, location=location.abovebar, color=color.maroon, size=size.small, text="TOP2")
plotshape(series=topOP3, title="TOP OP3", style=shape.triangledown, location=location.abovebar, color=color.orange, size=size.small, text="TOP3")
plotshape(series=bottomOP1, title="FND OP1", style=shape.triangleup, location=location.belowbar, color=color.lime, size=size.small, text="FND1")
plotshape(series=bottomOP2, title="FND OP2", style=shape.triangleup, location=location.belowbar, color=color.green, size=size.small, text="FND2")
plotshape(series=bottomOP3, title="FND OP3", style=shape.triangleup, location=location.belowbar, color=color.teal, size=size.small, text="FND3")
// === Alertas ===
alertcondition(condition=topOP1, title="TOP OP1", message="TOP OP1 (clímax+sweep+pavio)")
alertcondition(condition=topOP2, title="TOP OP2", message="TOP OP2 (reteste da zona)")
alertcondition(condition=topOP3, title="TOP OP3", message="TOP OP3 (confirmação)")
alertcondition(condition=bottomOP1, title="FND OP1", message="FND OP1 (clímax+sweep+pavio)")
alertcondition(condition=bottomOP2, title="FND OP2", message="FND OP2 (reteste da zona)")
alertcondition(condition=bottomOP3, title="FND OP3", message="FND OP3 (confirmação)")
Rolling Correlation BTC vs Hedge AssetsRolling Correlation BTC vs Hedge Assets
Overview
This indicator calculates and plots the rolling correlation between Bitcoin (BTC) returns and several key hedge assets:
• XAUUSD (Gold)
• EURUSD (proxy for DXY, U.S. Dollar Index)
• VIX (Volatility Index)
• TLT (20y U.S. Treasury Bonds ETF)
By monitoring these dynamic correlations, traders can identify whether BTC is moving in sync with risk assets or decoupling as a hedge, and adjust their trading strategy accordingly.
How it works
1. Computes returns for BTC and each asset using percentage change.
2. Uses the rolling correlation function (ta.correlation) over a configurable window length (default = 12 bars).
3. Plots each correlation as a separate colored line (Gold = Yellow, EURUSD = Blue, VIX = Red, TLT = Green).
4. Adds threshold levels at +0.3 and -0.3 to help classify correlation regimes.
How to use it
• High positive correlation (> +0.3): BTC is moving together with the asset (risk-on behavior).
• Near zero (-0.3 to +0.3): BTC is showing little to no correlation — neutral/independent moves.
• Negative correlation (< -0.3): BTC is moving in the opposite direction — potential hedge opportunity.
Practical strategies:
• Watch BTC vs VIX: a spike in volatility (VIX ↑) usually coincides with BTC selling pressure.
• Track BTC vs EURUSD: stronger USD often puts downside pressure on BTC.
• Observe BTC vs Gold: during “flight to safety” events, gold rises while BTC weakens.
• Monitor BTC vs TLT: rising yields (falling TLT) often align with BTC weakness.
Inputs
• Window Length (bars): Number of bars used to calculate rolling correlations (default = 12).
• Comparison Timeframe: Default = 5m. Can be changed to align with your intraday or swing trading style.
Notes
• Works best on intraday charts (1m, 5m, 15m) for scalping and short-term setups.
• Use correlations as context, not standalone signals — combine with volume, VWAP, and price action.
• Correlations are dynamic; they can switch regimes quickly during macro events (CPI, NFP, FOMC).
This tool is designed for traders who want to manage risk exposure by monitoring whether BTC is behaving as a risk-on asset or hedge, and to exploit opportunities during decoupling phases.
Berlin High/Low bis 15:30dayHigh := na(dayHigh) ? high : math.max(dayHigh, high)
dayLow := na(dayLow) ? low : math.min(dayLow, low)
CHart_This FVGThis script will work on any time frame, and auto plots the classic ICT "fair value gaps", or imbalances, that result from a three candle formation wherein the middle candle body extends beyond the highs and lows of the end candles, leaving no overlap of the first and last candle wicks. Bullish imbalances are green, and bearish are red. Plotted zones will automatically close once a candle closure fully violates the imbalance zone with a close beyond its borders.
Previous Candle High/Low (Global Rays)Previous Candle High/Low (Global Rays, Corrected)
This indicator tracks the high and low of the most recently closed candle and projects them forward as global horizontal rays.
Features:
✅ Automatically updates the levels once a candle fully closes.
✅ Draws persistent lines at the previous candle’s high (green) and low (red), extending them into the future.
✅ Highlights real-time breakouts:
✅ Includes built-in alert conditions for both breakout events.
How to Use:
Use the levels as reference points for breakout trades, liquidity sweeps, or stop hunts.
Alerts can help you catch moves without needing to constantly watch the chart.
Works on any timeframe and symbol.
BBHAFIZ Signal + TP/SL Levels + Alerts🚀 No more waiting—signals ready instantly!
This indicator shows BUY/SELL with TP & SL directly on the chart.
Labels are neatly lined on the side, clear and easy to read.
Alerts are included, so no need to watch the chart 24/7.
Fast, simple, and time-saving for every trader!
FVG Zones – shrink on fill (bull/bear)Detects classic 3-candle FVGs (ICT definition).
Draws zones as boxes that extend to the right.
On each bar close:
Checks overlap with the current candle.
Shrinks the zone when price wicks into it (bullish: top moves down; bearish: bottom moves up).
Deletes the zone once it’s completely filled/closed.
Inputs: bullish/bearish zone color, border color, and max number of visible FVGs.
Possible extensions:
Multi-timeframe FVGs (e.g. H1 FVGs shown on M5).
Separate limits for bullish and bearish zones.
Alerts for new FVG, partial fill, or closed FVG.
Option “Body only” (ignore wicks when detecting overlap).
Minimum FVG size filter (ticks/ATR).
Trapped Traders [ScorsoneEnterprises]This indicator identifies and visualizes trapped traders - market participants caught on the wrong side of price movements with significant volume imbalances. By analyzing volume delta at specific price levels, it reveals where traders are likely experiencing unrealized losses and may be forced to exit their positions.
The point of this tool is to identify where the liquidity in a trend may be.
var lowerTimeframe = switch
useCustomTimeframeInput => lowerTimeframeInput
timeframe.isseconds => "1S"
timeframe.isintraday => "1"
timeframe.isdaily => "5"
=> "60"
= ta.requestVolumeDelta(lowerTimeframe)
price_quantity = map.new()
is_red_candle = close < open
is_green_candle = close > open
for i=0 to lkb-1 by 1
current_vol = price_quantity.get(close)
new_vol = na(current_vol) ? lastVolume : current_vol + lastVolume
price_quantity.put(close, new_vol)
if is_green_candle and new_vol < 0
price_quantity.put(close, new_vol)
else if is_red_candle and new_vol > 0
price_quantity.put(close, new_vol)
We see in this snippet, the lastVolume variable is the most recent volume delta we can receive from the lower timeframe, we keep updating the price level we're keeping track of with that lastVolume from the lower timeframe.
This is the bulk of the concept as this level and size gives us the idea of how many traders were on the wrong side of the trend, and acting as liquidity for the profitable entries. The more, the stronger.
There are 3 ways to visualize this. A basic label, that will display the size and if positive or negative next to the bar, a gradient line that goes 10 bars to the future to be used as a support or resistance line that includes the quantity, and a bubble chart with the quantity. The larger the quantity, the bigger the bubble.
We see in this example on NYMEX:CL1! that there are lines plotted throughout this price action that price interacts with in meaningful way. There are consistently many levels for us.
Here on CME_MINI:ES1! we see the labels on the chart, and the size set to large. It is the same concept just another way to view it.
This chart of CME_MINI:RTY1! shows the bubble chart visualization. It is a way to view it that is pretty non invasive on the chart.
Every timeframe is supported including daily, weekly, and monthly.
The included settings are the display style, like mentioned above. If the user would like to see the volume numbers on the chart. The text size along with the transparency percentage. Following that is the settings for which lower timeframe to calculate the volume delta on. Finally, if you would like to see your inputs in the status line.
No indicator is 100% accurate, use "Trapped Traders" along with your own discretion.
JAIN'S ALGOIt's Going To Help you catch the Complete Trend. (Follow Only When You Know Which Day You Shall Be Trading), To make money in the market is not to trade every day, but to trade on the best days.
NYC Candle Times Grid Muestra el horario de apertura de las velas en diferentes time frames.
Displays the opening hours of the candles in different time frames.
Season profile Pro++🔹 Key Parts of Volume Profile
Point of Control (POC)
The price level with the highest traded volume.
Strong magnet: price often revisits POC.
High Volume Nodes (HVN)
Areas where a lot of trading happened.
These act like support/resistance zones.
Market accepts these prices (fair value).
Low Volume Nodes (LVN)
Areas with very little trading.
Price usually moves through these zones quickly.
Act as gaps or rejection areas.
Value Area (VA)
Typically 70% of all volume traded.
Split into:
Value Area High (VAH) = upper limit of fair value.
Value Area Low (VAL) = lower limit of fair value.
Market tends to rotate inside VA, and breakouts above/below VAH/VAL are important.
🔹 Types of Volume Profiles
Fixed Range Volume Profile → analyze a custom zone (e.g., one session, swing, or OB).
Session Volume Profile → shows profile for each day/session.
Visible Range Volume Profile → calculates based on what’s visible on your chart.
🔹 How Traders Use Volume Profile
Finding Strong S/R Levels
POC = strong attraction level.
VAH & VAL = breakout or rejection zones.
Identifying Liquidity Areas
HVN = consolidation zones where institutions load up.
LVN = thin zones where price often makes fast moves.
Trend vs Balance
Wide VA = balanced market (sideways).
Narrow VA with price pushing = trending market.
Confluence with ICT Concepts
OB inside a HVN → stronger.
Liquidity grab into LVN → powerful reversal zone.
🔹 Simple Example
Imagine EURUSD has:
POC at 1.0850 (heavy volume traded here).
VAH at 1.0880.
VAL at 1.0820.
Price action v2Core Elements of Price Action
Market Structure
Higher Highs (HH), Higher Lows (HL) → Uptrend
Lower Highs (LH), Lower Lows (LL) → Downtrend
Sideways → Consolidation
📌 Structure tells you whether buyers or sellers are in control.
Support & Resistance (S/R)
Horizontal levels where price has reacted before.
Support = buyers step in (floor).
Resistance = sellers step in (ceiling).
PA traders watch how candles react here → breakout, rejection, fakeout.
Candlestick Behavior
Pin bar / Wick rejections = rejection of price levels.
Engulfing candles = shift in momentum.
Doji / indecision = market pausing before next move.
📌 A single candle tells you the “fight” between buyers and sellers.
Order Blocks (ICT concept)
Last bullish/bearish candle before a strong move.
Represents institutional orders.
Acts like strong S/R zones.
Break of Structure (BOS) & Shift in Market Structure (SMS)
When price breaks a recent high/low, it signals continuation or reversal.
Example: HH → BOS → price retraces to OB → continues.
Liquidity
Price seeks liquidity (stop hunts, fake breakouts).
Equal highs/lows, trendline liquidity, and session highs/lows are key zones.
ICT often calls this the “Judas Swing” before real move.
Market Cycles (Wyckoff/ICT)
Accumulation → sideways, smart money entering.
Manipulation / Fake move (stop hunt).
Expansion / Distribution → strong trending move.
Reversal → cycle repeats.
🔹 Why Price Action Works
Indicators (RSI, MACD, etc.) are derived from price.
If you understand raw price → you’re ahead of lagging tools.
It helps you “read the tape” like institutions.
🔹 Example Workflow of a PA Trader
Identify trend / structure (up, down, range).
Mark key S/R levels, OBs, liquidity zones.
Wait for candle confirmation (engulfing, rejection, BOS).
Enter on retracement (FVG, OB, S/R retest).
Manage risk → Stop Loss below structure, TP at liquidity levels.
Triumm algo v2 with Signal Quality1. Core Buy/Sell Logic
Uses two EMAs (9 & 21 by default).
Buy Signal = when fast EMA crosses above slow EMA and RSI < 70 (not overbought).
Sell Signal = when fast EMA crosses below slow EMA and RSI > 30 (not oversold).
At a signal:
It sets an Entry price (current close).
It calculates 3 Take Profit (TP1, TP2, TP3) based on ATR multiples.
It sets a Stop Loss (SL) also based on ATR.
🔹 2. Signal Confidence & Potential
The script doesn’t just give a raw buy/sell, it adds “AI-inspired” grading:
Confidence (0–100%)
Based on:
EMA crossover strength (big gap = higher confidence).
RSI position (closer to 30/70 = more decisive).
Volume trend (if volume > average).
Whether you’re in an ICT Killzone (London, NY, Asia sessions).
Potential (0–100%)
Based on:
How far TP1 is from entry (relative to price).
Trend strength (fast EMA above/below slow EMA).
ATR vs average ATR (volatility score).
✅ Then it gives a Signal Quality Label:
Very Good
Good
Simple
Bad
Very Bad
This helps you filter only strong trades.
🔹 3. Dashboard
On the chart, a dashboard table shows:
Trend direction (Uptrend/Downtrend).
RSI value.
ATR value.
Current Killzone (London, NY, Asia, or OFF).
Suggested timeframe (based on volatility).
🔹 4. Fair Value Gaps (FVGs)
The script also includes FVG detection:
Finds bullish/bearish FVGs (price gaps between candles).
Can show unmitigated/mitigated levels.
Optionally plots them with boxes or dashed lines.
Keeps count of FVGs and shows stats in a dashboard.
🔹 5. CISD (Change in State of Delivery)
Another ICT concept:
Detects when market structure shifts.
Marks +CISD (bullish) or -CISD (bearish) levels with lines/labels.
Deletes or keeps old levels (configurable).
Can send alerts when CISD levels are broken.
🔹 6. AI Multi-Timeframe Trend Check
The script scans 1m, 5m, 15m, 30m:
Each TF gives a score based on EMA, RSI, and Volume.
Picks the best timeframe with strongest setup.
Displays reasoning in a mini “🧠 Triumm AI” table.
🔹 7. Range Filter (Extra Buy/Sell)
At the bottom, there’s a Range Filter system:
Smooths price with EMA-based range filter.
Generates independent Buy/Sell signals when price breaks above/below the filter.
Plots signals with arrows (“Buy” below bars, “Sell” above bars).
Can also be turned into a strategy with TP/SL.
⚡ Summary in Simple Words
This indicator is like an all-in-one trading toolkit:
📈 Entry/Exit with ATR-based TP/SL.
🎯 Confidence & Potential scoring (quality check).
🕰️ ICT Killzones & dashboard.
📊 AI Multi-timeframe trend filter.
🌀 Fair Value Gaps (ICT concept).
🔄 CISD structure shift detection.
📉 Range Filter Buy/Sell signals.
Rapid ORB Pro – Breakout & Fakeout Detector (Multi Sessions)"Multi-session ORB tool with breakout confirmation, fakeout detection, and volume filter for true momentum trades. DLS confusion proof"
Description
The Rapid ORB Pro indicator is designed to identify opening range breakouts (ORB) across multiple sessions and confirm whether the move is valid or a likely fakeout. This tool works on any asset and timeframe where range trading is relevant. Also coded in a way to tackle daylight saving issue around the world.
Core Concepts
1. Opening Range Breakout (ORB):
The indicator marks the defined opening range for each session and tracks when price breaks above or below this range.
2. Confirmation Rules:
A breakout is only confirmed when:
The breakout candle shows a strong body (momentum candle), not just a wick.
The candle closes beyond the prior candle’s high or low, ensuring follow-through.
The structure aligns with market flow (Higher High / Higher Low in bullish context, Lower High / Lower Low in bearish context).
These conditions help filter weak breakouts and highlight true momentum moves.
3. Fakeout Detection (FO):
If price breaks out but the very next candle closes back inside the opening range, an FO marker is plotted. This helps traders exit limit orders quickly and avoid false signals.
4. 7-Bar Check:
If no valid breakout occurs within 7 candles after the range, the indicator prints a “7” on the chart. This signals a likely choppy session where breakout trades have lower probability.
5. Volume State Table:
A table on the chart compares the breaker candle’s volume with the highest volume candle inside the opening range. This provides a quick assessment of whether the breakout was backed by strong participation (High Volume) or weaker flow (Low Volume).
Use Cases
Works on forex, indices, commodities, and crypto.
Useful for scalpers looking to catch the first breakout of the day.
Helps swing traders filter false moves in volatile sessions.
Can be applied to any range trading strategy, not limited to session opens
.
Trading Tip
Trend is your friend, with trend behind the signal probability goes high.
Check the previous session or prior day stab (PD stab).
Watch for SMT divergence forming across correlated pairs.
If SMT lines up with a signal, the breaker confirmation is stronger.
Both SMT alignment and trend behind valid breakout candle increase the probability of a sustained move.
Always start with lower time frame and go up the time frame ladder. Depending on the market you can catch move earlier within lower time frame.
Note: Each input option in this indicator includes a tooltip with detailed explanations. We recommend experimenting with the settings and backtesting to discover what aligns best with your trading style and comfort zone. By default, the confirmation filters are set to what we have found to be the most effective combinations.
Disclaimer
This indicator is for educational and informational purposes only. It does not provide financial advice or guarantee results. Trading involves significant risk, and you should carefully consider your objectives and risk tolerance before using this tool in live markets. Always conduct your own research and backtesting.
Super orderblock by triummWhat is a Volume Order Block?
An Order Block (OB) is a zone created by institutions (banks, hedge funds, smart money) where they place large orders, usually the last bullish or bearish candle before a strong impulsive move.
A Volume Order Block adds volume analysis into the detection of those zones. Instead of just drawing OBs from price structure, it confirms or filters them with volume imbalances (buyer/seller dominance).
🔹 Why Add Volume?
Regular OBs can appear frequently, and not all are strong. By adding volume metrics, you filter which OBs are truly institutional footprints.
✅ High buy volume in a bullish OB → Smart money accumulation.
✅ High sell volume in a bearish OB → Smart money distribution.
❌ Low volume OB → Weak zone, likely to fail.
🔹 Key Components of Volume Order Blocks
Last Opposite Candle
Bullish OB = last bearish candle before strong rally.
Bearish OB = last bullish candle before strong drop.
Volume Confirmation
OB is valid if its candle(s) show higher than average volume.
Sometimes measured as % of total buy vs. sell volume in that candle.
Imbalance Check
Look for volume imbalance (buyers 60%+ or sellers 60%+).
Confirms smart money dominance.
Reaction Zone
Price revisits the OB → expect reaction (rejection, mitigation, or continuation).
High-volume OBs often act as strong support/resistance
Señal Emocional 9:30 NY [Smart Money Pro+]9:30 NY Signal Strategy with Recovery Logic
A precision-based strategy that triggers one trade daily at 9:30 AM NY. Combines trend, volume, RSI, fractals, VWAP, and emotional bias to generate high-probability BUY/SELL signals. Includes smart recovery mode to manage losses and maintain risk/reward integrity.
Author: Nelson Joaquin Contact: nelsonadames10@gmail.com
Señal V1 9:30 NY [Smart Money Pro+]9:30 NY Signal Strategy with Recovery Logic
A precision-based strategy that triggers one trade daily at 9:30 AM NY. Combines trend, volume, RSI, fractals, VWAP, and emotional bias to generate high-probability BUY/SELL signals. Includes smart recovery mode to manage losses and maintain risk/reward integrity.
Author: Nelson Joaquin Contact: nelsonadames10@gmail.com
BB KC Triangle SignalsBased on Trader Oracle's engulfing candle off Bolinger Band.
I added keltner channels as well. So this prints a symbol ( I use triangles) over the engulfing candle at or near the bolinger band/ keltner channel. Don't have to have the bands printed on the screen for them to work. Seems to work on renko too.
Shooting Star & Hammer mod.Indicator for identifying hammer and shooting stars in a modified version;
The body is larger than the classic version.
You can modify the size of the drill bits if you're looking for a specific pattern.
Use in conjunction with your analysis and/or other charting tools.
Volume Wave AnalyzerWave Buy vs Sell Volume (with Box) analyzes the buying and selling volume within a selected range of past candles. It sums volume from bullish bars (where close > open) as buy volume, bearish bars (close < open) as sell volume, and splits volume evenly for neutral (doji) bars. The indicator displays:
Buy Volume and Sell Volume totals over the chosen candle range
Delta (difference between buy and sell volumes)
Buy Percentage representing buying pressure strength
A visual box on the chart highlighting the selected candle range
This helps traders quickly assess market sentiment and volume dominance during recent price movements, supporting more informed trading decisions.
MO and Stoch GOLD H4 V1 – Kim TradingMO and Stoch GOLD H4 V1 – Kim Trading
Slogan: “Trading Is a Profession, Trading Is Life”
Market: XAUUSD (spot gold) • Timeframe: H4 (4 hours)
Entry/Exit Rules
When a B, B1★ … (buy) or S, S1★ … (sell) signal appears, first reference the prevailing trend and consider applying DCA in the direction of that trend. In addition, combine with other methods to build the most optimal setup.
Signal Confidence Tiers
B — S
B1★ — S1★
B2★ — S2★
B3★ — S3★
Enter trades only when one of the four signal types above is printed.
Author: Kim Trading • Version: V1 • Date: 2025-08-22
#XAUUSD #Gold #H4 #MO #Stoch #KimTrading