ORB Breakout Indicator// @version=5
indicator("ORB Breakout Indicator", overlay=true)
// Input parameters
range_minutes = input.int(15, "Opening Range Period (minutes)", minval=1)
session_start = input.string("0930-0945", "Session Time", options= )
threshold_percent = input.float(0.1, "Breakout Threshold (% of Range)", minval=0.05, step=0.05)
use_trend_filter = input.bool(true, "Use EMA Trend Filter")
use_volume_filter = input.bool(true, "Use Volume Filter")
volume_lookback = input.int(20, "Volume Lookback Period", minval=5)
// Session logic
is_in_session = time(timeframe.period, session_start + ":" + str.tostring(range_minutes))
is_first_bar = ta.change(is_in_session) and is_in_session
// Calculate opening range
var float range_high = 0.0
var float range_low = 0.0
var bool range_set = false
if is_first_bar
range_high := high
range_low := low
range_set := true
else if is_in_session and range_set
range_high := math.max(range_high, high)
range_low := math.min(range_low, low)
// Plot range lines after session ends
plot(range_set and not is_in_session ? range_high : na, "Range High", color=color.green, linewidth=2)
plot(range_set and not is_in_session ? range_low : na, "Range Low", color=color.red, linewidth=2)
// Trend filter (50/200 EMA)
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
bull_trend = ema50 > ema200
bear_trend = ema50 < ema200
// Volume filter
avg_volume = ta.sma(volume, volume_lookback)
high_volume = volume > avg_volume
// Breakout detection (signal 1 minute before close)
range_width = range_high - range_low
threshold = range_width * (threshold_percent / 100)
buy_condition = close > range_high - threshold and close < range_high and high_volume
sell_condition = close < range_low + threshold and close > range_low and high_volume
// Apply trend filter if enabled
buy_signal = buy_condition and (not use_trend_filter or bull_trend)
sell_signal = sell_condition and (not use_trend_filter or bear_trend)
// Plot signals
if buy_signal
label.new(bar_index, high, "BUY", color=color.green, style=label.style_label_down, textcolor=color.white)
if sell_signal
label.new(bar_index, low, "SELL", color=color.red, style=label.style_label_up, textcolor=color.white)
// Alerts
alertcondition(buy_signal, title="ORB Buy Signal", message="ORB Buy Signal on {{ticker}} at {{close}}")
alertcondition(sell_signal, title="ORB Sell Signal", message="ORB Sell Signal on {{ticker}} at {{close}}")
Candlestick analysis
HTF 4-Candle ViewerFractal Model for TTrades and Kane. This indicator allows you to see the previous 3 candles on a HTF aswell as the current one forming.
AlphaTrend++AlphaTrend++
An advanced, fully customizable fork of Kivanc Ozbilgic’s AlphaTrend. This version enhances signal accuracy and chart clarity with:
• Original AlphaTrend signal logic including signal frequency filtering (barssince-based)
• Optional raw (unfiltered) signal mode for more frequent entries
• Dynamic stop loss tick labels based on AlphaTrend levels and user-defined tick size
• Optional time window filter for intraday signal control
• Clean dual-layer trend cloud with color-coded momentum direction
Ideal for discretionary or system traders looking to combine visual structure with robust signal logic.
Umair SuperchartThis indicator combines traditional pivot point analysis with volume surge detection to provide comprehensive trading signals. Here are its key features:
Main Components:
1. Daily Pivot Points (PP, R1-R3, S1-S3)
- Automatically calculates and displays pivot levels
- Color-coded lines (Red for Resistance, Blue for Pivot, Green for Support)
- Movable information box showing all levels
- Works across all timeframes
2. Volume Surge Detection
- Monitors volume increases above 20-period average
- Shows small triangles for immediate volume surges
• Green triangle below bar for bullish volume
• Red triangle above bar for bearish volume
3. Strong Buy/Sell Signals
- Tracks sustained volume surges (default 10 minutes)
- Displays blinking "STRONG BUY!" or "STRONG SELL!" messages
- Provides alerts for sustained momentum
Customizable Features:
- Adjustable volume surge threshold
- Customizable sustained period duration
- Movable pivot level display box
- Adjustable line widths and colors
- Flexible position settings
Alerts:
- Price breaks above R1/below S1
- Immediate volume surges
- Sustained bullish/bearish volume movements
Perfect for:
- Day traders monitoring volume-price relationship
- Swing traders using pivot points for support/resistance
- Technical analysts requiring multiple confirmation signals
Price-Based Strategybasic strategy to help struggling traders improve. Wait for 1 min candle to close above or below line then enter the trade
higher timeframe candle rangecreates a range around the selected timeframe in minutes (other than D/W/M)
use wherever deemed strong
Auto Trading con ActivTradesSMA crossover strategy with automatic Take Profit and Stop Loss, designed for live account execution via ActivTrades directly from TradingView.
Ultimate Scalping Dashboard (w/ Entry/Exit)Entry Recommendation: When all conditions align (momentum, trend, volume, etc.)
Exit Recommendation:
Exit Long when bullish conditions weaken
Exit Short when bearish conditions weaken
These will appear in a new column in your dashboard: ENTRY/EXIT
Signal: Whether the market setup is Long, Short, or Neutral
Entry/Exit: When to Enter Long/Short, or when to Exit
Simple Momentum IndicatorThis helps you see if price is gaining bullish or bearish strength.
HOW TO USE:
A line above 0 = bullish momentum (price is rising)
A line below 0 = bearish momentum (price is falling)
A flat line around 0 = neutral , range-bound price
Color: green (bullish) or red (bearish)
Optional background color to match momentum direction
SITUATIONS OF:
1. Confirm Reversals
If you get a rejection john wick + engulfing candle,
Check if momentum is flipping at the same time
If yes = stronger reversal confirmation
2. Avoid Range Traps
If momentum is flat around 0, avoid trades — it’s not trending
Wait until momentum clearly breaks above/below 0
Best Timeframes to Use
5m / 15m = for scalping and fast intraday moves
1H / 4H = for cleaner, swing-trade confirmation
Works great when the market is volatile, like:
London / New York session
Breakout after consolidation
-Chris (973) 37733023
Weekday Divider Lines//@version=5
indicator("Weekday Divider Lines", overlay=true)
// === Define line colors for each weekday ===
mondayColor = color.gray
tuesdayColor = color.yellow
wednesdayColor = color.orange
thursdayColor = color.green
fridayColor = color.blue
// === Plot vertical lines at the beginning of each day (on daily timeframes and below) ===
isNewDay = ta.change(time("D"))
// === Get current day of the week ===
// Monday = 1, ..., Sunday = 7
day = dayofweek
if (isNewDay)
if (day == dayofweek.monday)
line.new(x1=bar_index, y1=low, x2=bar_index, y2=high, color=mondayColor, width=1, style=line.style_dotted)
if (day == dayofweek.tuesday)
line.new(x1=bar_index, y1=low, x2=bar_index, y2=high, color=tuesdayColor, width=1, style=line.style_dotted)
if (day == dayofweek.wednesday)
line.new(x1=bar_index, y1=low, x2=bar_index, y2=high, color=wednesdayColor, width=1, style=line.style_dotted)
if (day == dayofweek.thursday)
line.new(x1=bar_index, y1=low, x2=bar_index, y2=high, color=thursdayColor, width=1, style=line.style_dotted)
if (day == dayofweek.friday)
line.new(x1=bar_index, y1=low, x2=bar_index, y2=high, color=fridayColor, width=1, style=line.style_dotted)
Heikin Ashi Smoothed con Gradienti e MA Dinamico
📊 Advanced Heikin-Ashi + 3 Bollinger Bands Indicator
This indicator combines Smoothed Heikin-Ashi candles with three customizable sets of Bollinger Bands, providing a complete visual analysis of trend and market volatility.
MAIN FEATURES:
2 Smoothed Heikin-Ashi Candles:
- Based on two Heikin-Ashi smoothing layers with independent settings
- Advanced color styling options:
🎨 Gradient colors
🔲 Hollow candles (only borders and wicks)
🔥 Delta coloring based on wick size difference
🔵 Automatic black borders when wicks are hidden (for contrast)
3 Independent Bollinger Bands:
- Named First, Second, and Third Bollinger Bands, each with:
- Customizable period and standard deviation
- Separate color and fill settings
- Individual toggle for showing band and fill
- Layered fills for clear visual separation between bands
Full Customization:
- Toggle for wick visibility, borders, gradient colors, hollow mode
- Works with both classic and smoothed Heikin-Ashi
- Great visual clarity, even with complex settings
"By setting both Smoothing Length 1 and 2 to a value of 1, the indicator effectively replicates the classic Heikin Ashi candles. This configuration disables additional smoothing, allowing the Heikin Ashi to reflect market data more directly, preserving its original form without delay or averaging effects."
_________________________________________________________________________
"The indicator also features advanced gradient coloring for Heikin Ashi candles, providing a visually intuitive way to interpret price action. Instead of fixed bullish or bearish colors, the candle body color can dynamically reflect the relative strength of upper and lower wicks, allowing for more nuanced insights. This gradient can be customized and fine-tuned through a palette of seven user-defined colors, enhancing the visual richness and analytical depth of the chart."
Let me know the next part you'd like to describe!
_________________________________________________________________________
Users have the option to disable the candle wicks for a cleaner visual appearance. When wicks are turned off, the indicator automatically sets the candle borders to black, ensuring clear separation and strong visual contrast between candles. This feature enhances readability, especially when using transparent or gradient-filled bodies, making the chart more visually coherent and easier to read.
_________________________________________________________________________
When gradient coloring is disabled, the indicator offers an optional 'hollow candle' mode. In this mode, only the borders and wicks of the candles are displayed, while the candle bodies remain transparent. This minimalistic style can help traders focus on structural price patterns without the distraction of filled colors, and is especially useful for those who prefer clean, contrast-driven chart visuals.
_________________________________________________________________________
When both wick display and gradient coloring are disabled, and the hollow candle mode is enabled, the indicator switches to a simplified display style. In this configuration, only the candle borders are shown, offering a clean outline-only view. Both bullish and bearish candles share the same customizable border color, which can be set directly from the input settings. This mode is ideal for users seeking maximum simplicity and visual clarity."
_________________________________________________________________________
"When the delta color option is enabled, the candle coloring is determined by the relative difference between the upper and lower wick sizes. This method adds an additional layer of price action analysis, where the candle's gradient reflects wick dominance. A stronger upper wick suggests bullish pressure and is visualized through one end of the gradient spectrum, while a dominant lower wick indicates selling pressure and is represented on the opposite end. This nuanced visualization helps traders quickly gauge market sentiment shifts."
Notably, this feature continues to function even when wick display is turned off, allowing traders to benefit from the underlying sentiment insights while maintaining a cleaner visual layout.
_________________________________________________________________________
**"The indicator also supports a Smoothed Heikin Ashi (HA) mode, which enhances traditional HA by applying additional smoothing using two independently configurable moving averages. This dual-smoothing approach helps filter out market noise, offering a clearer view of trend direction and strength. Each moving average can be set to different configurations, allowing users to fine-tune the smoothing process to their specific needs. The following customizable settings are available:"**
- Smoothing Length 1: Controls the length of the first smoothed HA.
- Smoothing Length 2: Controls the length of the second smoothed HA.
Moving Average Type 1 and Moving Average Type 2 selectable from:
- Heikin Original
- SMA (Simple Moving Average)
- EMA (Exponential Moving Average)
- SMMA (RMA - Running Moving Average)
- WMA (Weighted Moving Average)
- VWMA (Volume Weighted Moving Average)
- HMA (Hull Moving Average)
- DEMA (Double Exponential Moving Average)
- TEMA (Triple Exponential Moving Average)
- KAMA (Kaufman Adaptive Moving Average)
- ALMA (Arnaud Legoux Moving Average)
**"Both moving averages can be set to different lengths and types, allowing traders to experiment with various smoothing combinations to suit their preferred trading strategy. When both smoothing lengths are set to 1 and the MA type is 'Heikin Original,' the indicator behaves like a classic Heikin Ashi chart, offering full backward compatibility for users preferring the standard format."**
Note: If one of the two Heikin Ashi layers is set to "Heikin Original," any changes made to the Moving Average Type for the other layer will not take effect. In this case, the chart will behave as a standard Smoothed Heikin Ashi chart.
_________________________________________________________________________
"The color settings and methods previously available, such as Hollow Candles, Show Wick, C and Delta Gradient, work seamlessly with the Smoothed Heikin Ashi (HA) chart. In fact, they perform even better when applied to the Smoothed HA, offering a more refined visual experience and clearer trend identification.
"These features, when applied to the Smoothed Heikin Ashi, allow traders to benefit from both the clarity of the smoother chart and the enhanced visual cues provided by the color settings. The performance of these settings is significantly improved, offering a more intuitive and reliable charting experience."
Gradient Color:
-----------------------------------------------------------------
Delta Gradient:
-----------------------------------------------------------------
Show Wick OFF - Gradient Color:
--------------------------
Show Wick OFF - DELTA Color:
--------------------------
Show Wick OFF - Normal Color:
--------------------------
Show Wick OFF - Hollow Candles:
_________________________________________________________________________
"Three Bollinger Bands for Enhanced Market Analysis"
"This indicator allows you to use not just a single set of Bollinger Bands, but also two additional sets, each with customizable settings. This provides a more detailed view of price volatility and trend strength. The first Bollinger Band is based on a standard period and standard deviation, while the second and third sets use higher standard deviations for broader price channels, offering insights into extended market movements. Here's how the three sets of Bollinger Bands work:"
1. First Bollinger Band (First Bands, Dev 2):
- This is the traditional Bollinger Band, calculated using a Simple Moving Average (SMA) as the base and a specified standard deviation multiplier.
- Customizable Settings:
- First Length: The period used for calculating the SMA
- First Standard Deviation:** The multiplier for the standard deviation (default is 2.0).
The first Bollinger Band helps identify the range of normal price fluctuations and provides clear support/resistance zones based on the moving average.
2. Second Bollinger Band (Second Bands, Dev 4):
- A second set of Bollinger Bands, calculated using the same base SMA but with a higher standard deviation multiplier (default is 4.0).
- Customizable Settings:
- Second Length: The period for the second set of Bollinger Bands
- Second Deviation: The higher multiplier for the second set of bands (default is 4.0).
The second Bollinger Band gives insight into extreme price movements, highlighting periods of high volatility and potential breakout zones.
3) Third Bollinger Band (Third Bands, Dev 6):
- A third set of Bollinger Bands can be added with customizable settings for a broader analysis
of the market's volatility.
- Customizable Settings:
- Third Length: The period for calculating the third set of Bollinger Bands.
- Third Standard Deviation: The multiplier for the third set of bands (default is 6.0).
The third Bollinger Band acts as an even wider channel for understanding extreme market conditions or prolonged trending periods. Traders can use this band to identify long-term support/resistance levels or extended price ranges.
----------------------------------------------------
"The indicator offers complete control over the length and deviation of each set of bands, allowing traders to customize their analysis for different market conditions. The three Bollinger Bands can provide more detailed insights into market volatility, allowing for better risk management and trade decision-making."
----------------------------------------------------
"Each Bollinger Band and its corresponding fill can be individually enabled or disabled. This means you can choose to focus on any single set of bands (First, Second, or Third) or use multiple bands simultaneously, based on your trading strategy and the market conditions. Similarly, you can activate or deactivate the fills for the bands to further customize the chart's visual display."
----------------------------------------------------
"Additionally, each set of Bollinger Bands can be individually toggled for visibility, making it possible to display just one, two, or all three bands depending on the level of detail you wish to analyze. The fills between the bands can also be toggled on/off independently."
Advanced Crypto Scalper ComboIncluded Tools (Advanced Combo):
MACD with Histogram Reversal Detection – momentum shift entry
Bollinger Band Squeeze Breakout – pre-breakout warning
ATR-Based Dynamic TP/SL – for volatility-based risk
RSI/MACD Divergence Detection – reversal confirmation
Order Block / Supply & Demand Zones – smart money zones
Features You’ll See on Chart:
Bollinger Bands and Squeeze background
MACD Cross signals with histogram confirmation
Bullish/Bearish RSI divergence detection
Dynamic Take-Profit / Stop-Loss using ATR
Visual markers for simple demand/supply zones
Key Levels (4H and Daily)Key Levels (4H and Daily)
This indicator highlights important key price levels derived from the 4-hour (4H) and daily (D) timeframes, providing traders with critical support and resistance areas. The levels are calculated using the highest highs and lowest lows over a customizable lookback period, offering a dynamic view of significant price points that could influence market movement.
Key Features:
Key Levels for 4H and Daily Timeframes:
The indicator calculates and displays the highest high and lowest low over a user-defined period for both the 4-hour and daily timeframes. This helps traders identify key support and resistance levels that could dictate the market's behavior.
Customizable Lookback Period:
Traders can adjust the lookback period (in days) for both the 4-hour and daily timeframes to reflect different market conditions. This flexibility ensures the levels are tailored to your preferred trading style and market conditions.
Horizontal Lines:
The indicator plots horizontal lines at the high and low levels for both timeframes. These levels serve as dynamic support and resistance areas and help traders monitor price action near these critical points.
Real-Time Updates:
The lines adjust automatically with each new bar, providing up-to-date key levels based on the most recent price action and trading session.
Alert Conditions:
Alerts are built-in to notify traders when the price breaks above or below these key levels. Traders can set up notifications to stay informed when significant market moves occur.
How to Use:
Support and Resistance: Use the levels as potential support and resistance areas where price could reverse. Price often reacts at these levels, providing potential trading opportunities.
Breakouts: Pay attention to breakouts above the high or below the low of these levels. A break above the 4H or daily high could indicate bullish momentum, while a break below could signal bearish trends.
Trend Confirmation: Combine these levels with other technical analysis tools to confirm the overall market trend and enhance your trading strategy.
Perfect for:
Day Traders: Use the 4-hour levels for intraday trading setups, such as potential reversals or breakouts.
Swing Traders: The daily levels provide longer-term insights, helping to identify key zones where price might pause, reverse, or break out.
Market Context: Ideal for those who want to contextualize their trades within broader timeframes, helping to understand the market’s structure at multiple time scales.
This description conveys the utility and functionality of the indicator, focusing on how it helps traders identify and monitor key levels that influence market action.
RSI Divergence Strategy - AliferCryptoStrategy Overview
The RSI Divergence Strategy is designed to identify potential reversals by detecting regular bullish and bearish divergences between price action and the Relative Strength Index (RSI). It automatically enters positions when a divergence is confirmed and manages risk with configurable stop-loss and take-profit levels.
Key Features
Automatic Divergence Detection: Scans for RSI pivot lows/highs vs. price pivots using user-defined lookback windows and bar ranges.
Dual SL/TP Methods:
- Swing-based: Stops placed a configurable percentage beyond the most recent swing high/low.
- ATR-based: Stops placed at a multiple of Average True Range, with a separate risk/reward multiplier.
Long and Short Entries: Buys on bullish divergences; sells short on bearish divergences.
Fully Customizable: Input groups for RSI, divergence, swing, ATR, and general SL/TP settings.
Visual Plotting: Marks divergences on chart and plots stop-loss (red) and take-profit (green) lines for active trades.
Alerts: Built-in alert conditions for both bullish and bearish RSI divergences.
Detailed Logic
RSI Calculation: Computes RSI of chosen source over a specified period.
Pivot Detection:
- Identifies RSI pivot lows/highs by scanning a lookback window to the left and right.
- Uses ta.barssince to ensure pivots are separated by a minimum/maximum number of bars.
Divergence Confirmation:
- Bullish: Price makes a lower low while RSI makes a higher low.
- Bearish: Price makes a higher high while RSI makes a lower high.
Entry:
- Opens a Long position when bullish divergence is true.
- Opens a Short position when bearish divergence is true.
Stop-Loss & Take-Profit:
- Swing Method: Computes the recent swing high/low then adjusts by a percentage margin.
- ATR Method: Uses the current ATR × multiplier applied to the entry price.
- Take-Profit: Calculated as entry price ± (risk × R/R ratio).
Exit Orders: Uses strategy.exit to place bracket orders (stop + limit) for both long and short positions.
Inputs and Configuration
RSI Settings: Length & price source for the RSI.
Divergence Settings: Pivot lookback parameters and valid bar ranges.
SL/TP Settings: Choice between Swing or ATR method.
Swing Settings: Swing lookback length, margin (%), and risk/reward ratio.
ATR Settings: ATR length, stop multiplier, and risk/reward ratio.
Usage Notes
Adjust the Pivot Lookback and Range values to suit the volatility and timeframe of your market.
Use higher ATR multipliers for wider stops in choppy conditions, or tighten swing margins in trending markets.
Backtest different R/R ratios to find the balance between win rate and reward.
Disclaimer
This script is for educational purposes only and does not constitute financial advice. Trading carries significant risk and you may lose more than your initial investment. Always conduct your own research and consider consulting a professional before making any trading decisions.
PRO SMC Full Suite BY Mashrur“PRO SMC Full Suite BY Mashrur”
A Pine Script (v5) indicator for TradingView, focused on Smart Money Concepts (SMC). It overlays on price charts and provides visual tools for identifying key institutional trading behaviors.
🎯 Purpose
This script is designed to help traders analyze and trade using SMC principles by automatically detecting:
Order Blocks (OBs)
Fair Value Gaps (FVGs)
Breaks of Structure (BoS)
Liquidity Sweeps (Buy/Sell Side Liquidity Grabs)
Mitigation Entries
⚙️ Inputs / Settings
Show Fair Value Gaps: Toggle FVGs on/off
Higher Timeframe (HTF): Choose HTF for OB analysis
Use HTF OBs: Switch between current TF OBs and HTF OBs
Show Order Blocks: Toggle OBs on/off
Show OB Mitigation Entries: Toggle mitigation entry signals on/off
🧠 Core Logic Overview
🔹 1. Swing Points Detection
Identifies swing highs/lows using a 3-bar pattern (pivot-based structure).
🔹 2. Break of Structure (BoS)
A bullish BoS happens when price closes above the last swing high.
A bearish BoS occurs when price closes below the last swing low.
🔹 3. Order Block Detection
Upon BoS, the script marks the previous candle as the Order Block.
Uses either:
Current TF OBs (based on price action)
HTF OBs (based on candle body direction)
🔹 4. Mitigation Entry Logic
A mitigation occurs when price returns to the OB and reacts with confirmation:
Bullish: price dips into OB and closes above
Bearish: price wicks into OB and closes below
Plots entry markers for these mitigations.
🔹 5. Liquidity Sweeps
Detects equal highs/lows (liquidity zones)
Marks Buy SL when price dips below an equal low then closes above
Marks Sell SL when price breaks above an equal high then closes below
🔹 6. Fair Value Gaps (FVGs)
FVG Up: Gap between candle 3 and candle 1 (low > high )
FVG Down: Gap between candle 3 and candle 1 (high < low )
Plots highlighted boxes on these gaps
📊 Visual Elements
Boxes: For OB zones and FVGs
Shapes:
Labels: OB Buy/Sell entries
Triangles: Buy SL / Sell SL liquidity sweeps
Lines: Equal Highs and Lows
🔔 Alerts
Built-in alerts to notify when:
OB entries are confirmed
Liquidity sweeps happen
Helps in automation or active monitoring
✅ Ideal For
Traders using SMC, ICT concepts, Wyckoff, or institutional trading models
Anyone wanting to automate detection of structural elements on their chart
Umair Volume-Based Buy/Sell SignalsA volume-based indicator is a technical analysis tool that utilizes trading volume data to assess market activity and predict potential price movements. By analyzing the number of shares or contracts traded over a specific period, these indicators help confirm trends, identify reversals, or spot divergence between volume and price. Examples include On-Balance Volume (OBV), Volume Weighted Average Price (VWAP), and Chaikin Money Flow. They provide insights into market strength, liquidity, and investor sentiment, aiding traders in validating whether price changes are supported by market participation or likely to reverse. High volume often reinforces trend legitimacy, while low volume may signal weak momentum.
PRO SMC Full Suite BY Mashrur“PRO SMC Full Suite BY Mashrur”
A Pine Script (v5) indicator for TradingView, focused on Smart Money Concepts (SMC). It overlays on price charts and provides visual tools for identifying key institutional trading behaviors.
🎯 Purpose
This script is designed to help traders analyze and trade using SMC principles by automatically detecting:
Order Blocks (OBs)
Fair Value Gaps (FVGs)
Breaks of Structure (BoS)
Liquidity Sweeps (Buy/Sell Side Liquidity Grabs)
Mitigation Entries
⚙️ Inputs / Settings
Show Fair Value Gaps: Toggle FVGs on/off
Higher Timeframe (HTF): Choose HTF for OB analysis
Use HTF OBs: Switch between current TF OBs and HTF OBs
Show Order Blocks: Toggle OBs on/off
Show OB Mitigation Entries: Toggle mitigation entry signals on/off
🧠 Core Logic Overview
🔹 1. Swing Points Detection
Identifies swing highs/lows using a 3-bar pattern (pivot-based structure).
🔹 2. Break of Structure (BoS)
A bullish BoS happens when price closes above the last swing high.
A bearish BoS occurs when price closes below the last swing low.
🔹 3. Order Block Detection
Upon BoS, the script marks the previous candle as the Order Block.
Uses either:
Current TF OBs (based on price action)
HTF OBs (based on candle body direction)
🔹 4. Mitigation Entry Logic
A mitigation occurs when price returns to the OB and reacts with confirmation:
Bullish: price dips into OB and closes above
Bearish: price wicks into OB and closes below
Plots entry markers for these mitigations.
🔹 5. Liquidity Sweeps
Detects equal highs/lows (liquidity zones)
Marks Buy SL when price dips below an equal low then closes above
Marks Sell SL when price breaks above an equal high then closes below
🔹 6. Fair Value Gaps (FVGs)
FVG Up: Gap between candle 3 and candle 1 (low > high )
FVG Down: Gap between candle 3 and candle 1 (high < low )
Plots highlighted boxes on these gaps
📊 Visual Elements
Boxes: For OB zones and FVGs
Shapes:
Labels: OB Buy/Sell entries
Triangles: Buy SL / Sell SL liquidity sweeps
Lines: Equal Highs and Lows
🔔 Alerts
Built-in alerts to notify when:
OB entries are confirmed
Liquidity sweeps happen
Helps in automation or active monitoring
✅ Ideal For
Traders using SMC, ICT concepts, Wyckoff, or institutional trading models
Anyone wanting to automate detection of structural elements on their chart
Market Pulse TableMarket Pulse Table — Multi-Asset Momentum Dashboard
This indicator creates a customizable dashboard that monitors key market assets and their momentum using MACD and RSI signals. It's designed to give a quick pulse of market sentiment and trend strength in one glance.
📊 What it shows:
% Daily Change of selected symbols (e.g., VIX, ES1!, NQ1!, YM1!, RTY1!, DXY)
MACD Signal: Buy / Sell / Neutral, based on your selected timeframe
RSI Value: Color-coded by strength and potential overbought/oversold conditions
⚙️ How to use:
Select the assets you want to track in the settings.
Choose your preferred timeframes for MACD and RSI.
The table updates in real time with:
Price % change (colored by intensity)
MACD signal direction
RSI value (green/red for oversold/overbought)
📍 Table placement:
You can position the table anywhere on your chart (top, middle, bottom — left, center, or right).
EMA200/EMA7 HA w/ TP/SL & Markdown Alerts1. Purpose
A hybrid trend-and-momentum strategy on Heikin-Ashi candles that:
Enters long when price is sufficiently below the 200-period EMA and then crosses up above the 7-period EMA, plus bullish HA trend/momentum.
Enters short when price is sufficiently above the 200-period EMA and then crosses down below the 7-period EMA, plus bearish HA trend/momentum.
Applies configurable take-profit and stop-loss levels on every trade.
Emits rich “Markdown” alerts and plots key levels and a live stats table on the chart.
2. Inputs
Input Description Default
Enable Longs Toggle permission to open long trades true
Enable Shorts Toggle permission to open short trades false
Take Profit % TP distance from entry (percent) 2 %
Stop Loss % SL distance from entry (percent) 2 %
Long Threshold % How far below EMA200 price must be to trigger a long raw signal 0.1 %
Short Threshold % How far above EMA200 price must be to trigger a short raw signal 0.1 %
3. Core Calculations
Heikin-Ashi candles
ha_open / ha_close via request.security(heikinashi,…)
Trend EMAs on HA close
ema200 (200-period) in red
ema7 ( 7-period) in blue
Trend filters
Bullish HA if ha_close > ha_open
Bearish HA if ha_close < ha_open
Momentum filters (two consecutive HA closes rising/falling)
momBull: two rising bars
momBear: two falling bars
4. Signal Generation
Raw long signal (sigLong0) when
(ema200 - ha_close)/ema200 > thLong (price sufficiently below EMA200)
ta.crossover(ha_close, ema7)
Raw short signal (sigShort0) when
(ha_close - ema200)/ema200 > thShort (price sufficiently above EMA200)
ta.crossunder(ha_close, ema7)
Final signals only fire if the corresponding raw signal AND trend/momentum filters and the “enable” checkbox are satisfied.
5. Entries & Exits
On Long:
Record entryPrice = close
Compute tpLine = entryPrice * (1 + tpPerc)
Compute slLine = entryPrice * (1 - slPerc)
strategy.entry("Long", …)
On Short:
tpLine = entryPrice * (1 - tpPerc)
slLine = entryPrice * (1 + slPerc)
strategy.entry("Short", …)
All exits handled by
pinescript
Copier
Modifier
strategy.exit("Exit Long", from_entry="Long", limit=tpLine, stop=slLine)
strategy.exit("Exit Short", from_entry="Short", limit=tpLine, stop=slLine)
6. Alerts
Rich Markdown alerts sent at each entry, containing:
Pair & exchange
Entry price & leverage (hard-coded “5x”)
Calculated TP & SL levels
Simpler alertconditions for chart-based alerts:
“🔥 Achat {{ticker}} à {{close}}”
“❄️ Vente {{ticker}} à {{close}}”
7. Visuals & Stats Table
Plots:
TP/SL lines in green/red (only when a position is open)
EMA200 (red) & EMA7 (blue) overlays
Live stats table (bottom-right) updated every 10 bars showing:
Total trades
Win rate (%)
Net profit
Average profit per trade
Max drawdown
In essence, this strategy blends a trend-filter (200 EMA) with a momentum-confirmation (crossover of 7 EMA on HA bars), applies strict risk management (TP/SL), and surfaces both visual and alert-based feedback to help you capture small, disciplined scalps in trending markets. Ready for telegram
GCM Supreme Trading System ProOverview:
The GCM Supreme Trading System Pro is a next-generation, all-in-one indicator designed to identify high-probability trade setups with unmatched precision. Built for both intraday and swing traders, it combines dynamic trend analysis, smart volume confirmation, liquidity sweeps, institutional zone detection, and automated breakout alerts into one powerful tool.
✨ Key Features:
Dynamic Trend Detection:
Instantly visualize bullish and bearish trends with a proprietary Jurik-like smoothing algorithm.
Sentiment Background Coloring:
Quickly gauge market sentiment with automatic background shading for bullish, bearish, or neutral phases.
Smart Volume Spike Filter:
Filters out weak moves by confirming entries only when volume surges above the dynamic average.
Liquidity Sweep Detection:
Identifies stop-hunt moves (false breakouts) to catch smart money entries at optimal reversal points.
Auto Trendline Breakout System:
Automatically draws key trendlines and alerts you on confirmed breakouts with volume validation.
Institutional Zones Mapping:
Highlights important high/low zones where major players (institutions) are likely positioning.
Integrated Dashboard:
Real-time dashboard showing Trend Status, Volume State, Last Entry, Breakout Alerts, and Risk Conditions — keeping you informed at a glance.
Optimized Alerts:
Receive instant notifications for Smart Long/Short entries and Breakouts directly to your phone, app, or email.
🚀 Ideal For:
Intraday Traders
Swing Traders
Smart Money Concepts (SMC) Followers
Breakout Traders
Risk-Conscious Professionals
Easy MA SignalsEasy MA Signals
Overview
Easy MA Signals is a versatile Pine Script indicator designed to help traders visualize moving average (MA) trends, generate buy/sell signals based on crossovers or custom price levels, and enhance chart analysis with volume-based candlestick coloring. Built with flexibility in mind, it supports multiple MA types, crossover options, and customizable signal appearances, making it suitable for traders of all levels. Whether you're a day trader, swing trader, or long-term investor, this indicator provides actionable insights while keeping your charts clean and intuitive.
Configure the Settings
The indicator is divided into three input groups for ease of use:
General Settings:
Candlestick Color Scheme: Choose from 10 volume-based color schemes (e.g., Sapphire Pulse, Emerald Spark) to highlight high/low volume candles. Select “None” for TradingView’s default colors.
Moving Average Length: Set the MA period (default: 20). Adjust for faster (lower values) or slower (higher values) signals.
Moving Average Type: Choose between SMA, EMA, or WMA (default: EMA).
Show Buy/Sell Signals: Enable/disable signal plotting (default: enabled).
Moving Average Crossover: Select a crossover type (e.g., MA vs VWAP, MA vs SMA50) for signals or “None” to disable.
Volume Influence: Adjust how volume impacts candlestick colors (default: 1.2). Higher values make thresholds stricter.
Signal Appearance Settings:
Buy/Sell Signal Shape: Choose shapes like triangles, arrows, or labels for signals.
Buy/Sell Signal Position: Place signals above or below bars.
Buy/Sell Signal Color: Customize colors for better visibility (default: green for buy, red for sell).
Custom Price Alerts:
Custom Buy/Sell Alert Price: Set specific price levels for alerts (default: 0, disabled). Enter a non-zero value to enable.
Set Up Alerts
To receive notifications (e.g., sound, popup, email) when signals or custom price levels are hit:
Click the Alert button (alarm clock icon) in TradingView.
Select Easy MA Signals as the condition and choose one of the four alert types:
MA Crossover Buy Alert: Triggers on MA crossover buy signals.
MA Crossover Sell Alert: Triggers on MA crossover sell signals.
Custom Buy Alert: Triggers when price crosses above the custom buy price.
Custom Sell Alert: Triggers when price crosses below the custom sell price.
Enable Play Sound and select a sound (e.g., “Bell”).
Set the frequency (e.g., Once Per Bar Close for confirmed signals) and create the alert.
Analyze the Chart
Moving Average Line: Displays the selected MA with color changes (green for bullish, red for bearish, gray for neutral) based on price position relative to the MA.
Buy/Sell Signals: Appear as shapes or labels when crossovers or custom price levels are hit.
Candlestick Colors: If a color scheme is selected, candles change color based on volume strength (high, low, or neutral), aiding in trend confirmation.
Why Use Easy MA Signals?
Easy MA Signals is designed to simplify technical analysis while offering advanced customization. It’s ideal for traders who want:
A clear visualization of MA trends and crossovers.
Flexible signal generation based on MA crossovers or custom price levels.
Volume-enhanced candlestick coloring to identify market strength.
Easy-to-use settings with tooltips for beginners and pros alike.
This script is particularly valuable because it combines multiple features into one indicator, reducing chart clutter and providing actionable insights without overwhelming the user.
Benefits of Easy MA Signals
Highly Customizable: Supports SMA, EMA, and WMA with adjustable lengths.
Offers multiple crossover options (VWAP, SMA10, SMA20, etc.) for tailored strategies.
Custom price alerts allow precise targeting of key levels.
Volume-Based Candlestick Coloring: 10 unique color schemes highlight volume strength, helping traders confirm trends.
Adjustable volume influence ensures adaptability to different markets.
Flexible Signal Visualization: Choose from various signal shapes (triangles, arrows, labels) and positions (above/below bars).
Customizable colors improve visibility on any chart background.
Alert Integration: Built-in alert conditions for crossovers and custom prices support sound, email, and app notifications.
Easy setup for real-time trading decisions.
User-Friendly Design: Organized input groups with clear tooltips make configuration intuitive.
Suitable for beginners and advanced traders alike.
Example Use Cases
Swing Trading with MA Crossovers:
Scenario: A trader wants to trade Bitcoin (BTC/USD) on a 4-hour chart using an EMA crossover strategy.
Setup:
Set Moving Average Type to EMA, Length to 20.
Set Moving Average Crossover to “MA vs SMA50”.
Enable Show Buy/Sell Signals and choose “arrowup” for buy, “arrowdown” for sell.
Select “Emerald Spark” for candlestick colors to highlight volume surges.
Usage: Buy when the EMA20 crosses above the SMA50 (green arrow appears) and volume is high (dark green candles). Sell when the EMA20 crosses below the SMA50 (red arrow). Set alerts for real-time notifications.
Scalping with Custom Price Alerts:
Scenario: A day trader monitors Tesla (TSLA) on a 5-minute chart and wants alerts at specific support/resistance levels.
Setup:
Set Custom Buy Alert Price to 150.00 (support) and Custom Sell Alert Price to 160.00 (resistance).
Use “labelup” for buy signals and “labeldown” for sell signals.
Keep Moving Average Crossover as “None” to focus on price alerts.
Usage: Receive a sound alert and label when TSLA crosses 150.00 (buy) or 160.00 (sell). Use volume-colored candles to confirm momentum before entering trades.
When NOT to Use Easy MA Signals
High-Frequency Trading: Reason: The indicator relies on moving averages and volume, which may lag in ultra-fast markets (e.g., sub-second trades). High-frequency traders may need specialized tools with real-time tick data.
Alternative: Use order book or market depth indicators for faster execution.
Low-Volatility or Sideways Markets:
Reason: MA crossovers and custom price alerts can generate false signals in choppy, range-bound markets, leading to whipsaws.
Alternative: Use oscillators like RSI or Bollinger Bands to trade within ranges.
This indicator is tailored more towards less experienced traders. And as always, paper trade until you are comfortable with how this works if you're unfamiliar with trading! We hope you enjoy this and have great success. Thanks for your interested in Easy MA Signals!
SAR Pullback By TradingConTotoName & Version
SAR Pullback UX Improved (Pine Script v5)
Core Logic
Calculates two EMAs (fast and slow) to identify overall trend direction.
Uses the Parabolic SAR to detect “flip” points (when SAR crosses price), marking micro-trend reversals.
Micro-Trend Extremes
Tracks the highest high after a bullish flip (SAR below price) and the lowest low after a bearish flip (SAR above price).
These extremes feed into the stop-loss approximation.
Approximate Stop-Loss (“SL aprox”)
If SAR is below price (bullish), SL ≔ (micro-trend high − current SAR).
If SAR is above price (bearish), SL ≔ (current SAR − micro-trend low).
Leverage Calculation
User-defined “UR in USD” input.
Computes leverage as UR ÷ SL, giving you an estimate of position sizing potential.
On-Chart Signals
BUY label at each bullish flip, with SL and leverage printed.
SELL label at each bearish flip, likewise showing SL and leverage.
Customizable UI
Inputs to toggle display of SL, leverage, or both.
Choose your UR value, panel background/text colors, and BUY/SELL label colors.
Panel position fixed at top-right by default, showing a 2×3 table:
Header row (“Metric” / “Value”)
“SL aprox” row
“Leverage” row
Visuals
Plots the slow EMA colored by trend.
Draws SAR as crosses.
Bar colors shade green/red according to bullish/bearish conditions.
Semi-transparent, styled panel for quick glance of key metrics.
This indicator combines trend filtering, automated stop-loss sizing, and leverage guidance into a single, fully-configurable Pine Script tool—giving you clear on-chart signals plus a neat metrics panel for streamlined decision-making.