Trend Counter [BigBeluga]The Trend Counter  indicator is designed to help traders identify trend conditions and potential reversals by counting the number of bars within a specified period that are above or below an average price level. By smoothing and averaging these counts, the indicator provides a clear visual representation of market trends and highlights key trend changes.
 Key Features: 
⦾  Trend Counting: 
Counts bars above and below average price levels over a specified period.
Smooths and rounds the count for better visualization.
 
// Count bars over length period above highest and lowest avg with offset loop
float mid = math.avg(ta.highest(length), ta.lowest(length))
for offset = 0 to length -1
    switch
        hl2 > mid  => counter += 1.0
        => counter := 0.0
// Smooth Count and Round
counter := math.round(ta.ema(counter > 400 ? 400 : counter, smooth))
// Count Avg
count.push(counter)
avg = math.round(count.avg())
 
⦿  Color Indication: 
Uses gradient colors to indicate the strength of the trend.
Colors the background based on trend strength for easier interpretation.
  
⦿  Trend Signals: 
Provides visual cues for trend changes based on the counter crossing predefined levels.
  
⦿  Potential Tops: 
Identifies potential market tops using a specified length and highlights these levels.
  
⦿  Additional Features: 
Displays Trend Counter value with arrows to indicate the direction of the trend movement.
Displays average trend count and level for reference.
  
⦿  User Inputs Description 
 
 Length: Defines the period over which the trend counting is performed.
 Trend Counter Smooth: Specifies the smoothing period for the trend counter.
 Level: Sets the threshold level for trend signals.
 Main Color: Determines the primary color for trend indication.
 
The Trend Counter indicator is a powerful tool for traders seeking to identify and visualize market trends. 
By counting and smoothing price bars above and below average levels, it provides clear and intuitive signals for trend strength and potential reversals. 
With customizable parameters and visual cues, the Trend Counter enhances trend analysis and decision-making for traders of all levels.
Forecasting
Liquidity Squeeze Indicator 1The provided Pine Script code implements a "Liquidity Squeeze Indicator" in TradingView, designed to detect potential bullish or bearish market squeezes based on EMA slopes, candle wicks, and body sizes.
Code Breakdown
 EMAs Calculation:  Calculates the 21-period (ema_21) and 50-period (ema_50) exponential moving averages (EMAs) on closing prices.
 EMA Slope Calculation:  Computes the slope of the 21-period EMA over a 21-period lookback to estimate trend direction, with a threshold of 0.45 to approximate a 45-degree angle.
 Candle Properties:  Measures the size of the candle's body and its upper and lower wicks for comparison to detect wick-to-body ratios.
 Trend Identification:  Defines a bullish trend when ema_21 is above ema_50 and a bearish trend when ema_21 is below ema_50.
Wick Conditions
 Bullish Condition : In a bullish trend with the EMA slope up, checks if the upper wick is at least 3x the body size and the closing price is above the 21 EMA.
 Bearish Condition:  In a bearish trend with the EMA slope down, checks if the lower wick is at least 3x the body size and the closing price is below the 21 EMA.
 Signal Plotting:  Plots a green dot above the bar for bullish signals and a red dot below the bar for bearish signals.
 Alerts:  Defines alert conditions for both bullish and bearish signals, providing specific alert messages when conditions are met.
Summary
This indicator helps identify potential bullish or bearish liquidity squeezes by looking at trends, EMA slopes, and wick-to-body ratios in candlesticks. The primary signals are visualized through dots on the chart and can trigger alerts for notable market conditions.
Colored Moving Averages With RSI SignalsMoving Average (MA):
Helps to determine the overall market trend. If the price is above the MA, it may indicate an uptrend, and if below, a downtrend.
In this case, a Simple Moving Average (SMA) is used, but other types can be applied as well.
Relative Strength Index (RSI):
This is an oscillator that measures the speed and changes of price movements.
Values above 70 indicate overbought conditions (possible sell signal), while values below 30 indicate oversold conditions (possible buy signal).
Purpose of This Indicator:
Trading Signals: The indicator generates "Buy" and "Sell" signals based on the intersection of the price line and the moving average, as well as RSI values. This helps traders make more informed decisions.
Signal Filtering: Using RSI in combination with MA allows for filtering false signals since it considers not only the current trend but also the state of overbought or oversold conditions.
How to Use:
For Short-Term Trading: Traders can use buy and sell signals to enter trades based on short-term market fluctuations.
In Combination with Other Indicators: It can be combined with other indicators for a more comprehensive analysis (e.g., adding support and resistance levels).
Overall, this indicator helps traders respond more quickly and accurately to changes in market conditions, enhancing the chances of successful trades.
Basic RSI Strategy with MFI Description: This Pine Script is a custom trading strategy that combines the power of the RSI (Relative Strength Index) and MFI (Money Flow Index) indicators with additional signal filters and a user-friendly dashboard. The strategy is designed to identify potential entry and exit points based on dynamic conditions, providing an advanced approach to technical analysis and decision-making in trading.
Key Features:
RSI-Based Signals:
Generates buy signals when the RSI-based moving average crosses above specific thresholds (29 and 50).
Generates sell signals when the RSI-based moving average crosses below specific thresholds (50 and 69).
MFI Filtering:
Signals are validated only if the MFI value is within the specified range of 20 to 80, ensuring that signals are generated only when market conditions are favorable.
Dynamic Signal Thresholds:
The script includes adjustable thresholds for the percentage difference between consecutive bars, as well as the range between high and low prices, to refine signal accuracy.
Dashboard:
Displays real-time statistics in the top right corner of the chart, including the total number of signals, the count of buy and sell signals, and the time duration over which these signals were generated.
How to Use:
Settings: Customize the RSI and MFI lengths, along with thresholds for price movement and MFI range. This flexibility allows the strategy to be tailored to different market conditions and timeframes.
Dashboard Insight: Track the strategy's performance in real-time, with an intuitive overview of generated signals and their time distribution on the chart.
Ideal For:
This script is suitable for traders seeking a robust, customizable, and real-time signal generation strategy that combines momentum and volume indicators. The strategy’s unique filtering mechanism provides a higher level of precision, making it an excellent tool for those who prioritize signal accuracy and clarity.
Fibonacci Buy /Sell SignalsHere is a Fibonacci-based Buy/Sell Indicator using retracement levels for potential support and resistance zones. This indicator plots Fibonacci levels and provides buy/sell signals based on price interaction with these levels.
Fibonacci Levels:
Highest high and lowest low over the lookback period.
Key levels: 38.2% (retracement), 50% (midpoint), 61.8% (strong retracement).
Buy Signal: When the price crosses above the 61.8% Fibonacci level (bullish).
Sell Signal: When the price crosses below the 38.2% Fibonacci level (bearish).
Range Detection [No Repaint]DETECTS RANGE EARLY
Using Confirmed Data:
All calculations now use   to reference the previous completed candle
Signals are only generated based on completed candles
Range state is stored and confirmed before displaying
Key Changes to Prevent Repainting:
ATR calculations use previous candle data
Bollinger Bands calculate from previous closes
Price range checks use previous highs and lows
Range state is confirmed before displaying
How to Verify No Repainting:
Signals will only appear after a candle closes
Historical signals will remain unchanged
Alerts will only trigger on confirmed changes
This means:
The indicator will be slightly delayed (one candle)
But signals will be more reliable
Historical analysis will be accurate
Backtesting results will match real-time performance
Usage Tips with No-Repaint Version:
Wait for candle close before acting on signals
Use the confirmed range state for decision making
Consider the one-candle delay in your strategy timing
Alerts will only trigger on confirmed condition changes
Would you like me to:
Add a parameter to choose between real-time and no-repaint modes?
Add visual indicators for pending vs confirmed signals?
Modify the sensitivity of the range detection?
Weierstrass Function (Fractal Cycles)THE WEIERSTRASS FUNCTION 
 f(x) = ∑(n=0)^∞ a^n * cos(b^n * π * x) 
