huzaifa iqbal pakistanthis is custum only for mazaq //@version=6
strategy("UT Bot Long Only Strategy", overlay=true, pyramiding=0, initial_capital=10000, currency=currency.USD)
// Parameters for ATR-based trailing stop (UT Bot logic)
var int atrLength = 10 // ATR period length
var float atrMult = 5.0 // ATR multiplier for trailing stop
// Calculate ATR and the ATR-based stop distance (nLoss)
atrValue = ta.atr(atrLength)
nLoss = atrMult * atrValue
// ATR Trailing Stop logic (UT Bot)
// Using persistent variable 'trailingStop' to maintain state across bars
var float trailingStop = na
if na(trailingStop )
// Initialize trailing stop on first bar
trailingStop := close - nLoss
else if (close > trailingStop and close > trailingStop )
// Price is above trailing stop and was above it in previous bar -> uptrend continues
trailingStop := math.max(trailingStop , close - nLoss)
else if (close < trailingStop and close < trailingStop )
// Price is below trailing stop and was below it in previous bar -> downtrend continues
trailingStop := math.min(trailingStop , close + nLoss)
else if (close > trailingStop )
// Price crossed from below to above the trailing stop -> trend flips up (new long setup)
trailingStop := close - nLoss
else
// Price crossed from above to below the trailing stop -> trend flips down
trailingStop := close + nLoss
// Long entry signal: when price crosses above the trailing stop from below
bool longSignal = (close < trailingStop and close > trailingStop )
// Enter long position on UT Bot buy signal (price crossing above trailing stop)
if (longSignal)
strategy.entry("Long", strategy.long, comment="UT Bot Buy Signal")
// Exit conditions: take-profit at +10% and stop-loss at -0.10% from entry price
// We hold until TP or SL is hit; no early exit on UT Bot sell signals
if (strategy.position_size > 0)
// Calculate profit target and stop loss based on entry price
float entryPrice = strategy.position_avg_price
float takeProfit = entryPrice * 1.10 // +//@version=6
strategy("UT Bot Long Only Strategy", overlay=true, pyramiding=0, initial_capital=10000, currency=currency.USD)
// Parameters for ATR-based trailing stop (UT Bot logic)
var int atrLength = 10 // ATR period length
var float atrMult = 5.0 // ATR multiplier for trailing stop
// Calculate ATR and the ATR-based stop distance (nLoss)
atrValue = ta.atr(atrLength)
nLoss = atrMult * atrValue
// ATR Trailing Stop logic (UT Bot)
// Using persistent variable 'trailingStop' to maintain state across bars
var float trailingStop = na
if na(trailingStop )
// Initialize trailing stop on first bar
trailingStop := close - nLoss
else if (close > trailingStop and close > trailingStop )
// Price is above trailing stop and was above it in previous bar -> uptrend continues
trailingStop := math.max(trailingStop , close - nLoss)
else if (close < trailingStop and close < trailingStop )
// Price is below trailing stop and was below it in previous bar -> downtrend continues
trailingStop := math.min(trailingStop , close + nLoss)
else if (close > trailingStop )
// Price crossed from below to above the trailing stop -> trend flips up (new long setup)
trailingStop := close - nLoss
else
// Price crossed from above to below the trailing stop -> trend flips down
trailingStop := close + nLoss
// Long entry signal: when price crosses above the trailing stop from below
bool longSignal = (close < trailingStop and close > trailingStop )
// Enter long position on UT Bot buy signal (price crossing above trailing stop)
if (longSignal)
strategy.entry("Long", strategy.long, comment="UT Bot Buy Signal")
// Exit conditions: take-profit at +10% and stop-loss at -0.10% from entry price
// We hold until TP or SL is hit; no early exit on UT Bot sell signals
if (strategy.position_size > 0)
// Calculate profit target and stop loss based on entry price
float entryPrice = strategy.position_avg_price
//@version=6
strategy("UT Bot Long Only Strategy", overlay=true, pyramiding=0, initial_capital=10000, currency=currency.USD)
// Parameters for ATR-based trailing stop (UT Bot logic)
var int atrLength = 10 // ATR period length
var float atrMult = 5.0 // ATR multiplier for trailing stop
// Calculate ATR and the ATR-based stop distance (nLoss)
atrValue = ta.atr(atrLength)
nLoss = atrMult * atrValue
// ATR Trailing Stop logic (UT Bot)
// Using persistent variable 'trailingStop' to maintain state across bars
var float trailingStop = na
if na(trailingStop )
// Initialize trailing stop on first bar
trailingStop := close - nLoss
else if (close > trailingStop and close > trailingStop )
// Price is above trailing stop and was above it in previous bar -> uptrend continues
trailingStop := math.max(trailingStop , close - nLoss)
else if (close < trailingStop and close < trailingStop )
// Price is below trailing stop and was below it in previous bar -> downtrend continues
trailingStop := math.min(trailingStop , close + nLoss)
else if (close > trailingStop )
// Price crossed from below to above the trailing stop -> trend flips up (new long setup)
trailingStop := close - nLoss
else
// Price crossed from above to below the trailing stop -> trend flips down
trailingStop := close + nLoss
// Long entry signal: when price crosses above the trailing stop from below
bool longSignal = (close < trailingStop and close > trailingStop )
// Enter long position on UT Bot buy signal (price crossing above trailing stop)
if (longSignal)
strategy.entry("Long", strategy.long, comment="UT Bot Buy Signal")
// Exit conditions: take-profit at +10% and stop-loss at -0.10% from entry price
// We hold until TP or SL is hit; no early exit on UT Bot sell signals
if (strategy.position_size > 0)
// Calculate profit target and stop loss based on entry price
float entryPrice = strategy.position_avg_price
float takeProfit = entryPrice * 1.10 // +10%
float stopLoss = entryPrice * 0.999 // -0.10%
strategy.exit("ExitLong", "Long", limit=takeProfit, stop=stopLoss)
// Plot the ATR-based trailing stop for visualization (green when trend is up, red when down)
plot(trailingStop, "Trailing Stop", color = close >= trailingStop ? color.lime : color.red, style=plot.style_line)
float stopLoss = entryPrice * 0.999 // -0.10%
strategy.exit("ExitLong", "Long", limit=takeProfit, stop=stopLoss)
// Plot the ATR-based trailing stop for visualization (green when trend is up, red when down)
plot(trailingStop, "Trailing Stop", color = close >= trailingStop ? color.lime : color.red, style=plot.style_line)
10%
float stopLoss = entryPrice * 0.999 // -0.10%
strategy.exit("ExitLong", "Long", limit=takeProfit, stop=stopLoss)
// Plot the ATR-based trailing stop for visualization (green when trend is up, red when down)
plot(trailingStop, "Trailing Stop", color = close >= trailingStop ? color.lime : color.red, style=plot.style_line)
Educational
MACD Momentum Shift MACD momentum shift (alert system). I have designed this indicator as an early alert system for momentum shifts. The indicator will fire on the second consecutive histogram bar with decreasing bearish momentum (light pink bars). My thought process is that it should provide traders with an earlier alert than a typical (MACD line crossing Signal line) alert available on Trading View. However, this is not a buy indicator! It's an early alert system. My trading technique is heavily based on where the 9/20/50/100/200 EMAs are compared to one another, on the hourly timeframe and the daily tiemframe. I plan to combine this alert system with technical analysis to make better trades. Cheers.
James
Opening Range Breakout (ORB) Indicator - 30 MinThis powerful and customizable Opening Range Breakout (ORB) Indicator for TradingView helps traders identify and visualize key price levels during the initial trading hours. Designed for flexibility, it provides essential market insights and actionable information directly on your chart.
Key Features:
• Dynamic Opening Range Calculation: Automatically identifies and plots the high and low of a user-defined opening range. This range is crucial for many trading strategies as it often sets the tone for the day.
• Customizable Session & Timezone: Tailor the indicator to any market by specifying the exact opening range time (e.g., 09:30-10:00) and its corresponding timezone (e.g., "America/New_York" for NASDAQ). This ensures accurate range detection regardless of your local time or the asset you are trading.
• Integrated Market Metrics: Gain a comprehensive view of market conditions with built-in displays for:
• Moving Averages (SMAs): Visualize 20-period and 50-period Simple Moving Averages to gauge short-term and medium-term trends.
• Volume-Weighted Average Price (VWAP): Understand the average price of an asset weighted by volume, a key institutional benchmark.
• Relative Volume (RVOL): Monitor current volume activity compared to its average, with a customizable threshold to identify significant volume surges.
• Visual Cues & Signals: The indicator provides clear visual signals directly on the chart for important price actions related to the opening range, including breakouts, target hits, stop hits, and potential re-entry points. These visual aids help in quick decision-making.
• Comprehensive Information Table: A convenient, real-time table displayed on your chart summarizes critical metrics at a glance, such as:
• OR High and Low
• Relative Volume status
• Current Trend (Bullish/Bearish)
• Price position relative to VWAP
• Signal status
• Suggested position sizing (based on user-defined risk parameters)
• Customizable Alerts: Set up various alerts for key events, such as opening range breakouts, entry signals, and profit target or stop-loss hits. Stay informed without constantly monitoring the chart.
• Flexible Settings: Adjust numerous parameters through the indicator settings, including EMA lengths, RVOL thresholds, signal visibility, level displays, and an optional higher timeframe bias filter.
This ORB Indicator is an indispensable tool for traders looking to leverage the power of opening range analysis combined with essential technical metrics for informed trading decisions. Its robust design and customizable features make it suitable for various trading styles and market conditions.
Risk Management: Take Profit (TP) and Stop Loss (SL) Configuration
Effective risk management is crucial for any trading strategy. This ORB indicator provides configurable options to help you manage your trades with defined Take Profit and Stop Loss levels.
•Account Risk Percentage: You can define your Account Risk % in the indicator settings. This input allows you to specify what percentage of your hypothetical account balance you are willing to risk per trade. The indicator uses this value to suggest appropriate position sizing, helping you maintain consistent risk management.
•Target 1R (TP1) Configuration: The first Take Profit target (TP1) is dynamically set at 50% of the Opening Range (OR) distance from your entry point. This means if the OR is 10 cents, TP1 will be 5 cents from your entry. The Scale Out % at 1R input allows you to set a percentage for scaling out of your position when the price reaches this first target, helping to secure partial profits and reduce risk.
• Dynamic Stop Loss (SL) & Trailing:
•Initially, the Stop Loss is dynamically calculated based on the Opening Range structure to protect your capital.
•Crucially, after TP1 is hit, the Stop Loss is automatically updated to a more favorable position (e.g., break-even or a trailing stop) to further protect your profits and reduce risk on the remaining position. This helps in securing gains as the trade progresses.
•Visual Level Displays: When Show Stop/Target Levels is enabled, the indicator visually plots these calculated Stop Loss and Take Profit levels directly on your chart. This provides a clear visual representation of your risk and reward parameters for each potential trade setup.
By utilizing these configurable risk management features, traders can integrate their preferred risk parameters directly into their analysis, allowing for more disciplined and controlled trading decisions.
Personal Model Identifier This model helps me identify assets that fit the scope of my two trading models
[LTS] SyncLineFind the hidden currents between markets.
What it does
SyncLine overlays up to three cross-asset guide lines on your current chart, translating each selected symbol’s intraday position into the price scale of the chart you’re viewing. The result is a clean, session-aware “sync” of other markets on your chart so you can quickly spot alignment, leadership, and divergence without clutter.
How it works
For each selected symbol, SyncLine calculates that symbol’s intraday position relative to its own session baseline, then projects that position onto your active chart based on its own baseline.
Lines reset each session to remain relevant to the current day’s action.
Optional smoothing makes the guides easier to read during noisy tape.
Note: This script is intraday-only. It will stop with a clear warning if applied to non-intraday timeframes.
Inputs
Symbols
Show Symbol 1/2/3 – Toggle each overlay line.
Symbol 1/2/3 – Choose any ticker (e.g., index futures, ETFs, single names).
Color 1/2/3 – Line colors.
Labels - Optional labels for each line.
Smoothing
Enable Smoothing – On/Off.
Method – EMA / SMA / WMA / RMA.
Length – 1–50.
How to use
Add one or more driver markets (e.g., ES, NQ, DXY, sector leaders) to observe when they align with your instrument.
Look for:
Confluence: your price and one or more SyncLines moving together.
Leadership: a SyncLine turns/accelerates before your price.
Divergence: your price disagrees with the majority of SyncLines.
Notes & limitations
Designed for intraday timeframes (1m–1h).
Lines are calculated from completed data and do not repaint after bar close.
Works best during regular liquid sessions; thin markets can reduce signal quality.
Best practices
Pair SyncLine with your execution framework (structure, liquidity zones, time-of-day).
Use distinct colors for each symbol and keep the set small (1–3) for clarity.
ICT PO3ICT PO3 scrip inspired by ICT The Innercircle trader Michael J Huddleston for power of three using Daily candle 6pm and 12am opening prices and daily quadrants. Scrip display real-time in % and daily range..
BB with Trend-Colored Middle Band & Candles [sudhanshu]Features:
MA Type Selector → choose from:
SMA (Simple)
EMA (Exponential)
WMA (Weighted)
RMA (a.k.a. Smoothed / Triangular-like average)
Middle Bollinger Band color changes with slope.
Candles change color according to slope direction.
T4W Advance Fib Strategy Looking for sharp intraday entries with clear targets?
This strategy is designed especially for Nifty / Bank Nifty / Index traders who love precision and speed.
✨ Key Highlights:
🔹 Auto-calculates 1-Minute High & Low zones for instant trade setup.
🔹 Works on advanced fib labels to define breakout & reversal zones.
🔹 Provides upper & lower side targets with high accuracy.
🔹 Best suited for 1-Min & 3-Min charts (can also be used on 5-Min for confirmation).
🔹 Ideal for scalpers and intraday traders who want clear, rule-based levels.
💡 Whether you’re trading breakouts or reversals, this tool simplifies decision-making and helps you catch moves with confidence.
👉 Try it, backtest it, and take your intraday trading to the next level!
Friday Rule — Daily-aligned (v6) - TrialThis technique is called Friday rule whereby the trades will be done at the final hour of trading day on Friday. This aims to get 3-5% with strict characteristics
LFT Foundation Entry MarksThis algorithm highlights optimal long entry points. Once the entry conditions break down—indicating the price is likely to decline—the signals stop, allowing the user to exit before the drop
AVWAP (ATR-Weighted VWAP) IndicatorAVWAP (Average True Range Weighted Average Price), you typically combine two core indicators:
1. VWAP (Volume Weighted Average Price)
This is the base indicator that calculates the average price weighted by volume over a session or specified period.
VWAP serves as the core reference price level around which volatility adjustments are made for AVWAP.
2. ATR (Average True Range)
ATR measures market volatility, representing the average price range over a set period.
ATR is used to create volatility bands or buffers around the VWAP, adjusting levels to reflect prevailing market volatility.
How These Indicators Work Together for AVWAP:
Use VWAP to establish your average price line weighted by volume.
Calculate ATR to understand the average price movement range.
Apply ATR as multipliers to VWAP to create upper and lower volatility-adjusted bands (e.g., VWAP ± 1 × ATR), which form the AVWAP bands.
These bands help identify volatility-aware support/resistance and stop-loss placement zones.
So to make things easier I have built a custom AVWAP indicator to be used
How to use my custom indicator:
The central blue line is the VWAP.
The red and green bands above and below VWAP are AVWAP bands set at VWAP ± 1.5 × ATR by default.
Adjust the ATR length and multiplier inputs to suit the timeframe and volatility preferences.
Use the bands as dynamic support/resistance and for setting stop loss zones based on volatility.
HD_DİNAMİK SEMBOL-SİNYAL TABLO (STrend + EMA(25/99) – v6.2HD_Dynamic Symbol–Signal Table (Short/Mid/Long) — SuperTrend + EMA(25/99) — v6.2
TL;DR
Invite-only indicator that builds a multi-symbol live signal table combining SuperTrend direction with EMA 25/99 state, across three timeframe groups: Short (5/15/30), Mid (45/60/120), Long (180/240/D).
Top 2 rows (e.g., BTC, ETH) always show the full 3×(ST, EMA) matrix; the remaining rows show the active group to stay lightweight. The table colors & texts are highly configurable, and the indicator emits clean alert messages you can route to webhooks (e.g., your bot).
1) What it does
Signal logic (per symbol & timeframe):
SuperTrend direction + EMA 25 vs 99 comparison.
Combination map:
ST=LONG & EMA=LONG → "LONG YAP"
ST=SHORT & EMA=SHORT → "SHORT YAP"
ST=SHORT & EMA=LONG → "SHORT/LONG YAP" (mixed)
ST=LONG & EMA=SHORT → "LONG/SHORT YAP" (mixed)
Timeframe groups
Short: 5/15/30
Mid: 45/60/120
Long: 180/240/D
Auto mode infers the group from the chart TF; Manual mode lets you pin a group.
Pinned priority rows: Row #1 and #2 (default BTC/ETH) always display all three TFs (ST & EMA pairs).
Dynamic list (rows 3–30): Shows only the active group for each symbol to stay fast and readable.
Implementation note: in this build the ST “up”/“down” plotting uses the SuperTrend dir sign convention where dir < 0 is rendered as Uptrend and dir > 0 as Downtrend in visuals. The table/alerts already normalize this into LONG/SHORT text.
2) Table, styling & filters
Placement & fonts: position, title/group/header/body font sizes.
Colors: per-cell/background for header rows, LONG/SHORT states, and distinct brand colors per symbol row (BTC=blue, ETH=amber, majors=greens, mid-caps=oranges, high-risk=reds, new/hyped=purple range).
Symbol column text: “Symbol only”, “Short+Symbol”, or “Short only”.
Filter: Show All / LONG YAP / SHORT YAP / SHORT/LONG YAP / LONG/SHORT YAP. (Pinned BTC/ETH still visible.)
3) Alerts & webhook messages
Per-row alerts: When the active TF for a row resolves on bar close, the indicator sends:
|symbol=|tf=|signal=
Example: HD_ST_EMA|symbol=BINANCE:BTCUSDT|tf=15|signal=LONG YAP
Configure the alert to Once per bar close and set a webhook URL if you want to forward to an execution bot.
Ready-made alertconditions (Robot block):
Select a single alarmSymbol and get four conditions: LONG YAP, SHORT YAP, SHORT/LONG YAP, LONG/SHORT YAP.
Chart-symbol conditions: Extra alertconditions for EMA LONG/SHORT and ST LONG/SHORT on the current chart symbol, if you also want single-symbol triggers.
4) Drawing package (optional)
SuperTrend line with Up/Down segments and trend-flip labels.
EMA 25/99 lines and cross labels.
Main mixed-state labels for the chart symbol can be toggled (LONG/SHORT & mixed cases).
5) Symbols & safety
Priority inputs (#1–2) for BTC/ETH; inputs #3–30 for your list (supports formats like BINANCE:BTCUSDT or BTCUSDT.P).
A basic format validator ignores obviously malformed tickers to avoid request errors.
request.security() powers all multi-TF/multi-symbol reads.
6) How to use
Add indicator to the chart.
Choose Auto (group follows chart TF) or pick Short/Mid/Long manually.
Fill your symbol list (rows 3–30). BTC & ETH are pinned at the top.
Set filter (or keep “All”).
(Optional) Adjust fonts/colors and the “Symbol column” text mode.
Turn Alert on; set alertPrefix if you need a specific route tag.
Create an alert on the indicator, Once per bar close, and (optionally) add a webhook URL.
7) Notes & limits
This is an indicator (no orders are placed). Use the alerts to trigger your own automation.
Designed for crypto symbols; works on other markets if your vendor supports the tickers/timeframes.
Table resizes dynamically to your active list; heavy watchlists may still be constrained by platform limits.
8) Disclaimer
Educational use only. Not financial advice. Past performance does not guarantee future results.
Changelog
v6.2 — Auto/Manual TF-grouping, pinned BTC/ETH tri-TF view, robust alert text format, color-coded priorities, safer symbol validation, ST/EMA flip labels, dynamic table sizing.
Türkçe Özet
Ne yapar?
Birden fazla sembol için SuperTrend + EMA(25/99) durumunu üç periyot grubunda (Kısa 5/15/30 – Orta 45/60/120 – Uzun 180/240/Günlük) tek tabloda gösterir.
BTC/ETH ilk iki satırda her zaman 3×(ST, EMA) birlikte görünür; diğer satırlar aktif gruba göre (performans için) tek grup gösterir.
Sinyal mantığı
İkisi de LONG → LONG YAP
İkisi de SHORT → SHORT YAP
Karışık → SHORT/LONG YAP veya LONG/SHORT YAP (ST/EMA’ya göre)
Alarm & Webhook
Satır bazlı alarm metni:
HD_ST_EMA|symbol=...|tf=...|signal=... (bar kapanışında).
“Robot” bölümünde tek bir sembol için 4 ayrı alertcondition hazır.
Grafikteki sembol için ayrıca EMA LONG/SHORT ve ST LONG/SHORT koşulları da var.
Kullanım
Otomatik/Elle grup seç;
Listeyi doldur (3–30);
Filtre/renk/yazı ayarla;
Alarmı aç ve Once per bar close ile kur; gerekiyorsa webhook URL ekle.
Not
Gösterge emir vermez; sinyalleri kendi köprüne/botuna yönlendirirsin. Yatırım tavsiyesi değildir.
Session Sniper Bands — Pro Overlay (Bollinger, Sessions, Engulf)The Session Sniper Bands — Pro Overlay combines three powerful tools into one clean, professional script designed to help traders spot high-probability setups across any market.
📌 What’s included:
Dual Bollinger Bands → track volatility squeezes, expansions, and mean reversion zones.
Customizable Trading Sessions (Tokyo / London / New York) → shaded regions with editable names, open/close lines, range, and average price markers.
Engulfing Candlestick Signals → automatic bullish and bearish engulfing arrows for precision entry timing.
✨ Features:
Session names and times are fully customizable (rename “Tokyo” to “Asia Open,” etc.).
Clear OB/OS volatility cues via Bollinger stack.
Lightweight visuals that won’t clutter your chart.
Works across Forex, Crypto, Indices, and Binary Options.
⚡ Why use it?
This overlay is built for traders who want to snipe entries with session context. Spot when volatility contracts, align with session flows, and confirm with engulfing momentum candles — all in one view.
⚠️ Disclaimer: This script is for educational purposes only and is not financial advice. Always test on demo before trading live.
ATEŞ ÇOKLU TARAMA)My educational scanning efforts are ongoing. I'll make adjustments based on your feedback. I look forward to your feedback if there are any incorrect data. Each group contains 40 stocks. The entire bid is attached. You can create your own custom list of 40+40.
عكفة الماكد المتقدمة - أبو فارس ©// 🔒 Advanced MACD Curve © 2025
// 💡 Idea & Creativity: Engineer Abu Elias
// 🛠️ Development & Implementation: Abu Fares
// 📜 All intellectual rights reserved - Copying, modifying, or redistributing is not permitted
// 🚫 Any attempt to tamper with this code or violate intellectual property rights is legally prohibited
// 📧 For inquiries and licensing: Please contact the developer, Abu Fares
عكفة الماكد المتقدمة - أبو فارس ©// 🔒 عكفة الماكد المتقدمة © 2025
// 💡 فكرة وإبداع: المهندس أبو الياس
// 🛠️ تطوير وتنفيذ: أبو فارس
// 📜 جميع الحقوق الفكرية محفوظة - لا يُسمح بالنسخ أو التعديل أو إعادة التوزيع
// 🚫 أي محاولة للعبث بهذا الكود أو انتهاك الحقوق الفكرية مرفوضة قانونياً
// 📧 للاستفسارات والتراخيص: يرجى التواصل مع المطور أبو فارس
// 🔒 Advanced MACD Curve © 2025
// 💡 Idea & Creativity: Engineer Abu Elias
// 🛠️ Development & Implementation: Abu Fares
// 📜 All intellectual rights reserved - Copying, modifying, or redistributing is not permitted
// 🚫 Any attempt to tamper with this code or violate intellectual property rights is legally prohibited
// 📧 For inquiries and licensing: Please contact the developer, Abu Fares
Highlight Specific Time CandleThis is a simple Pine Script tool that marks candles occurring at a chosen time of the day. You can set the hour and minute (in 24-hour format) from the inputs, and whenever a candle’s timestamp matches that time, the indicator highlights it with a symbol above the bar and an optional background colour.
This is useful for:
Identifying key intraday times (e.g., market open, midday, closing).
Spotting how price reacts at scheduled events (economic data releases, news times).
IU Trade ManagementDESCRIPTION
IU Trade Management is a powerful utility tool designed to help traders manage their trades with precision and clarity. It provides automated Stop Loss, Take Profit, and Break Even calculations using multiple customizable methods. Along with clear SL/TP plotting on the chart, it also displays a detailed trade status table that tracks every important detail including entry price, SL/TP levels, break-even, PNL, and trade duration. This tool is perfect for traders who want to manage risk and rewards visually and systematically.
USER INPUTS :
-Entry Candle Time: Default 20 Jul 2021 00:00 +0300 (select the candle from which the trade begins)
- Entry Price: Default 2333 (define the price at which the trade is executed)
- Trade Direction: Default Long (choose between Long or Short)
- SL/TP Method: Default ATR (options: ATR, Points/Pips, Percentage %, Standard Deviation, Highest/Lowest, Previous High/Low)
- Risk to Reward: Default 3 (set custom risk-to-reward ratio)
- Use Break Even: Default false (option to enable break-even)
- Plot Break Even Line: Default false (option to display BE line)
- RTR of Break Even Point: Default 2 (factor used for BE calculation)
SL/TP Method Specific Inputs:
- ATR Length: Default 14
- ATR Factor: Default 2
- Points/Pips: Default 100
- Percentage: Default 1%
- Standard Deviation Length: Default 20
- Standard Deviation Factor: Default 2
- Highest/Lowest Length: Default 10
Trade Status Table Settings:
- Show Trade Status: Default true
- Table Size: Default small (options: normal, tiny, small, large)
- Table Position: Default top right
- Frame Width: Default 2
- Table Color: Default black
- Frame Color: Default gray
- Border Width: Default 2
- Border Color: Default gray
- Text Color: Default purple (RGB 212, 0, 255)
HOW TO USE THE INDICATOR:
1. Set the entry candle time and entry price manually.
2. Select whether the trade is Long or Short.
3. Choose the preferred SL/TP calculation method (ATR, Percentage, Points, STD, High/Low, Previous High/Low).
4. Define your risk-to-reward ratio and enable break-even if required.
5. The indicator will automatically plot your Entry, Stop Loss, Take Profit, and Break Even levels on the chart.
6. A detailed trade management table will appear, showing trade direction, SL, TP, PNL (points and %), SL/TP method, and total trade time.
WHY IT IS UNIQUE:
- Offers multiple methods to calculate SL and TP (ATR, Percentage, Points, Standard Deviation, High/Low, Previous High/Low)
- Built-in Break Even functionality for risk-free trade management
- Real-time PNL tracking in both points and percentage
- Trade status table for complete transparency on all trade details
- Visual plotting of SL, TP, and Entry with color-coded zones for clarity
HOW USER CAN BENEFIT FROM IT :
- Helps traders manage risk and reward with discipline
- Eliminates guesswork by automating SL and TP levels
- Provides clear visual guidance on trade exits and risk management
- Enhances decision-making with live trade tracking and performance statistics
- Suitable for manual traders as a trade manager and for strategy developers as a risk management reference
RSI with Dual Smoothed MAs + Trend BackgroundRSI with two custom MAs (SMA, EMA, WMA, RMA, VWMA).
Slope-based MA coloring.
Background shading for quick trend confirmation.
Snehal Desai's Nifty Predictor This script will let you know all major indicator's current position and using AI predict what is going to happen nxt. for any quetions you can mail me at snehaldesai37@gmail.com. for benifit of all.
Global Liquidity Proxy (Fed + ECB + BoJ + PBoC)Global Liquidity Proxy (Fed + ECB + BoJ + PBoC) Vs BTC
Trajectory Channel (VWAP Highs/Lows) [Euler-Inspired]VPWA higha nd low Euler trajectory inspired script