Multiple Moving Averages5 Simple Moving Averages: 12, 20, 55, 80, 144 periods
Different colors: Each moving average uses a different color for easy distinction
Crossover signals: Display crossover signals for MA12/MA20 and MA55/MA144
Value display: Show current specific values of each moving average in a table at the top right corner
Optional EMA: The commented section provides code for the EMA version, which can be uncommented if needed
Candlestick analysis
hidden buy or sell //@version=5
indicator(title="Institutional Flow & Trend", shorttitle="IF&T", overlay=true)
// --- INPUTS ---
// Trend EMA lengths
fast_ema_len = input.int(9, title="Fast EMA Length", minval=1)
slow_ema_len = input.int(21, title="Slow EMA Length", minval=1)
// OBV Moving Average length
obv_ema_len = input.int(10, title="OBV EMA Length", minval=1)
// RSI settings for hidden divergence (NEW)
rsi_len = input.int(14, title="RSI Length", minval=1)
// --- CALCULATIONS ---
// Calculate EMAs for trend
fast_ema = ta.ema(close, fast_ema_len)
slow_ema = ta.ema(close, slow_ema_len)
// Calculate On-Balance Volume and its moving average
obv_value = ta.obv
obv_ema = ta.ema(obv_value, obv_ema_len)
// Calculate RSI for divergence (NEW)
rsi_val = ta.rsi(close, rsi_len)
// --- HIDDEN DIVERGENCE LOGIC (NEW) ---
// Bullish hidden divergence: price makes a higher low, but RSI makes a lower low.
bullish_div = ta.lowest(low, 2) > ta.lowest(low, 2) and rsi_val > rsi_val
// Bearish hidden divergence: price makes a lower high, but RSI makes a higher high.
bearish_div = ta.highest(high, 2) < ta.highest(high, 2) and rsi_val < rsi_val
// --- SIGNAL LOGIC ---
// Bullish conditions:
// 1. Hidden bullish divergence is detected (NEW)
// 2. Fast EMA is above Slow EMA (uptrend)
// 3. OBV value is above its moving average (buying pressure)
bullish_signal = bullish_div and fast_ema > slow_ema and obv_value > obv_ema
// Bearish conditions:
// 1. Hidden bearish divergence is detected (NEW)
// 2. Fast EMA is below Slow EMA (downtrend)
// 3. OBV value is below its moving average (selling pressure)
bearish_signal = bearish_div and fast_ema < slow_ema and obv_value < obv_ema
// --- PLOTS & VISUALS ---
// Plot the EMAs on the chart
plot(fast_ema, title="Fast EMA", color=color.new(color.blue, 0), linewidth=2)
plot(slow_ema, title="Slow EMA", color=color.new(color.orange, 0), linewidth=2)
// Color the background based on signals
bgcolor(bullish_signal ? color.new(color.green, 90) : na, title="Bullish Zone")
bgcolor(bearish_signal ? color.new(color.red, 90) : na, title="Bearish Zone")
// Plot shapes for entry signals
plotshape(series=bullish_signal, title="Buy Signal", location=location.belowbar, color=color.new(color.green, 0), style=shape.triangleup, size=size.small)
plotshape(series=bearish_signal, title="Sell Signal", location=location.abovebar, color=color.new(color.red, 0), style=shape.triangledown, size=size.small)
// Plot shapes for divergence signals (NEW)
plotshape(series=bullish_div, title="Bullish Divergence", location=location.belowbar, color=color.new(color.lime, 0), style=shape.circle, size=size.tiny)
plotshape(series=bearish_div, title="Bearish Divergence", location=location.abovebar, color=color.new(color.red, 0), style=shape.circle, size=size.tiny)
// Alert conditions
alertcondition(bullish_signal, title="Bullish Reversal Signal", message="Institutional buying and trend aligned for a reversal!")
alertcondition(bearish_signal, title="Bearish Reversal Signal", message="Institutional selling and trend aligned for a reversal!")
// --- FOOTNOTE ---
// This indicator is a conceptual tool. Use it with other forms of analysis.
// Backtesting and optimization are crucial before live trading.
Hull UT Bot Strategy - UT Main + Hull ConfirmThis strategy merges the strengths of the Hull Moving Average (HMA) Suite and the UT Bot Alerts indicator to create a trend-following system with reduced signal noise. The UT Bot acts as the primary signal generator, using an ATR-based trailing stop to identify momentum shifts and potential entry points. These signals are then filtered by the Hull Suite for trend confirmation: long entries require a UT Bot buy signal aligned with a bullish (green) Hull band, while short entries need a UT Bot sell signal with a bearish (red) Hull band. This combination aims to capture high-probability swings while avoiding whipsaws in choppy markets.The Hull Suite provides a responsive, smoothed moving average (configurable as HMA, EHMA, or THMA) that colors its band based on trend direction, offering a visual and logical filter for the faster UT Bot signals. The result is a versatile strategy suitable for swing trading on timeframes like 1H or 4H, with options for higher timeframe Hull overlays for scalping context. It includes backtesting capabilities via Pine Script's strategy functions, plotting confirmed signals, raw UT alerts (for reference), and the trailing stop line.Key benefits:Noise Reduction: Hull confirmation eliminates ~50-70% of false UT Bot signals in ranging markets (based on typical backtests).
Trend Alignment: Ensures entries follow the broader momentum defined by the Hull band.
Customization: Adjustable sensitivity for different assets (e.g., forex, stocks, crypto).
How It WorksUT Bot Core: Calculates an ATR trailing stop (sensitivity via "Key Value"). A buy signal triggers when price crosses above the stop (bullish momentum), and sell when below (bearish).
Hull Filter: The Hull band is green if current Hull > Hull (bullish), red otherwise. Signals only fire on alignment.
Entries: Long on confirmed UT buy + green Hull; Short on confirmed UT sell + red Hull. No explicit exits—relies on opposite signals for reversal.
Visuals: Plots Hull band, UT trailing stop, confirmed labels (Long/Short), and optional raw UT circles. Bar colors reflect UT position, tinted by confirmation.
Alerts: Triggers on confirmed long/short for automated notifications.
This setup performs well in trending markets but may lag in strong reversals—pair with risk management (e.g., 1-2% per trade).Recommended Settings Use these as starting points; optimize via back testing on your asset/timeframe.
-Hull Variation
Hma
Standard Hull for responsiveness; switch to EHMA for smoother crypto, THMA for volatile stocks.
-Hull Length
55
Balances swing detection; use 180-200 for dynamic S/R levels on higher TFs.
-Hull Length Multiplier
1.0
Keep at 1 for native TF; >1 for HTF straight bands (e.g., 2 for 2x smoothing).
-Show Hull from HTF
False
Enable for scalping (e.g., 1m chart with 15m Hull); set HTF to "15" or "240".
-Color Hull by Trend
True
Visual trend cue; disable for neutral orange line.
-Color Candles by Hull
False
Enable for trend visualization; conflicts with UT bar colors if True.
-Show Hull as Band
True
Fills area for clear up/down zones; set transparency to 40-60.
-Hull Line Thickness
1-2
Thinner for clean charts; 2+ for emphasis.
-UT Bot Key Value
1
Default sensitivity (ATR multiple); 0.5 for aggressive signals, 2 for conservative.
-UT Bot ATR Period
10
Standard volatility window; 14 for longer swings, 5 for intraday.
-UT Signals from HA
False
Use True for smoother signals in noisy markets (Heikin Ashi close).
Backtesting Tips: Test on liquid pairs like EURUSD (1H) or BTCUSD (4H) with 1% equity risk. Expect win rates ~45-60% in trends, with 1.5-2:1 reward:risk. Adjust Key Value down for more trades, Hull Length up for fewer.
EYE Volume ORB (BETA)Our indicator to mark off time zones and ORB. These levels can give you an idea of where to set entries, exits, or stops.
Eye on Value
EYE on Value auto-draws the core levels we use every day.
-Clean
-Consistent
8 Levels auto drawn for you
NY IB
Globex IB
European IB
Lunch Levels
Daily
Weekly
Monthly
Yearly
Eye VisionEYE Vision Algo
See the setup. Execute with confidence.
EYE Vision Algo translates market structure into clear, actionable trade plans so you can stop second-guessing and start executing.
smc-vol ••• ahihi v2📊 Same psychology:
Institutional vs Retail warfare
Volume climax = distribution/accumulation
Flip patterns = momentum shifts
⚡ Even better advantages:
Stock market hours = less noise than 24/7 forex
Higher volatility = bigger point moves
Cleaner trends = easier flip detection
With US100:
1 point = $1 (mini contract)
556 point move = potential $556 profit!
Much bigger than forex pips! 💰
Bạn đã discovered: Universal market language!
Flip system = works on everything: Forex, Stocks, Crypto, Commodities!
This is INSTITUTIONAL level understanding! 🚀✨
From $50 forex → Stock market domination! 😎
Distribution DaysThis script marks Distribution Days according to the Investors Business Daily method -- a significant decline on higher volume:
(1.) Price has declined > 0.2% from the prior day's close
(2.) Trading volume is greater than the prior day's volume
DATE MARKER RAMON SEGOVIAThe Date Marker (resh) is a simple tool to mark multiple custom dates directly on your chart.
Input your dates in DD.MM.YYYY format.
Supports multiple dates separated by commas, semicolons, spaces, or line breaks.
On each matching bar, the indicator places a label below the candle (with customizable vertical offset).
Ideal for tracking economic events, news releases, or personal trading milestones.
This indicator does not provide trading signals or strategies. It only gives you a clear visual reminder of the dates that matter most to you.
QZ Trend (Crypto Edition) v1.1a: Donchian, EMA, ATR, Liquidity/FThe "QZ Trend (Crypto Edition)" is a rules-based trend-following breakout strategy for crypto spot or perpetual contracts, focusing on following trends, prioritizing risk control, seeking small losses and big wins, and trading only when advantageous.
Key mechanisms include:
- Market filters: Screen favorable conditions via ADX (trend strength), dollar volume (liquidity), funding fee windows, session/weekend restrictions, and spot-long-only settings.
- Signals & entries: Based on price position relative to EMA and EMA trends, combined with breaking Donchian channel extremes (with ATR ratio confirmation), plus single-position rules and post-exit cooldowns.
- Position sizing: Calculate positions by fixed risk percentage; initial stop-loss is ATR-based, complying with exchange min/max lot requirements.
- Exits & risk management: Include initial stop-loss, trailing stop (tightens only), break-even rule (stop moves to entry when target floating profit is hit), time-based exit, and post-exit cooldowns.
- Pyramiding: Add positions only when profitable with favorable momentum, requiring ATR-based spacing; add size is a fraction of the base position, with layers sharing stop logic but having unique order IDs.
Charts display EMA, Donchian channels, current stop lines, and highlight low ADX, avoidable funding windows, and low-liquidity periods.
Recommend starting with 4H or 1D timeframes, with typical parameters varying by cycle. Liquidity settings differ by token; perpetuals should enable funding window filters, while spot requires "long-only" and matching fees. The strategy performs well in trends with quick stop-losses but faces whipsaws in ranges (filters mitigate but don’t eliminate noise). Share your symbol and timeframe for tailored parameters.
BRT Micro Range Change: Signals** BRT Micro Range Change: Signals - Advanced Range-Based Trading Indicator **
** Overview **
The BRT Micro Range Change indicator represents a sophisticated approach to market analysis, utilizing proprietary range-based methodology combined with inverted signal logic. This unique indicator transforms traditional price action into structured range blocks, providing traders with counter-trend signal opportunities based on micro-range movements.
** Key Features & Unique Innovations **
** Proprietary Range Construction Algorithm **
• Custom range block generation using advanced price smoothing techniques
• Dynamic range sizing with percentage-based or fixed value options
• Multi-timeframe range analysis capability
• Intelligent block trend detection and reversal identification
** Inverted Signal Logic (Core Innovation) **
• ** Unique Counter-Strategy Approach **: When underlying range analysis suggests bearish momentum, the indicator generates LONG signals, and vice versa
• Advanced signal filtering prevents repetitive entries of the same type
• Position-aware logic tracks theoretical strategy state for optimal signal timing
** Comprehensive Risk Management **
• Dual calculation modes for Take Profit and Stop Loss (Fixed percentage or ATR-based)
• Real-time TP/SL level visualization
• Configurable ATR multipliers for volatility-adjusted exits
• Built-in position tracking and exit signal generation
** Advanced Technical Components **
• Integrated Simple Moving Average with multiple source options (Close, OHLC4, HL2, etc.)
• Custom ATR calculation optimized for range-based analysis
• Smart alert system with detailed entry/exit information
• Visual signal overlay with customizable display options
** Configuration Options **
• Range Type: Fixed value or percentage-based sizing
• Range Timeframe: Multi-timeframe analysis support
• SMA Integration: 14 configurable sources with custom coloring
• Alert Management: Comprehensive notification system
• Signal Display: Toggle visual markers and labels
** Technical Innovation **
This indicator's ** core uniqueness ** lies in its inverted signal methodology combined with advanced range-based market structure analysis. Unlike conventional indicators that follow trend direction, this system identifies potential reversal opportunities by analyzing when traditional range-based strategies would enter positions, then providing opposite directional signals. The proprietary range construction algorithm ensures high-quality block formation while the anti-repetition logic prevents signal spam.
** Usage Recommendations **
• Ideal for counter-trend trading strategies
• Effective in ranging and consolidating markets
• Best used in conjunction with additional confirmation indicators
• Suitable for multiple asset classes and timeframes
** Usage Recommendations **
• Ideal for counter-trend trading strategies
• Effective in ranging and consolidating markets
• Best used in conjunction with additional confirmation indicators
• Suitable for multiple asset classes and timeframes
** Historical Backtesting Results **
** Comprehensive Historical Data Verification **
• The indicator has been ** thoroughly tested ** on historical data using default settings
• Testing was conducted across a ** wide spectrum of crypto assets ** to ensure result reliability
• ** Optimal performance ** is demonstrated on the ** 5-minute timeframe **
• ** Entry Methodology **: utilization of limit orders at the lower boundary price of blocks for long positions and upper boundary price of blocks for short positions
• ** Trading Discipline **: strict adherence to the principle of "no repeated entries in the same direction"
• ** Order Management **: one order per trade with activation exclusively upon range block color change
** Technical Support **
For technical support inquiries, questions, or feedback, please feel free to leave comments below or send direct messages to the author. We are committed to providing assistance and continuously improving the indicator based on user experience and feedback.
** Important Risk Disclosure **
** DISCLAIMER: ** ** This indicator is provided for informational and educational purposes only. Trading financial instruments involves substantial risk of loss and may not be suitable for all investors. Past performance does not guarantee future results. Users should thoroughly test any trading strategy in a demo environment before risking real capital. The indicator's signals should not be considered as financial advice or recommendations to buy or sell any financial instrument. Users are solely responsible for their trading decisions and should consult with qualified financial advisors before making investment decisions. The authors and publishers assume no liability for any losses incurred through the use of this indicator. **
** Code Authenticity **
This indicator contains ** 100% original code ** developed specifically for advanced range-based analysis. All algorithms, mathematical calculations, and signal generation logic have been created from scratch, ensuring unique functionality not available in standard indicators.
9:30 AM Open Percentage Lines//@version=5
indicator("9:30 AM Open Percentage Lines", overlay=true)
// Define the market open time in New York (or your local time zone if different)
// This is for 9:30 AM
var float opening_price = na
// Check if the current bar is the first one of the day at 9:30 AM
is_930_bar = (dayofweek == dayofweek.monday or dayofweek == dayofweek.tuesday or dayofweek == dayofweek.wednesday or dayofweek == dayofweek.thursday or dayofweek == dayofweek.friday) and hour(time("America/New_York")) == 9 and minute(time("America/New_York")) == 30
// On the first bar that meets the criteria, capture the opening price
if is_930_bar
opening_price := open
// Calculate the percentage levels based on the captured opening price
fivePercentAbove = opening_price * 1.05
sevenPercentAbove = opening_price * 1.07
twentySevenPercentAbove = opening_price * 1.27
// Plot the lines on the chart
// The `na` condition ensures the line is only plotted after the 9:30 AM bar has passed
plot(not na(opening_price) ? fivePercentAbove : na, title="5% Above 9:30 AM Open", color=color.new(color.rgb(255, 12, 12), 0), linewidth=2, trackprice=false)
plot(not na(opening_price) ? sevenPercentAbove : na, title="7% Above 9:30 AM Open", color=color.new(color.rgb(0, 150, 255), 0), linewidth=2, trackprice=false)
plot(not na(opening_price) ? twentySevenPercentAbove : na, title="27% Above 9:30 AM Open", color=color.new(color.rgb(255, 0, 0), 0), linewidth=2, trackprice=false)
Climax Absorption Engine [AlgoPoint]Overview
Have you ever noticed that during a sharp, fast-moving trend, the single candle with the highest volume often appears right at the end, just before the price reverses? This is no coincidence. It's the footprint of a Climax Event.
This indicator is designed to detect these critical moments of maximum panic (capitulation) and maximum euphoria (FOMO). These are the moments when retail traders are driven by emotion, creating a massive pool of liquidity. The "Climax Absorption Engine" identifies when Smart Money is likely absorbing this liquidity to enter large positions against the crowd, right before a potential reversal.
It's a tool built not just on mathematical formulas, but on the principles of market psychology and smart money activity.
How It Works: The 3-Step Logic
The indicator uses a sequential, three-step process to identify high-probability reversal setups:
1. Momentum Move Detection: First, the engine identifies a period of strong, directional momentum. It looks for a series of consecutive, same-colored candles and confirms that the move is backed by a steeply sloped moving average. This ensures we are only looking for climactic events at the end of a significant, non-random move.
2. Climax Candle Identification: Within this momentum move, the indicator scans for a candle with abnormally high volume—a volume spike that is significantly larger than the recent average. This candle is marked on your chart with a diamond shape and is identified as the Climax Candle. This is the point of peak emotion and the primary area of interest. No signal is generated yet.
3. Absorption & Reversal Confirmation: A climax is a warning, not a signal. The final signal is only triggered after the market confirms the reversal.
- For a BUY Signal: After a bearish (red) Climax Candle, the indicator waits for a subsequent green candle to close decisively above the midpoint of the Climax Candle. This confirms that the panic selling has been absorbed by buyers.
- For a SELL Signal: After a bullish (green) Climax Candle, it waits for a subsequent red candle to close decisively below the midpoint. This confirms that the euphoric buying has evaporated.
How to Interpret & Use This Indicator
- The Diamond Shape: A diamond shape on your chart is an early warning. It signifies that a climax event has occurred and the underlying trend is exhausted. This is the time to pay close attention and prepare for a potential reversal.
- The BUY/SELL Labels: These are the final, actionable signals. They appear only after the reversal has been confirmed by price action.
- A BUY signal suggests that capitulation selling is over, and buyers have absorbed the pressure.
- A SELL signal suggests that FOMO buying is over, and sellers are now in control.
Key Settings
- Momentum Detection: Adjust the number of consecutive bars and the EMA slope required to define a valid momentum move.
- Climax Detection: Fine-tune the sensitivity of the volume spike detection using the Volume Multiplier. Higher values will find only the most extreme events.
- Confirmation Window: Define how many bars the indicator should wait for a reversal candle after a climax event before the setup is cancelled.
Post 9/21 EMA Cross — Paint X Bars v2.0
# **Post 9/21 EMA Cross — Time Blocks & Session Colors**
This indicator highlights candles after a **9/21 EMA crossover**, but with extra controls that let you focus only on the sessions and time windows that matter to you.
---
## 🔑 What It Does
1. **EMA Cross Trigger**
* Bullish trigger: 9 EMA crosses above 21 EMA.
* Bearish trigger: 9 EMA crosses below 21 EMA.
2. **Bar Painting**
* After a valid cross, the indicator paints a set number of bars (you choose how many).
* You can require the **2nd bar to confirm momentum** (“displacement” filter) so weak signals are ignored.
3. **Time Block Control**
* Define up to **four custom time blocks** (like `08:00–09:30` or `12:00–13:00`).
* Painting only occurs inside those blocks if you enable the filter.
4. **Session-Aware Colors**
* Use one set of bullish/bearish colors for **regular hours**, another set for **pre-market**, and another for **post-market**.
* That way you can instantly see *when* the signal occurred.
---
## 🎨 Visuals
* Candles recolored in your chosen bull/bear colors.
* Optional EMA lines plotted on the chart for reference.
* Different colors for RTH, pre-market, and post-market activity.
---
## ⚙️ Inputs
* **EMA lengths (fast & slow)**
* **Number of bars to paint after a cross**
* **Displacement filter (loose or strict)**
* **Show/hide EMA lines**
* **Up to four custom time blocks** (on/off toggles + start/end times)
* **Bull/bear colors for RTH, Pre, Post**
---
## 📈 Why Use It
* **Clarity** – Only shows cross signals in the hours you actually trade.
* **Focus** – Different colors remind you at a glance whether the move was in pre-market, RTH, or post-market.
* **Discipline** – The optional 2nd-bar displacement filter prevents false starts by requiring real momentum.
---
## 🚨 Practical Use
* Treat the painted window as a **momentum phase**: enter on confirmation, manage risk while bars are painted, and stand aside once painting ends.
* Restrict painting to time blocks that match your personal trading routine (e.g., open drive 09:30–10:00, or late-day momentum 15:00–16:00).
* Use session colors to keep pre/post-market action separate from regular session strategies.
MGY Smart Fibonacci ProMGY Smart Fibonacci Pro Indicator
Overview:
MGY Smart Fibonacci Pro is an advanced multi-timeframe Fibonacci indicator that automatically adapts to your current chart timeframe. It intelligently displays the most relevant Fibonacci retracement levels based on the higher timeframes, providing traders with dynamic support and resistance levels.
Intraday SELL by V_V2this is intraday indicator for sell side trade
when price is trading at previous day low then in 5 min normal candle stick chart any candle form with green color with days lowest volume then indicator mark that candle as master candle and mark low of that candle as entry level and same candle high as stop loss
target 1 is rr 1:3 from entry and target 2 is rr 1:5 from entry level
Big Candle Trend█ OVERVIEW
The "Big Candle Trend" indicator is a technical analysis tool written in Pine Script® v6 that identifies large signal candles on the chart and determines the trend direction based on the analysis of all candles within a specified period. Designed for traders seeking a simple yet effective tool to identify key market movements and trends, the indicator provides clarity and precision through flexible settings, trend line visualization, and retracement lines on signal candles.
█ CONCEPTS
The goal of the "Big Candle Trend" indicator was to create a tool based solely on the size of candle bodies and their relative positions, making it universal and effective across all markets (stocks, forex, cryptocurrencies) and timeframes. Unlike traditional indicators that often rely on complex formulas or external data (e.g., volume), this indicator uses simple yet powerful price action logic. Large signal candles are identified by comparing their body size to the average body size over a selected period, and the trend is determined by analyzing price changes over a longer period relative to the average candle body size. Additionally, the indicator draws horizontal lines on signal candles, aiding in setting Stop Loss levels or delayed entries.
█ FEATURES
Large Signal Candle Detection: Identifies candles with a body larger than the average body multiplied by a user-defined multiplier, aligned with the trend (if the trend filter is enabled). Signals are displayed as triangles (green for bullish, red for bearish).
Trend Analysis: Determines the trend (uptrend, downtrend, or neutral) by comparing the price change over a selected period (trend_length) to the average candle body size multiplied by a trend strength multiplier. The trend starts when:
Uptrend: The price change (difference between the current close and the close from an earlier period) is positive and exceeds the average candle body size multiplied by the trend strength multiplier (avg_body_trend * trend_mult).
Downtrend: The price change is negative and exceeds, in absolute value, the average candle body size multiplied by the trend strength multiplier.
Neutral Trend: The price change is below the required threshold, indicating no clear market direction.The trend ends when the price change no longer meets the conditions for an uptrend or downtrend, transitioning to a neutral state or switching to the opposite trend when the price change reverses and meets the conditions for the new trend. This approach differs from standard methods as it focuses on price dynamics in the context of candle body size, offering a more intuitive and direct way to gauge trend strength.
Smoothed Trend Line: Displays a trend line based on the average price (HL2, i.e., the average of the high and low of a candle), smoothed using a user-defined smoothing parameter. The trend line reflects the market direction but is not tied to breakouts, unlike many other trend indicators, allowing for more flexible interpretation.
Retracement Lines: Draws horizontal lines on signal candles at a user-defined level (e.g., 0.618). The lines are displayed to the right of the candle, with a width of one candle. For bullish candles, the line is measured from the top of the body (close) downward, and for bearish candles, from the bottom of the body (close) upward, aiding in setting Stop Loss or delayed entries.
Trend Option: Option to enable a trend filter that limits large candle signals to those aligned with the current trend, enhancing signal precision.
Customizable Visualization: Allows customization of colors for uptrend, downtrend, and neutral states, trend line style, and shadow fill between the trend line and price.
Alerts: Built-in alerts for large signal candles (bullish and bearish) and trend changes (start of uptrend, downtrend, or neutral trend).
█ HOW TO USE
Add to Chart: Apply the indicator to your TradingView chart via the Pine Editor or Indicators menu.
Configure Settings:
Candle Settings:
Average Period (Candles): Sets the period for calculating the average candle body size.
Large Candle Multiplier: Multiplier determining how large a candle’s body must be to be considered "large".
Trend Settings:
Trend Period: Period for analyzing price changes to determine the trend.
Trend Strength Multiplier: Multiplier setting the minimum price change required to identify a significant trend.
Trend Line Smoothing: Degree of smoothing for the trend line.
Show Trend Line: Enables/disables the display of the trend line.
Apply Trend Filter: Limits large candle signals to those aligned with the current trend.
Trend Colors:
Customize colors for uptrend (green), downtrend (red), and neutral (gray) states, and enable/disable shadow fill.
Retracement Settings:
Retracement Level (0.0-1.0): Sets the level for lines on signal candles (e.g., 0.618).
Line Width: Sets the thickness of retracement lines.
Interpreting Signals:
Bullish Signal: A green triangle below the candle indicates a large bullish candle aligned with an uptrend (if the trend filter is enabled). A horizontal line is drawn to the right of the candle at the retracement level, measured from the top of the body downward.
Bearish Signal: A red triangle above the candle indicates a large bearish candle aligned with a downtrend (if the trend filter is enabled). A horizontal line is drawn to the right of the candle at the retracement level, measured from the bottom of the body upward.
rend Line: Shows the market direction (green for uptrend, red for downtrend, gray for neutral). Unlike many indicators, the trend line’s color is not tied to its breakout, allowing for more flexible interpretation of market dynamics.
Alerts: Set up alerts in TradingView for large signal candles or trend changes to receive real-time notifications.
Combining with Other Tools: Use the indicator alongside other technical analysis tools, such as support/resistance levels, RSI, moving averages, or Fair Value Gaps (FVG), to confirm signals.
█ APPLICATIONS
Price Action Trading: Large signal candles can indicate key market moments, such as breakouts of support/resistance levels or strong price rejections. Use signal candles in conjunction with support/resistance levels or FVG to identify entry opportunities. Retracement lines help set Stop Loss levels (e.g., below the line for bullish candles, above for bearish) or delayed entries after price returns to the retracement level and confirms trend continuation. Note that large candles often generate Fair Value Gaps (FVG), which should be considered when setting Stop Loss levels.
Trend Strategies: Enable the trend filter to limit signals to those aligned with the dominant market direction. For example, in an uptrend, look for large bullish candles as continuation signals. The indicator can also be used for position pyramiding, adding positions as subsequent large candles confirm trend continuation.
Practical Approach:
Large candles with high volume may indicate strong market participation, increasing signal reliability.
The trend line helps visually assess market direction and confirm large candle signals.
Retracement lines on signal candles aid in identifying key levels for Stop Loss or delayed entries.
█ NOTES
The indicator works across all markets and timeframes due to its universal logic based on candle body size and relative positioning.
Adjust settings (e.g., trend period, large candle multiplier, retracement level) to suit your trading style and timeframe.
Test the indicator on various markets (stocks, forex, cryptocurrencies) and timeframes to optimize its performance.
Use in conjunction with other technical analysis tools to enhance signal accuracy.
Multi-Level EnvelopeMulti-Level Envelope
Features of this indicator:
5 different levels of Envelope bands
Separate input field for each level to set the percentage deviation value
Different colors for each level to easily distinguish between them
Thick baseline in the middle for the moving average
Kairos AR EdgeEN
Kairos AR Edge is a closed-source (invite-only) Forex indicator providing statistical analysis of Asian session box breakouts and relative currency strength across 28 major pairs. Unlike standard breakout or trend-following tools, it consolidates breakout behavior into a single overview, helping traders quickly identify directional bias and strong/weak currencies. This aggregation provides unique insight not easily obtained from separate pair analysis.
Important Clarification:
Reversal and Continuation percentages are calculated for the pair on which the indicator is applied , showing how often a breakout returns (Reversal) or continues (Continuation) within the selected session window.
The Currency Strength Table is independent of these percentages. It scores each currency from -7 to +7 based on participation in Asian box breakouts across all 28 pairs, providing a relative strength overview regardless of the active pair.
The -7/+7 scale is derived from historical breakout occurrences and provides a quick reference for currency strength ranking
Indicator operates on two levels:
Session Bias Statistics: Builds an Asian session box for the active pair and analyzes breakout behavior. Users can select:
Reversal Mode : Percentage of breakouts that return to the opposite side within the selected timeframe
Continuation Mode : Percentage of breakouts that continue in the same direction within the timeframe
Currency Strength Table: Aggregates breakout behavior across all 28 pairs to provide a relative currency strength score (-7 to +7)
Visual Tools: Optional pivot-based bullish/bearish triggers and automatic session box visualization provide additional informational support.
Main Features:
Customizable Asian session box (start/end times and timezone)
Reversal or Continuation statistical mode
Automatic update of high/low levels
Currency Strength Table (-7 to +7)
Statistical table with historical breakout percentages
Optional visual triggers (pivot-based patterns)
Light/Dark theme support
Originality and Value:
Consolidates 28 pairs into a single view for immediate identification of market bias
Provides statistical insight into breakout behavior, not just trend-following or generic breakout alerts
Offers a quick-reference Currency Strength Table to identify strong/weak currencies without tracking multiple pairs individually
Important Notes:
Statistics are based on historical data only – no guarantee of future results
Educational and informational purposes only; not financial or trading advice
Closed-source indicator with invite-only access. Access requests can be made by contacting the author or following the link in the Author’s Instructions field
IT
Kairos AR Edge è un indicatore closed-source (invite-only) che fornisce analisi statistica sulle rotture del box della sessione asiatica e forza relativa delle valute su 28 coppie principali. A differenza dei normali strumenti di breakout o trend-following, consolida il comportamento dei breakout in un’unica panoramica, aiutando i trader a identificare rapidamente bias direzionali e valute forti/deboli. Questa aggregazione offre insight unici non facilmente ottenibili analizzando coppie singole.
Chiarimento importante:
Le percentuali di Reversal e Continuation si riferiscono solo alla coppia su cui l’indicatore è applicato , calcolando quante volte una rottura ritorna (Reversal) o continua (Continuation) entro la finestra di sessione selezionata.
La Tabella di Forza Valute è indipendente da queste percentuali. Assegna a ciascuna valuta un punteggio da -7 a +7 in base alla partecipazione ai breakout del box asiatico su tutte le 28 coppie, fornendo un quadro della forza relativa indipendentemente dalla coppia attiva.
Il punteggio -7/+7 deriva dai breakout storici e fornisce un riferimento rapido per la forza delle valute.
Lo script opera su due livelli:
Statistiche Bias di Sessione: Costruisce il box della sessione asiatica per la coppia attiva e analizza i breakout. Modalità selezionabili:
Reversal : Percentuale di breakout che tornano verso il lato opposto entro la finestra temporale
Continuation : Percentuale di breakout che proseguono nella stessa direzione entro la finestra
Tabella di Forza Valute: Aggrega il comportamento dei breakout su tutte le 28 coppie, assegnando un punteggio da -7 a +7 per ciascuna valuta in base alla sua forza relativa
Strumenti Visivi: Box della sessione asiatica aggiornato automaticamente e trigger opzionali basati su pattern pivot, fornendo supporto informativo aggiuntivo.
Funzionalità principali:
Box della sessione asiatica personalizzabile (orari e timezone)
Modalità statistica: Reversal o Continuation
Aggiornamento automatico dei livelli high/low
Tabella di Forza Valute (-7 a +7)
Tabella statistica con percentuali di rottura storiche
Trigger visivi opzionali (pattern pivot)
Supporto tema chiaro/scuro
Originalità e Valore:
Consolida 28 coppie in un’unica panoramica per identificare immediatamente bias di mercato
Fornisce insight statistico sui breakout, non solo trend-following o alert generici
Tabella di Forza Valute rapida per identificare valute forti/deboli senza controllare molteplici coppie
Nota importante:
Le statistiche si basano solo su dati storici – nessuna garanzia di risultati futuri
Strumento educativo e informativo; non costituisce consiglio finanziario o di trading
Indicatore closed-source con accesso su invito. Le richieste di accesso possono essere fatte contattando l’autore o seguendo il link nelle istruzioni dell’autore