The Weierstrass Function is the sum of an infinite series of cosine functions, each with increasing frequency and decreasing amplitude. This creates powerful multi-scale oscillations within the range ⬍(-2;+2), resembling a system of self-repetitive patterns. You can zoom into any part of the output and observe similar proportions, mimicking the hidden order behind the irregularity and unpredictability of financial markets.
IT DOESN’T RELY ON ANY MARKET DATA, AS THE OUTPUT IS BASED PURELY ON A MATHEMATICAL FORMULA!
This script does not provide direct buy or sell signals and should be used as a tool for analyzing the market behavior through fractal geometry. The function is often used to model complex, chaotic systems, including natural phenomena and financial markets.
APPLICATIONS:
 
  Timing Aspect: Identifies the phases of market cycles, helping to keep awareness of frequency of turning points 
  Price-Modeling features: The Amplitude, frequency, and scaling settings allow the indicator to simulate the trends and oscillations. Its nowhere-differentiable nature aligns with the market's inherent uncertainty. The fractured oscillations resemble sharp jumps, noise, and dips found in volatile markets. 
 
SETTINGS
Amplitude Factor (a): Controls the size of each wave. A higher value makes the waves larger.
Frequency Factor (b): Determines how fast the waves oscillate. A higher value creates more frequent waves.
Ability to Invert the output: Just like any cosine function it starts its journey with a decline, which is not distinctive to the behavior of most assets. The default setting is in "inverted mode".
Scale Factor: Adjusts the speed at which the oscillations grow over time.
Number of Terms (n_terms): Increases the number of waves. More terms add complexity to the pattern.
ICT Master Suite [Trading IQ]Hello Traders!
We’re excited to introduce the ICT Master Suite by TradingIQ, a new tool designed to bring together several ICT concepts and strategies in one place.
 The Purpose Behind the ICT Master Suite 
There are a few challenges traders often face when using ICT-related indicators:
  
 Many available indicators focus on one or two ICT methods, which can limit traders who apply a broader range of ICT related techniques on their charts. 
 There aren't many indicators for ICT strategy models, and we couldn't find ICT indicators that allow for testing the strategy models and setting alerts. 
 Many ICT related concepts exist in the public domain as indicators, not strategies! This makes it difficult to verify that the ICT concept has some utility in the market you're trading and if it's worth trading - it's difficult to know if it's working!
 Some users might not have enough chart space to apply numerous ICT related indicators, which can be restrictive for those wanting to use multiple ICT techniques simultaneously. 
 
The ICT Master Suite is designed to offer a comprehensive option for traders who want to apply a variety of ICT methods. By combining several ICT techniques and strategy models into one indicator, it helps users maximize their chart space while accessing multiple tools in a single slot. 
Additionally, the ICT Master Suite was developed as a  strategy . This means users can backtest various ICT strategy models - including deep backtesting. A primary goal of this indicator is to let traders decide for themselves what markets to trade ICT concepts in and give them the capability to figure out if the strategy models are worth trading!
 What Makes the ICT Master Suite Different 
There are many ICT-related indicators available on TradingView, each offering valuable insights. What the ICT Master Suite aims to do is bring together a wider selection of these techniques into one tool. This includes both key ICT methods and strategy models, allowing traders to test and activate strategies all within one indicator.
 Features 
The ICT Master Suite offers:
Multiple ICT strategy models, including the 2022 Strategy Model and Unicorn Model, which can be built, tested, and used for live trading.
Calculation and display of key price areas like Breaker Blocks, Rejection Blocks, Order Blocks, Fair Value Gaps, Equal Levels, and more.
The ability to set alerts based on these ICT strategies and key price areas.
A comprehensive, yet practical, all-inclusive ICT indicator for traders.
 
 Customizable Timeframe - Calculate ICT concepts on off-chart timeframes
 Unicorn Strategy Model
 2022 Strategy Model 
 Liquidity Raid Strategy Model
 OTE (Optimal Trade Entry) Strategy Model 
 Silver Bullet Strategy Model 
 Order blocks
 Breaker blocks 
 Rejection blocks 
 FVG 
 Strong highs and lows 
 Displacements 
 Liquidity sweeps 
 Power of 3
 ICT Macros
 HTF previous bar high and low
 Break of Structure indications
 Market Structure Shift indications
 Equal highs and lows
 Swings highs and swing lows
 Fibonacci TPs and SLs
 Swing level TPs and SLs
 Previous day high and low TPs and SLs
 And much more! An ongoing project!
 
 How To Use 
Many traders will already be familiar with the ICT related concepts listed above, and will find using the ICT Master Suite quite intuitive!
Despite this, let's go over the features of the tool in-depth and how to use the tool!
  
The image above shows the ICT Master Suite with almost all techniques activated.
 ICT 2022 Strategy Model 
The ICT Master suite provides the ability to test, set alerts for, and live trade the ICT 2022 Strategy Model. 
  
The image above shows an example of a long position being entered following a complete setup for the 2022 ICT model.
A liquidity sweep occurs prior to an upside breakout. During the upside breakout the model looks for the FVG that is nearest 50% of the setup range. A limit order is placed at this FVG for entry. 
The target entry percentage for the range is customizable in the settings. For instance, you can select to enter at an FVG nearest 33% of the range, 20%, 66%, etc.
The profit target for the model generally uses the highest high of the range (100%) for longs and the lowest low of the range (100%) for shorts. Stop losses are generally set at 0% of the range. 
  
The image above shows the short model in action!
Whether you decide to follow the 2022 model diligently or not, you can still set alerts when the entry condition is met.
 ICT Unicorn Model 
  
The image above shows an example of a long position being entered following a complete setup for the ICT Unicorn model.
A lower swing low followed by a higher swing high precedes the overlap of an FVG and breaker block formed during the sequence. 
During the upside breakout the model looks for an FVG and breaker block that formed during the sequence and overlap each other. A limit order is placed at the nearest overlap point to current price.
The profit target for this example trade is set at the swing high and the stop loss at the swing low. However, both the profit target and stop loss for this model are configurable in the settings.
For Longs, the selectable profit targets are:
 
 Swing High
 Fib -0.5 
 Fib -1
 Fib -2 
 
For Longs, the selectable stop losses are:
 
 Swing Low
 Bottom of FVG or breaker block
 
  
The image above shows the short version of the Unicorn Model in action!
For Shorts, the selectable profit targets are:
 
 Swing Low
 Fib -0.5 
 Fib -1
 Fib -2 
 
For Shorts, the selectable stop losses are:
 
 Swing High
 Top of FVG or breaker block
 
  
The image above shows the profit target and stop loss options in the settings for the Unicorn Model. 
 Optimal Trade Entry (OTE) Model 
  
The image above shows an example of a long position being entered following a complete setup for the OTE model.
Price retraces either 0.62, 0.705, or 0.79 of an upside move and a trade is entered.
The profit target for this example trade is set at the -0.5 fib level. This is also adjustable in the settings. 
For Longs, the selectable profit targets are:
 
 Swing High
 Fib -0.5 
 Fib -1
 Fib -2 
 
  
The image above shows the short version of the OTE Model in action!
For Shorts, the selectable profit targets are:
 
 Swing Low
 Fib -0.5 
 Fib -1
 Fib -2 
 
 Liquidity Raid Model 
  
The image above shows an example of a long position being entered following a complete setup for the Liquidity Raid Modell.
The user must define the session in the settings (for this example it is 13:30-16:00 NY time).
During the session, the indicator will calculate the session high and session low. Following a “raid” of either the session high or session low (after the session has completed) the script will look for an entry at a recently formed breaker block.
If the session high is raided the script will look for short entries at a bearish breaker block. If the session low is raided the script will look for long entries at a bullish breaker block.
For Longs, the profit target options are:
 
 Swing high
 User inputted Lib level
 
