moh1//@version=6
indicator("moh1", overlay=true)
// === الإعدادات ===
length = input.int(20, title="عدد الشموع (حساسية الاتجاه)")
src = input.source(close, title="مصدر السعر")
maType = input.string("EMA", title="نوع المتوسط", options= )
// الألوان
colorUp = input.color(color.green, title="لون الاتجاه الصاعد")
colorDown = input.color(color.red, title="لون الاتجاه الهابط")
colorSide = input.color(color.yellow, title="لون الاتجاه العرضي")
sensitivity = input.float(0.1, title="حساسية الاتجاه العرضي (%)", minval=0.01)
// === حساب المتوسط ===
ma = maType == "EMA" ? ta.ema(src, length) : ta.sma(src, length)
// === تحليل الاتجاه ===
ma_slope = ma - ma
slope_pct = ma_slope / ma * 100
trendColor = slope_pct > sensitivity ? colorUp :
slope_pct < -sensitivity ? colorDown :
colorSide
// === رسم الخط المتغير اللون ===
plot(ma, title="خط الاتجاه", color=trendColor, linewidth=2)
Indicators and strategies
MP AMS (100 bars)Indicator Name: ICT Nested Pivots: Advanced Structure with Color Control
Description:
This indicator identifies and labels nested pivot points across three levels of market structure:
Short-Term Pivots (STH/STL)
Intermediate-Term Pivots (ITH/ITL)
Long-Term Pivots (LTH/LTL)
It detects local highs and lows using a user-defined lookback period and categorizes them into short, intermediate, and long-term pivots based on their relative strength compared to surrounding pivots.
Key Features:
Multi-level pivot detection: Nested identification of short, intermediate, and long-term highs and lows.
Customizable display: Toggle visibility of each pivot level independently for both highs and lows.
Color control: Customize colors for high and low pivot labels and text for enhanced chart readability.
Clear labeling: Each pivot is marked with intuitive labels ("STH", "ITH", "LTH" for highs and "STL", "ITL", "LTL" for lows) placed above or below bars accordingly.
Safe plotting: Avoids errors by validating data and only plotting labels within the lookback range.
This tool helps traders visually analyze market structure and identify key turning points at different time scales directly on their price charts.
Trendline Breakouts With Targets [ Chartprime ]The Trendline Breakouts With Targets indicator is meticulously crafted to improve trading decision-making by pinpointing trendline breakouts and breakdowns through pivot point analysis.
Here's a comprehensive look at its primary functionalities:
Upon the occurrence of a breakout or breakdown, a signal is meticulously assessed against a false signal condition/filter, after which the indicator promptly generates a trading signal. Additionally, it conducts precise calculations to determine potential target levels and then exhibits them graphically on the price chart.
📊 Stoch RSI + KDJ Filtered Oscillator (Clean Panel)ChatGPT said:
The Stoch RSI + KDJ Filtered Oscillator is a momentum-based indicator that combines the strengths of Stochastic RSI and KDJ to deliver clean, high-probability trading signals. It filters out weak or choppy movements by requiring alignment and strength between the %K, %D, and %J lines, highlighting only strong bullish or bearish momentum with customizable sensitivity. Designed to appear in a separate panel, this tool is ideal for traders seeking reliable reversal or continuation setups while minimizing false signals in volatile markets.
Gabriel's Quick Table📊 Gabriel's Quick Table — Multi-Metric Market Scanner
Gabriel's Quick Table is a lightweight, customizable table overlay that displays key market metrics for intraday, swing, and options traders. It centralizes high-impact price, volume, and volatility data across multiple timeframes to quickly assess trade readiness, risk levels, and momentum without cluttering your chart.
🔍 Features
✅ ADR% (Average Daily Range %)
Measures price volatility by averaging the ratio of high/low over N days.
Helps spot compression/expansion setups.
✅ ATR (Average True Range)
Assists with stop-loss placement and measuring volatility strength.
User-defined ATR Length and timeframe.
✅ LoD Distance (% from Low of Day)
Identifies how far price has bounced off the intraday low.
Useful for reversal traders and support tests.
✅ % from 52-Week High
Calculates how far current price is from its long-term swing high.
Ideal for value reversion setups or breakout scanning.
✅ Relative Volume (RVOL)
Measures current volume versus average over N bars.
Highlights unusual activity or breakout potential.
✅ VWAP Distance
Shows how far price is from the volume-weighted average price.
Used by institutions and intraday traders to define fair value zones.
✅ Internal Bar Strength (IBS)
Normalized indicator showing whether price closed near the high or low of the candle.
Useful for fade vs. breakout setups.
✅ Open Interest % Change
Measures short-term change in OI, used in futures/options analysis.
Spikes may indicate buildup of positions or unwinding.
🚨 Built-In Alerts
Each core metric includes a customizable alert:
ADR%, ATR, RVOL, VWAP distance
Distance to 52-week high
OI % change
IBS thresholds
Use these to automate watchlist scanning or intraday alerts when your ideal trade conditions appear.
🧠 Smart Design
Multi-timeframe support for each input (e.g. Weekly 52W High + Intraday VWAP).
Minimalist table overlay that works even when multiple indicators are stacked.
Color-coded labels and values for intuitive scanning.
💡 Use Cases
Intraday traders looking for high-RVOL + VWAP bounce setups.
Swing traders waiting for price compression (low ADR%) or breakouts near 52W highs.
Futures and options traders tracking OI surges with volume confirmation.
Systematic traders using custom alert levels for automated signal generation.
Hybrid Cumulative DeltaWhat does this indicator show?
This script displays two types of CVD (Cumulative Volume Delta):
1. Simple Cumulative Delta Volume:
This is the basic method:
pinescript
Kopiraj
Uredi
deltaVolume = volume * (close > close ? 1 : close < close ? -1 : 0)
➡️ It increases cumulative volume if the candle closes higher, and decreases it if it closes lower.
It's a simple assumption:
If the candle is bullish → more buying.
If bearish → more selling.
Then it's accumulated with:
pinescript
Kopiraj
Uredi
cumulativeDeltaVolume = ta.cum(deltaVolume)
It's plotted as candlesticks, rising or falling based on delta volume.
2. Monster Cumulative Delta (advanced method):
Uses a more complex formula, taking into account:
Candle range (high - low),
Relationship between open, close, and wicks,
Distribution of volume inside the candle.
pinescript
Kopiraj
Uredi
U1 = (close >= open ...) ? ...
D1 = (close < open ...) ? ...
Delta = close >= open ? U1 : -D1
cumDelta := nz(cumDelta ) + Delta
➡️ Purpose: to more realistically estimate aggressive buyers/sellers.
This is a refined CVD, ideal for markets without real order book data (like forex).
📍 What does the indicator tell us?
➕ If cumulative delta is rising:
Buyers are in control (more aggressive market buys).
➖ If cumulative delta is falling:
Sellers dominate (more aggressive market sells).
📈 How to read it on the chart:
You’ll see 2 candlestick plots:
One for the simple delta (green/red delta volume candles),
One for the monster delta, which is often smoother.
👉 The key is to watch for divergence between price and CVD:
If price goes up but CVD goes down → buyers are weak = potential reversal.
If price drops and CVD rises → selling pressure is weak = potential bounce.
🕐 Best timeframe (interval) for forex?
Timeframe Purpose Recommendation
1m–15m Scalping / short-term flow ✅ Works well, but needs high-volume pairs (e.g., EUR/USD, GBP/USD)
1H–4H Swing trading / intraday ✅ Best balance – reveals smart money movements
1D Macro overview, long-term volume Usable, but less granular info
🔹 Recommendation for forex: 4H interval
Enough volume data to detect shifts in real pressure.
Less noise than lower timeframes.
Great for spotting swing setups (e.g., divergences at support/resistance).
7 EMA CloudAdvanced 7 EMA Cloud – Adaptive Trend & Signal Suite
This script overlays 7 exponential moving averages (EMAs) and dynamically fills the space between them with visual “clouds” that help you quickly assess trend strength, direction, and momentum alignment.
🔧 Features:
7 Customizable EMAs – Standard periods (8, 13, 21, 34, 55, 89, 144) with individual color-coded lines
EMA Cloud Fills – Gradient clouds show convergence/divergence between EMAs
Color Modes – Classic (rainbow), Monochrome (grayscale), and Heatmap (trend strength)
Crossover Signals – Alerts and visual markers for EMA1 crossing EMA7
Custom Signal Sizes – Choose from 5 shape sizes for crossover events
Optional Cloud Transparency – Adjustable for clean or bold visuals
Gold Power Hours Strategy📈 Gold Power Hours Trading Strategy
Trade XAUUSD (Gold) or XAUEUR during the most volatile hours of the New York session, using momentum and trend confirmation, with session-specific risk/reward profiles.
✅ Strategy Rules
🕒 Valid Trading Times ("Power Hours"):
Trades are only taken during high-probability time windows on Tuesdays, Wednesdays, and Thursdays , corresponding to key New York session activity:
Morning Session:
08:00 – 11:00 (NY time)
Afternoon Session:
12:30 – 16:00
19:00 – 22:00
These times align with institutional activity and economic news releases.
📊 Technical Indicators Used:
50-period Simple Moving Average (SMA50):
Identifies the dominant market trend.
14-period Relative Strength Index (RSI):
Measures market momentum with session-adjusted thresholds.
🟩 Buy Signal Criteria:
Price is above the 50-period SMA (bullish trend)
RSI is greater than:
60 during Morning Session
55 during Afternoon Session
Must be during a valid day (Tue–Thu) and Power Hour session
🟥 Sell Signal Criteria:
Price is below the 50-period SMA (bearish trend)
RSI is less than:
40 during Morning Session
45 during Afternoon Session
Must be during a valid day and Power Hour session
🎯 Trade Management Rules:
Morning Session (08:00–11:00)
Stop Loss (SL): 50 pips
Take Profit (TP): 150 pips
Risk–Reward Ratio: 1:3
Afternoon Session (12:30–16:00 & 19:00–22:00)
Stop Loss (SL): 50 pips
Take Profit (TP): up to 100 pips
Risk–Reward Ratio: up to 1:2
⚠️ TP is slightly reduced in the afternoon due to typically lower volatility compared to the morning session.
📺 Visuals & Alerts:
Buy signals: Green triangle plotted below the bar
Sell signals: Red triangle plotted above the bar
SMA50 line: Orange
Valid session background: Light pink
Alerts: Automatic alerts for buy/sell signals
MOM Buy/Sell + MACD Histogram Signal TableJarmo script ETGAG to be used for chart analysis
Meant to assist with determining how to choose direction
TSEP Dual SMA + Optional BB//@version=5
indicator("TSEP Volume + Price Overlay", overlay=true)
// === Data Calculations ===
currentVol = volume
avgVol50 = ta.sma(volume, 50)
currentPrice = close
timestampStr = str.tostring(year) + "-" + str.tostring(month, "00") + "-" + str.tostring(dayofmonth, "00")
// === Format Helpers ===
formatVal(val) =>
val >= 1e9 ? str.tostring(val / 1e9, "#.##") + "B" :
val >= 1e6 ? str.tostring(val / 1e6, "#.##") + "M" :
val >= 1e3 ? str.tostring(val / 1e3, "#.##") + "K" :
str.tostring(val, "#.##")
// === Label Text ===
labelText = "✅ Current Price: $" + str.tostring(currentPrice, "#.##") + " " +
"✅ 50-day ADTV: " + formatVal(avgVol50) + " " +
"✅ Current Volume: " + formatVal(currentVol) + " " +
"✅ Timestamp: " + timestampStr
// === Display Label ===
var label dataLabel = label.new(x=bar_index, y=high, text=labelText,
xloc=xloc.bar_index, yloc=yloc.price, style=label.style_label_left,
textcolor=color.white, size=size.normal, color=color.new(color.blue, 80))
// === Update Each Bar ===
label.set_xy(dataLabel, bar_index, high)
label.set_text(dataLabel, labelText)
DIVAP RSI by:TMThe DIVAP RSI by:TM is a precision-focused RSI-based indicator designed to identify high-confidence entry and exit points. It uses a faster RSI (length 7) combined with extended levels (20 and 80) to capture momentum reversals at extreme zones.
✅ Green arrows signal entries when RSI crosses above 20 (exit from oversold)
✅ Red arrows signal exits when RSI crosses below 80 (exit from overbought)
This minimalist tool is ideal for traders who prefer clean chart setups with clear, timely alerts.
🔧 This is a test version and is actively being improved. Feedback is welcome!
Bullish RSI Divergencebullish rsi divergence with a bullish pin bar. look for swing positions once alert goes off.
GARCH Volatility [Trading Signals]This is a GARCH-like indicator rather than a full academic GARCH model
Current Strengths:
Current Strengths:
Captures core volatility clustering (alpha + beta)
Provides actionable signals
Lightweight for TradingView
When to Use This vs True GARCH:
Use This For: Real-time trading signals, visual market analysis
Use Full GARCH For: Risk modeling, quantitative research
Hourly Divider with Opening Price🕐 Hour Lines with Opening Price — Utility Indicator
This lightweight TradingView script helps short-term option traders quickly visualize hourly structure and bias.
What it does:
Draws a vertical blue line at the start of each new hour
Draws a horizontal yellow line from the opening price of the hour, extending until the next hour
Purpose:
This tool makes it easy to:
Track hourly price context on lower timeframes like 1-minute
See how far price moves relative to the hourly open
Identify mean-reversion or breakout conditions around hourly transitions
Best used on:
1-minute (1m) charts, where understanding the position of price relative to the hourly open can inform "Up or Down" binary trades.
TTT Sentiment IndicatorThis indicator plots the NYSE uptick vs. downtick volume ratios and can be used as a short-term sentiment indicator of buying pressure (FOMO) when UVOL/DVOL is high and selling pressure (panic selling) when DVOL/UVOL is high. These ratios are used informally by Chris Vermeulen of The Technical Traders as a contrarian indicator on a 30 minute chart.
This script isn't created, approved, or supported by The Technical Traders, but was created by a TTT subscriber to support the request of other subscribers. I'm not planning to upgrade or support this indicator or answer questions on how to use it. It's open source, so users can make their own copy and edit as they see fit.
Auto AVWAP (Anchored-VWAP) with Breakout ScreenerAuto AWAP based indicator that is able to idenifty the breakout of AWAP
Clean 20/40/60 High/Low LabelsIPDA Data Ranges
Works on all timeframes
20 period high and low, 40 period high and low, and 60 period high and low
This helps to identify large cycles on the daily and 4H chart
Can also be useful at liquidity injections and opening and closing prices of the market.
SMA Variancegives value between 9 and 20 SMA. looking to create alarm based on decreasing difference
after large gap.
Chaikin Oscillator Enhanced📊 What Is the Chaikin Oscillator?
The Chaikin Oscillator is a momentum indicator that helps traders understand the strength of buying and selling pressure in the market, based on volume and price movement.
It is calculated as the difference between two moving averages (short-term and long-term) of the Accumulation/Distribution Line (A/D Line). This line combines price and volume to show whether money is flowing into or out of an asset.
________________________________________
🧠 Simple Concept
• When big traders are buying, they usually do so with volume support—the Chaikin Oscillator picks this up.
• When volume is rising but price is falling, or vice versa, it shows hidden strength or weakness.
So, this indicator helps you see what the smart money is doing, even if the price isn’t moving much.
________________________________________
🛠️ How It Works
• Oscillator Value Above Zero → More buying pressure (bullish).
• Oscillator Value Below Zero → More selling pressure (bearish).
• Crossing above zero → A potential buy signal.
• Crossing below zero → A potential sell signal.
The histogram (vertical bars) in the indicator changes color:
• Green bars = Positive momentum.
• Red bars = Negative momentum.
________________________________________
🎯 How Traders Use It for Entry and Exit
✅ For Entries:
• Buy Entry: When the oscillator crosses above the zero line and the bars turn green, it means buyers are stepping in with volume.
• For better confirmation, combine it with price breaking above a resistance level.
❌ For Exits or Shorts:
• Sell Exit or Short Entry: When the oscillator crosses below the zero line and bars turn red, it suggests selling pressure is growing.
• If the price is also below support, it’s a stronger signal.
________________________________________
🔍 Example Use Case:
1. You’re watching a stock or crypto that's been going sideways.
2. Suddenly, the Chaikin Oscillator crosses above zero, and green bars appear.
3. That’s your early clue that big buyers might be entering.
4. If price confirms this with a breakout, you can enter a long position.
________________________________________
🌐 Where Is It Useful?
The Chaikin Oscillator is great for:
• Stocks (especially volume-heavy large caps)
• ETFs
• Cryptocurrency (on exchanges that provide volume data)
• Forex – less reliable unless volume is proxy-based
⚠️ Important: It won’t work well on instruments where volume data is missing or unreliable (like some CFDs or synthetic assets).
________________________________________
🧭 Pro Tips for Using It:
• Combine it with support/resistance, moving averages, or candlestick patterns.
• Avoid trading only based on this indicator—use it as confirmation.
• Use the alerts (added in the script) so you don’t miss key movements.
________________________________________
Previous Day/Week/Month - High/Lows + Open/Close (RC)hi it is Aishwarrya das daily/weekly/monthly high low indicator
FutureObitz Official Bank Levels// © 2025 FutureObitz - Custom version for private use
This Bank Levels indicator automatically calculates daily high, low, mid, and premium/discount zones using dynamic ranges.
Ideal for intraday traders using supply/demand, liquidity concepts, and institutional levels. Labels are cleanly aligned and update once per day for minimal chart clutter.
This version was customized for my personal trading style and refined for visual clarity.
🟢 RSI + MACD Bullish Divergence Scannerrsi/macd bullish divergence enter off green bubble. size accordingly.
Shavarie Gordon’s Phantom Trigger The Phantom Trigger is a precision-engineered confluence indicator developed by Shavarie Gordon — the result of 7 years of trading experience distilled into one clean, powerful tool.
This system filters out noise and focuses only on high-quality trades, combining three powerful elements:
🔹 Momentum Bend Detection – custom logic to detect shifts in directional strength
🔹 Delta Volume Pressure – smoothed order flow showing who’s in control (buyers vs sellers)
🔹 RSI Bend Confirmation – micro-level reversal insight from RSI (length 1 by default)
When all three align, the Phantom Trigger activates:
📈 Line bends up → high-probability buy
📉 Line bends down → high-probability sell
Key Features:
Built for confluence-based traders who want sniper accuracy
Filters out random or weak setups — no low-quality trades
Perfect for scalping, swing, or smart intraday positioning
Lightweight, non-repainting, and easy to read
👑 Final Note:
This tool isn’t for guessing — it’s for traders who wait, confirm, and strike.
Every signal reflects the precision and patience of a 7-year trading journey.
Disclaimer:
This indicator is for educational and informational purposes only and does not constitute financial advice. Use at your own discretion and always apply risk management.