OrderVibe V2OrderVibe — Gold Trading Indicator (Invite-Only)
OrderVibe is a closed-source script designed primarily for XAUUSD (gold), but it can be adapted to other instruments with parameter tuning. It provides a structured trade plan: entry/exit labels, a baseline stop loss suggestion, and a multi-step Take Profit ladder (up to 10 levels) based on volatility.
What the script does
Trend regime filter – optional filtering of setups using moving-average direction, with optional higher-timeframe confirmation.
Momentum gate – requires directional confirmation from a momentum measure (configurable length and smoothing) before a setup is qualified.
Volatility filter – ATR-based thresholds allow suppression of setups during unusually low or high volatility.
SMC & order blocks – integrates elements of Smart Money Concepts, detecting order blocks that may serve as important decision zones.
Support & resistance – automatically highlights significant support/resistance levels as potential reaction areas or targets.
Levels & exits – multi-step TP ladder (TP1–TP10) computed from ATR multiples; configurable baseline stop suggestion (ATR or last swing).
Alerts – optional alerts for key events
How to use
Symbol & timeframe – built with XAUUSD intraday trading in mind; for other markets, adjust ATR and filter thresholds.
Volatility calibration – set ATR length and TP multipliers so level spacing matches your instrument’s typical range.
Risk & management – choose how many TP steps to monitor; unused ones can be hidden in Inputs. Consider your own breakeven or trailing methods.
Filters – enable/disable trend, momentum, and volatility gates depending on your trading style (trend continuation vs. mean reversion).
Validation – review historical behavior and forward-test in demo before using live.
Underlying concepts
SMC (Smart Money Concepts): order block detection and their role in potential setups.
Support/Resistance: automatic detection of key structural levels.
ATR as a volatility measure for TP and baseline SL.
MA-based regime for trend qualification.
Directional momentum for signal confirmation.
Chart-native visualization of levels and events.
Why it’s original in workflow
Integrated TP ladder (TP1–TP10) with per-level toggles and alert hooks for consistent level management.
Dual gating: setups require momentum agreement with the trend regime (optionally confirmed by higher timeframe).
Volatility-aware behavior: suppression of signals in unusual ATR regimes to keep conditions explicit.
SMC integration: combines order blocks and support/resistance levels with volatility-based targets.
Scenario labels and level markers designed to be read on a clean chart, making the output self-explanatory.
Notes on chart examples
Published chart examples should show only the script’s outputs (TP ladder, setup labels, baseline SL, order blocks, support/resistance) on a clean chart without other indicators or unrelated drawings.
Limitations & disclaimer
This script provides analytical tools and visualizations. This is not investment advice and does not guarantee any outcome. Use proper risk management and independent judgment.
XAUUSD
Machine Learning BBPct [BackQuant]Machine Learning BBPct
What this is (in one line)
A Bollinger Band %B oscillator enhanced with a simplified K-Nearest Neighbors (KNN) pattern matcher. The model compares today’s context (volatility, momentum, volume, and position inside the bands) to similar situations in recent history and blends that historical consensus back into the raw %B to reduce noise and improve context awareness. It is informational and diagnostic—designed to describe market state, not to sell a trading system.
Background: %B in plain terms
Bollinger %B measures where price sits inside its dynamic envelope: 0 at the lower band, 1 at the upper band, ~ 0.5 near the basis (the moving average). Readings toward 1 indicate pressure near the envelope’s upper edge (often strength or stretch), while readings toward 0 indicate pressure near the lower edge (often weakness or stretch). Because bands adapt to volatility, %B is naturally comparable across regimes.
Why add (simplified) KNN?
Classic %B is reactive and can be whippy in fast regimes. The simplified KNN layer builds a “nearest-neighbor memory” of recent market states and asks: “When the market looked like this before, where did %B tend to be next bar?” It then blends that estimate with the current %B. Key ideas:
• Feature vector . Each bar is summarized by up to five normalized features:
– %B itself (normalized)
– Band width (volatility proxy)
– Price momentum (ROC)
– Volume momentum (ROC of volume)
– Price position within the bands
• Distance metric . Euclidean distance ranks the most similar recent bars.
• Prediction . Average the neighbors’ prior %B (lagged to avoid lookahead), inverse-weighted by distance.
• Blend . Linearly combine raw %B and KNN-predicted %B with a configurable weight; optional filtering then adapts to confidence.
This remains “simplified” KNN: no training/validation split, no KD-trees, no scaling beyond windowed min-max, and no probabilistic calibration.
How the script is organized (by input groups)
1) BBPct Settings
• Price Source – Which price to evaluate (%B is computed from this).
• Calculation Period – Lookback for SMA basis and standard deviation.
• Multiplier – Standard deviation width (e.g., 2.0).
• Apply Smoothing / Type / Length – Optional smoothing of the %B stream before ML (EMA, RMA, DEMA, TEMA, LINREG, HMA, etc.). Turning this off gives you the raw %B.
2) Thresholds
• Overbought/Oversold – Default 0.8 / 0.2 (inside ).
• Extreme OB/OS – Stricter zones (e.g., 0.95 / 0.05) to flag stretch conditions.
3) KNN Machine Learning
• Enable KNN – Switch between pure %B and hybrid.
• K (neighbors) – How many historical analogs to blend (default 8).
• Historical Period – Size of the search window for neighbors.
• ML Weight – Blend between raw %B and KNN estimate.
• Number of Features – Use 2–5 features; higher counts add context but raise the risk of overfitting in short windows.
4) Filtering
• Method – None, Adaptive, Kalman-style (first-order),
or Hull smoothing.
• Strength – How aggressively to smooth. “Adaptive” uses model confidence to modulate its alpha: higher confidence → stronger reliance on the ML estimate.
5) Performance Tracking
• Win-rate Period – Simple running score of past signal outcomes based on target/stop/time-out logic (informational, not a robust backtest).
• Early Entry Lookback – Horizon for forecasting a potential threshold cross.
• Profit Target / Stop Loss – Used only by the internal win-rate heuristic.
6) Self-Optimization
• Enable Self-Optimization – Lightweight, rolling comparison of a few canned settings (K = 8/14/21 via simple rules on %B extremes).
• Optimization Window & Stability Threshold – Governs how quickly preferred K changes and how sensitive the overfitting alarm is.
• Adaptive Thresholds – Adjust the OB/OS lines with volatility regime (ATR ratio), widening in calm markets and tightening in turbulent ones (bounded 0.7–0.9 and 0.1–0.3).
7) UI Settings
• Show Table / Zones / ML Prediction / Early Signals – Toggle informational overlays.
• Signal Line Width, Candle Painting, Colors – Visual preferences.
Step-by-step logic
A) Compute %B
Basis = SMA(source, len); dev = stdev(source, len) × multiplier; Upper/Lower = Basis ± dev.
%B = (price − Lower) / (Upper − Lower). Optional smoothing yields standardBB .
B) Build the feature vector
All features are min-max normalized over the KNN window so distances are in comparable units. Features include normalized %B, normalized band width, normalized price ROC, normalized volume ROC, and normalized position within bands. You can limit to the first N features (2–5).
C) Find nearest neighbors
For each bar inside the lookback window, compute the Euclidean distance between current features and that bar’s features. Sort by distance, keep the top K .
D) Predict and blend
Use inverse-distance weights (with a strong cap for near-zero distances) to average neighbors’ prior %B (lagged by one bar). This becomes the KNN estimate. Blend it with raw %B via the ML weight. A variance of neighbor %B around the prediction becomes an uncertainty proxy ; combined with a stability score (how long parameters remain unchanged), it forms mlConfidence ∈ . The Adaptive filter optionally transforms that confidence into a smoothing coefficient.
E) Adaptive thresholds
Volatility regime (ATR(14) divided by its 50-bar SMA) nudges OB/OS thresholds wider or narrower within fixed bounds. The aim: comparable extremeness across regimes.
F) Early entry heuristic
A tiny two-step slope/acceleration probe extrapolates finalBB forward a few bars. If it is on track to cross OB/OS soon (and slope/acceleration agree), it flags an EARLY_BUY/SELL candidate with an internal confidence score. This is explicitly a heuristic—use as an attention cue, not a signal by itself.
G) Informational win-rate
The script keeps a rolling array of trade outcomes derived from signal transitions + rudimentary exits (target/stop/time). The percentage shown is a rough diagnostic , not a validated backtest.
Outputs and visual language
• ML Bollinger %B (finalBB) – The main line after KNN blending and optional filtering.
• Gradient fill – Greenish tones above 0.5, reddish below, with intensity following distance from the midline.
• Adaptive zones – Overbought/oversold and extreme bands; shaded backgrounds appear at extremes.
• ML Prediction (dots) – The KNN estimate plotted as faint circles; becomes bright white when confidence > 0.7.
• Early arrows – Optional small triangles for approaching OB/OS.
• Candle painting – Light green above the midline, light red below (optional).
• Info panel – Current value, signal classification, ML confidence, optimized K, stability, volatility regime, adaptive thresholds, overfitting flag, early-entry status, and total signals processed.
Signal classification (informational)
The indicator does not fire trade commands; it labels state:
• STRONG_BUY / STRONG_SELL – finalBB beyond extreme OS/OB thresholds.
• BUY / SELL – finalBB beyond adaptive OS/OB.
• EARLY_BUY / EARLY_SELL – forecast suggests a near-term cross with decent internal confidence.
• NEUTRAL – between adaptive bands.
Alerts (what you can automate)
• Entering adaptive OB/OS and extreme OB/OS.
• Midline cross (0.5).
• Overfitting detected (frequent parameter flipping).
• Early signals when early confidence > 0.7.
These are purely descriptive triggers around the indicator’s state.
Practical interpretation
• Mean-reversion context – In range markets, adaptive OS/OB with ML smoothing can reduce whipsaws relative to raw %B.
• Trend context – In persistent trends, the KNN blend can keep finalBB nearer the mid/upper region during healthy pullbacks if history supports similar contexts.
• Regime awareness – Watch the volatility regime and adaptive thresholds. If thresholds compress (high vol), “OB/OS” comes sooner; if thresholds widen (calm), it takes more stretch to flag.
• Confidence as a weight – High mlConfidence implies neighbors agree; you may rely more on the ML curve. Low confidence argues for de-emphasizing ML and leaning on raw %B or other tools.
• Stability score – Rising stability indicates consistent parameter selection and fewer flips; dropping stability hints at a shifting backdrop.
Methodological notes
• Normalization uses rolling min-max over the KNN window. This is simple and scale-agnostic but sensitive to outliers; the distance metric will reflect that.
• Distance is unweighted Euclidean. If you raise featureCount, you increase dimensionality; consider keeping K larger and lookback ample to avoid sparse-neighbor artifacts.
• Lag handling intentionally uses neighbors’ previous %B for prediction to avoid lookahead bias.
• Self-optimization is deliberately modest: it only compares a few canned K/threshold choices using simple “did an extreme anticipate movement?” scoring, then enforces a stability regime and an overfitting guard. It is not a grid search or GA.
• Kalman option is a first-order recursive filter (fixed gain), not a full state-space estimator.
• Hull option derives a dynamic length from 1/strength; it is a convenience smoothing alternative.
Limitations and cautions
• Non-stationarity – Nearest neighbors from the recent window may not represent the future under structural breaks (policy shifts, liquidity shocks).
• Curse of dimensionality – Adding features without sufficient lookback can make genuine neighbors rare.
• Overfitting risk – The script includes a crude overfitting detector (frequent parameter flips) and will fall back to defaults when triggered, but this is only a guardrail.
• Win-rate display – The internal score is illustrative; it does not constitute a tradable backtest.
• Latency vs. smoothness – Smoothing and ML blending reduce noise but add lag; tune to your timeframe and objectives.
Tuning guide
• Short-term scalping – Lower len (10–14), slightly lower multiplier (1.8–2.0), small K (5–8), featureCount 3–4, Adaptive filter ON, moderate strength.
• Swing trading – len (20–30), multiplier ~2.0, K (8–14), featureCount 4–5, Adaptive thresholds ON, filter modest.
• Strong trends – Consider higher adaptive_upper/lower bounds (or let volatility regime do it), keep ML weight moderate so raw %B still reflects surges.
• Chop – Higher ML weight and stronger Adaptive filtering; accept lag in exchange for fewer false extremes.
How to use it responsibly
Treat this as a state descriptor and context filter. Pair it with your execution signals (structure breaks, volume footprints, higher-timeframe bias) and risk management. If mlConfidence is low or stability is falling, lean less on the ML line and more on raw %B or external confirmation.
Summary
Machine Learning BBPct augments a familiar oscillator with a transparent, simplified KNN memory of recent conditions. By blending neighbors’ behavior into %B and adapting thresholds to volatility regime—while exposing confidence, stability, and a plain early-entry heuristic—it provides an informational, probability-minded view of stretch and reversion that you can interpret alongside your own process.
CANX Gold (XAUUSD) $5 Psychological Levels© CanxStixTrader
FOR GOLD ONLY
--------------------------------
This is a vary simple yet powerful indicator based on the psychological levels that retail traders use to trade gold and institutions in turn target these levels.
--------------------------------
HOW TO USE
Once the trend has been determined then this simple indicator can be used to target the pull backs for the sniper entries you want.
-TIP, pair with other indicators for optimal entries and trend identification. We recommend the 1 minute time frame for entries and a momentum indicator for extra confirmation.
--------------------------------
The indicator draws lines every 50 pips or $5 on the chart and is customizable to your preference.
Like always, Keep it simple!
© CanxStixTrader
Price Acceleration Matrix [QuantAlgo]🟢 Overview
The Price Acceleration Matrix indicator is an advanced momentum analysis tool that measures the rate of change in price velocity across multiple timeframes simultaneously. It transforms raw price data into velocity measurements for each timeframe, then calculates the acceleration of these velocities to identify when momentum is building or deteriorating. By analyzing acceleration alignment across all three timeframes, the system can distinguish between strong directional moves (all timeframes accelerating in the same direction) and weak, choppy movements (mixed acceleration signals). This multi-timeframe acceleration matrix provides traders with early warning signals for momentum shifts, trend continuation and reversal opportunities across different timeframes and asset classes.
🟢 How It Works
The indicator employs a three-stage calculation process that transforms price data into actionable acceleration signals. First, it calculates velocity (rate of price change) for each of the three user-defined timeframes by measuring the percentage change in price over the specified lookback periods. These velocity calculations are normalized by their respective timeframe lengths to ensure fair comparison across different periods.
In the second stage, the system calculates acceleration by measuring the change in velocity from one bar to the next for each timeframe, effectively capturing the second derivative of price movement. This acceleration data reveals whether momentum is building (positive acceleration) or deteriorating (negative acceleration) at each timeframe level.
The final stage creates the acceleration matrix score by evaluating alignment across all three timeframes. When all timeframes show positive acceleration, the system averages them for maximum bullish signal strength. When all show negative acceleration, it averages them for maximum bearish signal strength. However, when acceleration signals are mixed across timeframes, the system applies a penalty by dividing the average by two, indicating consolidation or conflicting momentum forces. The resulting signal is then smoothed using an Exponential Moving Average and scaled to the -3 to +3 range using a user-defined threshold parameter.
🟢 How to Use
1. Signal Interpretation and Momentum Analysis
Positive Territory (Above Zero): Indicates accelerating upward momentum with bullish bias and favorable conditions for long positions
Negative Territory (Below Zero): Signals accelerating downward momentum with bearish bias and favorable conditions for short positions
Extreme Levels (±2 to ±3): Represent maximum acceleration alignment across all timeframes, indicating high-probability momentum continuation
Moderate Levels (±1 to ±2): Suggest building momentum with good timeframe alignment but less conviction than extreme readings
Near Zero (-0.5 to +0.5): Indicates mixed signals, consolidation, or momentum exhaustion requiring caution
2. Overbought/Oversold Zone Analysis
Above +2 (Overbought Zone): Markets showing extreme bullish acceleration may be due for profit-taking or short-term pullbacks
Below -2 (Oversold Zone): Markets showing extreme bearish acceleration may present reversal opportunities or bounce potential
Zone Exits: When acceleration retreats from extreme zones, it often signals momentum exhaustion and potential trend changes
🟢 Pro Tips for Trading
→ Early Momentum Detection: Watch for acceleration crossing above zero after periods of negative readings, as this often precedes major price movements by several bars, providing early entry opportunities before traditional indicators signal.
→ Momentum Exhaustion Signals: Exit or take profits when acceleration reaches extreme levels (±2.5 or higher) and begins to decline, even if price continues in the same direction, as momentum deterioration typically precedes price reversals.
→ Acceleration Divergence Strategy: Look for divergences between price highs/lows and acceleration peaks/troughs, as these often signal weakening momentum and potential reversal opportunities before they become apparent on price charts.
→ Threshold Optimization: Adjust the acceleration threshold based on asset volatility - higher thresholds (0.7-1.0) for volatile assets to reduce false signals, lower thresholds (0.3-0.5) for stable assets to maintain sensitivity.
→ Alert-Based Trading: Utilize the built-in alert system for bullish/bearish reversals (±2 level crosses) and trend changes (zero line crosses) to capture momentum shifts without constant chart monitoring, especially effective for swing trading approaches.
→ Risk Management Integration: Reduce position sizes when acceleration readings are weak (below ±1.0) and increase allocation when strong acceleration alignment occurs (above ±2.0), as signal strength correlates directly with probability of successful trades.
AlgoFlex Buy Sell Signals FREE📢 Introducing AlgoFlex Free — Buy/Sell Signals for All Traders
We’re excited to release our first free AlgoFlex algorithm to the TradingView community!
This version provides clear Buy/Sell signals directly on your chart, helping you spot potential entries and exits with confidence.
✅ Features
Real-time Buy and Sell alerts
Works on any market & timeframe
Clean, minimal chart display
Optimized for trend-following & quick decision making
💡 How to Use
Add this script to your chart
Choose your preferred market & timeframe
Follow the Buy/Sell labels for trade ideas
(Optional) Enable TradingView alerts for instant notifications
⚠ Disclaimer
This script is for educational and informational purposes only.
Always do your own research and use proper risk management before trading live capital.
🚀 Upgrade to AlgoFlex Premium for advanced AI-driven signal modes, higher accuracy, and additional strategy filters. Contact us via our profile for details or Download the App from App store/ google play to get access.
algoflex.org
XAUUSD to GC1! ConverterThis simple utility indicator compares the spot gold price (XAUUSD) with the COMEX gold futures contract (GC1!).
It calculates the current spread between the two instruments and allows you to input a signal price on XAUUSD to instantly see the equivalent price on GC1!.
Perfect for traders who receive alerts on spot gold but execute on futures, ensuring seamless price adaptation.
Hassi XAUUSD STRATEGY BOTGold (XAUUSD) 15m trend+momentum based signals with EMA(9/21/200), RSI, custom ADX, ATR-based SL/TP & alerts
Works on XAUUSD 15m.
Entry: EMA9/21 cross + price relative to EMA200 + RSI filter + custom ADX trend strength.
Risk: default SL=1.5×ATR, TP=2×ATR (editable).
Notes: No financial advice. Backtest before live use. Avoid high-impact news whipsaws.
SD Bands Filtered Signals### SD Bands Filtered Signals: Reversion & Volatility Scanner
**Core Description:**
The SD Bands Filtered Signals is a tool developed to help traders identify more accurate buy and sell signals in sideways markets, or during periods of low price movement. It utilizes the principles of Standard Deviation (SD) and a Moving Average (MA), with a unique 'signal filtering' system added to reduce unnecessary noise.
**Key Features:**
* **SD Bands:** Creates upper and lower bands to define price volatility zones, providing a clear overview of market conditions.
* **Intelligent Reversal Signals:** Generates specially filtered Buy/Sell signals for a 'Reversion to the Mean' strategy. These signals appear only when the market has low volatility and the price touches the SD Bands.
* **Advanced Signal Filtering System:** Uses a **`Cooldown Bars`** variable to set a rest period between signals. This prevents repetitive arrows in the same zone, helping you find the best signal at the most suitable point.
* **Fully Customizable:** You can adjust the **`Length`**, **`Multiplier`**, **`Sideways Threshold`**, and **`Cooldown Bars`** to fit your trading style and asset of choice.
**How to Use:**
* **Buy Signal (Green Arrow Up):** Look for this signal when the market is sideways and the price moves down to touch the lower band (SD Low).
* **Sell Signal (Red Arrow Down):** Look for this signal when the market is sideways and the price moves up to touch the upper band (SD High).
* **Customization:** You can adjust the **`Cooldown Bars`** value to control the number of arrows. If you want more accurate but fewer signals, increase this value.
**Disclaimer:**
* This indicator is an **analytical tool only** and is not a 100% guarantee of profit.
* It should be used in conjunction with other forms of analysis, such as candlestick patterns, trading volume, and proper risk management.
ไทย
ชื่ออินดิเคเตอร์ "SD Bands Filtered Signals: Reversion & Volatility Scanner"
คำอธิบายหลัก:
อินดิเคเตอร์ SD Bands Filtered Signals เป็นเครื่องมือที่ถูกพัฒนาขึ้นเพื่อช่วยให้นักเทรดสามารถระบุสัญญาณซื้อ (Buy) และขาย (Sell) ที่แม่นยำขึ้นในตลาดแบบ Sideways หรือช่วงที่ราคาเคลื่อนที่ในกรอบแคบๆ โดยใช้หลักการของ Standard Deviation (SD) และ Moving Average (MA) และเพิ่มระบบ 'กรองสัญญาณ' ที่เป็นเอกลักษณ์เพื่อลดสัญญาณรบกวน (Noise) ที่ไม่จำเป็นออกไป
คุณสมบัติเด่น:
* SD Bands: สร้างเส้นขอบบนและล่างเพื่อระบุโซนความผันผวนของราคา ทำให้เห็นภาพรวมของตลาดได้ง่าย
* สัญญาณ Reversal อัจฉริยะ: สร้างสัญญาณ Buy/Sell ที่ถูกคัดกรองมาเป็นพิเศษสำหรับกลยุทธ์การกลับตัว (Reversion to the Mean) โดยจะปรากฏเฉพาะเมื่อตลาดมีความผันผวนต่ำและราคาแตะขอบของ SD Bands
* ระบบกรองสัญญาณขั้นสูง: ใช้ตัวแปร Cooldown Bars เพื่อกำหนดระยะเวลาพักสัญญาณ ทำให้ไม่เกิดลูกศรซ้ำๆ ในโซนเดียวกัน และช่วยให้คุณได้สัญญาณที่ดีที่สุดในจุดที่เหมาะสมที่สุด
* ปรับแต่งได้เต็มที่: คุณสามารถปรับค่า Length, Multiplier, Sideways Threshold และ Cooldown Bars เพื่อให้เข้ากับสไตล์การเทรดและคู่สินทรัพย์ที่คุณสนใจ
วิธีการใช้งาน:
* สัญญาณ Buy (ลูกศรสีเขียวขึ้น): มองหาสัญญาณนี้เมื่อตลาดอยู่ในช่วง Sideways และราคาวิ่งลงมาแตะเส้นขอบล่าง (SD Low)
* สัญญาณ Sell (ลูกศรสีแดงลง): มองหาสัญญาณนี้เมื่อตลาดอยู่ในช่วง Sideways และราคาวิ่งขึ้นไปแตะเส้นขอบบน (SD High)
* การปรับแต่ง: คุณสามารถปรับค่า Cooldown Bars เพื่อให้ได้จำนวนลูกศรที่ต้องการ หากต้องการสัญญาณที่แม่นยำขึ้นแต่จำนวนน้อยลง ให้เพิ่มค่านี้ให้สูงขึ้น
ข้อควรระวัง:
* อินดิเคเตอร์นี้เป็นเพียงเครื่องมือวิเคราะห์ ไม่ใช่สัญญาณที่การันตีผลกำไร 100%
* ควรใช้ประกอบกับการวิเคราะห์อื่นๆ เช่น รูปแบบแท่งเทียน, ปริมาณการซื้อขาย (Volume) และการจัดการความเสี่ยงที่เหมาะสม
XAUUSD Pro Scalper - EMA/SMA Multi-Timeframe🏆 XAUUSD Pro Scalper - Advanced Multi-Timeframe Trading System
📊 Professional Overview
The XAUUSD Pro Scalper is a sophisticated, multi-layered technical analysis indicator specifically engineered for Gold (XAUUSD) scalping strategies. This premium indicator combines 6 powerful analytical components into a single, comprehensive trading system that provides high-probability entry and exit signals with exceptional accuracy.
---
🎯 Core Trading Philosophy
This indicator operates on the principle of confluence trading - requiring multiple technical confirmations before generating signals. By combining trend analysis, momentum indicators, volume dynamics, and price action patterns, it filters out market noise and focuses only on the most promising trading opportunities.
---
⚡ Key Features & Components
🔄 Multi-Timeframe Analysis
* 15-minute EMA (35-period): Captures the broader trend direction
* 5-minute SMA (50-period): Provides precise entry timing
* Dynamic interaction: Signals only trigger when both timeframes align
📈 Momentum Confirmation System
* RSI (14-period): Identifies overbought/oversold conditions
* MACD (12,26,9): Confirms trend momentum and direction changes
* Dual-layer validation: Both indicators must agree for signal generation
🔊 Advanced Volume Analysis
* Volume Spike Detection: Identifies unusual market activity
* Buying/Selling Pressure: Visual indicators show institutional money flow
* Volume Moving Average: Filters out low-conviction moves
📊 Bollinger Bands Integration
* Dynamic Support/Resistance: 20-period with 2.0 standard deviation
* Price Position Analysis: Determines market positioning
* Volatility-based entries: Signals adjust to market conditions
🎯 Smart Signal Generation
* Buy Signals: Green triangles for standard entries
* Strong Buy: Lime triangles for high-probability setups
* Sell Signals: Red triangles for standard exits
* Strong Sell: Maroon triangles for high-conviction shorts
📋 Real-Time Information Dashboard
* Live market status: Trend, momentum, and volume conditions
* Signal strength indicators: Visual emoji system for quick analysis
* Next signal prediction: Anticipates upcoming trading opportunities
---
🚀 Trading Advantages
✅ High Accuracy
* Multiple confirmation layers reduce false signals by up to 70%
* Sensitivity settings allow customization for different market conditions
* Advanced filtering eliminates low-probability trades
⚡ Scalping Optimized
* Designed specifically for 1-5 minute XAUUSD charts
* Fast signal generation for quick market entries
* Dynamic stop-loss calculations using ATR
🎨 Visual Excellence
* Color-coded trend backgrounds for instant market assessment
* Clear, professional signal markers
* Comprehensive information table with emoji indicators
🔔 Alert System
* Real-time notifications for all signal types
* Customizable alert messages
* Never miss a trading opportunity
---
📈 Optimal Usage Strategy
Best Timeframes:
* Primary: 5-minute charts for scalping
* Confirmation: 15-minute for trend validation
* Works on: 1-minute to 15-minute timeframes
Market Sessions:
* London Session: High volatility, strong trends
* New York Session: Maximum volume and momentum
* Asian Session: Range-bound strategies
Signal Interpretation:
1. 🔥 Strong Buy/Sell: Enter immediately with full position size
2. 📈 Regular Signals: Enter with partial position, watch for confirmation
3. ⏳ Setup Signals: Prepare for potential entries, don't trade yet
---
🛡️ Risk Management Features
* ATR-based calculations for dynamic position sizing
* Multiple exit strategies through signal strength variations
* Trend background coloring prevents counter-trend trading
* Volume confirmation ensures institutional backing
---
🎯 Who Should Use This Indicator?
Perfect For:
* Day traders focusing on XAUUSD scalping
* Swing traders seeking high-probability entries
* Professional traders requiring multi-confirmation systems
* Algorithmic traders needing reliable signal generation
Skill Levels:
* Beginners: Easy-to-understand visual signals
* Intermediate: Comprehensive information dashboard
* Advanced: Customizable parameters and sensitivity settings
---
🔧 Customization Options
* Moving Average lengths: Adjust for different market speeds
* RSI parameters: Fine-tune overbought/oversold levels
* Volume thresholds: Customize spike detection sensitivity
* Signal sensitivity: High/Medium/Low settings for different trading styles
* Visual preferences: Toggle signals, volume pressure, and backgrounds
---
🏅 Performance Metrics
* Signal Accuracy: 75-85% in trending markets
* Risk/Reward Ratio: Typically 1:2 to 1:3
* Drawdown Reduction: Up to 40% compared to single-indicator systems
* Market Adaptability: Excellent performance across all volatility conditions
---
🚨 Important Notes
* Optimized specifically for XAUUSD - may require adjustment for other instruments
* Best performance during high-volume sessions
* Always combine with proper risk management
* Backtesting recommended before live trading
---
💡 Pro Tips for Maximum Performance
1. Wait for confluence: Never trade on single confirmations
2. Monitor the information table: Use it for market context
3. Respect trend backgrounds: Avoid counter-trend trades
4. Use strong signals: For highest probability entries
5. Set up alerts: Never miss market opportunities
---
This indicator represents the pinnacle of technical analysis for XAUUSD trading, combining years of market experience with cutting-edge algorithmic design. Transform your trading performance with this professional-grade tool.
🔥 Ready to elevate your Gold trading to the next level? Add this indicator to your TradingView arsenal today!
TSD Quantum [Moeinudin Montazerfaraj] 🔸 "TSD" stands for **Trend 1-2-3 and Supply & Demand**, which is the foundation of the trading style this indicator is built upon.
🔹 TSD Quantum is a specialized indicator designed exclusively for day traders who trade EURUSD, XAUUSD (Gold), and DAX40 on the 1H, 15M, and 5M timeframes using a Supply & Demand-based strategy.
This indicator is **not suitable for other symbols** and has been tailored specifically for these three assets to ensure high precision and effectiveness.
---
### 🔍 Key Features:
✅ **Trading Checklist Panel**
A built-in checklist helps you track every rule in your trading plan. If even one condition is left unchecked, the system highlights it in red and marks the trade as "Not Allowed." This feature enhances trading discipline.
✅ **Spread & ATR Control Panel**
Supports both auto-calculated and fixed values for spread and ATR. This is especially helpful when placing stop-losses quickly and accurately.
✅ **Inside & Outside Candle Detection**
A dedicated panel highlights whether the last candle is inside or outside. Hovering your mouse over the chart elements automatically colorizes the candles:
🔵 Blue = Outside candle
🔴 Red = Inside candle
Also displays the high/low of the latest outside bar.
✅ **Weekly Trade Stats Panel**
Custom-built for the mentioned three assets. You can enter your trades using either fixed risk or floating risk models.
✅ **Performance Metrics**
Helps you build and adjust a floating risk model—so you don’t have to enter every trade with the same lot size. Improves risk management across multiple trades.
✅ **Base Candles Display**
Grey and white base candles are marked based on supply and demand zones.
✅ **EOT Candles**
Candles with a green dot underneath indicate valid EOT opportunities for potential move-outs.
✅ **RC (Rejection Candle) Detection**
RC candles are automatically detected to alert you of potential traps or weaknesses during Supply/Demand formations.
---
### ⚠️ Disclaimer
This indicator does **not** issue buy/sell signals and **cannot guarantee profit or prevent loss**. It is a **tool for discretionary trading**, not an automated expert advisor.
All decisions must be made by the trader based on their own strategy and risk tolerance.
This is the **latest tested version** of TSD Quantum. All features have been validated and function as intended. Future updates will be provided if needed.
---
🙏 Thank you for reviewing this script. We hope it becomes a valuable addition to your day trading toolkit!
Gold Power Queen StrategyTrade XAUUSD (Gold) or XAUEUR LIKE A CHAMP!!!! Only 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 – 12:00 (NY time)
Afternoon Session:
12:00 – 15:00
These times align with institutional activity and economic news releases.
📊 Technical Indicators:
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)
Must be during a valid day (Tue–Thu) and Power Hour session
🟥 Sell Signal Criteria:
Price is below the 50-period SMA (bearish trend)
Must be during a valid day and Power Hour session
🎯 Trade Management Rules:
Morning Session (08:00–12:00)
Stop Loss (SL): 50 pips
Take Profit (TP): 150 pips
Risk–Reward Ratio: 1:3
Afternoon Session (12:00–15:00)
Stop Loss (SL): 50 pips
Take Profit (TP): up to 100 pips
Risk–Reward Ratio: up to 1:1.5
⚠️ 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
Gold AI Smart Liquidity structure Signal SMC MA Title: Gold AI Smart Liquidity Signal SMC hull protected
Description:
Indicator Philosophy and Originality:
This indicator is not merely a collection of separate tools, but an integrated trading framework designed to improve decision-making by ensuring signal confluence. The core philosophy is that high-probability trading signals occur when multiple, distinct analysis methodologies align.
The originality of this script lies in how it systematically combines a leading signal (the Liquidity Breakout) with lagging confirmation tools (the Classic Filters and the Hull MA). A user can see a primary breakout signal and immediately validate its strength against the broader trend defined by the Hull MA and the specific conditions of the classic filters. This synergy, where different components work together to validate a single event, is the primary value and reason for this mashup. It provides a structured, multi-layered confirmation process within a single tool, which is not achievable by adding these indicators separately to the chart.
This indicator is a comprehensive technical analysis tool designed to identify potential trading opportunities and provide supplemental trend analysis. It features a primary signal engine based on pivot trendline breakouts, a sophisticated confirmation layer using classic technical indicators, and two separate modules for discretionary analysis: an ICT-based structure plotter and a highly customizable Hull Moving Average (HMA). This document provides a detailed, transparent explanation of all underlying logic.
1. Core Engine: Pivot-Based Liquidity Trendline Signals
The indicator's foundational signal is generated from a custom method we call "Liquidity Trendlines," which aims to identify potential shifts in momentum.
How It Works:
The script first identifies significant swing points in the price using the ta.pivothigh() and ta.pivotlow() functions.
It then draws a trendline connecting consecutive pivot points.
A "Liquidity Breakout" signal (liquidity_plup for buy, liquidity_pldn for sell) is generated when the price closes decisively across this trendline, forming the basis for a potential trade.
2. The Signal Confirmation Process: Multi-Layered Filtering System
A raw Liquidity Breakout signal is only a starting point. To enhance reliability, the signal must pass through a series of user-enabled filters. A final Buy or Sell signal is only plotted if all active filter conditions are met simultaneously.
General & Smart Trend Filters: Use a combination of EMAs, DMI (ADX), and market structure to define the trend. Signals must align with the trend to be valid.
RSI & MACD Filters: Used for momentum confirmation (e.g., MACD line must be above its signal line for a buy).
ATR (Volatility) Filter: Ensures trades are considered only when market volatility is sufficient.
Support & Resistance (S&R) Filter: Blocks signals forming too close to key S&R zones.
Higher Timeframe (HTF) Filter: Provides confluence by checking that the trend on higher timeframes aligns with the signal.
3. Visual Aid 1: ICT-Based Structure & Premium/Discount Zones
This module is for visual and discretionary analysis only and does not directly influence the automated Buy/Sell signals.
ICT Market Structure: Plots labels for Change of Character (CHoCH), Shift in Market Structure (SMS), and Break of Market Structure (BMS). This is based on a Donchian-channel-like logic that tracks the highest and lowest price over a user-defined period (ict_prd) to identify structural shifts.
ICT Premium & Discount Zones: When enabled, it draws colored zones on the chart corresponding to Premium, Discount, and Equilibrium levels, calculated from the range over the defined ICT period.
4. Visual Aid 2: Hull Moving Average (HMA) Integration
This is another independent tool for trend analysis, offering significant customization. It does not affect the primary Buy/Sell signals but has its own alerts and serves as a powerful visual confirmation layer.
Hull Variations: Users can choose between three types of Hull-style moving averages: HMA (Hull Moving Average), THMA (Triple Hull Moving Average), and EHMA (Exponential Hull Moving Average).
Customization: The length, source, and a length multiplier are fully adjustable. It can also be configured to display the Hull MA from a higher timeframe.
Visuals: The Hull MA can be displayed as a simple line or a colored band. The color can be set to change based on the Hull's slope, providing an at-a-glance view of the trend. This color can also be applied to the chart's candles.
Alerts: Separate alerts can be configured for when the Hull MA crosses over or under its delayed version (ta.crossover(MHULL, SHULL)), signaling a change in its momentum.
5. Risk Management & Additional Features
TP/SL Calculations: Automatically calculates Take Profit (TP) and Stop Loss (SL) levels for every valid signal based on the Average True Range (ATR).
Multi-Timeframe (MTF) Scanner: A dashboard that monitors and displays the final Buy/Sell signal status across multiple timeframes.
Session Filter & Alerts: Allows for restricting trades to specific market sessions and configuring alerts for any valid signal.
By combining breakout detection with a rigorous confirmation process and supplemental analysis tools, this indicator provides a structured and transparent approach to trading.
Time-Price Velocity [QuantAlgo]🟢 Overview
The Time-Price Velocity indicator uses advanced velocity-based analysis to measure the rate of price change normalized against typical market movement, creating a dynamic momentum oscillator that identifies market acceleration patterns and momentum shifts. Unlike traditional momentum indicators that focus solely on price change magnitude, this indicator incorporates time-weighted displacement calculations and ATR normalization to create a sophisticated velocity measurement system that adapts to varying market volatility conditions.
This indicator displays a velocity signal line that oscillates around zero, with positive values indicating upward price velocity and negative values indicating downward price velocity. The signal incorporates acceleration background columns and statistical normalization to help traders identify momentum shifts and potential reversal or continuation opportunities across different timeframes and asset classes.
🟢 How It Works
The indicator's key insight lies in its time-price velocity calculation system, where velocity is measured using the fundamental physics formula:
velocity = priceChange / timeWeight
The system normalizes this raw velocity against typical price movement using Average True Range (ATR) to create market-adjusted readings:
normalizedVelocity = typicalMove > 0 ? velocity / typicalMove : 0
where "typicalMove = ta.atr(lookback)" provides the baseline for normal price movement over the specified lookback period.
The Time-Price Velocity indicator calculation combines multiple sophisticated components. First, it calculates acceleration as the change in velocity over time:
acceleration = normalizedVelocity - normalizedVelocity
Then, the signal generation applies EMA smoothing to reduce noise while preserving responsiveness:
signal = ta.ema(normalizedVelocity, smooth)
This creates a velocity-based momentum indicator that combines price displacement analysis with statistical normalization, providing traders with both directional signals and acceleration insights for enhanced market timing.
🟢 How to Use
1. Signal Interpretation and Threshold Zones
Positive Values (Above Zero): Time-price velocity indicating bullish momentum with upward price displacement relative to normalized baseline
Negative Values (Below Zero): Time-price velocity indicating bearish momentum with downward price displacement relative to normalized baseline
Zero Line Crosses: Velocity transitions between bullish and bearish regimes, indicating potential trend changes or momentum shifts
Upper Threshold Zone: Area above positive threshold (default 1.0) indicating strong bullish velocity and potential reversal point
Lower Threshold Zone: Area below negative threshold (default -1.0) indicating strong bearish velocity and potential reversal point
2. Acceleration Analysis and Visual Features
Acceleration Columns: Background histogram showing velocity acceleration (the rate of change of velocity), with green columns indicating accelerating velocity and red columns indicating decelerating velocity. The interpretation depends on trend context: red columns in downtrends indicate strengthening bearish momentum, while red columns in uptrends indicate weakening bullish momentum
Acceleration Column Height: The height of each column represents the magnitude of acceleration, with taller columns indicating stronger acceleration or deceleration forces
Bar Coloring: Optional price bar coloring matches velocity direction for immediate visual trend confirmation
Info Table: Real-time display of current velocity and acceleration values with trend arrows and change indicators
3. Additional Features:
Confirmed vs Live Data: Toggle between confirmed (closed) bar analysis for stable signals or current bar inclusion for real-time updates
Multi-timeframe Adaptability: Velocity normalization ensures consistent readings across different chart timeframes and asset volatilities
Alert System: Built-in alerts for threshold crossovers and direction changes
🟢 Examples with Preconfigured Settings
Default : Balanced configuration suitable for most timeframes and general trading applications, providing optimal balance between sensitivity and noise filtering for medium-term analysis.
Scalping : High sensitivity setup with shorter lookback period and reduced smoothing for ultra-short-term trades on 1-15 minute charts, optimized for capturing rapid momentum shifts and frequent trading opportunities.
Swing Trading : Extended lookback period with enhanced smoothing and higher threshold for multi-day positions, designed to filter market noise while capturing significant momentum moves on 1-4 hour and daily timeframes.
DAX Inducere Simplă v1.3 – Confirmare InducereDAX Inducere Simplă v1.3 – Confirmare Inducere ,signals before fvg mss and displacement
Directional Market Efficiency [QuantAlgo]🟢 Overview
The Directional Market Efficiency indicator is an advanced trend analysis tool that measures how efficiently price moves in a given direction relative to the total price movement over a specified period. Unlike traditional momentum oscillators that only measure price change magnitude, this indicator combines efficiency measurement with directional bias to provide a comprehensive view of market behavior ranging from -1 (perfectly efficient downward movement) to +1 (perfectly efficient upward movement).
The indicator transforms the classic Efficiency Ratio concept by incorporating directional bias, creating a normalized oscillator that simultaneously reveals trend strength, direction, and market regime (trending vs. ranging). This dual-purpose functionality helps traders and investors identify high-probability trend continuation opportunities while filtering out choppy, inefficient price movements that often lead to false signals and whipsaws.
🟢 How It Works
The indicator employs a sophisticated two-step calculation process that first measures pure efficiency, then applies directional weighting to create the final signal. The efficiency calculation compares the absolute net price change over a lookback period to the sum of all individual bar-to-bar price movements during that same period. This ratio reveals how much of the total price movement contributed to actual progress in a specific direction.
The directional component applies the mathematical sign of the net price change (positive for upward movement, negative for downward movement) to the efficiency ratio, creating values between -1 and +1. The resulting Directional Efficiency is then smoothed using an Exponential Moving Average to reduce noise while maintaining responsiveness. Additionally, the system incorporates a configurable threshold level that distinguishes between trending markets (high efficiency) and ranging markets (low efficiency), enabling regime-based analysis and strategy adaptation.
🟢 How to Use
1. Signal Interpretation and Market Regime Analysis
Positive Territory (Above Zero): Indicates efficient upward price movement with bullish directional bias and favorable conditions for long positions
Negative Territory (Below Zero): Signals efficient downward price movement with bearish directional bias and favorable conditions for short positions
High Absolute Values (±0.4 to ±1.0): Represent highly efficient trending conditions with strong directional conviction and reduced noise
Low Absolute Values (±0.1 to ±0.3): Suggest ranging or consolidating markets with inefficient price movement and increased whipsaw risk
Zero Line Crosses: Mark critical directional shifts and provide primary entry/exit signals for trend-following strategies
2. Threshold-Based Market Regime Classification
Above Threshold (Trending Markets): When efficiency exceeds the threshold level, markets are classified as trending, favoring momentum strategies
Below Threshold (Ranging Markets): When efficiency falls below the threshold, markets are classified as ranging, favoring mean reversion approaches
3. Preset Configurations for Different Trading Styles
Default
Universally applicable configuration optimized for medium-term analysis across multiple timeframes and asset classes, providing balanced sensitivity and noise filtering.
Scalping
Highly responsive setup for ultra-short-term trades with increased sensitivity to quick efficiency changes. Best suited for 1-15 minute charts and rapid-fire trading approaches.
Swing Trading
Designed for multi-day position holding with enhanced noise filtering and focus on sustained efficiency trends. Optimal for 1-4 hour and daily timeframe analysis.
🟢 Pro Tips for Trading and Investing
→ Trend Continuation Filter: Enter long positions when Directional Efficiency crosses above zero in trending markets (above threshold) and short positions when crossing below zero, ensuring alignment with efficient price movement.
→ Range Trading Optimization: In ranging markets (below threshold), take profits on extreme readings and enter mean reversion trades when efficiency approaches zero from either direction.
→ Multi-Timeframe Confluence: Combine higher timeframe trend direction with lower timeframe efficiency signals for optimal entry timing.
→ Risk Management Enhancement: Reduce position sizes or avoid new entries when efficiency readings are weak (near zero), as these conditions indicate higher probability of choppy, unpredictable price movement.
→ Signal Strength Assessment: Prioritize trades with high absolute efficiency values (±0.4 or higher) as these represent the most reliable directional moves with reduced likelihood of immediate reversal.
→ Regime Transition Trading: Watch for efficiency threshold breaks combined with directional changes as these often mark significant trend initiation or termination points requiring strategic position adjustments.
→ Alert Integration: Utilize the built-in alert system for real time notifications of zero-line crosses, threshold breaks, and regime changes to maintain constant market awareness without continuous chart monitoring.
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
Automated Scalping Signals with TP/SL Indicator [QuantAlgo]🟢 Overview
The Automated Scalping Signals with Take Profit & Stop Loss Indicator is a multi-timeframe trading system that combines market structure analysis with directional bias filtering to identify potential scalping opportunities. It detects Points of Interest (POI) including Fair Value Gaps (FVG) and Order Blocks (OB) while cross-referencing entries with higher timeframe exponential moving average positioning to create systematic entry conditions.
The indicator features adaptive timeframe calculations that automatically scale analysis periods based on your chart timeframe, maintaining consistent analytical relationships across different trading sessions. It provides integrated trade management with stop loss calculation methods, configurable risk-reward ratios, and real-time performance tracking through dashboard displays showing trade statistics, bias direction, and active position status.
This advanced system is designed for low timeframe trading, typically performing optimally on 1 to 15-minute charts across popular instruments such as OANDA:XAUUSD , CME_MINI:MES1! , CME_MINI:ES1! , CME_MINI:MNQ1! , CBOT_MINI:YM1! , CBOT_MINI:MYM1! , BYBIT:BTCUSDT.P , BYBIT:ETHUSDT.P , or any asset and timeframe of your preference.
🟢 How It Works
The indicator operates using a dual-timeframe mathematical framework where higher timeframe exponential moving averages establish directional bias through cross-over analysis, while simultaneously scanning for specific market structure patterns on the POI timeframe. The timeframe calculation engine uses multiplication factors to determine analysis periods, ensuring the bias timeframe provides trend context while the POI timeframe captures structural formations.
The structural analysis begins with FVG detection, which systematically scans price action to identify imbalances where gaps exist between consecutive candle ranges with no overlapping wicks. When such gaps are detected, the algorithm measures their size against minimum thresholds to filter out insignificant formations. Concurrently, OB recognition analyzes three-candle sequences, examining specific open/close relationships that indicate potential institutional accumulation zones. Once these structural patterns are identified, the algorithm cross-references them against the higher timeframe bias direction, creating a validation filter that only permits entries aligned with the prevailing EMA cross-over state. When price subsequently intersects these validated POI zones, entry signals generate with the system calculating entry levels at zone midpoints, then applying the selected stop loss methodology combined with the configured risk-reward ratio to determine take profit placement.
To mirror realistic trading conditions, the indicator incorporates configurable slippage calculations that account for execution differences between intended and actual fill prices. When trades reach their take profit or stop loss levels, the algorithm applies slippage adjustments that worsen the exit prices in a conservative manner - reducing take profit fills and increasing stop loss impact. This approach ensures backtesting results reflect more realistic performance expectations by accounting for spread costs, market volatility during execution, and liquidity constraints that occur in live trading environments.
It also has a performance dashboard that continuously tracks and displays comprehensive trading metrics:
1/ Bias TF / POI TF: Displays the calculated timeframes used for bias analysis and POI detection, showing the actual periods (e.g., "15m / 5m") that result from the multiplier settings to confirm proper adaptive timeframe selection
2/ Bias Direction: Shows current market trend assessment (Bullish, Bearish, or Sideways) derived from EMA cross-over analysis to indicate which trade directions align with prevailing momentum
3/ Data Processing: Indicates how many price bars have been analyzed by the system, helping users verify if complete historical data has been processed for comprehensive strategy validation
4/ Total Trades: Displays the cumulative number of completed trades plus any active positions, providing volume assessment for statistical significance of other metrics
5/ Wins/Losses: Shows the raw count of profitable versus unprofitable trades, offering immediate insight into strategy effectiveness frequency
6/ Win Rate: Reveals the percentage of successful trades, where values above 50% generally indicate effective entry timing and values below suggest strategy refinement needs
7/ Total R-Multiple: Displays cumulative risk-reward performance across all trades, with positive values demonstrating profitable system operation and negative values indicating net losses requiring analysis
8/ Average R Win/Loss: Shows average risk-reward ratios for winning and losing trades separately, where winning averages approaching the configured take profit ratio indicate minimal slippage impact while losing averages near -1.0 suggest effective stop loss execution
9/ TP Ratio / Slippage: Displays the configured take profit ratio and slippage settings with calculated performance impact, showing how execution costs affect actual versus theoretical returns
10/ Profit Factor: Calculates the ratio of total winning amounts to total losing amounts, where values above 1.5 suggest robust profitability, values between 1.0-1.5 indicate modest success, and values below 1.0 show net losses
11/ Maximum Drawdown: Tracks the largest peak-to-trough decline in R-multiple terms, with smaller negative values indicating better capital preservation and risk control during losing streaks
🟢 How to Use
Start by applying the indicator to your chart and observe its performance across different market conditions to understand how it identifies bias direction and POI formations. Then navigate to the settings panel to configure the Bias Timeframe Multiplier for trend context sensitivity and POI Timeframe Multiplier for structural analysis frequency according to your trading preference and objectives.
Next, fine-tune the EMA periods in Bias Settings to control trend detection sensitivity and select your preferred POI types based on your analytical preference. Proceed to configure your Risk Management approach by selecting from the available stop loss calculation methods and setting the Take Profit ratio that aligns with your risk tolerance and profit objectives. Complete the setup by customizing Display Settings to control table visibility and trade visualization elements, adjusting UI positioning and colors for optimal chart readability, then activate Alert Conditions for automated notifications on trade entries, exits, and bias direction changes to support systematic trade management.
🟢 Examples
OANDA:XAUUSD
CME_MINI:MES1!
CME_MINI:ES1!
CME_MINI:MNQ1!
CBOT_MINI:YM1!
BYBIT:BTCUSDT.P
BINANCE:SOLUSD
*Disclaimer: Past performance is not indicative of future results. None of our statements, claims, or signals from our indicators are intended to be financial advice. All trading involves substantial risk of loss, not just upside potential. Users are highly recommended to carefully consider their financial situation and risk tolerance before trading.
RSI Multi-Timeframe Dashboard by giua64)### Summary
This is an advanced dashboard that provides a comprehensive overview of market strength and momentum, based on the Relative Strength Index (RSI) analyzed across 6 different timeframes simultaneously (from 5 minutes to the daily chart).
The purpose of this script is to offer traders an immediate and easy-to-read summary of market conditions, helping to identify the prevailing trend direction, overbought/oversold levels, and potential reversals through divergence detection. All of this is available in a single panel, eliminating the need to switch timeframes on your main chart.
### Key Features
* **Multi-Timeframe Analysis:** Simultaneously monitors the 5m, 15m, 30m, 1H, 4H, and Daily timeframes.
* **Scoring System:** Each timeframe is assigned a score based on multiple RSI conditions (e.g., above/below 50, overbought/oversold status, direction) to quantify bullish or bearish strength.
* **Aggregated Signal:** The dashboard calculates a total percentage score and provides a clear summary signal: **LONG**, **SHORT**, or **WAIT**.
* **Divergence Detection:** Automatically identifies Bullish and Bearish divergences between price and RSI for each timeframe.
* **Non-Repainting Option:** In the settings, you can choose to base calculations on the close of the previous candle (`Use RSI on Closed Candle`). This ensures that past signals (like status and score) do not change, providing more reliable data for analysis.
* **Fully Customizable:** Users can modify the RSI period, overbought/oversold thresholds, divergence detection settings, and the appearance of the table.
### How to Read the Dashboard
The table consists of 6 columns, each providing specific information:
* **% (Total Score):**
* **Header:** Shows the overall strength as a percentage. A positive value indicates bullish momentum, while a negative value indicates bearish momentum. The background color changes based on intensity.
* **Rows:** Displays the numerical score for the individual timeframe.
* **RSI:**
* **Header:** The background color indicates the average of all RSI values. Green if the average is > 50, Red if < 50.
* **Rows:** Shows the real-time RSI value for that timeframe.
* **Signal (Status):**
* **Header:** This is the final operational signal. It turns **🟢 LONG** when bullish strength is high, **🔴 SHORT** when bearish strength is high, and **⚪ WAIT** in neutral conditions.
* **Rows:** Describes the RSI status for that timeframe (e.g., Bullish, Bearish, Overbought, Oversold).
* **Dir (Direction):**
* **Header:** Displays an arrow representing the majority direction across all timeframes.
* **Rows:** Shows the instantaneous direction of the RSI (↗️ for rising, ↘️ for falling).
* **Diverg (Divergence):**
* Indicates if a bullish (`🟢 Bull`) or bearish (`🔴 Bear`) divergence has been detected on that timeframe.
* **TF (Timeframe):**
* Indicates the reference timeframe for that row.
### Advantages and Practical Use
This tool was created to solve a common problem: the need to analyze multiple charts to understand the bigger picture. With this dashboard, you can:
1. **Confirm a Trend:** A predominance of green and a "LONG" signal provides strong confirmation of bullish sentiment.
2. **Identify Weakness:** Red signals on higher timeframes can warn of an impending loss of momentum.
3. **Spot Turning Points:** A divergence on a major timeframe can signal an excellent reversal opportunity.
### Originality and Acknowledgements
This script is an original work, written from scratch by giua64. The idea was to create a comprehensive and visually intuitive tool for RSI analysis.
Any feedback, comments, or suggestions to improve the script are welcome!
**Disclaimer:** This is a technical analysis tool and should not be considered financial advice. Always do your own research and backtest any tool before using it in a live trading environment.
Script open-source
In pieno spirito TradingView, il creatore di questo script lo ha reso open-source, in modo che i trader possano esaminarlo e verificarne la funzionalità. Complimenti all'autore! Sebbene sia possibile utilizzarlo gratuitamente, ricorda che la ripubblicazione del codice è soggetta al nostro Regolamento.
giua64
borsamercati.it – Educational tools by giua64
Anche su:
Declinazione di responsabilità
Le informazioni ed i contenuti pubblicati non costituiscono in alcun modo una sollecitazione ad investire o ad operare nei mercati finanziari. Non sono inoltre fornite o supportate da TradingView. Maggiori dettagli nelle Condizioni d'uso.
Gold DynamicThis is a custom-made TradingView indicator designed to visualize "sequential price levels" based on a user-defined step value, dynamically centered around the current gold price. It draws horizontal lines at multiples of a chosen step value (e.g., 7) both above and below the current price.
Key Features:
Dynamic Price Levels: Lines are calculated relative to the live price, providing relevant support/resistance or structural levels for the current market context.
Customizable Step Value: Easily adjust the Sequence Step Value (e.g., 7, 10, 14) from the indicator settings to align with your trading theory.
Adjustable Line Count: Control the Number of Lines ABOVE Current Price and Number of Lines BELOW Current Price to show as many or as few levels as desired.
Extended Lines: Horizontal lines extend indefinitely to both the left (historical data) and right (future projection) for comprehensive visualization.
Clear Price Labels: Each line displays its exact price value, positioned at the far right of the chart for quick reference.
Customizable Appearance: Modify line color, width, and style (solid, dotted, dashed) to suit your charting preferences.
Exact Values: All displayed price labels are rounded to whole numbers for clear, precise visualization without decimal values.
This indicator is ideal for traders looking to apply a fixed-step price theory to their gold analysis.
Overlay Candles with MultiplierCompare Price Movements Between Two Symbols Visually
This indicator overlays the price action of a secondary symbol on your current chart, allowing you to directly compare the relative movement of two instruments — for example, Gold (XAUUSD) and Silver (XAGUSD).
By applying a customizable multiplier to the overlayed symbol's price data, the indicator scales the second symbol to fit your chart, making it easier to visually identify correlations, divergences, or relative strength between the two assets.
You can choose between candle or line display styles for the overlay, and easily switch between two distinct color schemes for better clarity and personal preference.
Use Cases:
Compare precious metals like Gold and Silver side-by-side.
Visualize correlations between related forex pairs or indices.
Monitor relative price movement for pairs trading or spread strategies.
CHN BUY SELL with EMA 200Overview
This indicator combines RSI 7 momentum signals with EMA 200 trend filtering to generate high-probability BUY and SELL entry points. It uses colored candles to highlight key market conditions and displays clear trading signals with built-in cooldown periods to prevent signal spam.
Key Features
Colored Candles: Visual momentum indicators based on RSI 7 levels
Trend Filtering: EMA 200 confirms overall market direction
Signal Cooldown: Prevents over-trading with adjustable waiting periods
Clean Interface: Simple BUY/SELL labels without clutter
How It Works
Candle Coloring System
Yellow Candles: Appear when RSI 7 ≥ 70 (overbought momentum)
Purple Candles: Appear when RSI 7 ≤ 30 (oversold momentum)
Normal Candles: All other market conditions
Trading Signals
BUY Signal: Triggered when closing price > EMA 200 AND yellow candle appears
SELL Signal: Triggered when closing price < EMA 200 AND purple candle appears
Signal Cooldown
After a BUY or SELL signal appears, the same signal type is suppressed for a specified number of candles (default: 5) to prevent excessive signals in ranging markets.
Settings
RSI 7 Length: Period for RSI calculation (default: 7)
RSI 7 Overbought: Threshold for yellow candles (default: 70)
RSI 7 Oversold: Threshold for purple candles (default: 30)
EMA Length: Period for trend filter (default: 200)
Signal Cooldown: Candles to wait between same signal type (default: 5)
How to Use
Apply the indicator to your chart
Look for yellow or purple colored candles
For LONG entries: Wait for yellow candle above EMA 200, then enter BUY when signal appears
For SHORT entries: Wait for purple candle below EMA 200, then enter SELL when signal appears
Use appropriate risk management and position sizing
Best Practices
Works best on timeframes M15 and higher
Suitable for Forex, Gold, Crypto, and Stock markets
Consider market volatility when setting stop-loss and take-profit levels
Use in conjunction with proper risk management strategies
Technical Details
Overlay: True (plots directly on price chart)
Calculation: Based on RSI momentum and EMA trend analysis
Signal Logic: Combines momentum exhaustion with trend direction
Visual Feedback: Colored candles provide immediate market condition awareness
Adaptive Multi-TF Indicator Table with Presets giua64📌 Script Name:
Adaptive Multi-Timeframe Indicator Table with Presets — giua64
📄 Description:
This script displays an adaptive multi-timeframe dashboard that summarizes the signals of three key technical indicators:
Moving Averages (MAs), Relative Strength Index (RSI), and MACD.
It provides a fast and visually intuitive overview of market conditions across five timeframes (5m, 15m, 30m, 1h, 4h), helping traders quickly identify potential directional biases (e.g., bullish, bearish, or neutral) based on either predefined presets or fully manual settings.
🧰 Preset Configurations:
You can choose between four trading styles, each with optimized indicator parameters:
Scalping
• MAs: 5 / 10 (Fast), 20 / 50 (Slow)
• RSI: 7 periods | Overbought: 70 | Oversold: 30
• MACD: 5 / 13 | Signal: 3
Intraday
• MAs: 9 / 21 (Fast), 50 / 100 (Slow)
• RSI: 14 periods | Overbought: 60 | Oversold: 40
• MACD: 12 / 26 | Signal: 9
Swing
• MAs: 10 / 20 (Fast), 50 / 200 (Slow)
• RSI: 14 periods | Overbought: 65 | Oversold: 35
• MACD: 12 / 26 | Signal: 9
Manual
• Full custom control over all indicator settings.
🛠️ All settings can be customized manually from the options panel, including the exact MA periods, RSI thresholds, and MACD structure.
🧠 How It Works:
For each timeframe, the script evaluates:
MA crossover status (two levels):
The first symbol refers to the crossover of the fast MAs
The second symbol refers to the crossover of the slow MAs
🟢 = Bullish crossover
🔴 = Bearish crossover
➖ = Flat or no clear signal
RSI Direction:
↑ = RSI above upper threshold (potential overbought)
↓ = RSI below lower threshold (potential oversold)
→ = RSI in neutral range
MACD Line vs Signal Line:
↑ = MACD line is above signal line (bullish)
↓ = MACD line is below signal line (bearish)
→ = Flat or neutral signal
Each signal is assigned a numerical score. These are aggregated per timeframe to compute a combined score that reflects the directional bias for that specific time window.
🧠 Adaptive Logic by Asset:
This script is designed to be universally compatible across all asset types — including forex, crypto, stocks, indices, and commodities.
Thanks to its multi-timeframe nature and flexible indicator presets, the script automatically adjusts its behavior based on the asset selected, ensuring relevant analysis without requiring manual recalibration.
🧾 Summary Table Output:
At the bottom of the dashboard, a combined sentiment is displayed for:
3TF → 5m, 15m, 30m
4TF → Adds 1h
5TF → Adds 4h
Each row shows:
Signal → LONG / SHORT / NEUTRAL
Confidence (%) → Based on score aggregation and signal consistency
📌 Customization Options:
Table Position: Left, Right, or Center
Text Size: Small, Normal, or Large
Full Manual Configuration: All MA, RSI, and MACD parameters can be adjusted as needed
⚠️ Disclaimer:
This script is for educational and analytical purposes only.
It does not constitute financial advice or guarantee any trading results.
Always do your own research and apply responsible risk management.