For Longs, the stop loss options are:
 
 Swing low 
 User inputted Lib level
 Breaker block bottom
 
  
The image above shows the short version of the Liquidity Raid Model in action!
For Shorts, the profit target options are:
 
 Swing Low
 User inputted Lib level
 
For Shorts, the stop loss options are:
 
 Swing High
 User inputted Lib level
 Breaker block top
 
 Silver Bullet Model 
  
The image above shows an example of a long position being entered following a complete setup for the Silver Bullet Modell.
During the session, the indicator will determine the higher timeframe bias. If the higher timeframe bias is bullish the strategy will look to enter long at an FVG that forms during the session. If the higher timeframe bias is bearish the indicator will look to enter short at an FVG that forms during the session.
For Longs, the profit target options are:
 
 Nearest Swing High Above Entry
 Previous Day High
 
For Longs, the stop loss options are:
 
 Nearest Swing Low
 Previous Day Low
 
  
The image above shows the short version of the Silver Bullet Model in action!
For Shorts, the profit target options are:
 
 Nearest Swing Low Below Entry
 Previous Day Low
 
For Shorts, the stop loss options are:
 
 Nearest Swing High
 Previous Day High
 
 Order blocks 
  
The image above shows indicator identifying and labeling order blocks.
The color of the order blocks, and how many should be shown, are configurable in the settings!
 Breaker Blocks 
  
The image above shows indicator identifying and labeling order blocks.
The color of the breaker blocks, and how many should be shown, are configurable in the settings!
 Rejection Blocks 
  
The image above shows indicator identifying and labeling rejection blocks.
The color of the rejection blocks, and how many should be shown, are configurable in the settings!
 Fair Value Gaps 
  
The image above shows indicator identifying and labeling fair value gaps.
The color of the fair value gaps, and how many should be shown, are configurable in the settings!
Additionally, you can select to only show fair values gaps that form after a liquidity sweep. Doing so reduces "noisy" FVGs and focuses on identifying FVGs that form after a significant trading event. 
  
The image above shows the feature enabled. A fair value gap that occurred after a liquidity sweep is shown.
 Market Structure 
  
The image above shows the ICT Master Suite calculating market structure shots and break of structures!
The color of MSS and BoS, and whether they should be displayed, are configurable in the settings.
 Displacements 
  
  
The images above show indicator identifying and labeling displacements.
The color of the displacements, and how many should be shown, are configurable in the settings!
 Equal Price Points 
  
The image above shows the indicator identifying and labeling equal highs and equal lows.
The color of the equal levels, and how many should be shown, are configurable in the settings!
 Previous Custom TF High/Low 
  
The image above shows the ICT Master Suite calculating the high and low price for a user-defined timeframe. In this case the previous day’s high and low are calculated.
  
To illustrate the customizable timeframe function, the image above shows the indicator calculating the previous 4 hour high and low. 
 Liquidity Sweeps 
  
The image above shows the indicator identifying a liquidity sweep prior to an upside breakout.
  
The image above shows the indicator identifying a liquidity sweep prior to a downside breakout.
The color and aggressiveness of liquidity sweep identification are adjustable in the settings!
 Power Of Three 
  
The image above shows the indicator calculating Po3 for two user-defined higher timeframes!
 Macros 
  
The image above shows the ICT Master Suite identifying the ICT macros!
ICT Macros are only displayable on the 5 minute timeframe or less.
 Strategy Performance Table 
In addition to a full-fledged TradingView backtest for any of the ICT strategy models the indicator offers, a quick-and-easy strategy table exists for the indicator!
  
The image above shows the strategy performance table in action.
Keep in mind that, because the ICT Master Suite is a strategy script, you can perform fully automatic backtests, deep backtests, easily add commission and portfolio balance and look at pertinent metrics for the ICT strategies you are testing!
 Lite Mode 
Traders who want the cleanest chart possible can toggle on “Lite Mode”!
  
In Lite Mode, any neon or “glow” like effects are removed and key levels are marked as strict border boxes. You can also select to remove box borders if that’s what you prefer!
 Settings Used For Backtest 
For the displayed backtest, a starting balance of $1000 USD was used. A commission of 0.02%, slippage of 2 ticks, a verify price for limit orders of 2 ticks, and 5% of capital investment per order.
A commission of 0.02% was used due to the backtested asset being a perpetual future contract for a crypto currency. The highest commission (lowest-tier VIP) for maker orders on many exchanges is 0.02%. All entered positions take place as maker orders and so do profit target exits. Stop orders exist as stop-market orders.
A slippage of 2 ticks was used to simulate more realistic stop-market orders. A verify limit order settings of 2 ticks was also used. Even though BTCUSDT.P on Binance is liquid, we just want the backtest to be on the safe side. Additionally, the backtest traded 100+ trades over the period. The higher the sample size the better; however, this example test can serve as a starting point for traders interested in ICT concepts.
 Community Assistance And Feedback 
Given the complexity and idiosyncratic applications of ICT concepts amongst its proponents, the ICT Master Suite’s built-in strategies and level identification methods might not align with everyone's interpretation. 
That said, the best we can do is precisely define ICT strategy rules and concepts to a repeatable process, test, and apply them! Whether or not an ICT strategy is trading precisely how you would trade it, seeing the model in action, taking trades, and with performance statistics is immensely helpful in assessing predictive utility.
If you think we missed something, you notice a bug, have an idea for strategy model improvement, please let us know! The ICT Master Suite is an ongoing project that will, ideally, be shaped by the community.
A big thank you to the @PineCoders for their Time Library!
Thank you!
Memecoin TrackerMemecoin Z-Score Tracker with Buy/Sell Table - Technical Explanation
 
How it Works:
This indicator calculates the Z-scores of various memecoins based on their price movements, using historical funding rates across multiple exchanges. A Z-score measures the deviation of the current price from its moving average, expressed in standard deviations. This provides insight into whether a coin is overbought (positive Z-score) or oversold (negative Z-score) relative to its recent history.
 Key Components: 
- Z-Score Calculation
- The lookback period is dynamically adjusted based on the chart’s timeframe to ensure consistency across different time intervals:
- For lower timeframes (e.g., minutes), the base lookback period is scaled to match approximately 240 minutes.
- For daily and higher timeframes, the base lookback period is fixed (e.g., 14 bars).
 Memecoin Selection: 
The indicator tracks several popular memecoins, including DOGE, SHIB, PEPE, FLOKI, and others.
Funding rates are fetched from exchanges like Binance, Bybit, and MEXC using the request.security() function, ensuring accurate real-time price data.
 Thresholds for Buy/Sell Signals: 
Users can set custom Z-score thresholds for buy (oversold) and sell (overbought) signals:
Default upper threshold: 2.5 (indicates overbought condition).
Default lower threshold: -2.5 (indicates oversold condition).
When a memecoin’s Z-score crosses above or below these thresholds, it signals potential buy or sell conditions.
 Buy/Sell Table: 
A table with two columns (BUY and SELL) is dynamically populated with memecoins that are currently oversold (buy signal) or overbought (sell signal).
Each column can hold up to 20 entries, providing a clear overview of current market opportunities.
 Visual Feedback: 
The Z-scores of each memecoin are plotted as a line on the chart, with color-coded feedback:
Red for overbought (Z-score > upper threshold),
Green for oversold (Z-score < lower threshold),
Other colors indicate neutral conditions.
Horizontal lines representing the upper and lower thresholds are plotted for reference.
How to Use It:
 Adjust Thresholds: 
You can modify the upper and lower Z-score thresholds in the settings to customize sensitivity. Lower thresholds will increase the likelihood of triggering buy/sell signals for smaller price deviations, while higher thresholds will focus on more extreme conditions.
View Real-Time Signals:
The table shows which memecoins are currently oversold (buy column) or overbought (sell column), updating dynamically as price data changes. Traders can monitor this table to identify trading opportunities quickly.
 Use with Different Timeframes: 
