MACD Platinum + QQE ADV Jan 2025A two in one indicator where you can either choose to display either the MACD Platinum (zero lag MACD) or the QQE Adv.
Göstergeler ve stratejiler
QMP Filter Jan 2025The QMP Filter itself are the red/blue dots displayed on the price chart. These are a combination of the MACD Platinum (zero lag MACD) and the QQE Adv. When they are in sync, then a QMP Filter dot is presented.
The indicator also includes the option of adding multiple Moving Averages and Bollinger Bands to the price chart if required. Cheers. Jim
SMC Smart Money Concepts//@version=5
indicator("SMC Smart Money Concepts", overlay=true)
// === إعداد الهيكل السعري ===
// تحديد HH, HL, LL, LH
pivotHigh = ta.pivothigh(high, 5, 5)
pivotLow = ta.pivotlow(low, 5, 5)
plotshape(pivotHigh, location=location.abovebar, style=shape.triangleup, color=color.red, title="Lower High")
plotshape(pivotLow, location=location.belowbar, style=shape.triangledown, color=color.green, title="Higher Low")
// === Break of Structure & CHoCH ===
bos = pivotHigh and close > high
choch = pivotLow and close < low
plotshape(bos, location=location.abovebar, color=color.blue, style=shape.labelup, text="BOS")
plotshape(choch, location=location.belowbar, color=color.orange, style=shape.labeldown, text="CHOCH")
// === Order Blocks (OB) ===
// نأخذ آخر شمعة صاعدة قبل هبوط قوي كمثال على OB
bearishOB = high < high and close < open
bullishOB = low > low and close > open
plotshape(bearishOB, location=location.abovebar, color=color.maroon, style=shape.square, title="Bearish OB")
plotshape(bullishOB, location=location.belowbar, color=color.lime, style=shape.square, title="Bullish OB")
// === Fair Value Gap (FVG) ===
// إذا لم تلامس الشمعة التالية قاع أو قمة شمعتين قبليتين
fvgBull = low > high
fvgBear = high < low
plotshape(fvgBull, location=location.belowbar, color=color.teal, style=shape.circle, title="Bullish FVG")
plotshape(fvgBear, location=location.abovebar, color=color.fuchsia, style=shape.circle, title="Bearish FVG")
// === السيولة (Liquidity Pools) ===
// تعتبر السيولة موجودة عند قمم أو قيعان واضحة
liquidityHigh = high == ta.highest(high, 20)
liquidityLow = low == ta.lowest(low, 20)
plotshape(liquidityHigh, location=location.abovebar, color=color.purple, style=shape.cross, title="Liquidity High")
plotshape(liquidityLow, location=location.belowbar, color=color.purple, style=shape.cross, title="Liquidity Low")
SMC Smart Money Concepts//@version=5
indicator("SMC Smart Money Concepts", overlay=true)
// === إعداد الهيكل السعري ===
// تحديد HH, HL, LL, LH
pivotHigh = ta.pivothigh(high, 5, 5)
pivotLow = ta.pivotlow(low, 5, 5)
plotshape(pivotHigh, location=location.abovebar, style=shape.triangleup, color=color.red, title="Lower High")
plotshape(pivotLow, location=location.belowbar, style=shape.triangledown, color=color.green, title="Higher Low")
// === Break of Structure & CHoCH ===
bos = pivotHigh and close > high
choch = pivotLow and close < low
plotshape(bos, location=location.abovebar, color=color.blue, style=shape.labelup, text="BOS")
plotshape(choch, location=location.belowbar, color=color.orange, style=shape.labeldown, text="CHOCH")
// === Order Blocks (OB) ===
// نأخذ آخر شمعة صاعدة قبل هبوط قوي كمثال على OB
bearishOB = high < high and close < open
bullishOB = low > low and close > open
plotshape(bearishOB, location=location.abovebar, color=color.maroon, style=shape.square, title="Bearish OB")
plotshape(bullishOB, location=location.belowbar, color=color.lime, style=shape.square, title="Bullish OB")
// === Fair Value Gap (FVG) ===
// إذا لم تلامس الشمعة التالية قاع أو قمة شمعتين قبليتين
fvgBull = low > high
fvgBear = high < low
plotshape(fvgBull, location=location.belowbar, color=color.teal, style=shape.circle, title="Bullish FVG")
plotshape(fvgBear, location=location.abovebar, color=color.fuchsia, style=shape.circle, title="Bearish FVG")
// === السيولة (Liquidity Pools) ===
// تعتبر السيولة موجودة عند قمم أو قيعان واضحة
liquidityHigh = high == ta.highest(high, 20)
liquidityLow = low == ta.lowest(low, 20)
plotshape(liquidityHigh, location=location.abovebar, color=color.purple, style=shape.cross, title="Liquidity High")
plotshape(liquidityLow, location=location.belowbar, color=color.purple, style=shape.cross, title="Liquidity Low")
Guppy EMA Promax [NMTUAN]Key Benefits for Traders
Clarity: Offers a clearer visual representation of market trends than single or dual EMAs.
Adaptability: Can be applied across various timeframes and financial instruments.
Comprehensive Analysis: Provides a multi-faceted view of market dynamics, combining trend, support/resistance, and momentum.
Risk Management: Helps in identifying optimal stop-loss and take-profit levels based on cloud boundaries.
FİBO FİNAL An Indicator Suitable for Further Development
OK3 Final Buy
S1 Take Profit
S2 Close Half of the Position
S3 Close the Position
Descending Candle Strategy//@version=5
indicator("Descending Candle Strategy", overlay=true)
// الشموع المرجعية
candle_A_close = close
candle_A_open = open
candle_B_close = close
candle_B_open = open
// الشروط المفترضة من الملف:
descending_condition = candle_A_close < candle_A_open and candle_A_close < candle_B_close
// فتح صفقة بيع إذا تحقق الشرط
enterShort = descending_condition
// مستوى وقف الخسارة - مثلاً أعلى شمعة B
stopLoss = high
// رسم إشارات البيع
plotshape(enterShort, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="Sell")
// رسم وقف الخسارة على الشارت
plot(enterShort ? stopLoss : na, title="Stop Loss", style=plot.style_line, color=color.orange)
Kanal Dynamic Support & Resistance🔵 Dynamic Support & Resistance Channel – Multi-Timeframe Adaptive MA Lines
This indicator displays a dynamic channel consisting of five key lines: a central moving average (MA) and two levels of support and resistance above and below it. The channel is based on a customizable moving average and adapts to your selected timeframe, making it suitable for identifying trend direction, potential bounce zones, and breakout areas.
💡 Key Features:
✅ Choose from 5 MA types: SMA, EMA, SMMA, WMA, VWMA
⏱️ Supports higher timeframe MA reference (MTF compatible)
🧠 Dynamic offset-based support/resistance bands
🎯 Helps visualize trend zones, pullback entries, and reversal points
📊 Structure:
Black Line: Core Moving Average (trend baseline)
Orange Line: First Upper Channel (resistance zone)
Red Line: Second Upper Channel (strong resistance zone)
Green Line: First Lower Channel (support zone)
Blue Line: Second Lower Channel (strong support zone)
Whether you're a trend follower or a reversal trader, this tool helps you frame market structure more clearly and build rule-based entries with a visual edge.
Binance Spot vs Perpetual Price index by BIGTAKER📌 Overview
This indicator calculates the premium (%) between Binance Perpetual Futures and Spot prices in real time and visualizes it as a column-style chart.
It automatically detects numeric prefixes in futures symbols—such as `1000PEPE`, `1MFLUX`, etc.—and applies the appropriate scaling factor to ensure accurate 1:1 price comparisons with corresponding spot pairs, without requiring manual configuration.
Rather than simply showing raw price differences, this tool highlights potential imbalances in supply and demand, helping to identify phases of market overheating or panic selling.
🔧 Component Breakdown
1. ✅ Auto Symbol Mapping & Prefix Scaling
Automatically identifies and processes common numeric prefixes (`1000`, `1M`, etc.) used in Binance perpetual futures symbols.
Example:
`1000PEPEUSDT.P` → Spot symbol: `PEPEUSDT`, Scaling factor: `1000`
This ensures precise alignment between futures and spot prices by adjusting the scale appropriately.
2. 📈 Premium Calculation Logic
Formula:
(Scaled Futures Price − Spot Price) / Spot Price × 100
Interpretation:
* Positive (+) → Futures are priced higher than spot: indicates possible long-side euphoria
* Negative (−) → Futures are priced lower than spot: indicates possible panic selling or oversold conditions
* Zero → Equilibrium between futures and spot pricing
3. 🎨 Visualization Style
* Rendered as column plots (bar chart) on each candle
* Color-coded based on premium polarity:
* 🟩 Positive premium: Light green (`#52ff7d`)
* 🟥 Negative premium: Light red (`#f56464`)
* ⬜ Neutral / NA: Gray
* A dashed horizontal line at 0% is included to indicate the neutral zone for quick visual reference
💡 Strategic Use Cases
| Market Behavior | Strategy / Interpretation |
| ----------------------------------------- | ------------------------------------------------------------------------ |
| 📈 Premium surging | Strong futures demand → Overheated longs (short setup) |
| 📉 Premium dropping | Aggressive selling in futures → Oversold signal (long setup) |
| 🔄 Near-zero premium | Balanced market → Wait and observe or reassess |
| 🧩 Combined with funding rate or OI delta | Enables multi-factor confirmation for short-term or mid-term signals |
🧠 Technical Advantages
* Fully automated scaling for prefixes like `1000`, `1M`, etc.
* Built-in error handling for inactive or missing symbols (`ignore_invalid_symbol=true`)
* Broad compatibility with Binance USDT Spot & Perpetual Futures markets
🔍 Target Use Cases & Examples
Compatible symbols:
`1000PEPEUSDT.P`, `DOGEUSDT.P`, `1MFLUXUSDT.P`, `ETHUSDT.P`, and most other Binance USDT-margined perpetual futures
Works seamlessly with:
* Binance Spot Market
* Binance Perpetual Futures Market
Marwatian TraderHello! I’m Muhammad Nauman Khan, the developer behind this binary‑trading indicator. Below is a detailed description of its purpose, underlying methodology and key features:
1. Overview
This indicator is designed specifically for Fixed‑Time Binary Trading. By analyzing incoming price data in real time, it generates a prediction—“Up” or “Down”—for the very next candle. You can apply it to any timeframe (from 1 min to 30 min), or focus on whichever timeframe yields the highest accuracy for your strategy.
2. Core Prediction Engine
To forecast the next candle’s direction, we combine multiple analytical “tools” into a unified confidence model.
3. Risk Warning
No indicator can guarantee 100 % accuracy. Always combine signals with sound money‑management rules—risk only a small percentage of your capital per trade, and never trade more than you can afford to lose.
RSX📈 RSX (Adaptive Momentum Oscillator)
What is this indicator?
This indicator is an advanced, smooth momentum oscillator derived from a multi-stage filtering process. It's designed to mimic the behavior of the well-known "RSX" model, offering ultra-low lag, noise-free momentum detection, and refined turning point accuracy compared to the traditional RSI.
How does it work?
Unlike basic RSI, this version applies a chain of exponential smoothers across price deltas, creating a signal that adapts to market volatility and maintains structural integrity. It performs a multi-step transformation of price movement, separating upward and downward momentum components, before calculating a final normalized oscillator value.
Key Benefits:
✅ Extremely smooth and stable readings, even in volatile markets.
✅ Detects shifts in trend momentum early, without reacting to noise.
✅ Ideal for identifying bullish/bearish divergences, overbought/oversold zones, and momentum reversals.
✅ Can be used as a confirmation filter for moving average-based systems like ZMA (Zero-Lag Adaptive MA).
Recommended Use Cases:
As a confirmation tool for entry/exit timing alongside band systems or adaptive moving averages.
For detecting early momentum shifts before they are visible on traditional indicators.
In scalping, swing, or trend-following crypto strategies.
Squeeze with DojiThis script indicates Bollinger band squeeze into Keltner channels to identify the contraction of price and Doji candle formation, potentially leading up to the momentum expansion in price.
Add your preferable volume or price indicators on top of this volatility contraction indicator.
Feel free to use and share your feedback.
Silent TriggerSilent Trigger is a precision-based signal indicator designed to highlight only the most impactful reversal or continuation moments on your chart—nothing more, nothing less.
No overlays, no noise, no distractions. This tool waits patiently and only fires when multiple layers of internal confluence align. Signals appear as white or purple diamonds—white for potential upside, purple for potential downside.
Perfect for traders who value clarity, minimalism, and high-quality setups.
Note: This indicator is designed to complement volume-based tools but can stand alone as a confirmation filter. If no signals appear for a while, that’s by design—only the strongest setups are shown.
🔁 QuantSignals | AI Reversal Signal🔁 QuantSignals | AI Reversal Signal
A Free Visual Indicator That Promotes Better Entries
🧠 Built to help traders spot reversal setups + discover the QuantSignals.ai edge.
🎯 What It Does:
This clean, powerful indicator uses a momentum-based reversal logic (RSI crossovers) to highlight potential turning points in any chart — stocks, indices, crypto, or ETFs. Ideal for new and intermediate traders who want simple Buy/Sell guidance with zero clutter.
⚙️ How It Works:
✅ Buy Signal: Triggered when RSI crosses above oversold (default 30)
✅ Sell Signal: Triggered when RSI crosses below overbought (default 70)
✅ Signal Labels: “QS 🔼” and “QS 🔽” on the chart for easy entries
✅ Promo Overlay: Subtle, non-intrusive labels remind traders to check out QuantSignals.ai
✅ Auto Background Tint: Light green/red shading on signals for instant visual confirmation
🌐 Why QuantSignals?
QuantSignals.ai is a next-gen platform for:
🕓 0DTE trading signals
📅 Post-earnings setups
📉 IV flush fades
💡 AI-backed reversal strategies
Trusted by over 1,000 active traders who want real edge — not noise.
🚀 How to Use:
Add to any chart (works on 1m–1D)
Combine with your support/resistance zones
Use as entry timing tool, not standalone system
Check out real trade ideas at QuantSignals.ai
🔗 Call to Action:
📲 Want real-time setups?
👉 Visit www.QuantSignals.xyz
🧠 Learn the full strategy + join the QS community.
📊 Bonus Use Case:
Use this indicator with S&P500 tech stocks post-earnings
Pair with your own watchlist of high-liquidity names
Perfect for small account traders looking to time better entries
💬 Final Words:
“Not every signal is a trade — but every trade should start with a signal.”
— The QuantSignals Team
S&P 500 Smart Trading SetupA custom multi-indicator tool combining EMA 50/200, MACD, RSI, Stochastic RSI, and ATR to help identify trend, momentum, and entry/exit signals for the S&P 500.
Smart Lines//@version=6
indicator('Smart Lines', overlay = true)
// Variables to track line objects and colors
var line verticalLine = na
var line horizontalLineLow = na
var line horizontalLineHigh = na
var color lineColor = na
// Determine line color based on price change
if close > close
lineColor := color.green
lineColor
else if close < close
lineColor := color.red
lineColor
else
lineColor := color.gray
lineColor
// Draw vertical line at current bar's open
if bar_index != bar_index
line.delete(verticalLine)
verticalLine := line.new(bar_index, low, bar_index, high, color = lineColor, width = 2)
// Draw horizontal line at previous bar's low
if bar_index != bar_index
line.delete(horizontalLineLow)
horizontalLineLow := line.new(bar_index , low , bar_index, low , color = lineColor, width = 2, extend = extend.right)
// Draw horizontal line at previous bar's high
if bar_index != bar_index
line.delete(horizontalLineHigh)
horizontalLineHigh := line.new(bar_index , high , bar_index, high , color = lineColor, width = 2, extend = extend.right)
Liquidity Aggregation MALiquidity Aggregation MA
Designed to assess liquidity conditions by aggregating data from various economic indicators (Fed Liquidity, PBOC Liquidity, Inverse Volatility, and Inverse USD Strength) and visualizing them with moving averages (EMA and SMA). It is tailored for high beta assets like Bitcoin (cryptocurrency).
Key Features:
Liquidity Inputs: Utilizes custom ticker combinations (e.g., FRED:WALCL, ECONOMICS:CNFER) with optional inclusion of Fed Liquidity, PBOC Liquidity, Inverse Volatility (MOVE Index), and Inverse USD Strength (DXY).
Customizable Inputs:
EMA (default 55) and SMA (default 200) lengths.
Plot styles (Wave, Pulse, Classic) with glow effect and wave intensity options.
Strength display mode (Percentage or Absolute) with adjustable max strength thresholds.
Table position, size, and color intensity settings.
Visualization:
EMA and SMA lines with dynamic colors (teal for bullish "RISK ON", magenta for bearish "RISK OFF") based on signal strength.
Fill between lines with transparency adjusting to signal strength.
Wave or pulse effects for enhanced visual feedback.
A table shows the liquidity signal and a 10-block gauge reflecting signal strength.
Candles colored based on the liquidity signal.
Usage:
Helps traders evaluate liquidity-driven market trends across global financial systems.
The signal strength gauge and color intensity indicate the magnitude of the liquidity shift.
Suitable for overlay on a 1-day chart to monitor long-term liquidity impacts, as depicted in the Bitcoin/USD chart.
BB-Model Inspired Absolute Strength Index📊 BB-Model Inspired Absolute Strength Index (ASI)
Author: © GabrielAmadeusLau
Category: Momentum Oscillator / Adaptive Model / Divergence Tool
🔍 Overview
The BB-Model Inspired ASI is an advanced oscillator that combines a novel BB-model weighted moving average with percentile-based return normalization to quantify absolute market strength. This hybrid design allows the indicator to adapt dynamically to volume, volatility, and price structure, while detecting divergences and extremes with high sensitivity.
🧠 Key Concepts
🧩 1. BB-Model Weighting Engine
Each price in the lookback period is weighted by:
Fitness: Either Volume or ATR.
Decay: An exponential penalty applied to older data.
This results in a context-aware moving average that prioritizes impactful recent bars while ignoring stale noise.
📈 2. Absolute Strength Index Calculation
Computes returns from the BB-weighted price history.
Sorts returns and identifies thresholds for:
Top Percentile (Winners) – Strong upside moves.
Bottom Percentile (Losers) – Strong downside moves.
The current return is normalized within this dynamic range, scaled to , producing the ASI oscillator.
🧰 3. Signal Line & MA Smoothing
Select from SMA, EMA, WMA, RMA, or HMA to smooth the ASI signal.
Fully customizable length and styling.
🔄 4. Divergence Detection (Optional)
Detects bullish and bearish divergences between ASI and price using pivot highs/lows.
Highly customizable:
Adjustable lookback window.
Optional Heikin-Ashi integration.
Color-coded plots and labels.
Alerts for divergence events.
⚙️ Inputs Summary
Parameter Description
Fitness Source Volume or ATR
Decay Factor Penalty on older bars
Returns Lookback How many bars to calculate return distribution
Percentile Thresholds Set overbought and oversold bands dynamically
MA Type & Length Control signal smoothing
Divergence Settings Toggle divergence logic and sensitivity
📌 Use Cases
Detect when absolute directional strength is reaching exhaustion.
Spot early signs of bullish or bearish divergences between momentum and price.
Filter signals by volume or volatility importance using BB-model weighting.
Use in combination with trend filters for precision entries/exits.
Trend DashboardTrend Dashboard
Provides a comprehensive trend analysis for an asset, such as Bitcoin, across multiple timeframes (1W, 1D, 12H). It displays trend signals, scores, and rate of change (ROC) in a customizable table, with optional bar coloring and trend plots.
Key Features:
Trend Analysis: Aggregates signals from various technical indicators across 1W, 1D, and 12H timeframes.
Customizable Inputs:
Table position (e.g., Top Left, Bottom Right) and size (Full or Compact).
Bar color timeframe (1W, 1D, 12H).
ROC lookback periods for each timeframe.
Options to plot TPIs (Trend Power Indicators) and bar colors.
Visualization:
A table shows trend length, score, signal (Long/Short), ROC, and lookback period.
Color-coded signals (green for Long, magenta for Short) with dynamic updates.
Optional bar coloring based on the selected timeframe's trend.
Plotting of trend signals as lines with labels.
Usage:
Helps traders identify long or short trends and their strength across different timeframes.
The ROC indicates positive, negative, or no change in trend strength.
Useful for overlay on a 1-day chart, as shown in the attached Bitcoin/USD chart, to monitor multi-timeframe trends.
Elliott Wave Impulse n Diagonal Pattern Detector// Description
The Elliott Wave Pattern Detector identifies potential Elliott Wave patterns using pivot point analysis. It visualizes both Impulse and Diagonal wave structures according to Elliott Wave Theory.
// Important Notice
This indicator uses pivot points which REPAINT. Past signals may change as new price data becomes available. Use as part of comprehensive analysis, not as a standalone system.
// Key Features
- Impulse Waves: Identifies 5-wave motive patterns
- Diagonal Patterns: Detects ending and leading diagonals
- Confidence Scoring: Each pattern includes reliability percentage
- Customizable Rules: Strict or flexible Elliott Wave validation
- Pattern Management: Automatic cleanup of old patterns
// Settings
- Pivot Length: Detection sensitivity (2-20 bars)
- Pattern Types: Enable/disable Impulse or Diagonal detection
- Visual Options: Colors, line styles, label sizes
- Cleanup: Control pattern lifetime on chart
// Usage
1. Apply to any timeframe
2. Adjust Pivot Length based on timeframe
3. Numbers 1-5 mark wave sequence
4. Solid lines = Impulse, Dashed lines = Diagonal
// Notes
- Recent patterns may adjust as new pivots form
- Combine with other technical analysis tools
- Not financial advice - use proper risk management
// Compatibility
Works on all markets and timeframes. Maximum 500 lines/labels for performance.
Disclaimer: For educational purposes only. Trading involves risk.
Valuation Z-ScoreValuation Z-Score
The "Valuation Z-Score" indicator is a custom Pine Script designed to assess the valuation of an asset, such as Bitcoin, by calculating a composite Z-Score based on multiple technical indicators and risk-adjusted performance metrics. It provides a visual representation of overbought and oversold conditions using a color-graded histogram and a short length smoothed moving average (SMA).
Key Features:
Z-Score Calculation:
Combines Z-Scores from indicators like RSI, MACD, Bollinger Bands, TSI, ROC, Momentum, CCI, Chande Momentum Oscillator, and additional metrics (Sharpe Ratio, Sortino Ratio, Omega Ratio) over customizable lookback periods.
Customizable Inputs:
Z-Score Lookback and Technical Valuation Lookback for Z-Score calculations.
Metrics Calc Lookback periods for risk-adjusted performance ratios.
Adjustable Upper and Lower Z-Score Thresholds (default ±2.0).
SMA Length and color bar toggle for plot customization.
Visualization:
A histogram displays the total Z-Score with a 5-color gradient (cyan for oversold, magenta for overbought) and dynamic transparency based on proximity to thresholds.
An SMA line/area overlays the histogram for trend smoothing.
Threshold lines (upper and lower) with adaptive transparency.
A label shows the current Z-Score value.
Optional background bar coloring based on SMA.
Usage:
The indicator helps identify potential overbought (above upper threshold) or oversold (below lower threshold) conditions.
The color gradient and SMA provide visual cues for trend strength and reversals.
Ideal for traders analyzing asset valuation over any timeframe.
BookYourTradeHappy trade,
This is a semi-automated tool that allows you to define a trade setup in advance, including multiple exit levels. It incorporates a proven method for managing risk and reward. You specify a fixed entry price, an initial stop loss, two take profit levels, and a trailing stop loss for the remaining position—aiming to maximize gains from the trend. Alerts are included so you can step away from the screen and still be notified when any predefined price level is reached. The tool sends trade orders as market orders to your exchange or broker via webhooks. You provide the general webhook format, and the script automatically fills in the correct values.
How to Use
This tool is intended for manual day traders.
Define Entry Conditions:
Set your planned entry price and, optionally, a start and end time for trade activation. The script will not run unless the price reaches your specified level during this time window.
Set Stop Loss:
Define the stop loss as a fixed number of points from the entry price (above or below). This also determines whether the trade is long or short.
Configure Take Profits:
Specify the risk-reward ratio and position size for Take Profit 1.
Do the same for Take Profit 2.
Trailing Stop Loss:
For the remaining position after Take Profit 2, set a trailing stop loss. This is also defined in points, relative to the previous bar's closing price.
Time and Session Filters:
Set the earliest date to begin trading and the latest date by which all positions should be closed.
Optionally, define specific time windows (daily and or weekly) during which trading should be disabled. These off-times will be visually grayed out.
Define Capital and Fees:
Input the dollar amount you want to invest, along with any applicable percentage-based fees or fixed fees per trade. This is useful since different brokers, exchanges, or webhook service providers may charge in different ways (fixed, percentage, or both).
Configure Webhooks:
Enter your broker- or exchange-specific webhook for each trade event: entry, Take Profit 1, Take Profit 2, Stop Loss, and trailing exit. You’ll need to include placeholder strings in the webhook that the script will replace with actual trade values. The script provides a helper table to display these placeholders directly on the chart.
Some values you can deliver to the webhook service provider as an $ value or a deviation in percentage. For example the quantity of a trade or the take profit price. choose the correct replacement accordingly.
The script sends all orders as market orders.
Multiple Instances:
If you want to run multiple instances of this script, you must assign a unique name to each one. This ensures that the webhook service provider can correctly route trade signals to the appropriate bot.
Here is an evolution of one trade in images:
The trade setting are defined but the trade has not started
The trade has started
The price reached the first take profit level and a part of the investment was liquidated.
The trade reached it's end date and the remaining investment was liquidated.
cheers
TrendShield Pro | DinkanWorldTrendShield Pro is a powerful price action tool that combines momentum-based trend detection with an ATR-powered trailing stop system. Built using EMA and ATR logic, this indicator helps traders identify real trends, manage dynamic stop-loss levels, and react faster to momentum shifts — all with visual clarity.
🔍 Key Features:
✅ Momentum + Price Action Based Trend Detection
✅ Dynamic ATR Trailing Stop Line
✅ Real-Time Reversal Arrows and Diamond Alerts
✅ Optimized CandleTrack color theme (Green = Demand, Red = Supply)
✅ Fully customizable inputs
🧠 Why Use It?
Capture trends early with momentum-driven logic
Use trailing stops for exit strategy or re-entry zones
Stay on the right side of the market with visual confirmation
⚙️ Inputs:
EMA Period (for directional bias)
ATR Period (for volatility-based trailing stops)
Factor (stop distance control)
⚠️ Disclaimer:
This indicator is for educational and informational purposes only and should not be considered financial advice. Trading involves risk, and past performance does not guarantee future results. Always do your own research and consult with a licensed financial advisor before making any trading decisions. The creator of this script is not responsible for any financial losses incurred through the use of this tool.