ULTRA PLATINUM V51. LONG (BUY) SETUP
When to Enter:
Signal: Wait for a Blue "AL" Label to appear below the candle.
Bar Color: The candle body should turn Green (indicating a strong bullish trend).
Panel Confirmation (Right Corner):
Squeeze Momentum: Should show "MOMENTUM LONG" (Green).
Market Type: Should say "TREND VAR" (Green). If it says "YATAY (RISKLI)" or "CHOPPY", it is better to wait.
EMA Safety: Should say "GÜVENLİ" (Safe).
Action:
Open a Long position at the close of the signal candle.
Stop Loss: Set your SL to the price shown in the Panel under "STOP LOSS".
Take Profit: Set your targets to the prices shown under "KAR AL 1" (TP1) and "KAR AL 2" (TP2).
2. SHORT (SELL) SETUP
When to Enter:
Signal: Wait for an Orange "SAT" Label to appear above the candle.
Bar Color: The candle body should turn Red (indicating a strong bearish trend).
Panel Confirmation:
Squeeze Momentum: Should show "MOMENTUM SHORT" (Red).
Market Type: Should say "TREND VAR".
EMA Safety: Should say "GÜVENLİ".
Action:
Open a Short position at the close of the signal candle.
Stop Loss: Set your SL to the price shown in the Panel under "STOP LOSS".
Take Profit: Use the TP1 and TP2 levels from the Panel.
3. RE-ENTRY STRATEGY (Scaling In)
This feature allows you to increase your position size if the trend continues.
Long Re-Entry: Look for a small Green Triangle below the bar. This means the price pulled back slightly and is now pushing up again (RSI crossover). You can add to your Long position here.
Short Re-Entry: Look for a small Red Triangle above the bar. You can add to your Short position here.
4. CRITICAL WARNINGS (When NOT to Trade)
Gray Candles: If the candles are Gray, the market is indecisive. Avoid entering new positions even if you see a signal.
Squeeze Mode: If the Panel says "SIKIŞMA VAR (BEKLE)" (Squeeze On), it means volatility is very low. A big move is coming, but the direction is uncertain. Wait until the squeeze breaks and the panel changes to Momentum Long or Short.
High Risk: If the panel says "ÇOK YAKIN (RİSK)" regarding the EMA, the price is too close to the 200 EMA. This often acts as a magnet or a wall; proceed with caution.
Motif-Motif Chart
2-Candle Pattern + Highest/Lowest 10 (NLS)...................
Buy - Sell Hight Low Candle
RR 1:3
Winrate: 80%
...............................
猛の掟・初動完成版//@version=5
indicator("猛の掟・初動スクリーナー_完成版", overlay=true)
// =============================
// 入力パラメータ
// =============================
emaLenShort = input.int(5, "短期EMA", minval=1)
emaLenMid = input.int(13, "中期EMA", minval=1)
emaLenLong = input.int(26, "長期EMA", minval=1)
macdFastLen = input.int(12, "MACD Fast", minval=1)
macdSlowLen = input.int(26, "MACD Slow", minval=1)
macdSignalLen = input.int(9, "MACD Signal", minval=1)
macdZeroTh = input.float(0.2, "MACDゼロライン近辺とみなす許容値", step=0.05)
volMaLen = input.int(5, "出来高平均日数", minval=1)
volMinRatio = input.float(1.3, "出来高倍率(初動判定しきい値)", step=0.1)
volStrongRatio = input.float(1.5, "出来高倍率(本物/三点シグナル用)", step=0.1)
highLookback = input.int(60, "直近高値の参照本数", minval=10)
pullbackMin = input.float(5.0, "押し目最小 ", step=0.5)
pullbackMax = input.float(15.0, "押し目最大 ", step=0.5)
breakLookback = input.int(15, "レジブレ後とみなす本数", minval=1)
wickBodyMult = input.float(2.0, "ピンバー:下ヒゲが実体の何倍以上か", step=0.5)
// ★ シグナル表示 ON/OFF
showMou = input.bool(true, "猛シグナルを表示")
showKaku = input.bool(true, "確シグナルを表示")
// =============================
// 基本指標計算
// =============================
emaShort = ta.ema(close, emaLenShort)
emaMid = ta.ema(close, emaLenMid)
emaLong = ta.ema(close, emaLenLong)
= ta.macd(close, macdFastLen, macdSlowLen, macdSignalLen)
volMa = ta.sma(volume, volMaLen)
volRatio = volMa > 0 ? volume / volMa : 0.0
recentHigh = ta.highest(high, highLookback)
prevHigh = ta.highest(high , highLookback)
pullbackPct = recentHigh > 0 ? (recentHigh - close) / recentHigh * 100.0 : 0.0
// ローソク足
body = math.abs(close - open)
upperWick = high - math.max(open, close)
lowerWick = math.min(open, close) - low
// =============================
// A:トレンド条件
// =============================
emaUp = emaShort > emaShort and emaMid > emaMid and emaLong > emaLong
goldenOrder = emaShort > emaMid and emaMid > emaLong
aboveEma2 = close > emaLong and close > emaLong
trendOK = emaUp and goldenOrder and aboveEma2
// =============================
// B:MACD条件
// =============================
macdGC = ta.crossover(macdLine, macdSignal)
macdNearZero = math.abs(macdLine) <= macdZeroTh
macdUp = macdLine > macdLine
macdOK = macdGC and macdNearZero and macdUp
// =============================
// C:出来高条件
// =============================
volInitOK = volRatio >= volMinRatio // 8条件用
volStrongOK = volRatio >= volStrongRatio // 三点シグナル用
volumeOK = volInitOK
// =============================
// D:ローソク足パターン
// =============================
isBullPinbar = lowerWick > wickBodyMult * body and lowerWick > upperWick and close >= open
isBullEngulf = close > open and open < close and close > open
isBigBullCross = close > emaShort and close > emaMid and open < emaShort and open < emaMid and close > open
candleOK = isBullPinbar or isBullEngulf or isBigBullCross
// =============================
// E:価格帯(押し目&レジブレ)
// =============================
pullbackOK = pullbackPct >= pullbackMin and pullbackPct <= pullbackMax
isBreakout = close > prevHigh and close <= prevHigh
barsSinceBreak = ta.barssince(isBreakout)
afterBreakZone = barsSinceBreak >= 0 and barsSinceBreak <= breakLookback
afterBreakPullbackOK = afterBreakZone and pullbackOK and close > emaShort
priceOK = pullbackOK and afterBreakPullbackOK
// =============================
// 8条件の統合
// =============================
allRulesOK = trendOK and macdOK and volumeOK and candleOK and priceOK
// =============================
// 最終三点シグナル
// =============================
longLowerWick = lowerWick > wickBodyMult * body and lowerWick > upperWick
macdGCAboveZero = ta.crossover(macdLine, macdSignal) and macdLine > 0
volumeSpike = volStrongOK
finalThreeSignal = longLowerWick and macdGCAboveZero and volumeSpike
buyConfirmed = allRulesOK and finalThreeSignal
// =============================
// 描画
// =============================
plot(emaShort, color=color.new(color.yellow, 0), title="EMA 短期(5)")
plot(emaMid, color=color.new(color.orange, 0), title="EMA 中期(13)")
plot(emaLong, color=color.new(color.blue, 0), title="EMA 長期(26)")
// シグナル表示(ON/OFF付き)
plotshape(showMou and allRulesOK, title="猛の掟 8条件クリア候補", location=location.belowbar, color=color.new(color.lime, 0), text="猛")
plotshape(showKaku and buyConfirmed, title="猛の掟 最終三点シグナル確定", location=location.belowbar, color=color.new(color.yellow, 0), text="確")
// =============================
// アラート条件
// =============================
alertcondition(allRulesOK, title="猛の掟 8条件クリア候補", message="猛の掟 8条件クリア候補シグナル発生")
alertcondition(buyConfirmed, title="猛の掟 最終三点シグナル確定", message="猛の掟 最終三点シグナル=買い確定")
Stochastic + MACD Alignment Signals//@version=5
indicator("Stochastic + MACD Alignment Signals", overlay=true)
// ————— INPUTS —————
stochLength = input.int(14, "Stoch Length")
k = input.int(3, "K Smoothing")
d = input.int(3, "D Smoothing")
macdFast = input.int(12, "MACD Fast Length")
macdSlow = input.int(26, "MACD Slow Length")
macdSignal = input.int(9, "MACD Signal Length")
emaLen = input.int(21, "EMA Filter Length")
// ————— CALCULATIONS —————
// Stochastic
kRaw = ta.stoch(close, high, low, stochLength)
kSmooth = ta.sma(kRaw, k)
dSmooth = ta.sma(kSmooth, d)
// MACD
macd = ta.ema(close, macdFast) - ta.ema(close, macdSlow)
signal = ta.ema(macd, macdSignal)
hist = macd - signal
// EMA Filter
ema = ta.ema(close, emaLen)
// ————— SIGNAL CONDITIONS —————
// BUY CONDITIONS
stochBull = ta.crossover(kSmooth, dSmooth) and kSmooth < 20
macdBull = ta.crossover(macd, signal) or (hist > 0)
emaBull = close > ema
buySignal = stochBull and macdBull and emaBull
// SELL CONDITIONS
stochBear = ta.crossunder(kSmooth, dSmooth) and kSmooth > 80
macdBear = ta.crossunder(macd, signal) or (hist < 0)
emaBear = close < ema
sellSignal = stochBear and macdBear and emaBear
// ————— PLOTTING SIGNALS —————
plotshape(buySignal, title="BUY", style=shape.labelup,
color=color.new(color.green, 0), size=size.large, text="BUY")
plotshape(sellSignal, title="SELL", style=shape.labeldown,
color=color.new(color.red, 0), size=size.large, text="SELL")
// ————— OPTIONAL ALERTS —————
alertcondition(buySignal, title="Buy Signal", message="Stoch + MACD Alignment BUY")
alertcondition(sellSignal, title="Sell Signal", message="Stoch + MACD Alignment SELL")
猛の掟・初動スクリーナー v3//@version=5
indicator("猛の掟・初動スクリーナー v3", overlay=true)
// ===============================
// 1. 移動平均線(EMA)設定
// ===============================
ema5 = ta.ema(close, 5)
ema13 = ta.ema(close, 13)
ema26 = ta.ema(close, 26)
plot(ema5, title="EMA5", color=color.orange, linewidth=2)
plot(ema13, title="EMA13", color=color.new(color.blue, 0), linewidth=2)
plot(ema26, title="EMA26", color=color.new(color.gray, 0), linewidth=2)
// ===============================
// 2. MACD(10,26,9)設定
// ===============================
fast = ta.ema(close, 10)
slow = ta.ema(close, 26)
macd = fast - slow
signal = ta.ema(macd, 9)
macdBull = ta.crossover(macd, signal)
// ===============================
// 3. 初動判定ロジック
// ===============================
// ゴールデン並び条件
goldenAligned = ema5 > ema13 and ema13 > ema26
// ローソク足が26EMAより上
priceAbove26 = close > ema26
// 3条件すべて満たすと「確」
bullEntry = goldenAligned and priceAbove26 and macdBull
// ===============================
// 4. スコア(0=なし / 1=猛 / 2=確)
// ===============================
score = bullEntry ? 2 : (goldenAligned ? 1 : 0)
// ===============================
// 5. スコアの色分け
// ===============================
scoreColor = score == 2 ? color.new(color.yellow, 0) : score == 1 ? color.new(color.lime, 0) : color.new(color.gray, 80)
// ===============================
// 6. スコア表示(カラム)
// ===============================
plot(score,
title="猛スコア (0=なし,1=猛,2=確)",
style=plot.style_columns,
color=scoreColor,
linewidth=3)
// 目安ライン
hline(0, "なし", color=color.new(color.gray, 80))
hline(1, "猛", color=color.new(color.lime, 60))
hline(2, "確", color=color.new(color.yellow, 60))
// ===============================
// 7. チャート上に「確」ラベル
// ===============================
plotshape(score == 2,
title="初動確定",
style=shape.labelup,
text="確",
color=color.yellow,
textcolor=color.black,
size=size.tiny,
location=location.belowbar)
MC² Tight Compression Screener v1.0//@version=5
indicator("MC² Tight Compression Screener v1.0", overlay=false)
// ————————————————
// Inputs
// ————————————————
lookbackHigh = input.int(50, "Near High Lookback")
atrLength = input.int(14, "ATR Length")
volLength = input.int(20, "Volume SMA Length")
thresholdNear = input.float(0.97, "Near Break % (0.97 = within 3%)")
// ————————————————
// Conditions
// ————————————————
// ATR Compression: shrinking 3 days in a row
atr = ta.atr(atrLength)
atrCompression = atr < atr and atr < atr and atr < atr
// Price is near recent highs
recentHigh = ta.highest(high, lookbackHigh)
nearBreak = close > recentHigh * thresholdNear
// Volume not dead (preferably building)
volAvg = ta.sma(volume, volLength)
volOK = volume > volAvg
// Final signal (binary)
signal = atrCompression and nearBreak and volOK
// ————————————————
// Plot (for Pine Screener)
// ————————————————
plot(signal ? 1 : 0, title="MC2 Compression Signal")
30-Minute High and Low30-Minute High and Low Levels
This indicator plots the previous 30-minute candle’s high and low on any intraday chart.
These levels are widely used by intraday traders to identify key breakout zones, liquidity pools, micro-range boundaries, and early trend direction.
Features:
• Automatically pulls the previous 30-minute candle using higher-timeframe HTF requests
• Displays the HTF High (blue) and HTF Low (red) on lower-timeframe charts
• Works on all intraday timeframes (1m, 3m, 5m, 10m, etc.)
• Levels stay fixed until the next 30-minute bar completes
• Ideal for ORB strategies, scalping, liquidity sweeps, and reversal traps
Use Cases:
• Watch for breakouts above the 30-minute high
• Monitor for liquidity sweeps and fakeouts around the high/low
• Treat the mid-range as a magnet during consolidation
• Combine with VWAP or EMA trend structure for high-precision intraday setups
This indicator is simple, fast, and designed for traders who rely on HTF micro-structure to guide intraday execution.
Golden Cross RSI Daily Helper (US Stocks)//@version=5
indicator("Golden Cross RSI Daily Helper (US Stocks)", overlay=true, timeframe="D", timeframe_gaps=true)
//========= الإعدادات الأساسية =========//
emaFastLen = input.int(50, "EMA سريع (اتجاه قصير المدى)")
emaSlowLen = input.int(200, "EMA بطيء (اتجاه طويل المدى)")
rsiLen = input.int(14, "فترة RSI")
rsiMin = input.float(40.0, "حد RSI الأدنى للدخول", 0.0, 100.0)
rsiMax = input.float(60.0, "حد RSI الأعلى للدخول", 0.0, 100.0)
slBufferPerc = input.float(1.5, "نسبة البفر لوقف الخسارة (%) أسفل/أعلى EMA200", 0.1, 5.0)
rrRatio = input.float(2.0, "نسبة العائد إلى المخاطرة (R:R)", 1.0, 5.0)
//========= حساب المؤشرات =========//
emaFast = ta.ema(close, emaFastLen)
emaSlow = ta.ema(close, emaSlowLen)
rsiVal = ta.rsi(close, rsiLen)
// اتجاه السوق
trendUp = emaFast > emaSlow
trendDown = emaFast < emaSlow
// ارتداد السعر من EMA50 أو EMA200 تقريبياً
bounceFromEmaFast = close > emaFast and low <= emaFast
bounceFromEmaSlow = close > emaSlow and low <= emaSlow
bounceLong = bounceFromEmaFast or bounceFromEmaSlow
bounceFromEmaFastShort = close < emaFast and high >= emaFast
bounceFromEmaSlowShort = close < emaSlow and high >= emaSlow
bounceShort = bounceFromEmaFastShort or bounceFromEmaSlowShort
// فلتر RSI
rsiOk = rsiVal >= rsiMin and rsiVal <= rsiMax
//========= شروط الدخول =========//
// شراء
longSignal = trendUp and bounceLong and rsiOk
// بيع
shortSignal = trendDown and bounceShort and rsiOk
//========= حساب وقف الخسارة والأهداف =========//
// نستخدم سعر إغلاق شمعة الإشارة كسعر دخول افتراضي
entryPriceLong = close
entryPriceShort = close
// وقف الخسارة حسب EMA200 + البفر
slLong = emaSlow * (1.0 - slBufferPerc / 100.0)
slShort = emaSlow * (1.0 + slBufferPerc / 100.0)
// المسافة بين الدخول ووقف الخسارة
riskLong = math.max(entryPriceLong - slLong, syminfo.mintick)
riskShort = math.max(slShort - entryPriceShort, syminfo.mintick)
// هدف الربح حسب R:R
tpLong = entryPriceLong + rrRatio * riskLong
tpShort = entryPriceShort - rrRatio * riskShort
//========= الرسم على الشارت =========//
// رسم المتوسطات
plot(emaFast, title="EMA 50", color=color.new(color.blue, 0), linewidth=2)
plot(emaSlow, title="EMA 200", color=color.new(color.orange, 0), linewidth=2)
// تلوين الخلفية حسب الاتجاه
bgcolor(trendUp ? color.new(color.green, 92) : trendDown ? color.new(color.red, 92) : na)
// إشارة شراء
plotshape(
longSignal,
title = "إشارة شراء",
style = shape.triangleup,
location = location.belowbar,
size = size.large,
color = color.new(color.green, 0),
text = "BUY")
// إشارة بيع
plotshape(
shortSignal,
title = "إشارة بيع",
style = shape.triangledown,
location = location.abovebar,
size = size.large,
color = color.new(color.red, 0),
text = "SELL")
// رسم SL و TP عند ظهور الإشارة
slPlotLong = longSignal ? slLong : na
tpPlotLong = longSignal ? tpLong : na
slPlotShort = shortSignal ? slShort : na
tpPlotShort = shortSignal ? tpShort : na
plot(slPlotLong, title="وقف خسارة شراء", color=color.new(color.red, 0), style=plot.style_linebr)
plot(tpPlotLong, title="هدف شراء", color=color.new(color.green, 0), style=plot.style_linebr)
plot(slPlotShort, title="وقف خسارة بيع", color=color.new(color.red, 0), style=plot.style_linebr)
plot(tpPlotShort, title="هدف بيع", color=color.new(color.green, 0), style=plot.style_linebr)
//========= إعداد التنبيهات =========//
alertcondition(longSignal, title="تنبيه إشارة شراء", message="إشارة شراء: ترند صاعد + ارتداد من EMA + RSI في المنطقة المسموحة.")
alertcondition(shortSignal, title="تنبيه إشارة بيع", message="إشارة بيع: ترند هابط + ارتداد من EMA + RSI في المنطقة المسموحة.")
Nifty levels SHIVAJIonly for nifty levels and only for paper trade----
📊 NIFTY LEVELS – Intraday Trading Indicator
NIFTY LEVELS एक simple और powerful intraday indicator है जो NIFTY के लिए Daily Open आधारित महत्वपूर्ण support & resistance levels automatically plot करता है।
🔹 Indicator क्या दिखाता है
✅ Day Open Level
✅ Major Resistance & Support Levels
✅ Scalping Levels (Intraday Trading के लिए)
✅ Auto update हर नए trading day के साथ
🔹 किसके लिए उपयोगी है
✅ Intraday Traders
✅ Scalpers
✅ Bank Nifty / Nifty Option Traders
✅ Index based price action trading
🔹 कैसे इस्तेमाल करें
📌 Price Day Open के ऊपर हो → Buy bias
📌 Price Day Open के नीचे हो → Sell bias
📌 Big Levels पर reversal या breakout observe करें
📌 Scalping levels से quick entry & exit के लिए सहायता
🔹 Best Timeframe
1 min – 15 min (Intraday)
Index charts (NIFTY
First FVG After 9:30 AM ET + Opening Range (1min) OK# FVG + Opening Range Breakout Indicator (1M)
## Overview
A professional trading indicator designed for 1-minute candlestick charts that identifies Fair Value Gaps (FVG) and Opening Range breakout patterns with precise entry signals for institutional trading strategies.
## Key Features
### 1. Fair Value Gap Detection (FVG)
- **Automatic Detection**: Identifies the first FVG after 9:30 AM ET
- **Support for Both Types**:
- **Bearish FVG**: Gap formed when candle 3 high is below candle 1 low (downward gap)
- **Bullish FVG**: Gap formed when candle 3 low is above candle 1 high (upward gap)
- **Visual Representation**: Blue box marking the exact gap zone
- **Active Period**: 9:30 AM - 2:00 PM ET only
### 2. FVG Entry Signals
- **SELL Signal (Bearish FVG)**: Generated when price enters and respects the gap
- Triggers when close stays within the FVG range
- Multiple signals allowed on retests
- Position label placed above bearish candles
- **BUY Signal (Bullish FVG)**: Generated when price breaks above FVG top
- Triggers when close breaks above fvgHigh
- Allows multiple signals on subsequent retests
- Position label placed below bullish candles
### 3. Opening Range (9:30 - 10:00 AM ET)
- **Three Key Levels**:
- **OR High** (Red Dashed Line): Highest point during opening 30 minutes
- **OR Low** (Green Dashed Line): Lowest point during opening 30 minutes
- **OR Mid** (Orange Dotted Line): Midpoint between High and Low
- **Lines Extend**: 100 bars into the session for reference
### 4. Opening Range Breakout Signals
Detects breakouts from the opening range with a refined entry strategy:
- **BUY Signal (OR High Breakout)**:
1. Price breaks ABOVE OR High (high1m > orHigh)
2. Waits minimum 5 candles
3. Price retests OR High level (close ≤ orHigh)
4. Price rebounds UPWARD (close > orHigh)
5. Signal generated with label "BUY"
- **SELL Signal (OR Low Breakout)**:
1. Price breaks BELOW OR Low (low1m < orLow)
2. Waits minimum 5 candles
3. Price retests OR Low level (close ≥ orLow)
4. Price rebounds DOWNWARD (close < orLow)
5. Signal generated with label "SELL"
### 5. Time Filters
- **Session Start**: 9:30 AM ET (Market Open)
- **Session End**: 2:00 PM ET (14:00)
- **All signals only generated within this window**
- **Daily Reset**: All data clears at market open each trading day
## Settings
| Parameter | Default | Description |
|-----------|---------|-------------|
| FVG Box Color | Blue (80% transparent) | Visual color of FVG zone |
| FVG Border Color | Blue | Border line color |
| Border Width | 1 | Thickness of FVG box border |
| Box Extension Right | 20 bars | How far right the box extends |
| Box Extension Left | 5 bars | How far left the box extends |
| Minimum FVG Size | 5.0 points | Minimum gap size to display |
| FVG Respect Tolerance | 2.0 points | Price tolerance for FVG respect |
| Show FVG Labels | True | Display "First FVG" label |
| Show Signals | True | Display SELL/BUY entry signals |
| Show Opening Range | True | Display OR High/Low/Mid lines |
| OR High Color | Red (80% transparent) | OR High line color |
| OR Low Color | Green (80% transparent) | OR Low line color |
| OR Mid Color | Orange (80% transparent) | OR Mid line color |
| OR Line Width | 2 | Thickness of OR lines |
| OR Line Length | 100 bars | Extension of OR lines |
| Timezone Offset | -5 (EST) | UTC offset (-4 for EDT) |
## Trading Strategy Integration
### Institutional Trading Approach
This indicator combines two professional trading methodologies:
1. **Fair Value Gap Trading**: Exploits market inefficiencies (gaps) that institutional traders fill during the day
2. **Opening Range Breakout**: Captures momentum moves that break out of the morning consolidation
### Optimal Use Cases
- **Asian Session into London Open**: Monitor FVG formation
- **Pre-Market Gap Analysis**: Plan breakout trades
- **Early Morning Momentum**: Catch OR breakouts with precision entries
- **Intraday Scalping**: Use signals for quick risk/reward entries
### Risk Management
- Entry signals clearly marked with labels
- Trailing stops can be set at OR levels
- Multiple timeframe confirmation recommended
- Always use stop losses below/above key levels
## Signal Interpretation
| Signal | Type | Action | Location |
|--------|------|--------|----------|
| SELL | FVG Bearish | Short Entry | Above bearish candle |
| BUY | FVG Bullish | Long Entry | Below bullish candle |
| BUY | OR High Breakout | Long Entry | Above OR High |
| SELL | OR Low Breakout | Short Entry | Below OR Low |
## Color Scheme
- **Red**: Bearish direction (SELL signals, OR High)
- **Green**: Bullish direction (BUY signals, OR Low)
- **Orange**: Neutral reference (OR Mid point)
- **Blue**: FVG zones (gaps)
- **Yellow**: Background during FVG search phase
## Notes
- Indicator works exclusively on 1-minute charts
- Requires market open data (9:30 AM ET)
- All times referenced to Eastern Time (ET)
- Historical data should include full trading day for accuracy
- Use with volume and momentum indicators for confirmation
---
**Designed for professional traders using institutional-grade trading methodologies**
GHOST Premium IndicatorGHOST Premium Indicator – Session ORB + True Day Open Levels
GHOST Premium is a full session-mapping tool built for futures traders who live off levels, not guesses. It automatically plots:
15-Minute ORB Zones for
Asia (19:00 NY)
London (03:00 NY)
New York (09:30 NY)
Each ORB is drawn as a dynamic box that tracks the high/low during the window, then locks in and projects high, low, and midline rays forward into the session so you can trade clean reaction levels.
Asia Session High/Low (19:00–00:00 NY)
Choose between Rays, Boxes, or Both.
Session high/low rays extend right across the chart.
Optional “extreme candle” boxes from a user-selected timeframe (1–15m) give you a visual anchor for key impulsive moves.
Labels for Asia High/Low stay pinned to the right edge of the chart using a configurable offset.
London Session High/Low (03:00–08:00 NY)
Same logic as Asia: live-updating session high/low, projected as rays or boxes.
Session objects persist until 16:50 NY, then auto-clean so your chart never gets cluttered.
Labels for London High/Low and their boxes also slide with price to the right side of the chart.
True Day Open (TDO)
Calculates calendar day open at 00:00 ET, even though the futures session starts at 18:00.
Draws a horizontal ray from TDO across the entire day.
Drops a “TDO” label on the level and keeps it pinned to the right edge with its own adjustable offset.
Fully customizable ray color, label color, and line width.
All key visuals are user-configurable: session toggles, colors, transparency, line widths, midline style, label offsets, and extreme-candle timeframes.
Use GHOST Premium to instantly see where Asia, London, NY, and the True Day Open are controlling order flow – so you can build your bias and executions around the same levels smart money respects.
VWolf – Slope GuardOVERVIEW
Slope Guard combines a momentum core (WaveTrend + RSI/MFI + QQE family) with a directional bias (EMA/DEMA and a DEMA-slope filter). Trade direction can be constrained by the Supertrend regime (Normal or Pivot). Risk is managed with ATR-based stops and targets, optional Supertrend-anchored dynamic levels, and a two-stage take-profit that can shift the stop to break-even after the first partial. The strategy supports explicit Backtest and Forward-test windows and adapts certain thresholds by market type (Forex vs. Stocks).
RECOMMENDED USE
Markets: Forex and equities; use Market Type to properly scale the DEMA-slope gate.
Timeframes: M15–H4 for intraday-swing and H1–D1 for slower swing; avoid ultra-low TFs without tightening ADX/QQE.
Assets: Instruments with persistent trends and orderly pullbacks; avoid flat ranges without sufficient ADX.
Strengths
Multi-layer confluence: trend bias + momentum + regime + strength.
Flexible risk engine: ATR vs. Supertrend anchoring, staged exits, and automatic break-even.
Clean research workflow: separated Backtest and Forward-test windows.
Precautions
Structural latency: Pivot-based constructs confirm with delay; validate with Forward-test.
Filter interaction: QQE Strict + ADX + WT zero-line can become overly selective; calibrate by asset/TF.
Overfitting risk: Prefer simple, portable parameter sets and validate across symbols/TFs.
CONCLUSION
Slope Guard is a “trend + momentum” framework with risk control at its core. By enforcing a baseline bias, validating momentum with the Vuman composite, and offering ATR or Supertrend-anchored exits—plus staged profits and break-even shifts—it seeks to capture the core of directional swings while compressing drawdowns. Keep testing windows isolated, start with moderate filters (QQE Normal, ADX ~20–25), and only add stricter gates (WT zero-line, DEMA slope) once they demonstrably improve stability without starving signals.
FOR MORE INFORMATION VISIT vwolftrading.com
VWolf - Shadow PulseOVERVIEW
The Trend Momentum Breakout Strategy is a rule-based trading system designed to identify high-probability entries in trending markets using a combination of trend confirmation, momentum filtering, and precise trigger conditions. The strategy is suitable for intermediate to advanced traders who prefer mechanical systems with clear entry/exit logic and configurable risk management options.
At its core, this strategy seeks to enter pullbacks within strong trends, capitalizing on momentum continuation after brief pauses in price movement. By integrating multiple moving averages (MAs) for trend validation, ADX (Average Directional Index) as a strength filter, and Stochastic RSI as an entry trigger, the strategy filters out weak trends and avoids overextended market conditions. Exit logic is based on a customizable fixed stop-loss (SL) and take-profit (TP) framework, with optional dynamic risk-reduction mechanisms powered by the Supertrend indicator.
This strategy is designed to perform best in clearly trending markets and is especially effective in avoiding false breakouts or choppy sideways action thanks to its ADX-based filtering. It can be deployed across a variety of asset classes, including forex, stocks, cryptocurrencies, and indices, and is optimized for intra-day to swing trading timeframes.
RECOMMENDED USE
This strategy is designed to be flexible across multiple markets, but it performs best under certain conditions:
Best Suited For:
Trending markets with clear directional momentum.
High-volume instruments that avoid erratic price action.
Assets with intraday volatility and swing patterns.
Recommended Asset Classes:
Forex pairs (e.g., EUR/USD, GBP/JPY)
Cryptocurrencies (e.g., BTC/USD, ETH/USDT)
Major indices (e.g., S&P 500, NASDAQ, DAX)
Large-cap stocks (especially those with consistent liquidity)
Suggested Timeframes:
15-minute to 1-hour charts for intraday setups.
4-hour and daily charts for swing trading.
Lower timeframes (1–5 min) may generate too much noise unless fine-tuned.
Market Conditions to Avoid:
Ranging or sideways markets with low ADX values.
Assets with irregular price structures or low liquidity.
News-heavy periods with unpredictable price spikes.
CONCLUSION
This strategy stands out for its robust and modular approach to trend-following trading, offering a high level of customization while maintaining clear logic and structural discipline in entries and exits. By combining three distinct layers of confirmation—trend identification (via configurable moving averages), trend strength validation (via the DMI filter), and timing (via the Stochastic RSI trigger)—it aims to reduce noise and increase the probability of entering trades with directional bias and momentum on its side.
Its flexibility is one of its strongest points: users can tailor the strategy to fit various trading styles and market conditions. Whether the trader prefers conservative setups using only the slowest moving average, or more aggressive entries requiring full alignment of fast, medium, and slow MAs, the system adjusts accordingly. Likewise, exit management offers both static and dynamic methods—such as ATR-based stop losses, Supertrend-based adaptive exits, and partial profit-taking mechanisms—allowing risk to be managed with precision.
This makes the strategy particularly suitable for trend-driven markets, such as major currency pairs, indices, or volatile stocks that demonstrate clear directional moves. It is not ideal for sideways or choppy markets, where multiple filters may reduce the number of trades or result in whipsaws.
From a practical standpoint, the strategy also incorporates real-world trading mechanics, like time-based filters and account risk control, which elevate it from a purely theoretical model to a more execution-ready system.
In summary, this is a well-structured, modular trend strategy ideal for intermediate to advanced traders who want to maintain control over their system parameters while still benefiting from layered signal confirmation. With proper calibration, it has the potential to become a reliable tool in any trader’s arsenal—particularly in markets where trends emerge clearly and sustainably.
FOR MORE INFORMATION VISIT vwolftrading.com
VWolf - Raptor ClawOVERVIEW
The 'VWolf - Raptor Claw' is a straightforward scalping strategy designed for high-frequency trades based on the Stochastic RSI indicator. It focuses exclusively on identifying potential trend reversals through stochastic cross signals in extreme zones, without the need for additional confirmations. This makes it highly responsive to market movements, capturing rapid price shifts while maintaining simplicity.
This strategy is best suited for highly liquid and volatile markets like forex, indices, and major cryptocurrencies, where quick momentum shifts are common. It is ideal for experienced scalpers who prioritize fast entries and exits, but it can also be adapted for swing trading in lower timeframes.
Entry Conditions:
Long Entry:Stochastic RSI crosses above the oversold threshold (typically 20), indicating a potential bullish reversal.
Short Entry:Stochastic RSI crosses below the overbought threshold (typically 80), indicating a potential bearish reversal.
Exit Conditions:
Stop Loss: Set at the minimum (for longs) or maximum (for shorts) within a configurable lookback window to reduce risk.
Take Profit: Defined by a risk-reward ratio (RRR) input to optimize potential gains relative to risk.
CONCLUSION
The 'VWolf - Raptor Claw' strategy is perfect for traders seeking a simple yet aggressive approach to the markets. It capitalizes on sharp momentum shifts in extreme zones, relying on precise stop loss and take profit settings to capture rapid profits while minimizing risk. This approach is highly effective in high-volatility environments where quick decision-making is essential.
FOR MORE INFORMATION VISIT vwolftrading.com
VWolf - Quantum DriftOVERVIEW
The Quantum Drift strategy is a sophisticated, highly customizable trading approach designed to identify market entries and exits by leveraging multiple technical indicators. The strategy uniquely combines the Dynamic Exponential Moving Average (DEMA), QQE indicators, Volume Oscillator, and Hull Moving Average (HULL), enabling precise detection of trend direction, momentum shifts, and volatility adjustments. It stands out due to its adaptability across different market conditions by allowing significant user customization through various input parameters.
RECOMMENDED USE
Markets: Ideal for Forex and Stocks due to the strategy's volatility-sensitive and trend-following nature.
Timeframes: Best suited for medium to higher timeframes (15m, 1H, 4H), where clearer trend signals and less noise occur, enhancing strategy reliability.
CONCLUSION
The Quantum Drift strategy is tailored for intermediate to advanced traders seeking a versatile and adaptive system. Its strength lies in combining momentum, volatility, and trend-following components, providing robust entry and exit signals. However, its effectiveness relies significantly on accurate parameter tuning by traders familiar with the underlying indicators and market behavior.
FOR MORE INFORMATION VISIT vwolftrading.com
VWolf – Pivot VumanSkewOVERVIEW
This strategy blends a lightweight trend scaffold (EMA/DEMA) with a skew-of-volatility filter and VuManchu/WaveTrend momentum signals. It’s designed to participate only when trending structure, momentum alignment, and volatility asymmetry converge, while delegating execution management to either a standard SuperTrend or a Pivot-based SuperTrend. Position sizing is risk‑based, with optional two‑step profit taking and automatic stop movement once price confirms in favor.
RECOMMENDED USE
Markets: Designed for Forex and equities, and readily adaptable to indices or liquid futures.
Timeframes: Performs best from 15m to 4h where momentum and trend layers both matter; daily can be used for confirmation/context.
Conditions: Trending or range‑expansion phases with clear volatility asymmetry. Avoid extremely compressed sessions unless thresholds are relaxed.
Strengths
Multi‑layer confluence (trend + skew + momentum) reduces random signals.
Dual SuperTrend modes provide flexible trailing and regime control.
Built‑in hygiene (ADX/DMI, lockout after loss, ATR gap) curbs over‑trading.
Risk‑% sizing and two‑step exits support consistent, plan‑driven execution.
Precautions
Over‑tight thresholds can lead to missed opportunities; start from defaults and tune gradually.
High sensitivity in momentum settings may overfit to a single instrument/timeframe.
In very low volatility, ATR‑gap or skew filters may block entries—consider adaptive thresholds.
CONCLUSION
VWolf – Pivot VumanSkew is a disciplined trend‑participation strategy that waits for directional structure, volatility asymmetry, and synchronized momentum before acting. Its execution layer—selectable between Normal and Pivot SuperTrend—keeps management pragmatic: scale out early when appropriate, trail intelligently, and defend capital with volatility‑aware stops. For users building a diversified playbook, Pivot VumanSkew serves as a trend‑continuation workhorse that can be tightened for precision or relaxed for higher participation depending on the market’s rhythm.
MC² Pullback Screener v1.01//@version=5
indicator("MC² Pullback Screener v1.01", overlay=false)
//----------------------------------------------------
// 🔹 PARAMETERS
//----------------------------------------------------
lenTrend = input.int(20, "SMA Trend Length")
relVolLookback = input.int(10, "Relative Volume Lookback")
minRelVol = input.float(0.7, "Min Relative Volume on Pullback")
maxSpikeVol = input.float(3.5, "Max Spike Vol (Reject News Bars)")
pullbackBars = input.int(3, "Pullback Lookback Bars")
//----------------------------------------------------
// 🔹 DATA
//----------------------------------------------------
// Moving averages for trend direction
sma20 = ta.sma(close, lenTrend)
sma50 = ta.sma(close, 50)
// Relative Volume
volAvg = ta.sma(volume, relVolLookback)
relVol = volume / volAvg
// Trend condition
uptrend = close > sma20 and sma20 > sma50
//----------------------------------------------------
// 🔹 BREAKOUT + PULLBACK LOGIC
//----------------------------------------------------
// Recent breakout reference
recentHigh = ta.highest(close, 10)
isBreakout = close > recentHigh
// Pullback logic
nearSupport = close > recentHigh * 0.98 and close < recentHigh * 1.02
lowVolPullback = relVol < minRelVol
// Reject single-bar news spike
rejectSpike = relVol > maxSpikeVol
//----------------------------------------------------
// 🔹 ENTRY SIGNAL
//----------------------------------------------------
pullbackSignal = uptrend and lowVolPullback and nearSupport and not rejectSpike
//----------------------------------------------------
// 🔹 SCREENER OUTPUT
//----------------------------------------------------
// Pine Screener expects a plot output
plot(pullbackSignal ? 1 : 0, title="MC² Pullback Signal", style=plot.style_columns, color=pullbackSignal ? color.green : color.black)
VWolf – Momentum TwinOVERVIEW
VWolf – Momentum Twin is designed to identify high-probability momentum reversals emerging from overbought or oversold market conditions. It employs a double confirmation from the Stochastic RSI oscillator, optionally filtered by trend and directional movement conditions, before executing trades.
The strategy emphasizes consistent risk management by scaling stop-loss and take-profit targets according to market volatility (ATR), and it provides advanced position management features such as partial profit-taking and automated stop-loss adjustments.
RECOMMENDED USE
Markets: Major FX pairs, index futures, large-cap stocks, and top-volume cryptocurrencies.
Timeframes: Best suited for M15–H4; adaptable for swing trading on daily charts.
Trader Profile: Traders who value structured, volatility-adjusted momentum reversal setups.
Strengths:
Double confirmation filters out many false signals.
Multiple filter options allow strategic flexibility.
ATR scaling maintains consistent risk across assets.
Trade management tools improve adaptability in dynamic markets.
Precautions:
May produce fewer trades in strong one-direction trends.
Over-filtering can reduce trade frequency.
Requires validation across instruments and timeframes before deployment.
CONCLUSION
The VWolf – Momentum Twin offers a disciplined framework for capturing momentum reversals while preserving flexibility through its customizable filters and risk controls. Its double confirmation logic filters out a significant portion of false reversals, while ATR-based scaling ensures consistency across varying market conditions. The optional trade management features, including partial profit-taking and automatic stop adjustments, allow the strategy to adapt to both trending and ranging environments. This makes it a versatile tool for traders who value structured entries, robust risk control, and adaptable management in a variety of markets and timeframes.
VWolf – Hull VectorOVERVIEW
VWolf – Hull Vector is a momentum-driven trend strategy centered on the Hull Moving Average (HMA) angle. It layers optional confirmations from EMA/DEMA alignment, DMI/ADX strength, and Supertrend triggers to filter lower-quality entries and improve trade quality.
Risk is controlled through capital-based position sizing, ATR-anchored stops and targets, and dynamic trade management (partial exits and stop movement). The strategy supports Backtest and Forwardtest modes with configurable date ranges, and a market profile toggle (Forex vs. Stocks) to adjust internal scaling for price behavior.
RECOMMENDED USE
Markets: Major Forex pairs, index CFDs/futures, and liquid stocks with clean trend legs.
Styles: Intraday and swing applications where momentum continuation is common.
Volatility Regimes: Performs best in trending or expanding-volatility environments; consider tightening thresholds in choppy phases.
Workflow Tips:Start with HMA angle + ST trigger only; then layer DEMA and DMI/ADX if you need more selectivity.
Use Forwardtest dates to simulate out-of-sample performance after tuning Backtest parameters.
Re-evaluate angle thresholds when switching between Forex and Stocks modes.
Strengths
Clear momentum core (HMA angle) with optional, orthogonal filters (trend alignment, strength, trigger).
Robust risk tooling: ATR/ST stops, two-step profits, and capital-based sizing.
Testing discipline: Native Backtest/Forwardtest scoping supports walk-forward validation.
Broad portability: Works across instruments thanks to market-aware scaling.
Precautions
Over-filtering risk: Enabling all gates simultaneously may under-trade; calibrate selectivity to your timeframe.
Sideways markets: Expect more whipsaws when slope hovers near zero; raise angle threshold or rely more on ADX gating.
Overfitting hazard: Tune on one regime, then verify with Forwardtest windows and alternative markets/timeframes.
VWolf – Hulk StrikeOVERVIEW
VWolf – Hullk Strike is a dynamic trend-following strategy designed to capture pullbacks within established moves. It combines a configurable Moving Average (HULL, EMA, SMA, or DEMA) trend filter with DMI/ADX confirmation and a Stochastic RSI timing trigger. Risk is managed through ATR- or Supertrend-based stops, optional partial profit-taking, and automatic stop adjustments. The strategy aims to rejoin momentum after controlled retracements while maintaining consistent, quantified risk
RECOMMENDED USE
Markets: Liquid indices, major FX pairs, large-cap equities, high-liquidity crypto pairs.
Timeframes: M15 to D1 (stricter filters for lower timeframes, looser for higher).
Profiles: Traders seeking structured trend participation with systematic timing.
Strengths
Highly flexible trend engine adaptable to multiple markets.
Dual confirmation reduces false signals during pullbacks.
Risk-first design with multiple stop models and partial exits.
Precautions
Over-filtering may reduce trade frequency and miss fast continuations.
Under-filtering may increase whipsaw risk in choppy markets.
Backtest vs forward-test differences if date/session filters are inconsistent.
CONCLUSION
VWolf – Hullk Strike is designed to capture the “second leg” of a trend after a controlled retracement. With configurable MA strictness, DMI/ADX strength filters, and precise Stoch RSI timing, it enhances selectivity while keeping responsiveness. Its stop/target framework—anchored stops, proportional targets, partial exits, and dynamic stop moves—offers disciplined risk control and upside preservation.
FOR MORE INFORMATION VISIT vwolftrading.com
VWolf - Basic EdgeOVERVIEW
VWolf - Basic Edge is a clean and accessible crossover strategy built on the core principle of moving average convergence. Designed for simplicity and ease of use, it allows traders to select from multiple types of moving averages—including EMA, SMA, HULL, and DEMA—and defines entry points strictly based on the crossover of two user-defined MAs.
This strategy is ideal for traders seeking a minimal, no-frills trend-following system with flexible exit conditions. Upon crossover in the selected direction (e.g., fast MA crossing above slow MA for a long entry), the strategy opens a trade and then manages the exit based on the user’s chosen method:
Signal-Based Exit:Trades are closed on the opposite crossover signal (e.g., long is exited when the fast MA crosses below the slow MA).
Fixed SL/TP Exit:The trade is closed based on fixed Stop Loss and Take Profit levels.Both SL and TP values are customizable via the strategy’s input settings.Once either the TP or SL is reached, the position is exited.
Additional filters such as date ranges and session times are available for backtesting control, but no extra indicators are used—staying true to the “basic edge” philosophy. This strategy works well as a starting framework for beginners or as a reliable, lightweight system for experienced traders wanting clean, rule-based entries and exits.
RECOMMENDED FOR
- Beginner to intermediate traders who want a transparent and easy-to-follow system.
- Traders looking to understand or build upon classic moving average crossover logic.
- Users who want a customizable but uncluttered strategy framework.
🌍 Markets & Instruments:
Well-suited for liquid and trending markets, including:Major forex pairs
Stock indices
Commodities (e.g., gold, oil)
Cryptocurrencies with stable trends (e.g., BTC, ETH)
⏱ Recommended Timeframes:
Performs best on higher intraday or swing trading timeframes, such as:15m, 1h, 4h, and 1D
Avoid low-timeframe noise (e.g., 1m, 3m) unless paired with strict filters or volatility controls.
FOR MORE INFORMATION VISIT vwolftrading.com
Displacement + FVG + Structure Break (ICT-style)Identifies the displacement candle. Can be used in conjunction with 1 min chart to identify true displacement






