The Z-score lookback period adjusts automatically based on the chart's timeframe, making this indicator suitable for intraday and long-term traders.
Use shorter timeframes (e.g., 1-minute, 5-minute charts) for faster signals, while longer timeframes (e.g., daily, weekly) may yield more stable, trend-based signals.
 Who It Is For: 
Short-Term Traders: Those looking to capitalize on short-term price imbalances (e.g., day traders, scalpers) can use this indicator to identify quick buy/sell opportunities as memecoins oscillate around their moving averages.
Swing Traders: Swing traders can use the Z-score tracker to identify overbought or oversold conditions across multiple memecoins and ride the reversals back toward equilibrium.
Crypto Enthusiasts and Memecoin Investors: Anyone involved in the volatile memecoin market can use this tool to better time entries and exits based on market extremes.
This indicator is for traders seeking quantitative analysis of price extremes in memecoins. By tracking the Z-scores across multiple coins and dynamically updating buy/sell opportunities in a table, it provides a systematic approach to identifying trade setups.
ICT Panther (By Obicrypto) V1    ICT Panther Indicator: Full and Detailed Description
The   ICT Panther Indicator, created by Obicrypto, is an advanced technical analysis tool designed specifically for traders looking to identify key price action events based on institutional trading techniques, particularly in the context of the   Inner Circle Trader (ICT)   methodology. This indicator helps traders spot market structure breaks, order blocks, and potential trade opportunities driven by institutional behaviors in the market. Here's a detailed breakdown of its features and how it works:
    What Does the ICT Panther Indicator Do?
1.   Market Structure Breaks (MSB) Identification:  
   The ICT Panther identifies critical points where the market changes direction, commonly referred to as a break of structure (BoS). When the price breaks above or below certain key levels (based on highs and lows or opens and closes), it signals a potential shift in market sentiment. These break-of-structure points are essential for traders to determine whether the market is likely to continue its trend or reverse.
2.   Order Blocks Visualization:  
   The indicator plots demand (bullish)   and supply (bearish) boxes, which represent areas where institutional traders might place significant buy or sell orders. These zones, known as order blocks, are areas where the price tends to pause or reverse, giving traders key insights into potential entry and exit points. The indicator shows these areas graphically as colored boxes on the chart, which can be used to plan trades based on market structure and price action.
3.   Pivot Point Detection:  
   The ICT Panther identifies important pivot points by tracking higher highs and lower lows. These pivot points are critical in determining the strength of a trend and can help traders confirm the direction of the market. The indicator uses a unique algorithm to detect two levels of pivot points:
   -   First-Order Pivots: Major pivot points where the price makes notable highs and lows.
   -   Second-Order Pivots: Smaller pivot points, useful for detecting microtrends within the larger market structure.
4.   Bullish and Bearish Break of Structure Lines:  
   When a significant market structure break (BoS) occurs, the indicator will automatically draw red lines   (for bearish break of structure) and green lines (for bullish break of structure) at key price levels. These lines help traders quickly see where institutional moves have occurred in the past and where potential future price moves could originate from.
5.   Tested and Filled Boxes:  
   The ICT Panther also has a built-in mechanism to dim previously tested order blocks. When the price tests an order block (returns to a previous demand or supply zone), the box's color dims to indicate that the area has already been tested, reducing its significance. If the price fully fills an order block, the box stops plotting, providing a clear and clutter-free chart.
    Key Features
1.   Market Structure Break (MSB) Trigger:  
   - The indicator allows users to select between highs/lows or opens/closes as the trigger for market structure breaks. This flexibility lets traders adjust the indicator to suit their personal trading style or the behavior of specific assets.
2.   Order Block Detection and Visualization:  
   - The tool automatically plots bullish and bearish demand and supply boxes, representing institutional order blocks on the chart. These boxes provide visual cues for areas of potential price action, where institutional traders might be active. 
3.   Second-Order Pivot Highlighting:  
   - The ICT Panther offers an option to plot second-order pivots, highlighting smaller pivot points within the larger market structure. These pivots can be helpful for short-term traders who need to react to smaller price movements while still keeping the larger trend in mind.
4.   Box Test and Fill Delays:  
   - Users can configure delays for box tests and box fills, meaning the indicator will only mark a box as tested or filled after a certain number of bars. This prevents false signals and helps confirm that a zone is truly significant in the market.
5.   Customization and Visual Clarity:  
   - The indicator is highly customizable, allowing users to turn on or off various features like:
     - Displaying second-order pivots.
     - Highlighting candles that broke structure.
     - Plotting market structure broke lines.
     - Showing or hiding tested and filled demand boxes.
     - Setting custom delays for box testing and filling to suit different market conditions.
6.   Tested and Filled Order Block Visualization:  
   - The indicator visually adjusts the tested and filled order blocks, dimming tested zones and removing filled zones to avoid clutter on the chart. This ensures that traders can focus on active trading opportunities without distractions from historical data.
    How Does It Work?
1.   Detecting Market Structure Breaks (BoS):  
   - The indicator continuously tracks the market for key price action signals. When the price breaks through previous highs or lows (or opens and closes, depending on your selection), the indicator marks this as a break of structure. This is a critical signal used by institutional traders and retail traders alike to determine potential future price movements.
2.   Order Block Identification:  
   - Whenever a bullish break of structure occurs, the indicator plots a green demand box to show the area where institutional buyers might have placed significant orders. Similarly, for a bearish break of structure, it plots a red supply box representing areas where institutional sellers are active.
3.   Pivot Analysis and Tracking:  
   - As the market moves, the indicator continuously updates first-order and second-order pivot points based on highs and lows. These points help traders identify whether the market is trending or consolidating. Traders can use these pivot points in combination with the order blocks to make informed trading decisions.
4.   Box Testing and Filling:  
   - When the price retests an existing order block, the box dims to show it has been tested. If the price fully fills the box, it is no longer shown, which helps traders focus on the most relevant, untested order blocks.
    Benefits for Traders
-   Improved Decision-Making: With clear visuals and advanced logic based on institutional trading strategies, this indicator provides a deeper understanding of market structure and price action.
  
-   Reduced Clutter: The indicator intelligently manages the display of order blocks and pivot points, ensuring that traders focus only on the most relevant information.
-   Adaptability: Whether you are a swing trader or a day trader, the ICT Panther can be adjusted to fit your trading style, offering robust and flexible tools for tracking market structure and order blocks.
-   Institutional Edge: By identifying institutional-level order blocks and market structure breaks, traders using this indicator can trade in line with the strategies of large market participants.
    Who Should Use the ICT Panther Indicator?
This indicator is ideal for:
-   Crypto, Forex, and Stock Traders who want to incorporate institutional trading concepts into their strategies.
-   Technical Analysts looking for precise tools to measure the market structure and price action.
-   ICT Traders who follow the Inner Circle Trader methodology and want an advanced tool to automate and enhance their analysis.
-   Price Action Traders seeking a reliable indicator to track pivot points, order blocks, and market structure breaks.
The   ICT Panther Indicator is a powerful, versatile tool that brings institutional trading techniques to the fingertips of retail traders. Whether you are looking to identify key market structure breaks, order blocks, or crucial pivot points, this indicator offers detailed visualizations and customizable options to help you make more informed trading decisions. With its ability to track the activities of institutional traders, the ICT Panther Indicator equips traders with the insights needed to stay ahead of the market and trade with confidence.
With the ICT Panther Indicator, traders can follow the movements of institutional money, making it easier to predict market direction and capitalize on high-probability trading opportunities.
Enjoy it and share it with your friends!
EMA Distance & Sector InfoThis indicator provides insights into price trends relative to Exponential Moving Averages (EMAs) and displays sector/industry information about the asset. Below is a detailed explanation of its purpose and what it is designed to achieve:
Purpose of the Code
The indicator offers two key functionalities:
	1.	Analyzing Price Distance from Multiple EMAs:
	•	Helps traders understand how far the current price is from key EMAs, expressed as a percentage.
	•	Calculates average percentage distances over a specified period (default: 63 days) to spot consistent trends or mean reversion opportunities.
	•	Useful for trend-following strategies, allowing the trader to see when the price is above or below important EMAs (e.g., 9, 21, 50, 100, and 150-period EMAs).
	2.	Displaying Asset Sector and Industry Information:
	•	Displays the sector and industry of the asset being analyzed (e.g., Technology, Consumer Goods).
	•	Provides additional context when evaluating performance across a specific sector or comparing an asset to its peers.
