Capital Pros Gold R&S Simple s&r indicator made by capital pros to understand real support and resistance
Educational
ATH with Percentage DifferenceSimple ATH with difference percentage from the actual price to hit the all time high price again
ICT Setup 02 [TradingFinder] Breaker Blocks + Reversal Candles🔵 Introduction
The "Breaker Block" concept, widely utilized in ICT (Inner Circle Trader) technical analysis, is a crucial tool for identifying reversal points and significant market shifts. Originating from the "Order Block" concept, Breaker Blocks help traders pinpoint support and resistance levels. These blocks are essential for understanding market trends and recognizing optimal entry and exit points.
A Breaker Block is essentially a failed Order Block that changes its role when price action breaks through it. When an Order Block fails to hold as a support or resistance level, it reverses its function, becoming a Breaker Block.
There are two primary types : Bullish Breaker Blocks and Bearish Breaker Blocks. These Breaker Blocks align with the prevailing market trend and indicate potential entry points after a liquidity sweep or a shift in market structure.
Understanding and applying the Breaker Block strategy enables traders to capitalize on the behavior of institutional investors, enhancing their trading outcomes.
Bullish Setup :
Bearish Setup :
🔵 How to Use
The ICT Setup 02 indicator designed to automate the identification of Bullish and Bearish Breaker Blocks. This tool enables traders to easily spot these blocks on a chart and utilize them for entering or exiting trades. Below is a breakdown of how to use this indicator in both bullish and bearish setups.
🟣 Bullish Breaker Block Setup
A Bullish Breaker Block setup is identified in an uptrend, where it serves as a potential entry point. This setup occurs when a Bearish Order Block fails and the price moves above the high of that Order Block. In this scenario, the previously bearish Order Block turns into a Bullish Breaker Block, which now acts as a support level for the price.
To trade a Bullish Breaker Block, wait for the price to retest this newly formed support level. Confirmation of the uptrend can be achieved by analyzing lower time frames for further market structure shifts or other bullish indicators.
A successful retest of the Bullish Breaker Block provides a high-probability entry point for a long trade, as it signals institutional support. Traders often place their stop-loss below the low of the Breaker Block zone to minimize risk.
🟣 Bearish Breaker Block Setup
A Bearish Breaker Block setup, conversely, is used in a downtrend to identify potential sell opportunities. This setup forms when a Bullish Order Block fails, and the price moves below the low of that Order Block.
Once this Order Block is broken, it reverses its role and becomes a Bearish Breaker Block, providing resistance to the price as it pushes downward. For a Bearish Breaker Block trade, wait for the price to retest this resistance level.
A confirmation of the downtrend, such as a market structure shift on a lower time frame or additional bearish signals, strengthens the setup. The Bearish Breaker Block retest provides an opportunity to enter a short position, with a stop-loss placed just above the high of the Breaker Block zone.
🔵 Settings
Pivot Period : This setting controls the look-back period used to identify pivot points that contribute to the detection of Order Blocks. A higher period captures longer-term pivots, while a lower period focuses on more recent price action. Adjusting this parameter allows traders to fine-tune the indicator to match their trading time frame.
Breaker Block Validity Period : This setting defines how long a Breaker Block remains valid based on the number of bars elapsed since its formation. Increasing the validity period keeps Breaker Blocks active for a longer duration, which can be useful for higher time frame analysis.
Mitigation Level BB : This option lets traders choose the level of the Order Block at which the price is expected to react. Options like "Proximal," "50% OB," and "Distal" adjust the zone where a reaction may occur, offering flexibility in setting up the entry and stop-loss levels.
Breaker Block Refinement : The refinement option refines the Breaker Block zone to display a more precise range for aggressive or defensive trading approaches. The "Aggressive" mode provides a tighter range for risk-tolerant traders, while the "Defensive" mode expands the zone for those with a more conservative approach.
🔵 Conclusion
The Breaker Block indicator provides traders with a sophisticated tool for identifying key reversal zones in the market. By leveraging Breaker Blocks, traders can gain insights into institutional order flow and predict critical support and resistance levels.
Using Breaker Blocks in conjunction with other ICT concepts, like Fair Value Gaps or liquidity sweeps, enhances the reliability of trading signals. This indicator empowers traders to make informed decisions, aligning their trades with institutional moves in the market.
As with any trading strategy, it is crucial to incorporate proper risk management, using stop-losses and position sizing to minimize potential losses. The Breaker Block strategy, when applied with discipline and thorough analysis, serves as a powerful addition to any trader’s toolkit.
Historical Eventsdisplay historical events on charts
User Controls:
Category Filters: Toggle display for wars, economic events, pandemics, and other specific event types.
Importance Filter: Choose to show only major events or include all listed events.
Display Option: Adjust the view to display only icons, only text, or both.
Accumulation & Distribution Zones with Manipulation//@version=5
indicator("Accumulation & Distribution Zones with Manipulation", overlay=true)
// Parameters
fastLength = input.int(9, title="Fast MA Length")
slowLength = input.int(21, title="Slow MA Length")
manipulationThreshold = input.float(2.0, title="Manipulation Threshold (%)", minval=0)
// Moving Averages
fastMA = ta.sma(close, fastLength)
slowMA = ta.sma(close, slowLength)
// Plot Moving Averages
plot(fastMA, color=color.blue, title="Fast MA")
plot(slowMA, color=color.red, title="Slow MA")
// Identify Accumulation and Distribution
accumulation = ta.crossover(fastMA, slowMA) // Bullish crossover
distribution = ta.crossunder(fastMA, slowMA) // Bearish crossover
// Plot Accumulation and Distribution Zones
bgcolor(accumulation ? color.new(color.green, 90) : na, title="Accumulation Zone")
bgcolor(distribution ? color.new(color.red, 90) : na, title="Distribution Zone")
// Draw Boxes for Accumulation
var float accumulationStart = na
var float accumulationEnd = na
if accumulation
accumulationStart := low // Start of accumulation candle
accumulationEnd := na // Reset end on new accumulation
if not na(accumulationStart) and not distribution
accumulationEnd := high // Keep updating the end of the accumulation candle
if not na(accumulationEnd)
box.new(bar_index - 1, accumulationStart, bar_index, accumulationEnd, bgcolor=color.new(color.green, 70), border_color=color.green)
// Labels for Accumulation and Distribution
if accumulation and not accumulation
label.new(bar_index, high, "Accumulation", style=label.style_label_down, color=color.green, textcolor=color.white)
if distribution and not distribution
label.new(bar_index, low, "Distribution", style=label.style_label_up, color=color.red, textcolor=color.white)
// Manipulation Detection: Assume manipulation if the price moves significantly within the threshold
manipulation = (close - ta.lowest(low, 5)) / ta.lowest(low, 5) * 100 > manipulationThreshold
// Draw Boxes for Manipulation
var float manipulationStart = na
var float manipulationEnd = na
if manipulation
manipulationStart := low // Start of manipulation candle
manipulationEnd := high // End of manipulation candle
if not na(manipulationStart)
box.new(bar_index - 1, manipulationStart, bar_index, manipulationEnd, bgcolor=color.new(color.yellow, 70), border_color=color.yellow)
// Plot Manipulation Labels
if manipulation
label.new(bar_index, close, "Manipulation", style=label.style_label_down, color=color.yellow, textcolor=color.black)
// Alerts
alertcondition(accumulation, title="Accumulation Alert", message="Potential Accumulation Zone identified!")
alertcondition(distribution, title="Distribution Alert", message="Potential Distribution Zone identified!")
alertcondition(manipulation, title="Manipulation Alert", message="Potential Manipulation detected!")
Heikin Ashi with EMA 18 (Buy/Sell Only on First Cross)Credit HMUZ CRYPTO FUTURES
@Ittipon Pornpibul (TAW)
BAR COLORthis indicator is to analyse the speed of trend you can trade when candel changes his color and exit with change in another color
EMA AND PIVOT its a combination multiple EMA and pivot point indicator for finding major crucial points
Dual TWAP MomentumDual TWAP Momentum
The Dual TWAP Momentum indicator leverages two Time-Weighted Average Price (TWAP) calculations to identify trend-following and momentum-based intraday trading opportunities. It combines the precision of shorter-term trends with the reliability of higher timeframes, providing traders with a robust framework for entries and exits.
Key Features:
Dual TWAP Confirmation: Uses a 30-minute and 1-day TWAP to validate market direction.
Intraday Focus: Designed specifically for the morning session, with entries based on the 9:33 AM candle.
Dynamic Profit Target: Incorporates risk management rules with adjustable multiple profit-taking levels.
Immediate Exit on SL Hit: Ensures disciplined risk control by exiting trades as soon as the stop-loss is triggered.
Ideal For:
Intraday traders looking for a systematic approach.
Momentum-based strategies in trending markets.
Those seeking to combine short-term precision with higher timeframe validation.
How It Works:
1. Long Entry: When the 9:33 AM candle closes above both TWAPs.
2. Short Entry: When the 9:33 AM candle closes below both TWAPs.
3. Risk Management: Sets stop-loss and profit targets with flexibility for trailing profits, Fixed Stop-Loss and Profit Range: The strategy adheres to a fixed stop-loss with a profit range of 1:2 to 1:3 risk-reward ratio. This ensures consistent risk control while optimizing profit potential.
Applicability:
This strategy is specifically designed for Indices and not suitable for stocks.
Disclaimer:
This indicator is for educational purposes only. Use it as part of a comprehensive trading plan and conduct your own due diligence before trading.
Custom V2 KillZone US / FVG / EMA1. Trading Sessions
The indicator displays time zones corresponding to major global trading sessions, each with distinct characteristics and customizable colors. The sessions include:
Asian Session (18:00 - 00:00 UTC): Displayed in yellow by default.
London Session (00:00 - 06:00 UTC): Displayed in blue by default.
New York Pre-Open (06:00 - 07:35 UTC): Displayed in green by default.
Liquidity Session (Kill Session) (07:35 - 09:55 UTC): Displayed in red by default.
US Kill Zone (09:55 - 11:10 UTC): Displayed in purple by default.
These time zones help traders visualize periods when volatility may increase based on global session opening and closing times, as well as identify liquidity zones where price movements are more likely to be significant.
2. Kill Zone and Market Signals
The indicator includes a specific "Kill Zone" for the US session, which can be used to identify areas of high liquidity and potential price manipulation. Three types of signals can appear after the Liquidity Session:
"OK" Signal: Indicates that the market does not present significant volatility risks when prices remain within relatively stable boundaries.
"STOP" Signal: Triggered when a liquidity zone breakout is detected. This signal warns traders of a potential increase in volatility or a possible market reversal.
"Flat Market" Signal: Displayed when the market is consolidated, with reduced volatility. This may indicate a flat or range-bound market with no clear trend.
The signals are displayed above the candles at a distance of three times the candle height to improve visibility. The colors of these signals are also customizable.
3. Fair Value Gaps (FVG)
Fair Value Gaps (FVG) are imbalance zones in the market, where prices have moved quickly without retracing to fill the gap. These zones can indicate levels where price might potentially return to "fill" the gap, providing interesting entry or exit points for traders.
Bullish FVG: Indicates an upward gap (when demand exceeds supply). Displayed in blue by default.
Bearish FVG: Indicates a downward gap (when supply exceeds demand). Displayed in red by default.
FVGs are detected only during the US Kill Zone, providing analysis opportunities specific to this crucial liquidity period. FVG zones are displayed as semi-transparent boxes, and the number of displayed zones is limited to avoid overloading the chart.
4. Exponential Moving Averages (EMAs)
The indicator includes three customizable Exponential Moving Averages (EMAs), which allow traders to track trends over different time horizons:
EMA 1: Defaulted to the Daily (D) timeframe with a length of 200, displayed in blue with 20% opacity.
EMA 2: Defaulted to the 4-hour (4H) timeframe with a length of 200, displayed in red with 20% opacity.
EMA 3: Defaulted to the 15-minute (15m) timeframe with a length of 200, displayed in green with 20% opacity.
Captain's BoxesThis indicator ties to a method of examining futures price action on an hourly timeframe popularized by "The Captain". This script was developed as an aid in cooperation with him for those that follow his work. In his videos that discuss examining hourly price action he refers to the "5-9 boxes". This is a price range in each hour that captures the high-low range of prices from the 5th to the 9th minute of each hour and suggests the viewer examine price in that hour relative to the 5-9 box. He also goes on to have the viewer examine price action from hour to hour relative to the prior hour's high, low and mid prices. All of this is an aid to determine whether price is ranging or trending hour to hour.
The script is actually two parts - the higher timeframe part (HTF) and the lower timeframe part (LTF). The HTF is the hourly box and by default is a dotted line box that shows the high, low and mid prices of that hour. The user can adjust several parameters of how that box appears in the settings. Note that some lines and shading of the hourly box is set to zero transparency by default so they do not show so if the user wishes to use them then the transparency and color must be set in the settings. The second part is the LTF that is defaulted to the "5-9" box. Each hourly box time is preset per how this indicator is intended to be used but the user has some flexibility in making changes to the time and where that box is enabled to be shown or not. Also the lines, shading etc. can be modified by the user.
I have also added the capability for the hourly box to be set to a 4 hour length. Should this be done then the user would need to uncheck the specific hourly 5-9 box times such that only one remains for that 4 hour period if they choose to use this.
A limitation of the indicator is that if the user chooses to modify the times of the 5-9 box it must be noted that the times cannot overlap or touch each other. If the user wishes to have times that overlap or touch then a second instance of the indicator should be placed on the chart to in effect enable this ability.
Another limitation of this script is that the chart timeframe needs to be a evenly divisible into the length of the 5-9 box. Thus, for the default use of this script as a 5th-9th minute box, the chart timeframe should be no greater than 5 minutes (the size of the default settings of the LTF 5-9 box is 5 minutes) and the chart timeframe if less than 5 minutes needs to be evenly divisible into the box size. This leaves for example a 1 minute, 30 seconds, 10 seconds etc. timeframe required. The results if a chart timeframe is not divisible into the box size will not be what is expected for the box time and price range.
Babil34 RSIBabil34 RSI göstergesi, fiyat hareketlerini analiz etmek için Jurik RSX algoritmasına dayalı bir yapı sunar. Bu gösterge, klasik RSI'den farklı olarak, fiyat dalgalanmalarına daha hızlı tepki verecek şekilde yumuşatılmış bir yaklaşım kullanır. Aşırı alış (85) ve aşırı satış (15) seviyeleri ile yatırımcıya trendin potansiyel dönüş noktaları hakkında bilgi sağlar.
Özellikler:
Aşırı Alış ve Aşırı Satış Bölgeleri: Kullanıcının tanımladığı seviyelerde renklendirilmiş sinyaller ile desteklenir.
Renk Kodlaması: Fiyatın aşırı alış bölgesinde yeşil, aşırı satış bölgesinde kırmızı ve nötr durumda özel bir renk ile gösterim yapılır.
Seviye Vurgulama: Aşırı alış ve satış bölgelerinde ek renk vurguları ile dikkat çekici hale getirilmiştir.
Kullanıcı Tanımlı Ayarlar: Aşırı alış/satış seviyeleri ve zaman periyodu kullanıcı tarafından özelleştirilebilir.
Bu gösterge, trendin gücünü ve momentumunu analiz etmek isteyen yatırımcılar için tasarlanmıştır. Özellikle, fiyatın aşırı alım ya da aşırı satım bölgelerinde olduğu durumlarda potansiyel dönüş sinyalleri verir. Babil34 RSI göstergesini stratejinize ekleyerek, fiyat hareketlerini daha yakından analiz edebilir ve potansiyel giriş/çıkış noktalarını belirleyebilirsiniz.
Trade Management RulesThis script is a visual reminder of the user’s trade management rules, displayed on the left side of the Trading View chart. The purpose is to have these guidelines visible at all times while trading, helping the user stay disciplined.
Previous Day's CloseThis indicator plots a line from yesterday's intraday close till the en d of today's session.
MACD Histogram Fibonacci Retracement LevelsMACD Histogram Fibonacci Retracement Level s.
MACD Histogram Fibonacci Retracement Levels indicator considers the highest and lowest histogram bar levels from Intraday Day Open.
Fibonacci retracement levels 23.6%, 38.2%, 50%, 61.8%, and 78.6% are displayed for the Highest and Lowest histogram bar .As the day progress revised Fibonacci Retracement Levels are set in based on change in Highest and Lowest histogram bar levels.
Histogram bars positions are monitored vis a vis the Fibonacci Retracement Levels to plan the trade entry or exit as per MACD indicator.
MACD and Signal levels are opted out to get clear histogram bar image on chart. Input check in box is available to display MACD and signal lines at Users option.
A Histogram intraday average line (Histo Intra Avg) indicate the intraday average movement of histogram bars.
MACD Histogram Fibonacci Retracement Levels is very useful to know the level of upward and downward Histogram bar movements vis a vis Fibonacci Retracement Levels compared to general MACD Indicator Histogram levels.
DISCLAIMER: For educational and entertainment purpose only .Nothing in this content should be interpreted as financial advice or a recommendation to buy or sell any sort of security/ies or investment/s.
Dynamic Linear CandlesDynamic Linear Candles is a unique and versatile indicator that reimagines traditional candlestick patterns by integrating customizable moving averages directly into candle structures. This dynamic approach smooths the appearance of candlesticks to better highlight trends and suppress minor market noise, allowing traders to focus on essential price movements.
Key Features:
1. Dynamic Candle Smoothing: Choose between popular smoothing types (SMA, EMA, WMA, HMA) to apply directly to each candle’s Open, High, Low, and Close values. This adaptive smoothing reveals hidden trends by refining price action into simplified, flowing candles, ideal for spotting subtle changes in market sentiment.
2. Signal Line Overlay: The signal line provides an additional layer of trend confirmation. Select from SMA, EMA, WMA, or HMA smoothing to match your trading style. The line dynamically changes color based on the price’s relative position, helping traders quickly identify bullish or bearish shifts.
3. Enhanced Candle Visualization: Candles adjust in color and opacity based on bullish or bearish trends, providing immediate visual cues about market momentum. The customized color and opacity settings allow for clearer distinction, especially in noisy markets.
Why This Combination?
This script is more than just an aesthetic adjustment; it’s a purposeful combination of moving averages and candle smoothing designed to enhance readability and actionable insights. Traditional candles often suffer from excessive noise in volatile markets, and this mashup addresses that by creating a smooth, flowing chart that adapts to the underlying trend. The Signal Line adds confirmation, acting as a filter for potential entries and exits. Together, these elements serve as a concise toolset for traders aiming to capture trend-based opportunities with clarity and precision.
Zones by RajeshThis T "Zones by Rajesh," creates a visual representation of high and low zones based on the Average Daily Range (ADR) for the past 5 and 10 days. This script can be useful for identifying potential support and resistance zones around the opening price for each trading day.
How to Use the Indicator:
Identify Support and Resistance Zones:
The filled zones visually show where the price might find support (green) or resistance (red) based on historical price action over the last 5 and 10 days.
Trading Strategies:
Range Bound Trading: When prices enter the filled zones, it can be a signal that price may encounter support or resistance.
Breakout Signals: Price breaking above or below these zones can indicate potential for a continued trend in that direction.
Risk Management:
The zones offer a reference for setting stop-loss and take-profit levels, as the ADR gives a statistically calculated boundary based on recent price movement.
This indicator is versatile for intraday trading setups, particularly for identifying potential reversal or breakout zones around the day's opening price.
Global OECD CLI Diffusion Index YoY vs MoMThe Global OECD Composite Leading Indicators (CLI) Diffusion Index is used to gauge the health and directional momentum of the global economy and anticipate changes in economic conditions. It usually leads turning points in the economy by 6 - 9 months.
How to read: Above 50% signals economic expansion across the included countries. Below 50% signals economic contraction.
The diffusion index component specifically shows the proportion of countries with positive economic growth signals compared to those with negative or neutral signals.
The OECD CLI aggregates data from several leading economic indicators including order books, building permits, and consumer and business sentiment. It tracks the economic momentum and turning points in the business cycle across 38 OECD member countries and several other Non-OECD member countries.