Indicatori e strategie
DLC INDICATOR//@version=5
indicator("A1 SMC Day Trading Indicator (OB + Liquidity Grab)", overlay=true, max_lines_count=500, max_labels_count=500)
// === INPUTS ===
rsiLength = input.int(14, "RSI Length")
slATRMult = input.float(1.5, "Stop Loss (ATR Multiplier)")
tpRR = input.float(2.0, "Take Profit (Risk/Reward)")
htfEMA = input.int(200, "Trend EMA (Filter)")
lookbackHigh = input.int(20, "Liquidity High Lookback")
lookbackLow = input.int(20, "Liquidity Low Lookback")
obLookback = input.int(10, "Order Block Lookback")
// === INDICATORS ===
rsi = ta.rsi(close, rsiLength)
atr = ta.atr(14)
trendEMA = ta.ema(close, htfEMA) // only as filter
// === ORDER BLOCK DETECTION ===
bullOB = ta.lowest(low, obLookback)
bearOB = ta.highest(high, obLookback)
// === LIQUIDITY SWEEPS ===
liqHigh = ta.highest(high, lookbackHigh)
liqLow = ta.lowest(low, lookbackLow)
grabHigh = high > liqHigh and close < liqHigh // stop hunt above highs
grabLow = low < liqLow and close > liqLow // stop hunt below lows
// === ENTRY CONDITIONS ===
longCondition = grabLow and rsi > 50 and close > trendEMA
shortCondition = grabHigh and rsi < 50 and close < trendEMA
// === VARIABLES ===
var float entryPrice = na
var float stopLoss = na
var float takeProfit = na
// === LONG ENTRY ===
if (longCondition)
entryPrice := close
stopLoss := entryPrice - atr * slATRMult
takeProfit := entryPrice + (entryPrice - stopLoss) * tpRR
// Label
label.new(bar_index, entryPrice, "BUY (SMC) ✅",
style=label.style_label_up, color=color.green, textcolor=color.white, size=size.normal)
// SL / TP lines
line.new(bar_index, stopLoss, bar_index+10, stopLoss, color=color.red, style=line.style_dashed)
line.new(bar_index, takeProfit, bar_index+10, takeProfit, color=color.green, style=line.style_dashed)
// Highlight Order Block
box.new(bar_index-obLookback, bullOB, bar_index, entryPrice, bgcolor=color.new(color.green, 85), border_color=color.green)
// === SHORT ENTRY ===
if (shortCondition)
entryPrice := close
stopLoss := entryPrice + atr * slATRMult
takeProfit := entryPrice - (stopLoss - entryPrice) * tpRR
// Label
label.new(bar_index, entryPrice, "SELL (SMC) ✅",
style=label.style_label_down, color=color.red, textcolor=color.white, size=size.normal)
// SL / TP lines
line.new(bar_index, stopLoss, bar_index+10, stopLoss, color=color.red, style=line.style_dashed)
line.new(bar_index, takeProfit, bar_index+10, takeProfit, color=color.green, style=line.style_dashed)
// Highlight Order Block
box.new(bar_index-obLookback, entryPrice, bar_index, bearOB, bgcolor=color.new(color.red, 85), border_color=color.red)
Stop Hunt Magnet Heatmap [mqsxn]The Stop Hunt Magnet Heatmap visualizes where clusters of equal highs and lows have formed, creating “magnet zones” of liquidity that price is often drawn toward. These zones represent the stop-loss pools of retail traders which is where smart money loves to hunt.
The script automatically detects these liquidity pockets and paints them as dimmed green (above highs) and dimmed red (below lows) zones on your chart. With its Bookmap-style evolving mode, you can watch the liquidity map accumulate historically as if the heatmap were run at every candle, giving you a unique visual edge on potential stop hunts.
✨ Features
Automatic liquidity detection based on swing highs/lows.
Granularity control to merge nearby levels into stronger zones.
Dynamic thickness to control zone visualization.
Price range limiter to keep the chart clean and focused.
Evolving Heatmap mode (Bookmap-style accumulation across history).
Full-Chart mode to stretch current magnets across the whole chart window.
Dimmed visuals so it blends seamlessly into your chart background.
⚙️ Inputs & Settings
Core Settings
- Swing Lookback (bars left/right): Defines how many candles to the left/right must confirm a -pivot high/low.
-Min Touches to Qualify: Minimum times a level must be tested before it is considered a magnet.
- Extend Heatmap Bars: How far forward to extend the drawn boxes/lines when not in full-chart or evolving mode.
-Level Granularity (ticks): Rounds detected levels to a grid of N ticks; merges nearby equal highs/lows.
- Zone Thickness (half-height, ticks): Vertical half-height of each magnet zone.
Scope Limits
- Limit price range to last N bars: Only generate magnets within the high/low window of the last N bars (avoids far-away levels).
Full-Chart Paint
- Paint CURRENT magnets across whole window: When enabled, extends current detected magnets all the way across the chart window.
- Full-Chart: draw back N bars: Defines how far back the full-chart magnets stretch.
Evolving Heatmap (per-bar)
- Accumulate heatmap per bar (Bookmap-style): When enabled, freezes liquidity zones from the moment they are detected and accumulates them over time, creating a historical heatmap.
- Evolving: keep at most last N bars of history: Limit how many bars back the evolving map is retained to avoid clutter and improve performance.
Visuals
- Liquidity Above Highs (Dimmed): Color for bullish stop-hunt zones (default lime, faint).
- Liquidity Below Lows (Dimmed): Color for bearish stop-hunt zones (default red, faint).
- Line Style: Choose how the outline of each zone is drawn (solid, dotted, dashed).
Follow @mqsxn for more!
Find more of my indicators and strategies in my Discord (7 day free trial): whop.com
Monday Supply/DemandThis indicator finds and marks Monday's range of Highs and Lows then proceeds to keep that range firm for the remainder of the week.
Monday's range high, low and midpoints are clearly labeled by red, green and white dotted lines respectively.
Within Monday's range it finds Monday's Supply/Demand Zones.
-Draws a green dotted line on the highest wick of the lowest Monday hourly candle and shades a green area from that price to Monday's low. This creates a demand zone.
-Draws a red dotted line on the lowest wick of the highest Monday hourly candle and shades a red area from that price of Monday's high. This creates a supply zone.
Monday's range continues to be indicated on the chart for the current week and the previous two weeks.
Good Luck On Your Trading Journey
Accumulation / Manipulation / Distribution [mqsxn]Spot, box, and label classic A→M→D market structure in real time.
This tool objectively classifies price action into Accumulation, Manipulation, and Distribution phases, draws a box around each qualifying segment, and (optionally) only reveals clean, direct A→M→D triplets. It works on any symbol and timeframe, and supports nested triplets (smaller AMD sequences appearing inside larger ones).
Accumulation (A) — Compression bars: range is small vs ATR and body is relatively small.
Manipulation (M) — Stop-run + rejection: takes out a prior swing (high or low), shows a long wick, and (optionally) closes back inside the prior range.
Distribution (D) — Expansion + drive: range expands vs ATR, close is near an extreme and aligns with EMA slope.
Contiguous bars with the same phase form a segment. Each finalized segment becomes a box spanning that segment’s high/low and first/last bars. Segments below your minimum bar thresholds are discarded (no box). Labels are plain text at the top-center of each visible box; label color matches the box fill, and you can nudge it upward by a configurable tick offset.
When three consecutive segments form A→M→D, the indicator can (optionally) draw an outline around their combined span and, if you enable the filter, hide everything that isn’t part of such a direct triplet (no border, no label on non-triplet segments).
Key features
- Objective AMD detection (ATR, wick fraction, EMA slope, swing breaks)
- Minimum bars per phase (default 3/3/3) to avoid micro noise
- Only show direct A→M→D filter to keep charts clean
- Triplet outline box (configurable history length)
- Top-center labels (plain text, no background; color = box fill; configurable vertical offset)
- Optional A/M/D dots at the top of the chart for quick bar-by-bar debugging
- Works on any timeframe; supports nested AMD sequences
Inputs
Core
- ATR Lookback (14)
- Trend EMA (21)
- Swing Ref (10)
Accumulation
- Range < ATR × (0.55)
- Body / Range ≤ (0.45)
Manipulation
- Min Wick Fraction (0.6)
- Close Back Inside Prior Range (On)
Distribution
- Range ≥ ATR × (1.2)
- Close near extreme ≤ (0.25)
Minimum Candles per Section
- Min bars for Accumulation (3)
- Min bars for Manipulation (3)
- Min bars for Distribution (3)
Visualization
- Phase fill colors (A / M up / M down / D up / D down)
- Box Border color
- Extend boxes right (bars)
- Show Phase Labels (On)
- Label Font Size
- Label Offset (ticks above box top)
Filters
- Only show boxes that are part of a direct A→M→D sequence (On by default)
AMD Triplet Outline
- Draw outline (On)
- Outline Border color
- Keep last N outlines (20)
Debug / Markers
- Show A/M/D dots at top (Off by default)
Advanced
- Priority: Manipulation overrides others (On)
- Carry last phase through “None” bars (On)
Follow @mqsxn for updates on this indicator, and find my strategies and more in my paid Discord: whop.com
FijuThis indicator is designed to identify buy opportunities and then assist in trade management.
It relies on several technical filters:
Long-term trend: price above the 200-period moving average.
Momentum: bullish MACD (MACD line > signal line) and optionally positive.
Relative strength: RSI above 30, with detection of overbought conditions and weakness through the RSI moving average.
Timing: additional validation using candle color and proximity of the price to the SMA200 (limited deviation).
The indicator highlights different states using background colors and a label on the last candle:
🟢 Buy: potential buy signal.
🔵 Hold: keep the position.
🟠 Warning: caution, RSI is overbought or losing strength.
🔴 Sell: conditions invalidated, exit recommended.
👉 This is not an automated system but a decision-support tool. It only works for long entries and must be combined with a proper trade management methodology (money management, stop-loss, take-profit, trend following, etc.).
TJR asia session sweepTJR asia session sweep
strategy("TJR asia session sweep", "TJR Asia Sweep"
use on indices
Cruzamento Mágico-EMA 5/21 + Stop ATR + Filtro BTC 30mOf course, here is a brief description of the strategy in English.
**Triple Confirmation Swing Trading Strategy**
This strategy aims to capture trend-based movements in crypto assets by using a triple confirmation system to filter entry signals and increase the probability of success.
The conditions for a trade are:
1. **Entry Trigger (Timing):** The primary signal occurs when the 5-period Exponential Moving Average (EMA) crosses the 21-period EMA. A cross above suggests a buy, while a cross below suggests a sell.
2. **Asset Trend Filter:** An entry is only considered if the asset's own trend, as measured by the **ATR Stop** indicator, is moving in the same direction as the EMA crossover. This avoids entering trades against the local trend.
3. **Market Trend Filter (Bitcoin):** As a final confirmation, the strategy checks the trend of **Bitcoin (BTC) on a fixed 30-minute timeframe**, also using the ATR Stop. A trade is only executed if the BTC trend aligns with the asset's signal.
In short, the strategy only opens a **long** position if the EMAs cross up, the asset's ATR Stop is bullish, and the Bitcoin's ATR Stop is also bullish. The reverse applies for a **short** position.
Range TableThe Range Table indicator calculates and displays the Daily Average True Range (ATR), the current day's True Range (TR), and two customizable ATR percentage values in a clean table format. It provides values in ticks, points, and USD, helping traders set stop-loss buffers based on market volatility.
**Features:**
- Displays the Daily ATR (14-period) and current day's True Range (TR) with its percentage of the Daily ATR.
- Includes two customizable ATR percentages (default: 75% and 10%, with the second disabled by default).
- Shows values in ticks, points, and USD based on the symbol's tick size and point value.
- Customizable table position, background color, text color, and font size.
- Toggle visibility for the table and percentage rows via input settings.
**How to Use:**
1. Add the indicator to your chart.
2. Adjust the table position, colors, and font size in the input settings.
3. Enable or disable the 75% and 10% ATR rows or customize their percentages.
4. Use the displayed values to set stop-loss or take-profit levels based on volatility.
**Ideal For:**
- Day traders and swing traders looking to set volatility-based stop-losses.
- Users analyzing tick, point, and USD-based risk metrics.
**Notes:**
- Ensure your chart is set to a timeframe that aligns with the daily ATR calculations.
- USD values are approximate if `syminfo.pointvalue` is unavailable.
Developed by FlyingSeaHorse.
Custom Sessions with Mitigation LogicThis script is for people to mark their choice of time ranges where the high and lows get extended until mitigated. There is logic involved to make the charting process and the clean up a whole lot easier.
This includes:
- 5 Custom sessions
- Custom colours
- Custom labels
- Custom time zone (for easier use)
- Auto extended lines with mitigation logic
Mitigation logic:
The highs and lows will be extended until mitigated where they will then be turned to a dotted line until the end of the day which mitigates it.
If the sessions high/low gets mitigated on the same day, it will still change to a dotted line and will stop at the end of the day.
EMA 1/8 Cross - Fixed Pip TP/SLEMA 1/8 Cross – Fixed Pip TP/SL
This strategy is based on the crossover between EMA 8 and EMA 14 as trading signals:
Long entry → when EMA 1 crosses above EMA 8
Short entry → when EMA 1 crosses below EMA 8
Features:
Fixed pip Take Profit (TP) and Stop Loss (SL), fully adjustable in the settings.
Customizable EMA Fast/Slow lengths for optimization.
Pip size input to match different broker definitions (e.g., XAUUSD often uses 0.10 as one pip).
Suitable for testing scalping or swing trading across multiple timeframes.
⚠️ Disclaimer:
This script is intended for backtesting and educational purposes only. Please optimize parameters and apply proper risk management before using it on live accounts.
Apex Edge - London Open Session# Apex Edge - London Open Session Trading System
## Overview
The London Open Session indicator captures institutional price action during the first hour of the London forex session (8:00-9:00 AM GMT) and identifies high-probability breakout and retest opportunities. This system tracks the session's high/low range and generates precise entry signals when price breaks or retests these key institutional levels.
## Core Strategy
**Session Tracking**: Automatically identifies and marks the London Open session boundaries, creating a trading zone from the first hour's price range.
**Dual Entry Logic**:
- **Breakout Entries**: Triggers when price closes beyond the session high/low and continues in that direction
- **Retest Entries**: Activates when price returns to test the broken level as new support/resistance
**Performance Analytics**: Built-in win rate tracking displays real-time performance statistics over user-defined lookback periods, enabling data-driven optimization for each currency pair.
## Key Features
### Automated Zone Detection
- Precise London session timing with timezone offset controls
- Visual session boundaries with customizable colours
- Automatic high/low range calculation and display
### Smart Entry System
- Breakout confirmation requiring candle close beyond zone
- Retest detection with configurable pip distance tolerance
- Separate risk/reward ratios for breakout vs retest entries
- Visual entry arrows with clear trade direction labels
### Performance HUD
- Real-time win rate calculation over customizable periods (7-365 days)
- Total trades tracking with win/loss breakdown
- Average risk-reward ratio display
- Color-coded performance metrics (green >70%, yellow >50%, red <50%)
### PineConnector Integration
- Direct MT4/MT5 execution via PineConnector alerts
- Proper forex pip calculations for all currency pairs
- Customizable risk percentage per trade
- Symbol override capability for broker compatibility
- Automatic SL/TP level calculation in pips
## Critical Usage Requirements
### Pair-Specific Optimization
Each currency pair requires individual optimization due to varying volatility characteristics, institutional participation levels, and typical price ranges during London hours. The performance HUD is essential for identifying optimal settings before live trading.
**Recommended Testing Process**:
1. Apply indicator to desired currency pair and timeframe
2. Experiment with session timing - while 8:00-9:00 AM GMT is standard, some pairs may show improved performance with alternative hourly windows (e.g., 7:00-8:00 AM or 9:00-10:00 AM)
3. Adjust Stop Loss distances, Risk/Reward ratios, and Retest distances
4. Monitor win rate over 30+ day periods using the performance HUD
5. Only proceed with live alerts once consistent 60%+ win rates are achieved
6. Create separate optimized chart setups for each profitable pair/timeframe combination
### Timeframe Specifications
This indicator is specifically designed and tested for:
- **1-minute charts**: Optimal for capturing immediate institutional reactions
- **5-minute charts**: Balanced approach between noise reduction and opportunity frequency
Higher timeframes generally produce inferior results due to increased noise and reduced institutional edge during the London session window.
## Settings Configuration
### Session Timing
- **London Open/Close Hours**: Adjust for your chart's timezone
- **Rectangle End Time**: Set to 4:30 PM to stop signals before NY session close
- **Timezone Offset**: Ensure accurate London session capture
### Entry Parameters
- **Retest Distance**: 3-8 pips depending on pair volatility
- **Stop Loss Pips**: Separate settings for breakouts (10-15 pips) and retests (8-12 pips)
- **Risk/Reward Ratios**: Independent ratios for different entry types
### PineConnector Setup
- **License ID**: Your PineConnector license key
- **Symbol Override**: MT4/MT5 symbol names if different from TradingView
- **Risk Percentage**: Position size as percentage of account balance
- **Prefix/Comment**: Organize trades in terminal
## Manual Trading Limitations
Without PineConnector automation, traders face significant practical challenges:
**Settings Management**: Each currency pair requires different optimized parameters. Switching between charts means manually adjusting multiple settings each time, creating potential for errors and missed opportunities.
**Timing Sensitivity**: London Open signals can occur rapidly during high-volatility periods. Manual execution may result in slippage or missed entries.
**Multi-Pair Monitoring**: Tracking 4-11 currency pairs simultaneously while manually adjusting settings for each switch becomes impractical for most traders.
**Parameter Consistency**: Risk of using suboptimal settings when quickly switching between pairs, potentially compromising the careful optimization work.
## Recommended Workflow
1. **Historical Testing**: Use win rate HUD to identify profitable pairs and optimal parameters
2. **Demo Automation**: Test PineConnector alerts on demo accounts with optimized settings
3. **Live Implementation**: Deploy alerts only on proven profitable pair/timeframe combinations
4. **Ongoing Monitoring**: Regular review of performance metrics to maintain edge
## Risk Disclaimer
This indicator provides analysis tools and automation capabilities but does not guarantee profitable trading outcomes. Past performance does not predict future results. Users should thoroughly backtest and demo trade before risking live capital. The London session strategy works best during specific market conditions and may underperform during low volatility or unusual market environments.
## Support Requirements
Successful implementation requires:
- Basic understanding of London session market dynamics
- PineConnector subscription for automation features
- Patience for proper optimization process
- Realistic expectations about win rates and drawdown periods
This system is designed for serious traders willing to invest time in proper optimization and risk management rather than plug-and-play solutions.
ARMA(Autoregressive Moving Average) Model -DeepALGO-📊 ARMA Model Indicator
This script is a custom indicator based on the ARMA (Autoregressive Moving Average) model, one of the fundamental and widely used models in time series analysis.
While ARMA is typically employed in statistical software, this implementation makes it accessible directly on TradingView, allowing traders to visualize and apply the dynamics of ARMA in financial markets with ease.
🧩 What is the ARMA Model?
The ARMA model explains time series data by combining two components: Autoregression (AR) and Moving Average (MA).
AR (Autoregression) component
Captures the dependence of current values on past values, modeling the inherent autocorrelation of the series.
MA (Moving Average) component
Incorporates past forecast errors (residuals), smoothing out randomness and noise while improving predictive capability.
By combining these two aspects, ARMA models can capture both the underlying structure of the data and the random fluctuations, providing a more robust description of price behavior than simple averages alone.
⚙️ Design of This Script
In classical statistics, ARMA coefficients are estimated using the ACF (Autocorrelation Function) and PACF (Partial Autocorrelation Function). However, this process is often too complex for trading environments.
This script simplifies the approach:
The coefficients theta (θ) and epsilon (ε) are fixed, automatically derived from the chosen AR and MA periods.
This eliminates the need for statistical estimation, making the indicator easy to apply with simple parameter adjustments.
The goal is not academic rigor, but practical usability for traders.
🔧 Configurable Parameters
AR Period (p): Order of the autoregressive part.
MA Period (q): Order of the moving average part. Shorter periods yield faster responsiveness, while longer periods produce smoother outputs.
Offset: Shifts the line forward or backward for easier comparison.
Smoothing Period: Additional smoothing to reduce noise.
Source: Choose from Close, HL2, HLC3, High, or Low.
🎯 Advantages Compared to Traditional Moving Averages
Commonly used moving averages such as SMA (Simple Moving Average) and EMA (Exponential Moving Average) are intuitive but have limitations:
SMA applies equal weights to past data, which makes it slow to respond to new price changes.
EMA emphasizes recent data, providing faster response but often introducing more noise and reducing smoothness.
The ARMA-based approach provides two key advantages:
Balance of Responsiveness and Smoothness
AR terms capture autocorrelation while MA terms correct residuals, resulting in a smoother line that still reacts more quickly than SMA or EMA.
Flexible Adaptation
By adjusting the MA period (q), traders can fine-tune how closely the model follows price fluctuations—ranging from rapid short-term responses to stable long-term trend recognition.
📈 Practical Use Cases
The ARMA indicator can be applied in several practical ways:
Trend Direction Estimation
The slope and position of the ARMA line can provide a straightforward read of bullish or bearish market conditions.
Trend Reversal Identification
Changes in the ARMA line’s direction may signal early signs of a reversal, often with faster reaction compared to traditional moving averages.
Confirmation with Other Indicators
Combine ARMA with oscillators such as RSI or MACD to improve the reliability of signals.
Combination with Heikin-Ashi
Heikin-Ashi candles smooth out price action and highlight trend changes. When used together with ARMA, they can significantly enhance reversal detection. For example, if Heikin-Ashi indicates a potential reversal and the ARMA line simultaneously changes direction, the confluence provides a stronger and more reliable trading signal.
⚠️ Important Notes
Risk of Overfitting
Excessive optimization of AR or MA periods may lead to overfitting, where the indicator fits historical data well but fails to generalize to future market conditions. Keep parameter choices simple and consistent.
Weakness in Sideways Markets
ARMA works best in trending environments. In range-bound conditions, signals may become noisy or less reliable. Consider combining it with range-detection tools or volume analysis.
Not a Standalone System
This indicator should not be used in isolation for trading decisions. It is best employed as part of a broader analysis framework, combining multiple indicators and fundamental insights.
💡 Summary
This script brings the theoretical foundation of ARMA into a practical, chart-based tool for traders.
It is particularly valuable for those who find SMA too lagging or EMA too noisy, offering a more nuanced balance between responsiveness and smoothness.
By capturing both autocorrelation and residual structure, ARMA provides a deeper view of market dynamics.
Combined with tools such as Heikin-Ashi or oscillators, it can significantly enhance trend reversal detection and strategy reliability.
Dynamic Momentum Oscillator with Adaptive ThresholdsDynamic Momentum Oscillator with Adaptive Thresholds (DMO-AT)
This advanced indicator is designed to provide traders with a robust tool for identifying momentum shifts, overbought/oversold conditions, and potential reversals in any market. Unlike traditional oscillators with fixed thresholds, DMO-AT uses adaptive levels that adjust based on current volatility (via ATR) and incorporates volume weighting for more accurate signals in high-volume environments.
#### Key Features:
- **Momentum Calculation**: A normalized momentum value derived from price changes, optionally weighted by volume for enhanced sensitivity.
- **Adaptive Thresholds**: Overbought and oversold levels dynamically adjust using ATR, making the indicator adaptable to volatile or ranging markets.
- **Signal Line**: An EMA of the momentum for crossover signals, helping confirm trend directions.
- **Divergence Detection**: Built-in alerts for bullish and bearish divergences between price and momentum.
- **Visual Enhancements**: Background coloring for quick zone identification, dashed static lines for reference, and a customizable stats table displaying real-time values.
- **Alerts**: Multiple alert conditions for crossovers, zone entries, and divergences to keep you notified without constant chart watching.
#### How to Use:
1. Add the indicator to your chart via TradingView's indicator search.
2. Customize inputs: Adjust the momentum length, source, ATR length, and threshold multiplier to fit your trading style (e.g., shorter lengths for scalping, longer for swing trading).
3. Interpret Signals:
- **Crossover**: Momentum crossing above the signal line suggests bullish momentum; below indicates bearish.
- **Zones**: Entering the overbought (red) zone may signal a potential sell; oversold (green) for buys.
- **Divergences**: Use alerts to spot hidden opportunities where price and momentum disagree.
4. Combine with other tools like moving averages or support/resistance for confluence.
5. Enable the stats table for at-a-glance insights on the chart.
This indicator is versatile across timeframes and assets, from stocks to crypto. It's optimized for clarity and performance, with no repainting.
Range Expansion Signal (RES)Range Expansion Signal (RES)
The Range Expansion Signal (RES) is a lightweight yet effective indicator designed to highlight the internal dynamics of each candle.
🔹 How it works
Calculates the mid-price of each candle (the average between high and low).
Plots a horizontal line at the mid-price level.
Displays the mid-price value as a label on the chart.
Adds a directional marker:
▲ green when the current price is above the mid-price,
▼ red when the current price is below the mid-price.
🔹 How to use it
Quickly assess whether buying or selling pressure dominates within the candle.
Use as a reference in intraday or short-term strategies where range expansion matters.
Ideal for spotting potential breakouts, reversals, or confirming price action setups.
🔹 Why it’s useful
Unlike standard moving averages or static midpoints, RES provides a real-time visual signal directly on each candle. This makes it faster and cleaner to interpret price behavior without cluttering the chart.
KATIK BankNifty Upside/Downside LevelsThe KATIK BankNifty Upside/Downside Levels (BNUDL) indicator plots key daily reference levels for BankNifty based on its opening price. Using a predefined daily move percentage, it calculates potential upside and downside levels from the open. The script displays:
Up Level (Green): Potential bullish threshold above the open
Down Level (Red): Potential bearish threshold below the open
Open Price (Blue Circles): Daily BankNifty opening level
This tool helps traders quickly identify intraday directional bias and potential support/resistance zones around the opening price.
Pro Trend Strategy with Dashboard📊 Pro Trend Strategy with Dashboard
🚀 Smarter Trading. Clearer Signals. Consistent Profits.
The Pro Trend Strategy is designed for traders who want clarity, precision, and professional-grade tools on their charts.
This all-in-one solution combines EMA trend filtering with ATR-based risk management, giving you not just entries – but a complete trading system.
✅ Key Features
🔔 Crystal-clear Buy/Sell signals – non-repainting, accurate, and easy to follow.
📈 EMA Trend Zones – instantly see bullish or bearish momentum with background coloring.
🎯 Automatic Stop Loss & Take Profit – ATR-powered, dynamically adjusting with market
volatility.
📊 Smart Dashboard – live display of trend, SL, TP, and Risk/Reward ratio right on your chart.
⚡ High adaptability – works on Forex, Crypto, Stocks, and Indices, across multiple timeframes.
🛡️ Risk management built-in – no more guesswork on exits.
🧩 How It Works
Trend Detection – EMA filters market direction.
Signal Confirmation – crossover and breakdown entries confirmed.
Risk Management – ATR calculates precise SL & TP.
Dashboard Overview – see trend power and trade details at a glance.
🎯 Why Choose This Strategy?
Most indicators only show signals, leaving you to figure out risk and exits.
This strategy is different → it gives you the full plan: Entry + Stop Loss + Take Profit + Trend strength.
📌 Suitable for:
Day traders ⚡
Swing traders 📆
Crypto, Forex, Stocks, Indices 🌍
NQ–2Y CorrelationThis indicator tracks how NQ (Nasdaq futures) moves compared to the US 2-Year yield (US02Y). Most of the time, they go in opposite directions. This tool highlights when that relationship breaks down or moves too far from normal. This is an important fundamental indicator of overbought and oversold conditions in the market.
Features:
Stretch Measure (Z-Score): Shows when NQ is moving much more than you’d expect relative to the 2Y. Extreme readings (above the upper red band or below the lower blue band) often indicate overbought (red) or oversold (blue) conditions.
Correlation Tracking: Monitors whether NQ and 2Y are moving together or apart. Very useful to know when they are moving together, because one of those moves is false and represents an opportunity more often than not if combined with logical support or resistance.
Signal Dots: Green dots = both moving strongly in the same direction (rare). Red dots = strong move in opposite directions.
How I like to use it:
Watch the Z-Score bands (red/blue) for signs on the H1 or H4 that the move is really stretched. I use this for reversals in the direction of the trend.
Use the green/red dots to catch unusual synchronized or opposing moves between equities and yields.You can use this with your favourite equities that make up the nasdaq 100 too.
Ichimoku + Daily Candle X + Hull MA X + MACD Ichimoku + Daily-Candle X + Hull MA X + Hull‑Based MACD — Strategy Description
A high-confluence, multi-indicator strategy that blends trend, momentum, and multi-timeframe confirmation to deliver precision entries for traders of all levels.
Core Components & Trading Logic
Ichimoku Cloud (Trend Confirmation)
Confirms trend direction using Senkou Span A & B. A bullish bias is triggered when Span A > Span B, and bearish when vice versa.
Daily Candle Cross (Multi-Timeframe Momentum)
Compares today’s daily close with yesterdays. A bullish signal arises when today's price exceeds yesterdays, providing higher-timeframe momentum context.
Hull MA Cross (Fast, Smooth Trend Detection)
Utilizes Hull Moving Average, known for its rapid responsiveness and smooth behavior. A bullish signal occurs when the current HMA crosses above the previous HMA.
Hull-Based MACD (Filtered Momentum)
Derived by subtracting a slow HMA from a fast HMA to form the MACD line, with the signal line being another HMA of that difference. Bullish when MACD > Signal.
Strategy Benefits
Multi-Layer Confirmation: Armed with trend (Ichimoku), momentum (Daily Candle), quick signal (HMA), and noise-filtered momentum (Hull MACD), this approach filters out weak signals for higher-quality entries.
Adaptive & Smooth: Hull-based indicators offer the speed of rapid responsiveness while maintaining smoothness—ideal for dynamic market environments.
Customizable & Scalable: Easily tweak input parameters to align with your preferred market, timeframe, and risk thresholds.
AekFreedom All-in-OneIndicator Description: All-in-One Technical Analysis Suite
This indicator is an "All-in-One" tool designed to combine multiple popular technical analysis instruments into a single script. It allows traders to perform comprehensive chart analysis, reduce the number of indicators needed, and customize everything in one place.
The core concept of this indicator is to display all elements as an overlay on the main price chart, providing a clear view of the relationship between the various tools and the price action.
💡 Key Features
The indicator consists of 6 primary modules, each of which can be independently enabled, disabled, and customized through the Settings menu (⚙️).
1. Automatic Candle Pattern Coloring
What it does: Detects significant reversal candlestick patterns and changes their color for easy identification.
Patterns Detected:
Engulfing (Bullish/Bearish): Identifies engulfing candles with a special condition that the "body must be larger than the wicks" to filter for only strong momentum candles.
Pin Bar (Bullish/Bearish): Highlights candles with long wicks, indicating price rejection.
Best for: Identifying potential reversal or continuation signals at key support and resistance levels.
2. FVG (Fair Value Gap) with Auto-Mitigation
What it does: Detects price imbalances created by strong buying or selling pressure and draws them as price zones.
Special Feature: When the price returns to "fill" or mitigate the gap, the FVG box is automatically deleted from the chart. This keeps the chart clean and displays only the currently relevant zones.
Best for: Identifying key support and resistance zones where the price is likely to return and react.
3. VWAP and Standard Deviation Bands
What it does: Displays the VWAP (Volume Weighted Average Price) line, which is the average price weighted by volume, along with Standard Deviation Bands.
Customization: The VWAP calculation can be anchored to reset every Session (Day), Week, Month, or Year.
Best for: Determining the intraday trend, identifying "fair value" zones, and serving as significant support and resistance levels.
4. Parabolic SAR (Stop and Reverse)
What it does: Plots dots on the chart that trail the price to indicate trend direction.
Application:
Dots below price: Indicate an uptrend.
Dots above price: Indicate a downtrend.
Best for: Confirming trend direction and providing dynamic Trailing Stop points to protect profits.
5. 3 Customizable EMAs (Exponential Moving Averages)
What it does: Displays three separate EMA lines, which are powerful, fundamental tools for trend analysis.
Customization: The Length and Color of each of the three EMAs can be fully customized.
Best for: Confirming trend strength, identifying pullback entry opportunities, and acting as dynamic support and resistance.
6. Bollinger Bands (BB)
What it does: Displays a price channel that measures market volatility, consisting of a middle basis line (SMA) and upper/lower bands.
Application:
Squeezing Bands: Signal a period of low volatility and a potential for a strong breakout.
Price touching outer bands: Can indicate short-term overbought or oversold conditions.
Best for: Gauging volatility and identifying potential mean-reversion opportunities in ranging markets.
⚙️ How to Use and Customize
The core strength of this indicator is its flexibility. Users can go to the indicator's Settings (⚙️) panel, where all functions are organized into clear groups. You can:
Enable or Disable each tool independently.
Customize all parameters, such as EMA lengths, band multipliers, colors, and more.
Combine tools to fit your specific trading style. For example, you might use only FVG + VWAP for intraday trading, or EMAs + Candle Patterns for trend-following strategies.
This indicator is like a "Swiss Army Knife" for traders, combining essential tools into one package to make chart analysis faster and more efficient.
byquan GP - SRSI Channel"Edit the GP indicator from the Holy Strategy set, which includes Super Trend, Combo Super Trend, Alpha Trend, and Quan’s GP. Create alerts as requested."