Who Would Use This Indicator?
This indicator is particularly helpful for:
	1.	Swing Traders and Positional Traders:
	•	They can use it to track whether the price is trading significantly above or below critical EMAs, which often signals overbought/oversold conditions or trend strength.
	•	The average percentage distances help to identify momentum shifts or pullback opportunities.
	2.	Sector/Industry-Focused Investors:
	•	Understanding an asset’s sector and industry helps investors gauge how the asset fits into the broader market context.
	•	This is valuable for sector rotation strategies, where investors shift funds between sectors based on performance trends.
How It Helps in Trading Decisions
	1.	Entry and Exit Points:
	•	If the price is far above an EMA (e.g., 21 EMA), it might indicate an overbought condition or a strong trend, while a negative percentage could signal a pullback or reversal opportunity.
	•	The average percentage distances smooth the fluctuations and reveal longer-term trends.
	2.	Contextual Information:
	•	Knowing the sector and industry is useful when analyzing trends. For example, if Technology stocks are doing well, and this asset belongs to that sector, it could indicate sector-wide momentum.
Summary of the Indicator’s Purpose
This code provides:
	•	EMA trend monitoring: Visualizes the price position relative to multiple EMAs and averages those distances for smoother insights.
	•	Sector and industry information: Adds valuable context for asset performance analysis.
	•	Decision-making support: Helps traders identify overbought/oversold levels and assess the asset within the broader market landscape.
In essence, this indicator is a multi-purpose tool that combines technical analysis (through EMA distances) with fundamental context (via sector/industry info), making it valuable for traders and investors aiming to time entries/exits or understand market behavior better.
Similar Price ActionDescription: 
The indicator tries to find an area of N candles in history that has the most similar price action to the latest N candles. The maximum search distance is limited to 5000 candles. It works by calculating a coefficient for each candle and comparing it with the coefficient of the latest candle, thus searching for two closest values. The indicator highlights the latest N candles, as well as the most similar area found in the past, and also tries to predict future price based on the latest price and price directly after the most similar area that was found in the past. 
 Inputs: 
- Length -> the area we are searching for is comprised of this many candles
- Lookback -> maximum distance in which a similar area can be found
- Function -> the function used to compare latest and past prices 
 Notes: 
- The indicator is intended to work on smaller timeframes where the overall price difference is not very high, but can be used on any
Macro Timeframes with Opening PriceDescription: Macro Timeframe Horizontal Line Indicator
This indicator highlights macro periods on the chart by drawing a horizontal line at the opening price of each macro period. The macro timeframe is defined as the last 10 minutes of an hour (from :50 to :00) and the first 10 minutes of the following hour (from :00 to :10).
A horizontal black line is plotted at the opening price of the macro period, starting at :50 and extending through the duration of the macro window. However, you can customize it however you see fit.
The background of the macro period is highlighted with a customizable color to visually distinguish the timeframe.
The horizontal line updates at each macro period, ensuring that the opening price for every macro session is accurately reflected on the chart.
This tool is useful for traders who want to track the behavior of price within key macro intervals and visually assess price movement and volatility during these periods.
ICT Professional Accumulation DistributionICT Professional Accumulation Distribution (ICT AD) provides a x-ray view into market accumulation and distribution. You can literally see the institutions at work.
The indicator consists of two cumulative lines derived from:
 
 Cumulative change from open to close
 Cumulative change from previous close to new open
 
By overlaying these two cumulative lines, you can detect real meaningful divergence that is narrative based not mathematically derived. You're seeing the real works of algorithms in play working in this area. 
These divergences are only useful at extremes (topping or bottoming formations), not while trending. It will probably confirm your suspicion about making a important high or low.
This works on all timeframes but is most impactful on the daily.
 How to use: 
Method 1:
 
 Enable the option for "Show Open vs Close."
 Calculate the shift by subtracting the "Open vs Close" line value from the ICT Accumulation/Distribution (AD) line value.
 Look for divergences between the two cumulative lines.
 
Method 2:
 
 Switch the chart's display mode to "Line View" (representing the Open vs Close).
 look for divergences between the line chart and the ICT AD line.
Altcoins vs BTC Market Cap HeatmapAltcoins vs BTC Market Cap Heatmap 
"Ground control to major Tom" 🌙 👨🚀 🚀
This indicator provides a visual heatmap for tracking the relationship between the market cap of altcoins (TOTAL3) and Bitcoin (BTC). The primary goal is to identify potential market cycle tops and bottoms by analyzing how the TOTAL3 market cap (all cryptocurrencies excluding Bitcoin and Ethereum) compares to Bitcoin’s market cap.
 Key Features: 
• Market Cap Ratio: Plots the ratio of TOTAL3 to BTC market caps to give a clear visual representation of altcoin strength versus Bitcoin.
• Heatmap: Colors the background red when altcoins are overheating (TOTAL3 market cap equals or exceeds BTC) and blue when altcoins are cooling (TOTAL3 market cap is half or less than BTC).
• Threshold Levels: Includes horizontal lines at 1 (Overheated), 0.75 (Median), and 0.5 (Cooling) for easy reference.
• Alerts: Set alert conditions for when the ratio crosses key levels (1.0, 0.75, and 0.5), enabling timely notifications for potential market shifts.
 How It Works: 
• Overheated (Ratio ≥ 1): Indicates that the altcoin market cap is on par or larger than Bitcoin's, which could signal a top in the cycle.
• Cooling (Ratio < 0.5): Suggests that the altcoin market cap is half or less than Bitcoin's, potentially signaling a market bottom or cooling phase.
• Median (Ratio ≈ 0.75): A midpoint that provides insight into the market's neutral zone.
Use this tool to monitor market extremes and adjust your strategy accordingly when the altcoin market enters overheated or cooling phases.
NY Open Time Indicator (London Time)The NY Open Time Indicator is designed for traders who want to mark the opening time of the New York Stock Exchange (NYSE) on their charts, specifically for assets traded during the London session. This indicator plots a vertical line at 2:30 PM London time (UTC+1), representing the moment the NYSE opens for trading.
Features:
Time Zone Adjustment: Automatically adjusts to reflect the NY opening time based on London time, accounting for daylight saving changes.
Visual Cue: The vertical line serves as a clear visual marker, helping traders identify potential market movements and volatility around the NY open.
Customizable Appearance: The color and width of the vertical line can be adjusted in the script to fit individual preferences and chart styles.
Simplicity: Easy to implement and understand, making it suitable for both novice and experienced traders.
Use Cases:
Day Trading: Use this indicator to pinpoint significant market entry and exit points around the NY open, which is often a time of increased activity and volatility.
Market Analysis: Combine this indicator with other technical analysis tools to assess potential price movements and trends as the market opens.
Installation: Add this indicator to your TradingView chart and customize it to suit your trading strategy. (Public Code)
GDP Recession Indicator by USCG_Vet🌟 GDP Recession Indicator by USCG_Vet 🌟
📈 Overview
The GDP Recession Indicator is a comprehensive economic tool designed to help traders and investors anticipate potential recessions by analyzing key U.S. economic metrics. By consolidating multiple normalized economic indicators into a single, actionable signal, this indicator provides a clear and intuitive way to assess the health of the U.S. economy on a monthly basis.
 🔑 Key Features 
