PSP [Daye's Theory]//@version=5
indicator("PSP ", overlay=true)
// User input to choose 3 assets
asset1 = input.string("MNQ1!", title="Select Asset 1", options= )
asset2 = input.string("MES1!", title="Select Asset 2", options= )
asset3 = input.string("MYM1!", title="Select Asset 3", options= )
// Automatically select the timeframe from the first asset
asset1_timeframe = timeframe.isintraday ? timeframe.period : "D" // Use the chart's time frame, or fallback to daily for non-intraday
// Checkbox for enabling correlation check between NQ and ES
pairs_check = input.bool(false, title="Check PSP NQ & ES only")
// Declare highlight color globally
highlight_color = input.color(color.red, title="PSP Color")
// Fetch data for all assets (do it outside the conditionals)
asset1_open = request.security(asset1, asset1_timeframe, open)
asset1_close = request.security(asset1, asset1_timeframe, close)
asset2_open = request.security(asset2, asset1_timeframe, open)
asset2_close = request.security(asset2, asset1_timeframe, close)
asset3_open = request.security(asset3, asset1_timeframe, open)
asset3_close = request.security(asset3, asset1_timeframe, close)
// Define the candle color for each asset
asset1_color = asset1_close > asset1_open ? color.green : color.red
asset2_color = asset2_close > asset2_open ? color.green : color.red
asset3_color = asset3_close > asset3_open ? color.green : color.red
// Initialize candle_diff with var to persist its state
var bool candle_diff = false
if (pairs_check)
// Only check correlation between asset1 and asset2
candle_diff := (asset1_color != asset2_color)
else
// Check correlation among all three assets
candle_diff := (asset1_color != asset2_color) or (asset2_color != asset3_color) or (asset1_color != asset3_color)
// Apply the barcolor globally if the condition is met
barcolor(candle_diff ? highlight_color : na)
Indicatori e strategie
Abo Tayseer premium2This script visualizes the distribution of buying and selling volume within each candlestick, helping traders identify dominant market pressure at a glance. It separates volume into Buy Volume and Sell Volume using a unique calculation based on price movement within a candle.
By Abo Tayseer & Leader Alosh
💫 Prophet Profits - Reversal Strategy with EMAIndicators:
Red Arrow / Green Arrow
SMC Candle Zone - With Alerts
EMA - Identified clean retracement or impulse
Super Trend Indicator to notify you when big reversals are happening
Requires some set up on the settings side.
Message me @zacharywmorden
if you need help
Bitcoin Monthly Seasonality [Alpha Extract]The Bitcoin Monthly Seasonality indicator analyzes historical Bitcoin price performance across different months of the year, enabling traders to identify seasonal patterns and potential trading opportunities. This tool helps traders:
Visualize which months historically perform best and worst for Bitcoin.
Track average returns and win rates for each month of the year.
Identify seasonal patterns to enhance trading strategies.
Compare cumulative or individual monthly performance.
🔶 CALCULATION
The indicator processes historical Bitcoin price data to calculate monthly performance metrics
Monthly Return Calculation
Inputs:
Monthly open and close prices.
User-defined lookback period (1-15 years).
Return Types:
Percentage: (monthEndPrice / monthStartPrice - 1) × 100
Price: monthEndPrice - monthStartPrice
Statistical Measures
Monthly Averages: ◦ Average return for each month calculated from historical data.
Win Rate: ◦ Percentage of positive returns for each month.
Best/Worst Detection: ◦ Identifies months with highest and lowest average returns.
Cumulative Option
Standard View: Shows discrete monthly performance.
Cumulative View: Shows compounding effect of consecutive months.
Example Calculation (Pine Script):
monthReturn = returnType == "Percentage" ?
(monthEndPrice / monthStartPrice - 1) * 100 :
monthEndPrice - monthStartPrice
calcWinRate(arr) =>
winCount = 0
totalCount = array.size(arr)
if totalCount > 0
for i = 0 to totalCount - 1
if array.get(arr, i) > 0
winCount += 1
(winCount / totalCount) * 100
else
0.0
🔶 DETAILS
Visual Features
Monthly Performance Bars: ◦ Color-coded bars (teal for positive, red for negative returns). ◦ Special highlighting for best (yellow) and worst (fuchsia) months.
Optional Trend Line: ◦ Shows continuous performance across months.
Monthly Axis Labels: ◦ Clear month names for easy reference.
Statistics Table: ◦ Comprehensive view of monthly performance metrics. ◦ Color-coded rows based on performance.
Interpretation
Strong Positive Months: Historically bullish periods for Bitcoin.
Strong Negative Months: Historically bearish periods for Bitcoin.
Win Rate Analysis: Higher win rates indicate more consistently positive months.
Pattern Recognition: Identify recurring seasonal patterns across years.
Best/Worst Identification: Quickly spot the historically strongest and weakest months.
🔶 EXAMPLES
The indicator helps identify key seasonal patterns
Bullish Seasons: Visualize historically strong months where Bitcoin tends to perform well, allowing traders to align long positions with favorable seasonality.
Bearish Seasons: Identify historically weak months where Bitcoin tends to underperform, helping traders avoid unfavorable periods or consider short positions.
Seasonal Strategy Development: Create trading strategies that capitalize on recurring monthly patterns, such as entering positions in historically strong months and reducing exposure during weak months.
Year-to-Year Comparison: Assess how current year performance compares to historical seasonal patterns to identify anomalies or confirmation of trends.
🔶 SETTINGS
Customization Options
Lookback Period: Adjust the number of years (1-15) used for historical analysis.
Return Type: Choose between percentage returns or absolute price changes.
Cumulative Option: Toggle between discrete monthly performance or cumulative effect.
Visual Style Options: Bar Display: Enable/disable and customize colors for positive/negative bars, Line Display: Enable/disable and customize colors for trend line, Axes Display: Show/hide reference axes.
Visual Enhancement: Best/Worst Month Highlighting: Toggle special highlighting of extreme months, Custom highlight colors for best and worst performing months.
The Bitcoin Monthly Seasonality indicator provides traders with valuable insights into Bitcoin's historical performance patterns throughout the year, helping to identify potentially favorable and unfavorable trading periods based on seasonal tendencies.
💰 Profit Prophets - SMC Candle Zone Extensions with Alerts)In this script you will see zone extension boxes which alerts can be added too
Abo Tayseer premiumThis script visualizes the distribution of buying and selling volume within each candlestick, helping traders identify dominant market pressure at a glance. It separates volume into Buy Volume and Sell Volume
by Abo Tayseer & Leader Alosh
Aroon Buy & Sell (5m Trend, 100% Signal on 1m)Purpose of the Script:
This Pine Script creates a buy and sell signal system that:
Tracks trend direction on the 5-minute (5m) chart using Aroon indicators.
Generates buy and sell signals on the 1-minute (1m) chart based on the 5-minute trend and when Aroon Up/Down reaches 100%.
Components of the Script:
1. Aroon Calculation Function (f_aroon):
This function calculates the Aroon Up and Aroon Down values based on the high and low of the last 14 bars:
Aroon Up: Measures how recently the highest high occurred over the last 14 bars.
Aroon Down: Measures how recently the lowest low occurred over the last 14 bars.
Both values are expressed as a percentage:
Aroon Up is calculated by 100 * (14 - barssince(high == highest(high, 14))) / 14
Aroon Down is calculated by 100 * (14 - barssince(low == lowest(low, 14))) / 14
2. Getting Aroon Values for 5m and 1m:
aroonUp_5m, aroonDown_5m: These are the Aroon values calculated from the 5-minute chart (Aroon Up and Aroon Down).
aroonUp_1m, aroonDown_1m: These are the Aroon values calculated for the 1-minute chart, on which we will plot the signals.
3. Trend Detection (5-minute):
Bullish trend: When the Aroon Up crosses above the Aroon Down on the 5-minute chart, indicating a potential upward movement (uptrend).
Bearish trend: When the Aroon Down crosses above the Aroon Up on the 5-minute chart, indicating a potential downward movement (downtrend).
These are detected using ta.crossover() functions:
bullishCross_5m: Detects when Aroon Up crosses above Aroon Down.
bearishCross_5m: Detects when Aroon Down crosses above Aroon Up.
We then track these crossovers using two variables:
inBullishTrend_5m: This is set to true when we are in a bullish trend (Aroon Up crosses above Aroon Down on 5m).
inBearishTrend_5m: This is set to true when we are in a bearish trend (Aroon Down crosses above Aroon Up on 5m).
4. Cooldown Logic:
This prevents the signals from repeating too frequently:
buyCooldown: Ensures that a buy signal is only generated every 20 bars (approx. every 100 minutes).
sellCooldown: Ensures that a sell signal is only generated every 20 bars (approx. every 100 minutes).
We use:
buyCooldown := math.max(buyCooldown - 1, 0) and sellCooldown := math.max(sellCooldown - 1, 0) to decrease the cooldown over time.
5. Buy/Sell Signal Logic:
Buy signal: A buy signal is generated when:
The 5-minute trend is bullish (Aroon Up > Aroon Down on 5m).
Aroon Down on the 1-minute chart reaches 100% (indicating an extreme oversold condition in the context of the current bullish trend).
The signal is only generated if the cooldown (buyCooldown == 0) allows it.
Sell signal: A sell signal is generated when:
The 5-minute trend is bearish (Aroon Down > Aroon Up on 5m).
Aroon Up on the 1-minute chart reaches 100% (indicating an extreme overbought condition in the context of the current bearish trend).
The signal is only generated if the cooldown (sellCooldown == 0) allows it.
6. Plotting the Signals:
Plot Buy Signals: When a buy signal is triggered, a green "BUY" label is plotted below the bar.
Plot Sell Signals: When a sell signal is triggered, a red "SELL" label is plotted above the bar.
The signal conditions are drawn on the 1-minute chart but rely on the trend from the 5-minute chart.
7. Alert Conditions:
Alert for Buy signal: An alert is triggered when the buy signal condition is met.
Alert for Sell signal: An alert is triggered when the sell signal condition is met.
How It Works:
Trend Tracking (5m): The script looks for the trend on the 5-minute chart (bullish or bearish based on Aroon Up/Down crossover).
Signal Generation (1m): The script then checks the 1-minute chart for an Aroon value of 100% (for either Aroon Up or Aroon Down).
Signals: Based on the trend, if the conditions are met, the script plots buy/sell signals and sends an alert.
Key Points:
5-minute trend: The script determines the market trend on the 5-minute chart.
1-minute signal: Signals are plotted on the 1-minute chart based on Aroon values reaching 100%.
Cooldown: Prevents signals from repeating too frequently.
Kameniczki Zig ZagWatch the market with maximum confidence thanks to the automatic selection of the most relevant regression channel and its strength. Whether you're trading short-term waves or long-term trends, this indicator gives you a precise view of market structure and potential reversal zones.
- Customizable
- Alerts
- Automatic detection of the strongest trend
- Accurate standard deviation calculations
- Intuitive data display in a clear table
- Suitable for scalping, day trading, and swing strategies
Zig Zag is not just another indicator – it's a reliable guide in any market environment. Make smart decisions, view the market through the eyes of a professional, and trade with confidence.
ClinicGoldProsignal (5,3,3)This custom indicator identifies potential trend reversal signals based on Stochastic Oscillator divergence. It works by detecting when price and momentum move in opposite directions — a strong clue of a weakening trend.
A Bullish signal is generated when the market is in oversold conditions and the Stochastic oscillator forms a higher low while the price makes a lower low. This divergence suggests buying pressure is building despite falling prices — a sign to consider long entries.
A Bearish signal is generated when the market is in overbought conditions and the Stochastic oscillator forms a lower high while the price makes a higher high. This shows momentum is weakening and selling pressure may increase — a potential setup for short entries.
The indicator plots Buy/Sell labels on the chart when divergence conditions are met, helping traders visually identify high-probability reversal areas.
MP Engulfing Candles UnsharpEngulfing Definition
A candle close 23.6% above or below the prior candle same direction min or max.
Basically a whale watching tool to spot stellar entries,
should you know how to use it....
Stochastic Oscillator on MACDMACD Calculation:
First, calculate the MACD line:
MACD = EMA(fast) - EMA(slow)
Common default: EMA(12) - EMA(26)
Stochastic Applied to MACD:
Use the standard stochastic formula, but instead of using price, apply it to the MACD line:
📈 Interpretation:
%K crossing above 20 → possible bullish signal (MACD is turning upward from recent lows).
%K crossing below 80 → possible bearish signal (MACD is turning downward from recent highs).
Divergence: When price makes a new high/low but the stochastic MACD doesn’t, it can suggest a reversal.
✅ Advantages:
Combines trend-following (MACD) and momentum (Stochastic) analysis.
Useful for detecting MACD momentum shifts earlier than MACD crossovers alone.
Would you like a Pine Script implementation of the Stochastic MACD?
DMI Percentile MTF📈 DMI Percentile MTF – Custom Technical Indicator
This indicator is an enhanced version of the classic Directional Movement Index (DMI), converting +DI, -DI, and ADX values into dynamic percentiles ranging from 0% to 100%, making it easier to interpret the strength and direction of a trend.
⚙️ Key Features:
Percentile Normalization: Calculates where current values stand within a historical range (default: 100 bars), providing clearer overbought/oversold context.
+DI (green): Indicates bullish directional strength.
-DI (orange): Indicates bearish directional strength.
ADX (fuchsia): Measures overall trend strength (rising = strong trend, falling = flat market).
20% / 80% reference lines: Help identify weak or strong conditions.
Multi-Timeframe (MTF) Support: Analyze a higher timeframe trend (e.g., daily) while viewing a lower timeframe chart (e.g., 1h).
📊 How to Read It:
+DI > -DI → bullish trend dominance.
-DI > +DI → bearish trend dominance.
ADX rising → strengthening trend (regardless of direction).
ADX falling → sideways or consolidating market.
Values above 80% → historically high / strong conditions.
Values below 20% → historically low / weak conditions or potential breakout setup.
Big Whale Finder PROBig Whale Finder PRO
The Big Whale Finder PRO is an advanced technical indicator designed to detect and analyze the footprints of institutional traders (commonly referred to as "whales") in financial markets. Based on multiple proprietary detection algorithms, this indicator identifies distinct patterns of accumulation and distribution that typically occur when large market participants execute significant orders.
Theoretical Framework
The indicator builds upon established market microstructure theories and empirical research on institutional trading behavior. As Kyle (1985) demonstrated in his seminal work on market microstructure, informed traders with large positions tend to execute their orders strategically to minimize market impact. This often results in specific volume and price action patterns that the Big Whale Finder PRO is designed to detect.
Key Feature Enhancements
1. Volume Analysis Refinement
The indicator implements a dual-threshold approach to volume analysis based on research by Easley et al. (2012) on volume-based informed trading metrics. The normal threshold identifies routine institutional activity, while the extreme threshold flags exceptional events that often precede significant market moves.
2. Wickbody Ratio Analysis
Drawing from Cao et al. (2021) research on price formation and order flow imbalance, the indicator incorporates wick-to-body ratio analysis to detect potential order absorption and iceberg orders. High wick-to-body ratios often indicate hidden liquidity and resistance/support levels maintained by large players.
3. BWF-Index (Proprietary Metric)
The BWF-Index is a novel quantitative measure that combines volume anomalies, price stagnation, and candle morphology into a single metric. This approach draws from Harris's (2003) work on trading and exchanges, which suggests that institutional activity often manifests through multiple simultaneous market microstructure anomalies.
4. Zone Tracking System
Based on Wyckoff Accumulation/Distribution methodology and modern zone detection algorithms, the indicator establishes and tracks zones where institutional activity has occurred. This feature enables traders to identify potential support/resistance areas where large players have previously shown interest.
5. Trend Integration
Following Lo and MacKinlay's (1988) work on market efficiency and technical analysis, the indicator incorporates trend analysis through dual EMA comparison, providing context for volume and price patterns.
Labels and Signals Explanation
The indicator uses a system of labels to mark significant events on the chart:
🐋 (Whale Symbol): Indicates extreme volume activity that significantly exceeds normal market participation. This is often a sign of major institutional involvement and frequently precedes significant price moves. The presence of this label suggests heightened attention is warranted as a potential trend reversal or acceleration may be imminent.
A (Accumulation): Marks periods where large players are likely accumulating positions. This is characterized by high volume, minimal price movement upward, and stronger support at the lower end of the candle (larger lower wicks). Accumulation zones often form bases for future upward price movements. This pattern frequently occurs at the end of downtrends or during consolidation phases before uptrends.
D (Distribution): Identifies periods where large players are likely distributing (selling) their positions. This pattern shows high volume, minimal downward price movement, and stronger resistance at the upper end of the candle (larger upper wicks). Distribution zones often form tops before downward price movements. This pattern typically appears at the end of uptrends or during consolidation phases before downtrends.
ICE (Iceberg Order): Flags the potential presence of iceberg orders, where large orders are split into smaller visible portions to hide the true size. These are characterized by unusual wick-to-body ratios with high volume. Iceberg orders often indicate price levels that large institutions consider significant and may act as strong support or resistance areas.
Information Panel Interpretation
The information panel provides real-time analysis of market conditions:
Volume/Average Ratio: Shows how current volume compares to the historical average. Values above the threshold (default 1.5x) indicate abnormal activity that may signal institutional involvement.
BWF-Index: A proprietary metric that quantifies potential whale activity. Higher values (especially >10) indicate stronger likelihood of institutional participation. The BWF-Index combines volume anomalies, price action characteristics, and candle morphology to provide a single measure of potential whale activity.
Status: Displays the current market classification based on detected patterns:
"Major Whale Activity": Extreme volume detected, suggesting significant institutional involvement
"Accumulation": Potential buying activity by large players
"Distribution": Potential selling activity by large players
"High Volume": Above-average volume without clear accumulation/distribution patterns
"Normal": Regular market activity with no significant institutional footprints
Trend: Shows the current market trend based on EMA comparison:
"Uptrend": Fast EMA above Slow EMA, suggesting bullish momentum
"Downtrend": Fast EMA below Slow EMA, suggesting bearish momentum
"Sideways": EMAs very close together, suggesting consolidation
Zone: Indicates if the current price is in a previously identified institutional activity zone:
"In Buy Zone": Price is in an area where accumulation was previously detected
"In Sell Zone": Price is in an area where distribution was previously detected
"Neutral": Price is not in a previously identified institutional zone
Trading Recommendations
Based on the different signals and patterns, the following trading recommendations apply:
Bullish Scenarios
Accumulation (A) + Uptrend: Strong buy signal. Large players are accumulating in an established uptrend, suggesting potential continuation or acceleration.
Strategy: Consider entering long positions with stops below the accumulation zone.
Extreme Volume (🐋) + In Buy Zone + Price Above EMAs: Very bullish. Major whale activity in a previously established buying zone with positive price action.
Strategy: Aggressive buying opportunity with wider stops to accommodate volatility.
High BWF-Index (>10) + Accumulation + Downtrend Ending: Potential trend reversal signal. High institutional interest at the potential end of a downtrend.
Strategy: Early position building with tight risk management until trend confirmation.
Bearish Scenarios
Distribution (D) + Downtrend: Strong sell signal. Large players are distributing in an established downtrend, suggesting potential continuation or acceleration.
Strategy: Consider entering short positions with stops above the distribution zone.
Extreme Volume (🐋) + In Sell Zone + Price Below EMAs: Very bearish. Major whale activity in a previously established selling zone with negative price action.
Strategy: Aggressive shorting opportunity with wider stops to accommodate volatility.
High BWF-Index (>10) + Distribution + Uptrend Ending: Potential trend reversal signal. High institutional interest at the potential end of an uptrend.
Strategy: Early short position building with tight risk management until trend confirmation.
Neutral/Caution Scenarios
Iceberg Orders (ICE) + Sideways Market: Suggests significant hidden liquidity at current levels.
Strategy: Mark these levels as potential support/resistance for future reference. Consider range-trading strategies.
Conflicting Signals (e.g., Accumulation in Downtrend): Requires careful analysis.
Strategy: Wait for additional confirmation or reduce position sizing.
Multiple Extreme Volume Events (🐋) in Succession: Indicates unusual market conditions, possibly related to news events or major market shifts.
Strategy: Exercise extreme caution and potentially reduce exposure until clarity emerges.
Practical Applications
Short-Term Trading:
Use the indicator to identify institutional activity zones for potential intraday support/resistance levels
Watch for whale symbols (🐋) to anticipate potential volatility or trend changes
Combine with price action analysis for entry/exit timing
Swing Trading
Focus on accumulation/distribution patterns in conjunction with the prevailing trend
Use buy/sell zones as areas to establish or exit positions
Monitor the BWF-Index for increasing institutional interest over time
Position Trading
Track long-term whale activity to identify shifts in institutional positioning
Use multiple timeframe analysis to confirm major accumulation/distribution phases
Combine with fundamental analysis to validate potential long-term trend changes
References
Kyle, A. S. (1985). Continuous auctions and insider trading. Econometrica, 53(6), 1315-1335.
Easley, D., López de Prado, M. M., & O'Hara, M. (2012). Flow toxicity and liquidity in a high-frequency world. The Review of Financial Studies, 25(5), 1457-1493.
Cao, C., Hansch, O., & Wang, X. (2021). The information content of an open limit order book. Journal of Financial Markets, 50, 100561.
Harris, L. (2003). Trading and exchanges: Market microstructure for practitioners. Oxford University Press.
Lo, A. W., & MacKinlay, A. C. (1988). Stock market prices do not follow random walks: Evidence from a simple specification test. The Review of Financial Studies, 1(1), 41-66.
Wyckoff, R. D. (1931). The Richard D. Wyckoff method of trading and investing in stocks. Transaction Publishers.
Menkhoff, L., & Taylor, M. P. (2007). The obstinate passion of foreign exchange professionals: Technical analysis. Journal of Economic Literature, 45(4), 936-972.
London Judas Swing Indicator by PoorTomTradingThis indicator is designed to help people identify and trade the London Judas Swing by Inner Circle Trader (ICT).
UPDATES IN V2:
This is a v2 update with automatic timezone settings, there is no longer any need to adjust the time or offset for DST.
It will now also work on any chart that trades during the Asia and London sessions (20:00 - 05:00 NY Time), including crypto.
It is recommended to use this indicator on the 5 minute timeframe.
INTRODUCTION OF KEY CONCEPTS:
Swing Points are a candle patterns defining highs and lows, these are explained further down in the description in more detail. They are shown on the indicator by arrows above and below candles. They can be removed if you wish by turning their opacity to 0% in settings. Swing points are automatically removed when price trades beyond them (above swing highs, below swing lows).
The Asia Session can be set by the user, but is defined by default as 20:00 - 00:00 NY time. Lines are drawn at the high and low of the Asia Session and the Asian Range is set at midnight.
The London Session is defined as 02:00 - 05:00 NY time.
The user can also include the pre-London session (00:00 - 02:00) for detection of breakouts and Market Structure Breaks (MSBs - explained lower down in the description with examples). This is selected by default.
EXPLANATION OF INDICATOR:
During the London Session, the indicator will wait for a break of either the high or low of the Asian Range.
When this is detected, it will draw a dashed line where the breakout occurred and trigger an alert.
After the break of the Asian Range, the indicator will look for an MSB in the opposite direction, which is when price closes beyond a swing point opposing current price direction. The indicator will draw a line indicating the MSB point and trigger an alert.
Finally, the indicator will also trigger an alert when price returns to this MSB level, which is the most simple Judas Swing entry method.
The Judas swing
Example with chart for Judas Swing short setups -
Price breaks above the Asia High, no candle close is required, the indicator will then wait for price to close a candle below the last swing low.
A swing low is defined as a 3 candle pattern, with two candles on either side of the middle one having higher lows. When a candle closes below the middle candle's low, that is an MSB.
When price returns to the MSB point, the Take Profit and Stop Loss levels will appear.
When price goes to either the Stop Loss or Take Profit level, the MSB, TP and SL, lines will be removed.
After this, if price creates a new setup in the opposite direction, the indicator will also work for this, as shown in this example that occurred right after the first example
SETTINGS:
- The "Swing Point strength" can be adjusted in the settings.
Example:
For a swing low:
The default setting is 1 (one candle on each side of a middle candle has a higher low).
You can change this setting to 2, for a 5 candle pattern (two candles on each side of the middle candle have higher lows).
This can be changed to a maximum of 10. But only 1 or 2 is recommended especially on the 5 minute chart.
- ATR Length and Triangle Distance Multiplier settings are for adjusting how the swing point symbols appear on the chart.
This is to ensure triangles are not drawn over candles when price gets volatile.
The default setting is ideal for almost all market conditions, but you can play around with it to adjust to your liking.
- Alerts.
For alerts to be triggered, they must first be selected in settings.
Then you need to go on to the chart and right-click on an element of the indicator (such as the swing point symbols) and select "add alert on PTT-LJS-v2".
If after this, you change any settings on the indicator such as session times or pre-London session, you must add the alert again, and delete the old one if you wish.
Market Structure: BoS & CHoCH (Math by Thomas)📌 Description:
Market Structure: BoS & CHoCH (Math by Thomas) is a clean and reliable market structure tool designed to visually mark Swing Highs, Swing Lows, and classify each one as HH (Higher High), LH (Lower High), LL (Lower Low), or HL (Higher Low) based on price action. It also detects and labels Break of Structure (BoS) and Change of Character (CHoCH) to help identify potential continuation or reversal in trend.
🛠️ How to Use:
Add the indicator to your chart (works on any timeframe and asset).
Adjust the "Swing Sensitivity" input to fine-tune how many bars the script uses to detect a swing high/low. A higher number smooths out noise.
The script will automatically:
Mark every confirmed swing high or low with a solid line.
Label the swing as HH, LH, HL, or LL depending on its relative position.
Show BoS (trend continuation) or CHoCH (trend reversal) labels with the current trend direction.
Toggle labels or lines on or off with the corresponding checkboxes in settings.
🔍 Tip:
Use this indicator alongside other tools like volume or RSI for more confident entries. A CHoCH followed by two BoS in the same direction often signals a strong trend reversal.
RedAndBlue M2 Global Liquidity Index (Lag in Days)This indicator shows M2 with a lag in days.
This lag feature is used to analyze the correlation with BTC, as it is currently believed that BTC follows the M2 chart with a lag of several weeks.
Credit to @Mik3Christ3ns3n for original M2 indicator (without lag in days feature)
Volume Intelligence Suite (VIS) v2📊 Volume Intelligence Suite – Smart Volume, Smart Trading
The Volume Intelligence Suite is a powerful, all-in-one TradingView indicator designed to give traders deeper insight into market activity by visualizing volume behavior with price action context. Whether you're a scalper, day trader, or swing trader, this tool helps uncover hidden momentum, institutional activity, and potential reversals with precision.
🔍 Key Features:
Dynamic Volume Zones – Highlights high and low volume areas to spot accumulation/distribution ranges.
Volume Spikes Detector – Automatically marks abnormal volume bars signaling potential breakout or trap setups.
Smart Delta Highlighting – Compares bullish vs bearish volume in real time to reveal buyer/seller strength shifts.
Session-Based Volume Profiling – Breaks volume into key trading sessions (e.g., London, New York) for clearer context.
Volume Heatmap Overlay – Optional heatmap to show intensity and velocity of volume flow per candle.
Custom Alerts – Built-in alerts for volume surges, divergences, and exhaustion signals.
Optimized for Kill Zone Analysis – Pairs perfectly with ICT-style session strategies and Waqar Asim’s trading methods.
🧠 Why Use Volume Intelligence?
Most traders overlook the story behind each candle. Volume Intelligence Suite helps you "see the why behind the move" — exposing key areas of interest where smart money may be active. Instead of reacting late, this tool puts you in position to anticipate.
Use it to:
Validate breakouts
Detect fakeouts and liquidity grabs
Confirm bias during kill zones
Analyze volume divergence with price swings
⚙️ Fully Customizable:
From volume thresholds to visual styles and session timings, everything is user-adjustable to fit your market, timeframe, and strategy.
✅ Best For:
ICT/Smart Money Concepts (SMC) traders
Breakout & reversal traders
Kill zone session scalpers
Institutional footprint followers
[NORTH2025] ADX SLOPE ADX Slope is an indicator built on the Average Directional Index (ADX) and the associated Directional Indicators (DI+ and DI−). Below is a brief overview of how it works and what it does:
Automatically Adjusts ADX Length by Timeframe
- Instead of letting users manually input the ADX length (often a default of 14), this script “overrides” the period based on the chart’s current timeframe.
- For each timeframe (e.g., 1 minute, 5 minutes, 15 minutes, 4 hours, 1 day, etc.), the script sets a different ADX length to match the timeframe’s typical volatility or price behavior.
- If a timeframe is not specified in the script’s switch list, it defaults back to the standard length of 14.
Core ADX & DI Calculations
- The script calculates DI+ (positive directional indicator) and DI− (negative directional indicator) using smoothed directional movements.
- It then derives the ADX by taking the SMA of the DX (i.e., the absolute difference between DI+ and DI−, normalized by their sum).
- The DI+ and DI− lines help you see whether the market is trending up or down; the ADX line indicates the strength of that trend.
Line Plots
- DI+ is plotted in blue.
- DI− is plotted in red.
- The ADX line is plotted in black with a thicker width (2 pixels), making it easier to spot.
- Color-Coded Background for Trend Strength
The background color changes based on both:
- The slope of the ADX (whether the ADX is higher than the previous bar, i.e., “slope up,” or not).
- The current ADX value relative to specific thresholds (20 and 25).
The logic is as follows:
- ADX < 20 → Red background, indicating a very weak trend or sideways market.
- Slope Up and ADX ≥ 25 → Blue background, indicating a strong and strengthening trend.
- Slope Up and 20 ≤ ADX < 25 → Green background, indicating a moderate but improving trend.
- Slope Down or Flat and ADX ≥ 25 → Yellow background (30% opacity), indicating a strong trend but possibly weakening.
- Slope Down or Flat and 20 ≤ ADX < 25 → Orange background (30% opacity), indicating a moderate trend that is flattening or weakening.
Use Cases
- Quickly assess trend strength by glancing at the background color.
- Combine DI+ and DI− readings with the background colors to confirm whether a trend is developing, strengthening, or weakening.
- Because the ADX period automatically adjusts to the chart’s timeframe, traders can more easily get context-sensitive signals without manually adjusting each time.
In summary, ADX Slope is an enhanced ADX-based tool that adapts to multiple timeframes, plots DI+/DI− lines, and color-codes the chart background according to trend strength and slope changes. This provides a convenient way for traders to identify both the presence and momentum of a trend at a glance.
Volume towers by GSK-VIZAG-AP-INDIAVolume Towers by GSK-VIZAG-AP-INDIA
Overview :
This Pine Script visualizes volume activity and provides insights into market sentiment through the display of buying and selling volume, alongside moving averages. It highlights high and low volume candles, enabling traders to make informed decisions based on volume anomalies. The script is designed to identify key volume conditions, such as below-average volume, high-volume candles, and their relationship to price movement.
Script Details:
The script calculates a Simple Moving Average (SMA) of the volume over a user-defined period and categorizes volume into several states:
Below Average Volume: Volume is below the moving average.
High Volume: Volume exceeds the moving average by a multiplier (configurable by the user).
Low Volume: Volume that doesn’t qualify as either high or below average.
Additionally, the script distinguishes between buying volume (when the close is higher than the open) and selling volume (when the close is lower than the open). This categorization is color-coded for better visualization:
Green: Below average buying volume.
Red: Below average selling volume.
Blue: High-volume buying.
Purple: High-volume selling.
Black: Low volume.
The Volume Moving Average (SMA) is plotted as a reference line, helping users identify trends in volume over time.
Features & Customization:
Customizable Inputs:
Volume MA Length: The period for calculating the volume moving average (default is 20).
High Volume Multiplier: A multiplier for defining high volume conditions (default is 2.0).
Color-Coded Volume Histograms:
Different colors are used for buying and selling volume, as well as high and low-volume candles, for quick visual analysis.
Alerts:
Alerts can be set for the following conditions:
Below-average buying volume.
Below-average selling volume.
High-volume conditions.
How It Works:
Volume Moving Average (SMA) is calculated using the user-defined period (length), and it acts as the baseline for categorizing volume.
Volume Conditions:
Below Average Volume: Identifies candles with volume below the SMA.
High Volume: Identifies candles where volume exceeds the SMA by the set multiplier (highVolumeMultiplier).
Low Volume: When volume is neither high nor below average.
Buying and Selling Volume:
The script identifies buying and selling volume based on the closing price relative to the opening price:
Buying Volume: When the close is greater than the open.
Selling Volume: When the close is less than the open.
Volume histograms are then plotted using the respective colors for quick visualization of volume trends.
User Interface & Settings:
Inputs:
Volume MA Length: Adjust the period for the volume moving average.
High Volume Multiplier: Define the multiplier for high volume conditions.
Plots:
Buying Volume: Green bars indicate buying volume.
Selling Volume: Red bars indicate selling volume.
High Volume: Blue or purple bars for high-volume candles.
Low Volume: Black bars for low-volume candles.
Volume Moving Average Line: Displays the moving average line for reference.
Source Code / Authorship:
Author: prowelltraders
Disclaimer:
This script is intended for educational purposes only. While it visualizes important volume data, users are encouraged to perform their own research and testing before applying this script for trading decisions. No guarantees are made regarding the effectiveness of this script for real-world trading.
Contact & Support:
For questions, support, or feedback, please reach out to the author directly through TradingView (prowelltraders).
Signature:
GSK-VIZAG-AP-INDIA
Doji Candle with Horizontal Lines"Doji Candles with Lines" is a custom indicator designed to visually enhance candlestick charts by overlaying key price levels using dynamic lines. These lines may represent support/resistance, trend direction, or price action signals associated with each candle. It helps traders quickly identify market structure, trend continuation, or potential reversals.
Master BUY/SELL & TPHow the Script Works
1. Trend Detection: Uses a smoothed trend filter to identify uptrends (upCount > 0) and downtrends (downCount > 0) based on price movement.
2. Non-Lagging Signals: Buy/sell signals are generated at bar close using barstate.isconfirmed to prevent repainting.
3. Auto Trend Detection: When enabled, signals are based on trend changes; when disabled, signals use price crossing the filter.
4. No Signals in Sideways Market: Optionally suppresses signals in neutral markets (upCount == 0 and downCount == 0) to avoid false trades.
5. Buy Signal Logic: Triggers a "Smart Buy" when the trend turns bullish and the previous state was bearish, ensuring trend reversal confirmation.
6. Sell Signal Logic: Triggers a "Smart Sell" when the trend turns bearish and the previous state was bullish, confirming reversals.
7. Take-Profit System: Automatically calculates take-profit levels based on user-defined pips, marking "Book Profit" when reached.
8. Double-Line Visualization: Plots upper and lower trend lines with a colored fill to visually represent the trend direction.
9. Customizable Parameters: Allows users to adjust sampling period, range multiplier, and take-profit pips for flexibility across markets.
10. Alerts: Provides real-time alerts for buy, sell, and take-profit signals, with customizable messages for trading platforms.
How Users Can Make a Profit Using This Script
1. Follow Trend-Based Signals: Enter long positions on "Smart Buy" signals during uptrends and short positions on "Smart Sell" signals during downtrends to capitalize on momentum.
2. Avoid Choppy Markets: Enable "No Signal in Sideways Market" to reduce false signals in range-bound conditions, improving trade accuracy.
3. Utilize Take-Profit: Set a realistic take-profit level (e.g., 100 pips) to lock in profits automatically when price targets are hit.
4. Combine with Confirmation: Use the indicator alongside other tools (e.g., support/resistance) to confirm signals, enhancing trade reliability.
5. Leverage Alerts: Set up alerts to stay informed of buy, sell, and take-profit signals, enabling timely trade execution even when not monitoring charts.
6. Adjust Parameters: Fine-tune the sampling period and multiplier to match the asset’s volatility, optimizing signal timing for forex, stocks, or crypto.
Multi-Timeframe Converging Signal AlertThis is not financial advice, nor meant to influence anyone's trading strategies.
Please use at your discretion and if you decide to give this indicator a shot, please leave some feedback if there could be changes made to the intervals or if there any other necessary changes to make.
Signal fires only when ALL of the following align across timeframes:
🔹 Long-Term (Daily or Weekly)
PMO crosses above its signal line and SMA-50
MACD bullish crossover
RSI crosses above 50 from below
Price closes above SMA-50 and Bollinger Mid-Band
🔹 Mid-Term (4H/1H)
EWO positive and climbing
MACD histogram turning up
Volume spike (relative to 20-period avg)
VWAP reclaimed after drop
🔹 Short-Term (15/30m)
Price breaks out of Bollinger Band squeeze
RSI > 60 and climbing
MACD > Signal line
Price closes above VWAP & SMA-50
The code is designed for steady, multi-indicator-confirmed trend reversals, not extreme or rapid parabolic moves like short squeezes. This is why the sell indicator has fallen short on the squeeze of 2021 and 2024 with GME because there is no parabolic overextension trigger and certain indicators lag behind and miss out on the data in that type of movement.
I hope this is helpful in determining solid entries and provides an understanding of the data to analyze when looking to accumulate or unload some shares for profit, but as always provide feedback if there are any concerns or feedback.
GainzAlgo V2 [Alpha]// © GainzAlgo
//@version=5
indicator('GainzAlgo V2 ', overlay=true, max_labels_count=500)
show_tp_sl = input.bool(true, 'Display TP & SL', group='Techical', tooltip='Display the exact TP & SL price levels for BUY & SELL signals.')
rrr = input.string('1:2', 'Risk to Reward Ratio', group='Techical', options= , tooltip='Set a risk to reward ratio (RRR).')
tp_sl_multi = input.float(1, 'TP & SL Multiplier', 1, group='Techical', tooltip='Multiplies both TP and SL by a chosen index. Higher - higher risk.')
tp_sl_prec = input.int(2, 'TP & SL Precision', 0, group='Techical')
candle_stability_index_param = 0.7
rsi_index_param = 80
candle_delta_length_param = 10
disable_repeating_signals_param = input.bool(true, 'Disable Repeating Signals', group='Techical', tooltip='Removes repeating signals. Useful for removing clusters of signals and general clarity.')
GREEN = color.rgb(29, 255, 40)
RED = color.rgb(255, 0, 0)
TRANSPARENT = color.rgb(0, 0, 0, 100)
label_size = input.string('huge', 'Label Size', options= , group='Cosmetic')
label_style = input.string('text bubble', 'Label Style', , group='Cosmetic')
buy_label_color = input(GREEN, 'BUY Label Color', inline='Highlight', group='Cosmetic')
sell_label_color = input(RED, 'SELL Label Color', inline='Highlight', group='Cosmetic')
label_text_color = input(color.white, 'Label Text Color', inline='Highlight', group='Cosmetic')
stable_candle = math.abs(close - open) / ta.tr > candle_stability_index_param
rsi = ta.rsi(close, 14)
atr = ta.atr(14)
bullish_engulfing = close < open and close > open and close > open
rsi_below = rsi < rsi_index_param
decrease_over = close < close
var last_signal = ''
var tp = 0.
var sl = 0.
bull_state = bullish_engulfing and stable_candle and rsi_below and decrease_over and barstate.isconfirmed
bull = bull_state and (disable_repeating_signals_param ? (last_signal != 'buy' ? true : na) : true)
bearish_engulfing = close > open and close < open and close < open
rsi_above = rsi > 100 - rsi_index_param
increase_over = close > close
bear_state = bearish_engulfing and stable_candle and rsi_above and increase_over and barstate.isconfirmed
bear = bear_state and (disable_repeating_signals_param ? (last_signal != 'sell' ? true : na) : true)
round_up(number, decimals) =>
factor = math.pow(10, decimals)
math.ceil(number * factor) / factor
if bull
last_signal := 'buy'
dist = atr * tp_sl_multi
tp_dist = rrr == '2:3' ? dist / 2 * 3 : rrr == '1:2' ? dist * 2 : rrr == '1:4' ? dist * 4 : dist
tp := round_up(close + tp_dist, tp_sl_prec)
sl := round_up(close - dist, tp_sl_prec)
if label_style == 'text bubble'
label.new(bar_index, low, 'BUY', color=buy_label_color, style=label.style_label_up, textcolor=label_text_color, size=label_size)
else if label_style == 'triangle'
label.new(bar_index, low, 'BUY', yloc=yloc.belowbar, color=buy_label_color, style=label.style_triangleup, textcolor=TRANSPARENT, size=label_size)
else if label_style == 'arrow'
label.new(bar_index, low, 'BUY', yloc=yloc.belowbar, color=buy_label_color, style=label.style_arrowup, textcolor=TRANSPARENT, size=label_size)
label.new(show_tp_sl ? bar_index : na, low, 'TP: ' + str.tostring(tp) + ' SL: ' + str.tostring(sl), yloc=yloc.price, color=color.gray, style=label.style_label_down, textcolor=label_text_color)
if bear
last_signal := 'sell'
dist = atr * tp_sl_multi
tp_dist = rrr == '2:3' ? dist / 2 * 3 : rrr == '1:2' ? dist * 2 : rrr == '1:4' ? dist * 4 : dist
tp := round_up(close - tp_dist, tp_sl_prec)
sl := round_up(close + dist, tp_sl_prec)
if label_style == 'text bubble'
label.new(bear ? bar_index : na, high, 'SELL', color=sell_label_color, style=label.style_label_down, textcolor=label_text_color, size=label_size)
else if label_style == 'triangle'
label.new(bear ? bar_index : na, high, 'SELL', yloc=yloc.abovebar, color=sell_label_color, style=label.style_triangledown, textcolor=TRANSPARENT, size=label_size)
else if label_style == 'arrow'
label.new(bear ? bar_index : na, high, 'SELL', yloc=yloc.abovebar, color=sell_label_color, style=label.style_arrowdown, textcolor=TRANSPARENT, size=label_size)
label.new(show_tp_sl ? bar_index : na, low, 'TP: ' + str.tostring(tp) + ' SL: ' + str.tostring(sl), yloc=yloc.price, color=color.gray, style=label.style_label_up, textcolor=label_text_color)
alertcondition(bull or bear, 'BUY & SELL Signals', 'New signal!')
alertcondition(bull, 'BUY Signals (Only)', 'New signal: BUY')
alertcondition(bear, 'SELL Signals (Only)', 'New signal: SELL')