OKX Contract Martin SAR SignalDescription:
This script combines the Parabolic SAR indicator with a Martingale trading strategy for OKX contracts, optimized for high-frequency trading on lower timeframes (e.g., 45-minute charts). It automatically identifies trend reversals, generates buy and sell signals, and provides real-time alerts for entry and exit points. Key features include:
Trend Reversal Detection: Automatically detects changes between uptrends and downtrends using SAR values.
Martingale Strategy: Incorporates a customizable acceleration factor for adapting to market volatility.
Real-Time Alerts: Sends JSON-formatted webhook alerts for automation and includes detailed signal labels on the chart.
Customizable Parameters: Fully adjustable SAR settings (start, increment, and maximum factors) for different trading styles.
This strategy is ideal for traders seeking precise contract signals with high-frequency execution. However, use caution and conduct thorough backtesting before deploying in live markets, especially for ultra-high-frequency trading.
Su Pine
Chart-Only Scanner — Pro Table v2.5.1Chart-Only Scanner — Pro Table v2.5
User Manual (Pine Script v6)
What this tool does (in one line)
A compact, on-chart table that scores the current chart symbol (or an optional override) using momentum, volume, trend, volatility, and pattern checks—so you can quickly decide UP, DOWN, or WAIT.
Quick Start (90 seconds)
Add the indicator to any chart and timeframe (1m…1M).
Leave “Override chart symbol” = OFF to auto-use the chart’s symbol.
Choose your layout:
Row (wide horizontal strip), or Grid (title + labeled cells).
Pick a size preset (Micro, Small, Medium, Large, Mobile).
Optional: turn on “Use Higher TF (EMA 20/50)” and set HTF Multiplier (e.g., 4 ⇒ if chart is 15m, HTF is 60m).
Watch the table:
DIR (↑/↓/→), ROC%, MOM, VOL, EMA stack, HTF, REV, SCORE, ACT.
Add an alert if you want: the script fires when |SCORE| ≥ Action threshold.
What to expect
A small table appears on the chart corner you choose, updating each bar (or only at bar close if you keep default smart-update).
The ACT cell shows 🔥 (strong), 👀 (medium), or ⏳ (weak).
Panels & Settings (every option explained)
Core
Momentum Period: Lookback for rate-of-change (ROC%). Shorter = more reactive; longer = smoother.
ROC% Threshold: Minimum absolute ROC% to call direction UP (↑) or DOWN (↓); otherwise →.
Require Volume Confirmation: If ON and VOL ≤ 1.0, the SCORE is forced to 0 (prevents low-volume false positives).
Override chart symbol + Custom symbol: By default, the indicator uses the chart’s symbol. Turn this ON to lock to a specific ticker (e.g., a perpetual).
Higher TF
Use Higher TF (EMA 20/50): Compares EMA20 vs EMA50 on a higher timeframe.
HTF Multiplier: Higher TF = (chart TF × multiplier).
Example: on 3H chart with multiplier 2 ⇒ HTF = 6H.
Volatility & Oscillators
ATR Length: Used to show ATR% (ATR relative to price).
RSI Length: Standard RSI; colors: green ≤30 (oversold), red ≥70 (overbought).
Stoch %K Length: With %D = SMA(%K, 3).
MACD Fast/Slow/Signal: Standard MACD values; we display Line, Signal, Histogram (L/S/H).
ADX Length (Wilder): Wilder’s smoothing (internal derivation); also shows +DI / −DI if you enable the ADX column.
EMAs / Trend
EMA Fast/Mid/Slow: We compute EMA(20/50/200) by default (editable).
EMA Stack: Bull if Fast > Mid > Slow; Bear if Fast < Mid < Slow; Flat otherwise.
Benchmark (optional, OFF by default)
Show Relative Strength vs Benchmark: Displays RS% = ROC(symbol) − ROC(benchmark) over the Momentum Period.
Benchmark Symbol: Ticker used for comparison (e.g., BTCUSDT as a market proxy).
Columns (show/hide)
Toggle which fields appear in the table. Hiding unused fields keeps the layout clean (especially on mobile).
Display
Layout Mode:
Row = a single two-row strip; each column is a metric.
Grid = a title row plus labeled pairs (label/value) arranged in rows.
Size Preset: Micro, Small, Medium, Large, Mobile change text size and the grid density.
Table Corner: Where the panel sits (e.g., Top Right).
Opaque Table Background: ON = dark card; OFF = transparent(ish).
Update Every Bar: ON = update intra-bar; OFF = smart update (last bar / real-time / confirmed history).
Action threshold (|score|): The cutoff for 🔥 and alert firing (default 70).
How to read each field
CHART: The active symbol name (or your custom override).
DIR: ↑ (ROC% > threshold), ↓ (ROC% < −threshold), → otherwise.
ROC%: Rate of change over Momentum Period.
Formula: (Close − Close ) / Close × 100.
MOM: A scaled momentum score: min(100, |ROC%| × 10).
VOL: Volume ratio vs 20-bar SMA: Volume / SMA(Volume,20).
1.5 highlights as yellow (significant participation).
ATR%: (ATR / Close) × 100 (volatility relative to price).
RSI: Colored for extremes: ≤30 green, ≥70 red.
Stoch K/D: %K and %D numbers.
MACD L/S/H: Line, Signal, Histogram. Histogram color reflects sign (green > 0, red < 0).
ADX, +DI, −DI: Trend strength and directional components (Wilder). ADX ≥ 25 is highlighted.
EMA 20/50/200: Current EMA values (editable lengths).
STACK: Bull/Bear/Flat as defined above.
VWAP%: (Close − VWAP) / Close × 100 (premium/discount to VWAP).
HTF: ▲ if HTF EMA20 > EMA50; ▼ if <; · if flat/off.
RS%: Symbol’s ROC% − Benchmark ROC% (positive = outperforming).
REV (reversal):
🟢 Eng/Pin = bullish engulfing or bullish pin detected,
🔴 Eng/Pin = bearish engulfing or bearish pin,
· = none.
SCORE (absolute shown as a number; sign shown via DIR and ACT):
Components:
base = MOM × 0.4
volBonus = VOL > 1.5 ? 20 : VOL × 13.33
htfBonus = use_mtf ? (HTF == DIR ? 30 : HTF == 0 ? 15 : 0) : 0
trendBonus = (STACK == DIR) ? 10 : 0
macdBonus = 0 (placeholder for future versions)
scoreRaw = base + volBonus + htfBonus + trendBonus + macdBonus
SCORE = DIR ≥ 0 ? scoreRaw : −scoreRaw
If Require Volume Confirmation and VOL ≤ 1.0 ⇒ SCORE = 0.
ACT:
🔥 if |SCORE| ≥ threshold
👀 if 50 < |SCORE| < threshold
⏳ otherwise
Practical examples
Strong long (trend + participation)
DIR = ↑, ROC% = +3.2, MOM ≈ 32, VOL = 1.9, STACK = Bull, HTF = ▲, REV = 🟢
SCORE: base(12.8) + volBonus(20) + htfBonus(30) + trend(10) ≈ 73 → ACT = 🔥
Action idea: look for longs on pullbacks; confirm risk with ATR%.
Weak long (no volume)
DIR = ↑, ROC% = +1.0, but VOL = 0.8 and Require Volume Confirmation = ON
SCORE forced to 0 → ACT = ⏳
Action: wait for volume > 1.0 or turn off confirmation knowingly.
Bearish reversal warning
DIR = →, REV = 🔴 (bearish engulfing), RSI = 68, HTF = ▼
SCORE may be mid-range; ACT = 👀
Action: watch for breakdown and rising VOL.
Alerts (how to use)
The script calls alert() whenever |SCORE| ≥ Action threshold.
To receive pop-ups, sounds, or emails: click “⏰ Alerts” in TradingView, choose this indicator, and pick “Any alert() function call.”
The alert message includes: symbol, |SCORE|, DIR.
Layout, Size, and Corner tips
Row is best when you want a compact status ribbon across the top.
Grid is clearer on big screens or when you enable many columns.
Size:
Mobile = one pair per row (tall, readable)
Micro/Small = dense; good for many fields
Large = presentation/screenshots
Corner: If the table overlaps price, change the corner or set Opaque Background = OFF.
Repaint & timeframe behavior
Default smart update prefers stability (last bar / live / confirmed history).
For a stricter, “close-only” behavior (less repaint): turn Update Every Bar = OFF and avoid Heikin Ashi when you want raw market OHLC (HA modifies price inputs).
HTF logic is derived from a clean, integer multiple of your chart timeframe (via multiplier). It works with 3H/4H and any TF.
Performance notes
The script analyzes one symbol (chart or override) with multiple metrics using efficient tuple requests.
If you later want a multi-symbol grid, do it with pages (10–15 per page + rotate) to stay within platform limits (recommended future add-on).
Troubleshooting
No table visible
Ensure the indicator is added and not hidden.
Try toggling Opaque Background or switch Corner (it might be behind other drawings).
Keep Columns count reasonable for the chosen Size.
If you turned ON Override, verify the Custom symbol exists on your data provider.
Numbers look different on HA candles
Heikin Ashi modifies OHLC; switch to regular candles if you need raw price metrics.
3H/4H issues
Use integer HTF Multiplier (e.g., 2, 4). The tool builds the correct string internally; no manual timeframe strings needed.
Power user tips
Volume gating: keeping Require Volume Confirmation = ON filters most fake moves; if you’re a scalper, reduce strictness or turn it off.
Action threshold: 60–80 is typical. Higher = fewer but stronger signals.
Benchmark RS%: great for spotting leaders/laggards; positive RS% = outperformance vs benchmark.
Change policy & safety
This version doesn’t alter your historical logic you tested (no radical changes).
Any future “radical” change (score weights, HTF logic, UI hiding data) will ship with a toggle and an Impact Statement so you can keep old behavior if you prefer.
Glossary (quick)
ROC%: Percent change over N bars.
MOM: Scaled momentum (0–100).
VOL ratio: Volume vs 20-bar average.
ATR%: ATR as % of price.
ADX/DI: Trend strength / direction components (Wilder).
EMA stack: Relationship between EMAs (bullish/bearish/flat).
VWAP%: Premium/discount to VWAP.
RS%: Relative strength vs benchmark.
Korema Method Pro (JV) Korema Method Pro
ENGLISH VERSION:
All-in-one professional technical indicator for institutional and multi-timeframe analysis. Combines liquidity zones, key levels, and advanced statistics in a single tool.
What is Korema? Trading methodology focused on institutional liquidity zones to identify high-probability opportunities in Forex, Indices, and Cryptocurrencies.
Killzones & Pivots: Automatically detects London session with highs/lows extending until mitigation. Includes breakout alerts and optional midpoints for granular analysis.
Multi-timeframe Analysis: Visualizes daily, weekly, and monthly levels with historical opening prices. Automatic session separators and day-of-week labels.
6 Customizable Hours: Configure London, New York, Asia, and other important session openings. Auto-extended horizontal lines with customizable labels.
Multi-timeframe Z-Score: Table with 5 timeframes (5m, 15m, 1h, 4h, 1D) to detect overbought/oversold conditions. Color coding for instant interpretation.
Highly Customizable: Over 50 intuitively organized parameters. Colors, styles, sizes, and positions fully adjustable. Professional watermark included.
Ideal for: Day Trading (session entry points), Swing Trading (weekly/monthly levels), Scalping (extreme Z-Score conditions), Institutional Analysis (liquidity patterns).
Script Info BannerThe script includes a small template displaying the username, script name, and date of analysis. This feature is implemented to establish credibility and prevent unauthorized use of the analysis.
Futures Tick Value [Epic Edge Trading]A simple utility that displays the tick size and dollar value per tick for major futures contracts.
🔹 Automatically detects the selected futures symbol
🔹 No manual input required
🔹 Clean, professional table display with contract ticker, tick size, and $ value
For futures traders who want instant reference to contract specs directly on their charts.
SMART TRADING DASHBOARDPart 1: Understanding the Foundation
The first lines of the script set up the basic parameters of the indicator.
• //@version=5: This is crucial and specifies that the code is written for Pine Script version 5. TradingView updates its language, and version 5 has new features and syntax changes compared to previous versions.
• indicator("SMART TRADING DASHBOARD", overlay=true): This line defines the script as an indicator and gives it a name, "SMART TRADING DASHBOARD." The overlay=true parameter tells Pine Script to draw the indicator directly on the price chart, not in a separate panel below it.
Part 2: Defining Inputs and Variables
The //━━━━━━━━━━━━━ INPUT PARAMETERS ━━━━━━━━━━━━━ section is where the user can customize the indicator without changing the code.
• input.int() and input.float(): These functions create configurable settings for the indicator, such as the Supertrend's ATR period, ATR multiplier, risk percentage, and target percentages. The user can change these values in the indicator's "Settings" menu.
• input.string() and input.bool(): These are used for inputs that are not numerical, such as the position of the dashboard table and a toggle to show/hide it.
This section also initializes several variables using the var keyword. var is a special keyword in Pine Script that declares a variable and ensures its value is preserved from one bar to the next. This is essential for tracking things like the entry price, stop-loss, and profit targets.
Part 3: The Core Trading Logic
Supertrend Analysis
The Supertrend is a trend-following indicator.
• = ta.supertrend(factor, atrPeriod): This line uses a built-in Pine Script function, ta.supertrend(), to calculate the Supertrend line. It returns two values: the supertrend line itself and a dir (direction) value which is 1 for an uptrend and -1 for a downtrend.
• buySignal = ta.crossover(close, supertrend): This detects a buy signal when the closing price crosses over the Supertrend line.
• sellSignal = ta.crossunder(close, supertrend): This detects a sell signal when the closing price crosses under the Supertrend line.
Entry, Take-Profit (TP), and Stop-Loss (SL) Calculations
The if statements check for the buySignal and sellSignal conditions.
• if buySignal: When a buy signal occurs, the script sets the entry price to the current close, and calculates the sl, tp1, tp2, and tp3 based on the predefined percentage inputs. The signalType is set to "LONG."
• if sellSignal: Similarly, for a sell signal, it calculates the levels for a "SHORT" trade.
This section is vital as it provides the core trading levels to the user.
Part 4: Additional Market Analysis
This script goes beyond a simple Supertrend and includes several other analysis tools.
• Volume Analysis: The code calculates a volume moving average (volMA) and a volRatio to see if the current volume is high compared to its recent average.
• Profit % and Risk-to-Reward (RR): It continuously calculates the floating profit/loss percentage of the current position and the risk-to-reward ratio based on the entry and third target. This provides real-time performance metrics.
• PCR & OI Trend (Simulated): The script simulates PCR (Put/Call Ratio) and OI (Open Interest) trends. It uses request.security() to get data from a higher timeframe (60-minute) and compares the simulated values to determine if the market is in a "Long Buildup," "Short Covering," or other states. This adds a simulated derivative market analysis to the tool.
• Momentum Analysis: It uses the built-in ta.rsi() function to calculate the Relative Strength Index (RSI) and determines if the market is overbought or oversold to identify momentum.
• PDC Analysis: "PDC" stands for Previous Day Close. The script checks if the current close is above the previous day's high or below the previous day's low to determine a daily breakout bias.
Part 5: Creating the Visual Dashboard
The dashboard is built using Pine Script's table functions.
• Color Scheme: The code defines a professional, dark theme color scheme using hexadecimal color codes. These colors are then used throughout the table to provide a clear and organized display.
• table.new(): This function creates the table object itself, defining its position (positionOpt input), columns, and rows.
• table.cell(): This is used to populate each individual cell of the table with text, background color, and text color. The script uses table.merge_cells() to combine cells for a cleaner, more readable layout.
• str.tostring(): This function is used to convert numerical values (like entry, sl, profitPct) into string format so they can be displayed in the table.
• plot(): Finally, the plot() function draws the Supertrend line on the chart itself, with the line color changing based on the trend direction (dir).
Part 6: Alerts
The alertcondition() function creates custom alerts that the user can set up in the TradingView platform.
• alertcondition(buySignal, ...): This creates a "Buy Signal" alert. The message parameter is the text that will appear when the alert is triggered.
• alertcondition(sellSignal, ...): Creates a "Sell Signal" alert.
• alertcondition(volRatio > 2, ...): This is a great example of a custom alert, triggering when a significant volume spike is detected.
________________________________________
aiTrendview Disclaimer
Trading financial markets, including futures, options, and stocks, involves substantial risk of loss and is not suitable for every investor. The "SMART TRADING DASHBOARD" is a technical analysis tool for educational and informational purposes only. It is not financial advice. The indicator's signals and metrics are based on historical data and simulated logic, and past performance is not indicative of future results. You should not treat any signals or information from this tool as a definitive guide for making trades. Always conduct your own research, and consider consulting with a qualified financial professional before making any investment decisions. The creator and provider of this script are not responsible for any trading losses you may incur.
ScalpSuite 1m – Confluence Signals (EZ Mode)What it is
ScalpSuite 1m – Confluence Signals (EZ Mode) is a Pine v5 indicator that prints clear BUY/SELL arrows for 1-minute scalping. Signals fire only when multiple lower-timeframe edges align: trend, VWAP bias, momentum, liquidity sweep, opening-range context, and an ATR volatility gate. It’s signal-only (no orders) and includes alert conditions and a mini status panel.
How signals are built (EZ Mode)
A BUY arrow prints when ALL enabled checks pass:
Trend: EMA50 > EMA200 (optionally also 5m trend)
VWAP bias: price on the correct side of VWAP with non-negative slope
Momentum: RSI > 50 and MACD > Signal (or, if “Strict cross” is ON, a fresh cross)
Liquidity sweep: recent sweep of a pivot low with reclaim (optional)
ORB: price beyond Opening Range High once the window closes (optional; off by default)
ATR gate: intrabar volatility above a minimum threshold
A SELL arrow mirrors the above in the opposite direction.
Tip: Keep Confirm at Bar Close ON for cleaner signals.
Inputs (quick guide)
Trend (EMA 50>200): require 1m trend; optional 5m confirmation
VWAP bias: require correct side of VWAP + non-negative slope
Momentum (RSI+MACD): choose “Strict cross” for fewer, cleaner prints
Liquidity Sweep: pivot-based stop-run + reclaim filter
ORB: Opening Range breakout using your session + minutes (off by default)
ATR Volatility Gate: blocks prints in ultra-low vol; set Min ATR% to your instrument
Confirm at Bar Close: recommended ON
Alerts
Use “Once per bar close” for stability:
BUY Signal → ScalpSuite BUY (1m)
SELL Signal → ScalpSuite SELL (1m)
Recommended starting settings (NQ/ES 1m)
Confirm at Bar Close: ON
Trend: ON (5m confirm OFF initially)
VWAP bias: ON
Momentum: ON, Strict cross OFF (turn ON to tighten)
Liquidity Sweep: ON
ORB: OFF first, then ON with 5–10 min window after you see arrows
ATR Gate: ON, Min ATR% = 0.02–0.06 (raise to reduce noise)
If you need more signals: turn ORB OFF, Strict cross OFF, lower Min ATR%.
If you need fewer signals: turn ORB ON, Strict cross ON, raise Min ATR%, enable 5m trend.
Panel
The top-right mini panel shows which filters pass (Trend / VWAP / Momentum / Sweep / ORB / ATR). If no signal prints, the panel makes it obvious which gate blocked it.
Notes
Designed for 1-minute scalping; works on other intraday TFs with tuning.
Indicator only; not financial advice. Always forward-test and manage risk.
Changelog
v1.0 – Initial release (trend + VWAP + RSI/MACD + sweep + ORB + ATR gate, alerts & panel).
Tags: scalping, 1m, VWAP, EMA, RSI, MACD, ORB, ATR, liquidity sweep, futures, NQ, ES, SPY, day trading, confluence, signals
Option Price & Greeks [TennAlgo]A simple and checked pine script indicator showing theoretical option value and Greeks for giving sigma and other parameters.
You can change the underlying price and giving sigma to your sources to get a dynamical BSM option value.
Price and Greeks are plotted in subplot, but a user friendly table is given in top-right.
Enjoy it and leave your issues here, which might be corrected soon or later.
automatic FibonacciThe automatic Fibonacci calculator is designed for you, eliminating time and error. The Fibonacci level (0) is indicated by the blue line. The orange zones are 414 and 618. Only the 0.618 and 0.786 zones are shown separately as orange zones. This will save you from having to draw a Fibonacci calculator again and free up your time for other tasks.
Trading Sessions [MTRX]This indicator highlights key market sessions (such as Tokyo, London, and New York) directly on your chart. It visually marks session ranges with customizable boxes and provides optional features like session names, open/close levels, tick range, and average price per session, helping traders quickly identify and compare price behavior across global trading hours.
Higher High Close 3 Days & Price ±5% 200 EMAScript by Raj Natarajan V 1
This script identifies stocks that are within +/- 5% of the 200 day EMA and within that sub-set, it identifies stocks that have had three consecutive days of higher highs.
Close Just Above 44MA with Uptrendpine editor code for indicator to identify stocks whose price closes just above MA 44 with MA 44 trending up on a daily chart for swing trading
Coach Jitender//@version=5
indicator("Coach Jitender", overlay=true)
// === User inputs ===
smaPeriod = input.int(20, title="SMA Period")
emaPeriod = input.int(7, title="EMA Period")
// === Get 1-minute close prices from NSE stocks ===
reliance_close = request.security("NSE:RELIANCE", "1", close)
icici_close = request.security("NSE:ICICIBANK", "1", close)
hdfc_close = request.security("NSE:HDFCBANK", "1", close)
infy_close = request.security("NSE:INFY", "1", close) // Added Infosys
// === Combine the prices ===
combined_price = reliance_close + icici_close + hdfc_close + infy_close
// === Calculate SMA and EMA ===
sma_combined = ta.sma(combined_price, smaPeriod)
ema_combined = ta.ema(combined_price, emaPeriod)
// === Plot combined price, SMA, and EMA ===
plot(combined_price, title="Combined Price", color=color.orange, linewidth=2)
plot(sma_combined, title="SMA", color=color.blue, linewidth=2)
plot(ema_combined, title="EMA", color=color.purple, linewidth=2)
My ScriptMulti-Timeframe Momentum Sync - 1 line
1,5,15 averaged into 1 line, WHY?
"YNOT", my boat's name.
Seems responsive and sensitive, no lag, this is just the beginning.
Week splitter, WH/WLAvailable features:
- High and Low of the Week
- Weeks dividing
- Days inside Week dividing
Smart Wick AnalyzerSmart Wick Analyzer (SWA)
Purpose: Highlight potential liquidity‑grab candles (long wicks) and turn them into actionable, rule‑based buy/sell signals with trend, volume, and cooldown filters.
Type: Indicator (not a strategy). Educational tool to contextualize wick events.
🧠 What This Script Does
SWA looks for candles where the wick is large relative to its body—a common signature of liquidity sweeps / rejection. It then adds three confirmations before marking a trade signal:
1. Wick Event
• Upper‑wick event (possible rejection from above)
• Lower‑wick event (possible rejection from below)
• Condition: wick length > body × Wick‑to‑Body Ratio
2. Context Filters
• Trend filter : closing price vs. SMA of lookbackBars
• Volume filter : current volume vs. average volume × volumeThreshold
3. Signal Hygiene
• Cooldown : prevents clustering; a minimum number of bars must pass before a new signal is allowed.
If a candle passes these checks:
• Buy Signal (triangle up): long lower wick + price above SMA + relative‑high volume + cooldown passed
• Sell Signal (triangle down): long upper wick + price below SMA + relative‑high volume + cooldown passed
The signal candle is also bar‑colored black for quick visual focus.
⸻
✳️ What the Dotted Lines Mean (including the green one)
On every signal bar the script draws two dotted horizontal levels, extended to the right:
• Open line of the signal candle
• Close line of the signal candle
• They use the signal color: green for Buy, red for Sell.
How to interpret (example: green = Buy signal):
• The green dotted close line represents the momentum validation level. If subsequent candles close above this line, it indicates follow‑through after the wick rejection (buyers defended into the close).
• The green dotted open line is a risk context / invalidation reference. If price falls back below it soon after the signal, the wick event may have failed or devolved into chop.
In your annotated chart: the candle initially looked constructive (“closing above could be positive momentum”), but later price failed and rotated down—hence a sell signal interpreted when an upper‑wick event occurred under down‑trend conditions.
⸻
⚙️ Inputs & What They Control
• Wick‑to‑Body Ratio (wickThreshold): how “extreme” a wick must be to count as a liquidity‑grab.
• Lookback Period (lookbackBars):
• SMA period for trend context
• Volume MA for relative‑volume check
• Volume Multiplier (volumeThreshold): strengthens/loosens volume confirmation.
• Cooldown Bars (cooldownBars): minimum spacing between consecutive signals.
• Enable Alerts (showAlerts): turns on alert conditions.
⸻
🔔 Alerts (exact titles)
• “SWA Buy Alert” — potential reversal / Buy signal detected
• “SWA Sell Alert” — potential reversal / Sell signal detected
⸻
📌 How to Use (practical guide)
1. Scan for the black‑colored signal candle and its dotted lines.
2. For Buy signals (green): Prefer continuation if price closes above the green close line within the next few bars. Manage risk using the open line or your own level.
3. For Sell signals (red): Prefer continuation if price closes below the red close line.
4. Avoid chasing during low‑volume / counter‑trend signals; the filters help, but structure (HTF trend, S/R, session context) still matters.
5. Use the cooldown to reduce noise on fast time frames.
⸻
✅ Why This Isn’t Just “Another Wick Indicator”
• The script does not flag every long‑wick; it requires trend alignment and relative volume to suggest participation.
• The two reference lines (open/close) provide post‑signal state tracking—a simple, visual framework to judge follow‑through vs. failure without additional tools.
• Cooldown logic discourages clustered, low‑quality repeats around the same zone.
⸻
⚠️ Notes & Limitations
• Works across markets/time frames, but wick behavior varies by instrument and session. Parameters may need adjustment.
• Signals are contextual, not guarantees. Consolidation and news spikes can invalidate wick reads.
• This indicator is not a strategy; it does not backtest performance on its own.
⸻
📄 Disclaimer
This tool is for educational purposes only and should be combined with personal analysis and risk management. Markets are uncertain; past behavior does not guarantee future results.
EFXU Banker Level Price GridThe EFXU Banker Level Price Grid indicator draws fixed horizontal price levels at key whole-number intervals for Forex pairs, regardless of zoom level or timeframe. It’s designed for traders who want consistent visual reference points for major and minor price zones across all charts.
Features:
Major 1000-pip zones (bold lines) above and below a fixed origin price (auto-detects 1.00000 for non-JPY pairs and 100.000 for JPY pairs, or set manually).
500-pip median levels (dashed lines) between each major zone.
100-pip subdivisions (dotted lines) within each 1000-pip zone.
Adjustable number of zones above and below the origin.
Customizable colors, line widths, and label sizes.
Optional labels on the right edge for quick zone identification.
Works on all timeframes and stays visible regardless of zoom or price position.
Use case:
This tool is ideal for traders using institutional-level zones, psychological price levels, or “big money” areas for planning entries, exits, and risk management. Perfect for swing traders, position traders, and scalpers who rely on major pip milestones for market structure context.
ATR x2 AUTODescription:
This indicator automatically plots ATR-based horizontal levels for each of the most recent candles, helping traders visualize potential stop-loss hunting zones, breakout areas, or price reaction points.
It works by taking the Average True Range (ATR) over a customizable period and multiplying it by a user-defined factor (default: ×2). For each of the last N candles (default: 5), it calculates and draws:
Below green candles (bullish) → A horizontal line placed ATR × multiplier below the candle’s low.
Above red candles (bearish) → A horizontal line placed ATR × multiplier above the candle’s high.
Doji candles → No line is drawn.
Each line extends to the right indefinitely, allowing traders to monitor how price reacts when returning to these ATR-based levels. This makes the tool useful for:
Identifying likely stop-loss clusters below bullish candles or above bearish candles.
Anticipating liquidity sweeps and fakeouts.
Supporting breakout or reversal strategies.
Key Features:
Customizable ATR length, multiplier, number of recent candles, and line thickness.
Separate colors for bullish and bearish candle levels.
Automatic real-time updates for each new bar.
Clean overlay on the main price chart.
Inputs:
ATR Length → Period used for ATR calculation.
Multiplier → Factor applied to the ATR distance.
Number of Candles → How many recent candles to track.
Line Thickness and Colors → Full visual customization.
Usage Tip:
These levels can be combined with key market structure points such as support/resistance, trendlines, or the 200 EMA to anticipate high-probability price reactions.
Motala's Trading — risk management xauusdA practical position-sizing and risk/TP planning tool designed for discretionary traders. It draws risk and profit zones as right-side boxes, places clean labels for Entry / SL / TP1..TP5, shows a breakeven midline, and calculates P&L, risk, margin, and R:R—all in your account currency (e.g., CAD) with optional live FX conversion (USD→Account) so numbers line up with your broker.
Key features
Auto/Long/Short: Auto infers direction from where SL sits vs Entry; or choose Long/Short explicitly.
TPs by R-multiples or manual prices:
R-multiples: TP1..TP5 automatically at 1R..5R from Entry based on your SL distance.
Manual: enter any mix of TP1..TP5 prices yourself.
Sizing modes:
Fixed — Lots (e.g., 0.01 lots)
Fixed — Units (base units)
Risk % (script computes lots/units to match your % risk target)
Cost realism (optional): Toggle bid/ask, commission per side (%), and slippage. All P&L and R:R update “after costs.”
Account currency P&L: Real-time conversion from USD→Account using a live feed (default OANDA:USDCAD, editable to Pepperstone/FOREXCOM, etc.).
Compact “luxury” panel (top-right):
Side, Notional, Balance, Initial Margin (uses your leverage), R:R (after costs)
Drawdown @SL (amount + %)
Blended P&L across TP1..TP5 (weighted by your TP percentages)
P&L @TP(main) and @SL
If Risk % sizing: shows Lots (calc). If Fixed lots/units: shows Risk Used (%).
Total Risk across parallel trades (simple multiplier).
Right-side chart labels: Entry, SL, TP1..TP5, and live P&L label near the midline.
Visuals you actually use: Boxes only (no left extension lines), configurable box colors/transparency, dashed right-extended breakeven line.
Guardrail warnings: Flags if SL/TP are on the wrong side or if R:R < 1 after costs.
Trade Notes + CSV one-shot: Type a note and emit a single CSV line to the Alerts Log (or a webhook) when you toggle Save now.
How to use
Set prices: Enter Entry and SL (both clamped to 2 decimals).
Choose TP mode:
“R-multiples (1R..5R)” to auto-space TP1..TP5, or
“Manual prices” to type TP prices (each 2 decimals).
Pick the direction: Auto (script infers), or force Long/Short.
Sizing:
Risk % → script calculates lots/units so loss @SL ≈ target % of balance.
Fixed — Lots/Units → script shows Risk Used (%) @SL.
Account & FX: Choose your Account Currency (USD/CAD/ZAR/EUR/INR). Keep Use Live FX on (default) and set Live FX Symbol (e.g., OANDA:USDCAD). If your feed quotes inverse, tick Invert Live FX.
(Optional) Costs: Turn on Enable Realistic Costs, then set Use Bid/Ask, Commission % per side, and Slippage to mirror your broker.
Visuals: Set Box extend right (bars), toggle labels/midline/warnings, and customize box colors.
Calculations (plain English)
1R = absolute distance between Entry and SL (price).
TP1..TP5 (R-mode) = Entry ± 1R..5R in the profit direction.
Net P&L uses effective entry/exit (adds/removes slippage; uses bid/ask for market fills if enabled) and subtracts commission (both sides).
Risk % sizing:
Compute loss per 1 unit at SL (after costs), then scale units = (Account × Risk %) / per-unit loss.
Derived Lots (calc) = Units / Contract Size.
Drawdown @SL = |P&L @SL| (in account currency) + percentage of account.
R:R (after costs) = |P&L @TP(main)| ÷ |P&L @SL)|.
Blended P&L = weighted sum of P&L at TP1..TP5 using your TP size %s.
Broker alignment tips
Contract Size matters. For XAUUSD CFDs, many brokers use 100 units per 1.00 lot (100 oz). If your broker uses a different lot size or tick value, set Contract Size to match, or P&L will differ.
If your broker adds commissions/markup/averaging, mirror that in Costs.
Live FX uses your chosen TradingView symbol (e.g., OANDA:USDCAD). For best matching, pick the same provider you see closest to your broker.
Notes & CSV export
Enter a Trade Note in inputs.
Toggle Enable CSV alert/save, then tick Save now (one-shot) once.
A CSV line is sent via alert() → copy from the Alerts Log or route to a webhook (e.g., Google Sheets).
Format: YYYY-MM-DD HH:MM,Symbol,Currency,Side,Entry,SL,TPmain,Lots/RiskLots,AbsRiskAtSL%,Note
Visual choices
Clean boxes only (risk & profit) that extend right a set number of bars.
Dashed breakeven midline, right-extended only.
Right-side labels so nothing sits on top of candles.
All prices and monetary values displayed to 2 decimals; Risk % rows show no decimals.
Defaults
Lots: 0.01
Leverage: 20× (used to display Initial Margin only; doesn’t change P&L)
Account Currency: CAD
Live FX Symbol: OANDA:USDCAD (editable)
Costs: OFF (for clean math)
Limitations & disclaimer
P&L relies on contract size, costs, and FX feed—set these to your environment for best alignment.
Some brokers’ internal markups/averaging won’t perfectly match a public feed.
For education/information only. Not financial advice.
Tags: risk management, position sizing, R multiples, TP/SL planner, XAUUSD, forex, CFD, money management, risk reward, panel, boxes, bid/ask, CSV export
BE-Indicator Aggregator toolkit [Enhanced]█ Overview:
BE-Indicator Aggregator toolkit is an enhanced version of the original toolkit which is built for those we rely on taking multi-confirmation from different indicators available with the traders.
The enhanced version of the Toolkit aid's traders in understanding their custom logic for their trade setups and provides detailed level the results on how it performed over the past considering additional set of parameters such as:
Session Inputs
Parallel Entry | Single Entry
Pyramid Entry | Re - Entry
Single | Multiple Exit Levels, Exit On Opposite Signal
Trailing Of Stop Loss (Liberal & Aggressive Trails)
Extend Target Levels (Locking Profit vs Moving SL to Cost) with Trailing SL
█ Technical Enhancement:
This version is equipped to understand multiple strategies / trade setup for long and short keeping the performance intact. Its important to note that Custom Builder requires text input and hence you are expected to balance between text heavy input vs creative construct of strategy.
toolkit in the backed, equipped with lazy loading features to check the logics and by which performance is kept high at all the time. Depending on the inputs toolkit decides to check for the setups on eligible bars.
█ Additional Features:
Calculated Variables: These are Inner variables which are and can be part of each parameter. These variables can help in conducting mathematical operations before accessing if the logic.
Supported Operating symbols : +, -, *, /, %, (-)
'Sample code to identify HangingMan Candle
VAR-HangingMan:AND:O|L|C, O - L|G|H - O
'O - L & H - O are the calculated variables
Note: Ensure to use space between each of the source values to understand that it requires calculation before pushing for logical assessment.
Another Example: Check if HM candle occurred at Moving average line loaded in Source 1 of the setting.
VAR-HangingMan:AND:O|L|C, O - L|G|H - O
'Check if Low is Less than or Equal to MA line value
VAR-HMClose2MA:AND:ES1 - L|GE|0, HangingMan
'Above Line can be also written as "VAR-HMClose2MA:AND:L (-) ES1|GE|0, HangingMan".
'Enclosing operating symbol with parenthesis converts the output as absolute values.
'Check if Previous Candle was Red and HM candle touched the MA line to trade Reversal Setup
VAR-TwoCandleChk:AND:O |G|C , HMClose2MA
Scope Variables: VAR- keyword can be used to define Logical Conditions as well as independent condition. Defining Rules for VAR- still remain the same. Indicator does the bifurcation. Its better to Map your setups to each of Variable and finally call One L- or S- Condition with OR logic.
A Sample Diagram:
VAR-CriteriaCheck1:Code1
VAR-CriteriaCheck2:AND:Code1, Code2
VAR-CriteriaCheck3:OR:Code1, Code2, Code3
VAR-LongStrategy1:AND:CriteriaCheck1, CriteriaCheck2
VAR-LongStrategy2:OR:CriteriaCheck3, CriteriaCheck2
L-OR:LongStrategy1, LongStrategy2
Note: Search Prioritization starts from Left to Right. LongStrategy1 will be first searched and if not then only it searches for next Strategy. if LongStrategy1 is satisfied It wont search further.
WASTRUE & ISTRUE: These operations can now be part of VAR- keyword.
Note: Ensure to check the Output on the chart. Sometimes it may not work as expected as it can cause repaint and requires to run on each bar for accuracy, however toolkit is not calculating strategy inputs on each bar (basis the input) hence desired results may not come.
Customized Inputs: .
1. Parallelism: Toolkit treats non continuous signals as each Trade. Hence if your signal is valid on alternative bar. toolkit takes trade on alternative Bar whether previous trade is running or not. Toolkit analyses the performance of each trade separately.
You can turn off this method of calculation by enabling "Single Trade at a Time" so that No fresh signal is traded until the previous trade is closed.
2. TP Levels: Customization of TP levels is possible under Input Settings.
3. Independent SL & TGT Levels: Can define Separate SL & TGT levels for Long and Short Trades.
4. Algo Friendly: You can deploy Algo Alerts via Standard Alerts or Via Add Alerts on Indicator Method. Placeholders are made available to support any type of trading. You can customize on when the trading Alerts to be fired via Session Control option.
IMPORTANT Note for Scalpers using Standard Alert (Fx): If you Keep TGT levels very tight along with multiple TP level, on wild movements / Gaps --- if next tick upon Entry directly hits your TGT level, Initial TP level alerts will hit first and Next TP level alert will have 1 - 2 sec delay and so on until TGT alert is fired.
█ Understanding Results Table:
DISCLAIMER: No sharing, copying, reselling, modifying, or any other forms of use are authorized for our documents, script / strategy, and the information published with them. This informational planning script / strategy is strictly for individual use and educational purposes only. This is not financial or investment advice. Investments are always made at your own risk and are based on your personal judgement. I am not responsible for any losses you may incur. Please invest wisely.
Happy to receive suggestions and feedback in order to improve the performance of the indicator better.
Mancin Bitcoin CorrelationMancin Bitcoin Correlation
This indicator calculates the correlation coefficient between a selected asset and Bitcoin (default: BYBIT:BTCUSDT) over a specified period, and visualizes it as a line or columns with a dynamic color gradient.
Features:
Correlation values range from -1 (inverse relationship) to +1 (strong direct relationship).
Gradient fill changes intensity based on correlation strength:
Positive correlation uses the “high correlation” color.
Negative correlation uses the “low correlation” color.
Fully customizable:
Colors for positive and negative correlation.
Base transparency.
Gradient strength (sensitivity of transparency to correlation changes).
Correlation length.
Line style and color (Line or Columns).
Use cases:
Track how closely your asset moves with Bitcoin.
Spot moments when the asset starts moving in sync or diverging from BTC.
Useful for pair trading, arbitrage strategies, and assessing BTC’s market influence.
Daily 6 AM & 8 AM CST Linesit help so you can figure out 6am and 8am on cst time in americas very fast.
INTRADAY BOOST SINGNALS BY EAGLE EYESPurpose
Designed for short-term, high-activity traders who want quick trade entries and exits during market hours.
Likely focuses on momentum, volume spikes, and trend confirmation to catch intraday moves.
Key Features It Might Include
Signal Generation
Buy Signal: When upward momentum + volume surge + trend confirmation occurs.
Sell Signal: When downward momentum + high selling volume + trend reversal is detected.
Signals are probably marked with green arrows (buy) and red arrows (sell) on the chart.
Core Indicators Inside (probable)
Volume Filters: Detects strong participation behind the move.
Moving Average / EMA crossovers: Confirms short-term direction.
RSI / Stochastic: Filters out overbought/oversold traps.
Supertrend / UT Bot logic: Ensures signals follow a trend, not just noise.
Intraday Optimization
Works best on short timeframes like 1-min, 5-min, 15-min charts.
May include session filters so signals only trigger during active market hours.
Alerts
Configured so TradingView can send alerts for buy/sell signals in real-time.
Visuals
Arrows, colored bars, background shading for bullish/bearish momentum.
Possibly a dashboard showing trend strength, signal count, win ratio.
How It Helps Intraday Traders
Quick decision-making: Immediate visual and alert-based guidance.
Avoids overtrading: Filters false signals during sideways markets.
Momentum-based: Focuses on high-probability moves with strong backing.