🔴 Red Line (GDP Discrepancy):
Represents the normalized value of GDP - (PCE + GCE + GPDI), capturing the core GDP components.
⚪ White Line (Signal Line):
A simple moving average of the consolidated indicator, serving as a dynamic threshold for recession signals.
🔵 Consolidated Indicator (Blue Line):
An optional line that aggregates multiple economic indicators for a holistic view.
 ✨ Customizable Visibility: 
By default, only the Red and White lines are displayed, ensuring a clean and focused chart. Additional indicators can be enabled as needed.
🔍 How It Works
📊 Data Normalization:
 Processes key economic metrics: 
GDP
Personal Consumption Expenditures (PCE)
Government Consumption Expenditures (GCE)
Gross Private Domestic Investment (GPDI)
US Private Debt Growth (USPDG)
US Government Debt Growth (USGDG)
US Balance of Trade (USBOT)
Personal Savings Rate (BEA)
Each metric is normalized using a z-score over a configurable period (default is 6 months), ensuring comparability and mitigating the impact of differing scales.
 🔗 Consolidation: 
Selected indicators are averaged to form a consolidated economic signal, providing a comprehensive view of economic trends.
📉 Signal Generation:
 Recession Signal:  
When the Red Line (GDP Discrepancy) crosses below the White Line (Signal Line), it indicates a potential downturn in the economy.
🛠️ How to Use the GDP Recession Indicator
➕ Adding the Indicator:
🔴 Red Line: Displays the normalized GDP Discrepancy (GDP - (PCE + GCE + GPDI)).
⚪ White Line: Shows the signal line derived from the consolidated indicator.
🔵 Blue Line and Other Indicators: Hidden by default for clarity. Enable them in the indicator settings if a more detailed analysis is desired.
 🔍 Interpreting the Signals: 
Recession Signal:
🔴 Red Line crosses below ⚪ White Line: Signals that the economy may be heading into a recession.  Indicates that the GDP Discrepancy is declining relative to the broader economic signals captured by the indicator.
📑 Confirmation:
Look for confirmation from other technical indicators or economic data to validate the recession signal.
 ⚙️ Customization: 
🕒 Normalization Period: Adjust the normalization period to suit different timeframes or sensitivity levels.
🔄 Indicator Visibility: Toggle the visibility of additional economic metrics (e.g., US Private Debt Growth, US Government Debt Growth) to tailor the indicator to your analytical needs.
🔵 Consolidated Indicator: Enable the blue line if you wish to view the aggregated economic signal alongside the primary signals.
 🎯 Benefits 
⏰ Early Warning System:
Provides timely signals that can help anticipate economic downturns, allowing for proactive portfolio adjustments.
 🏁 Conclusion 
The GDP Recession Indicator is a powerful tool for anyone looking to navigate the complexities of the economic landscape. By providing clear signals based on robust economic data, it empowers traders and investors to make informed decisions and better manage risk in anticipation of potential recessions.
First Heikin-Ashi Candle Tracker [CHE] First Heikin-Ashi Candle Tracker  
 "A Heikin-Ashi Candle Rarely Comes Alone" 
  1. Introduction 
 Fundamental Observation
- "A Heikin-Ashi Candle Rarely Comes Alone"
  - This principle highlights the tendency of Heikin-Ashi candles to appear in sequences, indicating sustained trends rather than isolated movements.
  - Recognizing these patterns can significantly enhance trading strategies by identifying stronger and more reliable entry points.
  2. Understanding Heikin-Ashi Candles 
 What Are Heikin-Ashi Candles?
- Heikin-Ashi is a type of candlestick chart used to identify market trends more clearly.
- Calculation Method:
  - Ha_Close: (Open + High + Low + Close) / 4
  - Ha_Open: (Previous Ha_Open + Previous Ha_Close) / 2
  - Ha_High: Maximum of High, Ha_Open, Ha_Close
  - Ha_Low: Minimum of Low, Ha_Open, Ha_Close
- Visual Differences:
  - Smoother appearance compared to traditional candlesticks.
  - Helps in filtering out market noise and highlighting the prevailing trend.
 Benefits of Heikin-Ashi Candles
- Trend Clarity: Easier identification of uptrends and downtrends.
- Reduced Noise: Minimizes the impact of insignificant price movements.
- Visual Appeal: Cleaner charts enhance decision-making processes.
  3. Introducing the First Heikin-Ashi Candle Tracker  [CHE ]
 Purpose of the Indicator
- Track First Heikin-Ashi Candles: Identifies the initial appearance of Heikin-Ashi candles across multiple timeframes.
- Enhance Trading Decisions: Provides visual cues for potential long and short entries based on trend confirmations.
 Key Features
- Multi-Timeframe Support: Monitor Heikin-Ashi candles across different timeframes (e.g., 240, 60, 30, 15 minutes).
- Customizable Visuals: Adjustable colors and line widths for better chart integration.
- User-Friendly Interface: Easy-to-configure settings tailored to individual trading preferences.
- Max Line Management: Controls the number of displayed lines to maintain chart clarity.
  4. How to Use the First Heikin-Ashi Candle Tracker  
 Step-by-Step Guide
1. Enable Desired Groups:
   - Activate up to four groups, each representing a different timeframe.
   - Customize each group's settings according to your trading strategy.
2. Configure Timeframes:
   - Select timeframes that align with your trading style (e.g., short-term vs. long-term).
3. Set Candle Types to Track:
   - Choose to monitor Both, Green (Bullish), or Red (Bearish) Heikin-Ashi candles.
   - Focus on specific candle types to streamline entry signals.
4. Customize Visual Indicators:
   - Adjust Green Line Color and Red Line Color for clear distinction.
   - Modify Line Width to ensure visibility without cluttering the chart.
5. Manage Line Limits:
   - Set the Max Number of Lines to prevent overcrowding.
   - The indicator will automatically remove the oldest lines when the limit is exceeded.
6. Interpret Signals:
   - Green Lines: Indicate potential Long entry points.
   - Red Lines: Indicate potential Short entry points.
   - Observe the sequence and frequency of candles to assess trend strength.
 Practical Example
- Uptrend Identification:
  - Consecutive green Heikin-Ashi candles with corresponding green lines signal a strong upward trend.
  - Consider entering a Long position when the first green candle appears.
- Downtrend Identification:
  - Consecutive red Heikin-Ashi candles with corresponding red lines signal a strong downward trend.
  - Consider entering a Short position when the first red candle appears.
  5. Benefits and Utility 
 Enhanced Trend Detection
- Early Signals: Identify the beginning of new trends promptly.
- Confirmation: Multiple timeframes provide robust confirmation of trend direction.
 Improved Entry Points
- Precision: Pinpoint optimal moments to enter trades, reducing the risk of false signals.
- Flexibility: Suitable for both Long and Short strategies across various markets.
 User-Friendly Operation
- Intuitive Settings: Easily configurable to match individual trading preferences.
- Visual Clarity: Clear lines and color-coding facilitate quick decision-making.
 Time Efficiency
- Automated Tracking: Saves time by automatically identifying and marking relevant candles.
- Multi-Timeframe Analysis: Consolidates information from different timeframes into a single view.
  6. Why Use the First Heikin-Ashi Candle Tracker  ? 
 Strategic Advantages
- Market Insight: Gain deeper understanding of market dynamics through Heikin-Ashi analysis.
- Risk Management: Improved entry points contribute to better risk-reward ratios.
- Versatility: Applicable to various trading instruments, including stocks, forex, and cryptocurrencies.
 Why Heikin-Ashi for Entries?
- Trend Reliability: Heikin-Ashi candles smooth out price data, providing more reliable trend indicators.
- Reduced Whipsaws: Fewer false signals compared to traditional candlestick charts.
- Clarity in Decision-Making: Simplifies the process of identifying and acting on market trends.
 Conclusion
- The First Heikin-Ashi Candle Tracker   is an essential tool for traders seeking to enhance their trend analysis and improve entry strategies.
- By leveraging the power of Heikin-Ashi candles, this indicator offers a clear, user-friendly approach to identifying profitable trading opportunities.
  7. Getting Started 
 Installation
1. Add the Indicator:
   - Open TradingView and navigate to the Pine Script editor.
   - Paste the translated Pine Script code for the First Heikin-Ashi Candle Tracker  .
   - Save and add the indicator to your chart.
2. Configure Settings:
   - Enable desired groups and set appropriate timeframes.
   - Customize colors and line widths as per your preference.
   - Adjust the maximum number of lines to maintain chart clarity.
3. Start Trading:
   - Monitor the chart for green and red lines indicating potential Long and Short entries.
   - Combine with other analysis tools for enhanced trading decisions.
 Support and Resources
- Documentation: Refer to the included comments within the Pine Script for detailed explanations.
- Community Forums: Join TradingView communities for tips and shared experiences.
- Customer Support: Reach out for assistance with installation or configuration issues.
  8. Disclaimer 
The content provided, including all code and materials, is strictly for educational and informational purposes only. It is not intended as, and should not be interpreted as, financial advice, a recommendation to buy or sell any financial instrument, or an offer of any financial product or service. All strategies, tools, and examples discussed are provided for illustrative purposes to demonstrate coding techniques and the functionality of Pine Script within a trading context.
Any results from strategies or tools provided are hypothetical, and past performance is not indicative of future results. Trading and investing involve high risk, including the potential loss of principal, and may not be suitable for all individuals. Before making any trading decisions, please consult with a qualified financial professional to understand the risks involved.
By using this script, you acknowledge and agree that any trading decisions are made solely at your discretion and risk.
Happy Trading!
Best regards
Chervolino (Volker)
Advanced Economic Indicator by USCG_VetAdvanced Economic Indicator by USCG_Vet 
tldr:
This comprehensive TradingView indicator combines multiple economic and financial metrics into a single, customizable composite index. By integrating key indicators such as the yield spread, commodity ratios, stock indices, and the Federal Reserve's QE/QT activities, it provides a holistic view of the economic landscape. Users can adjust the components and their weights to tailor the indicator to their analysis, aiding in forecasting economic conditions and market trends.
 Detailed Description 
Overview
The Advanced Economic Indicator is designed to provide traders and investors with a powerful tool to assess the overall economic environment. By aggregating a diverse set of economic indicators and financial market data into a single composite index, it helps identify potential turning points in the economy and financial markets.
 Key Features: 
Comprehensive Coverage: Includes 14 critical economic and financial indicators.
Customizable Components: Users can select which indicators to include.
Adjustable Weights: Assign weights to each component based on perceived significance.
Visual Signals: Clear plotting with threshold lines and background highlights.
Alerts: Set up alerts for when the composite index crosses user-defined thresholds.
 Included Indicators 
Yield Spread (10-Year Treasury Yield minus 3-Month Treasury Yield)
Copper/Gold Ratio
High Yield Spread (HYG/IEF Ratio)
Stock Market Performance (S&P 500 Index - SPX)
Bitcoin Performance (BLX)
Crude Oil Prices (CL1!)
Volatility Index (VIX)
U.S. Dollar Index (DXY)
Inflation Expectations (TIP ETF)
Consumer Confidence (XLY ETF)
Housing Market Index (XHB)
Manufacturing PMI (XLI ETF)
Unemployment Rate (Inverse SPY as Proxy)
Federal Reserve QE/QT Activities (Fed Balance Sheet - WALCL)
 How to Use the Indicator 
Configuring the Indicator:
Open Settings: Click on the gear icon (⚙️) next to the indicator's name.
Inputs Tab: You'll find a list of all components with checkboxes and weight inputs.
Including/Excluding Components
Checkboxes: Check or uncheck the box next to each component to include or exclude it from the composite index.
Default State: By default, all components are included.
Adjusting Component Weights:
Weight Inputs: Next to each component's checkbox is a weight input field.
Default Weights: Pre-assigned based on economic significance but fully adjustable.
Custom Weights: Enter your desired weight for each component to reflect your analysis.
Threshold Settings:
Bearish Threshold: Default is -1.0. Adjust to set the level below which the indicator signals potential economic downturns.
Bullish Threshold: Default is 1.0. Adjust to set the level above which the indicator signals potential economic upswings.
Setting the Timeframe:
Weekly Timeframe Recommended: Due to the inclusion of the Fed's balance sheet data (updated weekly), it's best to use this indicator on a weekly chart.
Changing Timeframe: Select 1W (weekly) from the timeframe options at the top of the chart.
Interpreting the Indicator:
Composite Index Line
Plot: The blue line represents the composite economic indicator.
Movement: Observe how the line moves relative to the threshold lines.
Threshold Lines
Zero Line (Gray Dotted): Indicates the neutral point.
Bearish Threshold (Red Dashed): Crossing below suggests potential economic weakness.
Bullish Threshold (Green Dashed): Crossing above suggests potential economic strength.
Background Highlights
Red Background: When the composite index is below the bearish threshold.
Green Background: When the composite index is above the bullish threshold.
No Color: When the composite index is between the thresholds.
 Understanding the Components 
1. Yield Spread
Description: The difference between the 10-year and 3-month U.S. Treasury yields.
Economic Significance: An inverted yield curve (negative spread) has historically preceded recessions.
2. Copper/Gold Ratio
Description: The price ratio of copper to gold.
Economic Significance: Copper is tied to industrial demand; gold is a safe-haven asset. The ratio indicates risk sentiment.
3. High Yield Spread (HYG/IEF Ratio)
Description: Ratio of high-yield corporate bonds (HYG) to intermediate-term Treasury bonds (IEF).
Economic Significance: Reflects investor appetite for risk; widening spreads can signal credit stress.
4. Stock Market Performance (SPX)
Description: S&P 500 Index levels.
Economic Significance: Broad measure of U.S. equity market performance.
5. Bitcoin Performance (BLX)
Description: Bitcoin Liquid Index price.
Economic Significance: Represents risk appetite in speculative assets.
6. Crude Oil Prices (CL1!)
Description: Front-month crude oil futures price.
Economic Significance: Influences inflation and consumer spending.
7. Volatility Index (VIX)
Description: Market's expectation of volatility (fear gauge).
Economic Significance: High VIX indicates market uncertainty; inverted in the indicator to align directionally.
8. U.S. Dollar Index (DXY)
Description: Value of the U.S. dollar relative to a basket of foreign currencies.
Economic Significance: Affects international trade and commodity prices; inverted in the indicator.
9. Inflation Expectations (TIP ETF)
Description: iShares TIPS Bond ETF prices.
Economic Significance: Reflects market expectations of inflation.
10. Consumer Confidence (XLY ETF)
Description: Consumer Discretionary Select Sector SPDR Fund prices.
Economic Significance: Proxy for consumer confidence and spending.
11. Housing Market Index (XHB)
Description: SPDR S&P Homebuilders ETF prices.
Economic Significance: Indicator of the housing market's health.
12. Manufacturing PMI (XLI ETF)
Description: Industrial Select Sector SPDR Fund prices.
Economic Significance: Proxy for manufacturing activity.
13. Unemployment Rate (Inverse SPY as Proxy)
Description: Inverse of the SPY ETF price.
Economic Significance: Represents unemployment trends; higher inverse SPY suggests higher unemployment.
14. Federal Reserve QE/QT Activities (Fed Balance Sheet - WALCL)
Description: Total assets held by the Federal Reserve.
Economic Significance: Indicates liquidity injections (QE) or withdrawals (QT); impacts interest rates and asset prices.
 Customization and Advanced Usage 
Adjusting Weights:
Purpose: Emphasize components you believe are more predictive or relevant.
Method: Increase or decrease the weight value next to each component.
Example: If you think the yield spread is particularly important, you might assign it a higher weight.
 Disclaimer 
This indicator is for educational and informational purposes only. It is not financial advice. Trading and investing involve risks, including possible loss of principal. Always conduct your own analysis and consult with a professional financial advisor before making investment decisions.
Judas Swing ICT 01 [TradingFinder] New York Midnight Opening M15🔵 Introduction 
The Judas Swing (ICT Judas Swing) is a trading strategy developed by Michael Huddleston, also known as Inner Circle Trader (ICT). This strategy allows traders to identify fake market moves designed by smart money to deceive retail traders. 
By concentrating on market structure, price action patterns, and liquidity flows, traders can align their trades with institutional movements and avoid common pitfalls. It is particularly useful in FOREX and stock markets, helping traders identify optimal entry and exit points while minimizing risks from false breakouts.
In today's volatile markets, understanding how smart money manipulates price action across sessions such as Asia, London, and New York is essential for success. The ICT Judas Swing strategy helps traders avoid common pitfalls by focusing on key movements during the opening time and range of each session, identifying breakouts and false breakouts. 
By utilizing various time frames and improving risk management, this strategy enables traders to make more informed decisions and take advantage of significant market movements.
In the Judas Swing strategy, for a bullish setup, the price first touches the high of the 15-minute range of New York midnight and then the low. After that, the price returns upward, breaks the high, and if there’s a candlestick confirmation during the pullback, a buy signal is generated.
  
bearish setup, the price first touches the low of the range, then the high. With the price returning downward and breaking the low, if there’s a candlestick confirmation during the pullback to the low, a sell signal is generated.
  
🔵 How to Use  
To effectively implement the Judas Swing strategy (ICT Judas Swing) in trading, traders must first identify the price range of the 15-minute window following New York midnight. This range, consisting of highs and lows, sets the stage for the upcoming movements in the London and New York sessions.
🟣 Bullish Setup 
For a bullish setup, the price first moves to touch the high of the range, then the low, before returning upward to break the high. Following this, a pullback occurs, and if a valid candlestick confirmation (such as a reversal pattern) is observed, a buy signal is generated. This confirmation could indicate the presence of smart money supporting the bullish movement.
  
🟣 Bearish Setup 
For a bearish setup, the process is the reverse. The price first touches the low of the range, then the high. Afterward, the price moves downward again and breaks the low. A pullback follows to the broken low, and if a bearish candlestick confirmation is seen, a sell signal is generated. This confirmation signals the continuation of the downward price movement.
  
Using the Judas Swing strategy enables traders to avoid fake breakouts and focus on strong market confirmations. The strategy is versatile, applying to FOREX, stocks, and other financial instruments, offering optimal trading opportunities through market structure analysis and time frame synchronization.
To execute this strategy successfully, traders must combine it with effective risk management techniques such as setting appropriate stop losses and employing optimal risk-to-reward ratios. While the Judas Swing is a powerful tool for predicting price movements, traders should remember that no strategy is entirely risk-free. Proper capital management remains a critical element of long-term success.
By mastering the ICT Judas Swing strategy, traders can better identify entry and exit points and avoid common traps from fake market movements, ultimately improving their trading performance.
🔵 Setting 
 Opening Range : High and Low identification time range.
 Extend : The time span of the dashed line.
 Permit : Signal emission time range.
🔵 Conclusion 
The Judas Swing strategy (ICT Judas Swing) is a powerful tool in technical analysis that helps traders identify fake moves and align their trades with institutional actions, reducing risk and enhancing their ability to capitalize on market opportunities. 
By leveraging key levels such as range highs and lows, fake breakouts, and candlestick confirmations, traders can enter trades with more precision. This strategy is applicable in forex, stocks, and other financial markets and, with proper risk management, can lead to consistent trading success.
Risk Reward CalculatorPlanning your trading is an important step that you must do before buying the stock.
Risk and Reward Calculator is an important tool for the trader.
With this calculator, you only need to put the capital for one trade and it will automaticaly put the plan for you. But if you want to enter your plan for buy and sell, you just need to check the button and enter the number. the risk and reward calculator will suggest position size based on the information.
The Steps to use Risk Reward Calculator
1. enter how many percentage you can accept if your analysis is wrong.
2. enter how much money you want to trade
3. it will automaticaly calculate the plan for you
4. you can change the reward
5. but if you want to enter your own number, you can check the box. After that enter the number you want for your new plan.
[ AlgoChart ] - Pearson Index CorrelationCorrelation Indicator (Pearson Index) 
The correlation indicator measures the strength and direction of the relationship between two financial assets using the Pearson Index. 
Correlation values range from +100 to -100, where:
 
 +100 indicates perfect positive correlation, meaning the two assets tend to move in the same direction.
 -100 indicates perfect negative correlation, where the two assets move in opposite directions.
 The neutral zone ranges from +25% to -25%, suggesting that the asset movements are independent, with no clear correlation between them.
 
 Interpreting Correlation Levels: 
 
 Correlation above +75%:  The two assets tend to move similarly and in the same direction. This may indicate a risk of overexposure if both assets are traded in the same direction, as their movements will be very similar, increasing the likelihood of double losses or gains.
 Correlation below -75%:  The two assets tend to move similarly but in opposite directions. This correlation level can be useful for strategies that benefit from opposing movements between assets, such as trading pairs with inverse dynamics.
 
 Practical Use of the Indicator: 
 Risk management:  Use the indicator to monitor asset correlations before opening positions. High correlation may indicate you are duplicating exposure, as two highly correlated assets tend to move similarly. This helps avoid excessive risk and improves portfolio diversification.
 Statistical Arbitrage:  During moments of temporary decorrelation between two assets, the indicator can be used for statistical arbitrage strategies. In such cases, you can take advantage of the divergence by opening positions and closing them when the correlation returns to higher or positive levels, thus potentially profiting from the reconvergence of movements.
While the correlation indicator provides valuable insights into asset relationships, it is most effective when used in conjunction with other concepts and tools. On its own, it may offer limited relevance in trading decisions.
Gold IBH/IBL with IBM, Overnight Levels, OVM, and ONVPOCThe Initial Balance (IB) indicator for gold trading is a valuable tool for identifying key price levels and potential trade setups. Here's an overview of how it works:
Initial Balance Calculation
The Initial Balance for gold is calculated from 8:20 AM to 9:20 AM EST, coinciding with the COMEX open. This one-hour period establishes crucial reference points for the trading day.
Key Levels
The indicator displays several important price levels:
IB High: The highest price reached during the Initial Balance period
IB Low: The lowest price reached during the Initial Balance period
IB Midpoint: The average of the IB High and IB Low
These levels often serve as significant support and resistance areas, with many traders placing stop-losses around them.
Overnight Levels
In addition to the IB levels, the indicator shows overnight price action:
ONH: Overnight High
ONL: Overnight Low
ONM: Overnight Midpoint
Overnight VWAP: Volume Weighted Average Price from the overnight session
These overnight levels have a high probability of being tested during the COMEX trading session, making them valuable reference points for traders.
Trading Applications
Traders can use the IB and overnight levels for various purposes:
Setting profit targets
Identifying potential trade entry points
Managing risk by placing stop-losses at key levels
Gauging overall market sentiment and volatility
The levels established during both the Initial Balance and overnight sessions are likely to be touched during the COMEX trading session. This insight allows traders to make more informed decisions and enhances their trading strategies.
If you have more questions about the trading strategy, please DM me, and I can explain further. I also have probabilities of all these levels being broken during the COMEX trading hours, which gives us confidence to hold our trades to targets.
Understanding and utilizing these levels can provide traders with a competitive edge in gold trading, helping them make more informed decisions based on early market dynamics and overnight price action.






















