RSI with Divergences and Trendlines by zenDisplays the standard Relative Strength Index (RSI). The RSI period, line color, and thickness are customizable by the user (defaulting to a 14-period, thin black line).
Includes traditional horizontal lines at the 70 (overbought) and 30 (oversold) levels. The background area between these levels is filled with a customizable color (defaulting to a transparent black).
The indicator intelligently analyzes the RSI's own movements to identify significant recent turning points (peaks and troughs).
It then automatically draws short trendline segments directly on the RSI chart. These lines connect recent, consecutive RSI turning points, dynamically highlighting the indicator's internal structure and immediate directional momentum.
Users can configure the sensitivity used to detect these RSI turning points via 'Pivot Lookback' settings. You can also customize the maximum number of recent trendlines displayed for upward and downward RSI movements (default is 5 each), as well as their colors and width.
These on-RSI trendlines do not extend into the future.
Trend Analysis
Sniper Pro v4.6 – True Live Reactive Edition//@version=5
indicator("Sniper Pro v4.6 – True Live Reactive Edition", overlay=true)
// === INPUTS ===
showInfoBubble = input.bool(true, "Show Live Info Bubble")
depth = input.int(12, "Golden Zone Depth")
// === INDICATORS ===
sma20 = ta.sma(close, 20)
vwapVal = ta.vwap
// === GOLDEN ZONE ===
ph = ta.pivothigh(high, depth, depth)
pl = ta.pivotlow(low, depth, depth)
var float lastHigh = na
var float lastLow = na
lastHigh := not na(ph) ? ph : lastHigh
lastLow := not na(pl) ? pl : lastLow
fullrange = lastHigh - lastLow
goldenTop = lastHigh - fullrange * 0.618
goldenBot = lastHigh - fullrange * 0.786
inGoldenZone = close >= goldenBot and close <= goldenTop
// === DELTA ===
delta = (close - open) * volume
absDelta = math.abs(delta)
deltaStr = absDelta > 1e6 ? str.tostring(delta / 1e6, "#.##") + "M" : absDelta > 1e3 ? str.tostring(delta / 1e3, "#.##") + "K" : str.tostring(delta, "#.##")
// === STRENGTH ===
body = math.abs(close - open)
wick = high - low
strength = body / (wick + 1e-10)
strengthLevel = strength > 0.8 ? "5/5" : strength > 0.6 ? "4/5" : strength > 0.4 ? "3/5" : strength > 0.2 ? "2/5" : "1/5"
// === PATTERN ===
bullEngulf = close > open and close < open and close > open and open < close
bearEngulf = close < open and close > open and close < open and open > close
hammer = close > open and (open - low) > 1.5 * body
shootingStar = open > close and (high - open) > 1.5 * body
morningStar = close < open and close < open and close > ((open + close ) / 2)
eveningStar = close > open and close > open and close < ((open + close ) / 2)
pattern = bullEngulf ? "Bull Engulfing" : bearEngulf ? "Bear Engulfing" : hammer ? "Hammer" : shootingStar ? "Shooting Star" : morningStar ? "Morning Star" : eveningStar ? "Evening Star" : ""
// === LIVE BUBBLE ===
var label bubble = na
if na(bubble)
bubble := label.new(bar_index, high, "", style=label.style_label_up, size=size.small, textcolor=color.white, color=color.new(color.gray, 85))
if showInfoBubble
label.set_xy(bubble, bar_index, high + syminfo.mintick * 20)
label.set_text(bubble,"O: " + str.tostring(open, "#.##") +" H: " + str.tostring(high, "#.##") +" L: " + str.tostring(low, "#.##") +" C: " + str.tostring(close, "#.##") +" Δ: " + deltaStr +(pattern != "" ? " Pattern: " + pattern : "") +" Power: " + strengthLevel)
// === PLOTS ===
plot(vwapVal, title="VWAP", color=color.aqua)
plot(goldenTop, title="Golden Top", color=color.yellow)
plot(goldenBot, title="Golden Bottom", color=color.orange)
Million Moves Algo V4.3
Million Moves Algo 777
Trading Strategy Description
The Million Moves Algo 777 is an advanced multi-timeframe trading system designed to identify high-probability trading opportunities through a combination of trend analysis, momentum indicators, and adaptive volatility measurements.
Core Components:
Dual Signal System
Regular signals for standard price movements
Smart signals with enhanced filtering to reduce false entries
Buy signals occur when price crosses above SuperTrend with SMA confirmation
Sell signals trigger when price crosses below SuperTrend with SMA validation
Multi-layered Trend Visualization
Trend Ribbon: Color-changing multiple EMAs (20, 25, 30, 35, 40, 45, 50, 55)
Trend Cloud: Keltner Channel-based support/resistance zones
200 EMA as primary trend filter
Multi-Timeframe Analysis
Real-time trend analysis across 3m, 5m, 15m, 30m, 1h, 2h, 4h, and daily timeframes
Dashboard display showing bullish/bearish status of each timeframe
Trend alignment indicators for higher probability setups
Advanced Risk Management
Three-tier take profit system (TP1, TP2, TP3)
Dynamic profit targets based on recent price action
Automated plotting of key exit levels
Adaptive Volatility System
Real-time volatility classification: Very Low, Low, High, Very High
ATR-based calculations for market condition assessment
Visual dashboard representation for quick reference
RSI-based Color Adaptation
Green spectrum: Bullish conditions (RSI > 55)
Purple spectrum: Neutral conditions (RSI 45-55)
Red spectrum: Bearish conditions (RSI < 45)
Trading Guidelines:
Enter long positions on buy signals when trend ribbon is green and multiple timeframes show bullish alignment
Enter short positions on sell signals when trend ribbon is red and multiple timeframes show bearish alignment
Use TP levels for systematic profit-taking
Adjust position sizing based on current volatility readings
Consider exiting when opposing signals appear or when price breaks the trend structure
This comprehensive technical system combines trend, momentum, volatility, and multi-timeframe analysis to provide a systematic approach to trading across various market conditions.
Reintentar
Sniper Pro v4.5 – Candle & Flow Intelligence Edition
//@version=5
indicator("Sniper Pro v4.5 – Candle & Flow Intelligence Edition", overlay=true)
// === INPUTS ===
showDelta = input.bool(true, "Show OHLC + Delta Bubble")
showSM = input.bool(true, "Show Smart Money Bubble")
depth = input.int(12, "Golden Zone Depth")
// === INDICATORS ===
sma20 = ta.sma(close, 20)
vwapVal = ta.vwap
// === GOLDEN ZONE ===
ph = ta.pivothigh(high, depth, depth)
pl = ta.pivotlow(low, depth, depth)
var float lastHigh = na
var float lastLow = na
lastHigh := not na(ph) ? ph : lastHigh
lastLow := not na(pl) ? pl : lastLow
fullrange = lastHigh - lastLow
goldenTop = lastHigh - fullrange * 0.618
goldenBot = lastHigh - fullrange * 0.786
inGoldenZone = close >= goldenBot and close <= goldenTop
// === DELTA ===
delta = (close - open) * volume
absDelta = math.abs(delta)
deltaColor = delta > 0 ? color.new(color.green, 70) : color.new(color.red, 70)
deltaStr = absDelta > 1e6 ? str.tostring(delta / 1e6, "#.##") + "M" :absDelta > 1e3 ? str.tostring(delta / 1e3, "#.##") + "K" :str.tostring(delta, "#.##")
// === CANDLE COLORING ===
barcolor(absDelta > 2 * ta.sma(absDelta, 14) ? (delta > 0 ? color.green : color.red) : na)
// === OHLC + DELTA BUBBLE ===
if showDelta
var label infoLabel = na
infoText = "O: " + str.tostring(open, "#.##") +
" H: " + str.tostring(high, "#.##") +
" L: " + str.tostring(low, "#.##") +
" C: " + str.tostring(close, "#.##") +
" Δ: " + deltaStr
infoLabel := label.new(bar_index, high + syminfo.mintick * 20, infoText,style=label.style_label_up, size=size.small,textcolor=color.white, color=color.new(color.gray, 80))
// === SMART MONEY SIGNAL ===
efficiency = math.abs(close - open) / (high - low + 1e-10)
isExplosive = efficiency > 0.6 and absDelta > 2 * ta.sma(delta, 14)
smBuy = close > open and isExplosive and inGoldenZone and close > sma20
smSell = close < open and isExplosive and inGoldenZone and close < sma20
if showSM
if smBuy
var label smBuyLabel = na
smBuyLabel := label.new(bar_index, low - syminfo.mintick * 10, "SM Buy", style=label.style_label_up,size=size.normal, color=color.yellow, textcolor=color.black)
if smSell
var label smSellLabel = na
smSellLabel := label.new(bar_index, high + syminfo.mintick * 10, "SM Sell", style=label.style_label_down,size=size.normal, color=color.orange, textcolor=color.black)
// === SIDEWAYS ZONE WARNING ===
range20 = ta.highest(high, 20) - ta.lowest(low, 20)
atr = ta.atr(14)
isSideways = range20 < atr * 1.5
blinking = isSideways and bar_index % 2 == 0
plotshape(blinking, title="Sideways Warning", location=location.top,style=shape.triangleup, size=size.small,color=color.new(color.yellow, 0), text="⚠️")
// === PLOTS ===
plot(vwapVal, title="VWAP", color=color.aqua)
plot(goldenTop, title="Golden Top", color=color.yellow)
plot(goldenBot, title="Golden Bottom", color=color.orange)
Supply/Demand Zones + MSS Entry SignalBy Victor Chow
1 Hour OB
5min MSS
Just to use with gold for entries
Accurate Multi-Timeframe Squeeze TrendMulti Time-Frame Trend indicator.
This indicator will review the Squeeze momentum indicator and create a table that shows the trend based on that value on the 5 min, 15 min and 1 hour timeframe.
ABC Trading ConceptThe ABC Trading Concept indicator analyzes the market through waves, impulses, and trends, helping identify key reversal and trend-change points. It automatically detects waves A, B, and C, along with stop-loss and take-profit levels. A reliable tool to enhance the accuracy and efficiency of your trading.
Key Features of the Indicator:
1. Wave and Trend Identification:
- Automatic detection of waves based on moving average (MA) crossings and ATR indicator values.
- Filtering out false signals by considering market movement ranges.
2. Trend Analysis:
- Determination of trend directions (uptrend or downtrend).
- Setting trend change points (g-points) and tracking their breakout to confirm trend reversals.
3. Impulses and Corrections:
- Automatic division of trend movements into impulses and corrections.
- Calculation of dynamic and fixed extremums for precise market structure tracking.
4. Reversal Points:
- Establishing the reversal point level within the range of a completed correction.
- Flexible settings to prevent the appearance of overly weak points.
5. Waves A, B, and C:
- Identification of wave A when the correction breaks the reversal point.
- Identification of wave B considering counter-trends or alternative parameters.
6. Correction Boost:
- Calculation of correction boosts to determine their significance.
- Automatic update of reversal points based on boosted corrections.
7. Vic Sperandeo’s Trendline:
- Construction of a trendline between the trend’s fixed extremum and the last correction’s extremum.
- Utilizing the Vic line as an additional condition for forming waves A and B.
8. Stop-Loss and Take-Profit Levels:
- Upon the appearance of a new trend, the indicator automatically plots potential stop-loss and take-profit levels.
- Levels are calculated based on the extremums of wave A or wave B (settable in the indicator’s input settings).
Advantages of Using the Indicator:
- Enhances the accuracy of market structure analysis.
- Reduces the impact of false signals by filtering market noise.
- Offers flexible parameter settings to adapt to your trading style.
- Clearly displays entry and exit points on the chart.
The ABC Trading Concept is ideal for both beginner and professional traders looking to improve their trading by leveraging clear market structures and key analysis points.
Additional Information:
For optimal performance, the indicator requires the user to input key parameters, including moving average lengths, ATR coefficient for wave identification, and levels for reversal points and correction boosts. All settings can be adjusted to fit your trading preferences.
VectorFusion Suite Enhanced — Trend Confluence Signal System🧭 Overview
VectorFusion Suite Enhanced is an original invite-only overlay indicator designed to help traders identify high-confidence trend continuation and reversal zones. It combines structural signals, momentum filters, and volatility gates to deliver meaningful insights across asset classes.
This is not a mashup of public tools. Every element serves a unique, logical function, and the system is engineered for signal confluence, not layering indicators for visual effect.
⚙️ How It Works
1. Macro Trend Bias
• Uses a Hull Moving Average (HMA) with ATR envelopes
• Detects meaningful price breaks from volatility thresholds
• Filters out low-momentum or sideways conditions
2. Micro Pulse Beacons (▲ / ▼)
• Separate micro HMA+ATR channel for short-term directional flips
• Triangles mark flips from bearish to bullish (▲) or vice versa (▼)
• Useful for pullback entry timing or early reversal alerts
3. Structural Pivots (T and B)
• Detects local pivot highs (T) and pivot lows (B) using swing structure
• Used in sequencing and Ideal Setup qualification
• Does not repaint — confirmed after lookback bars
4. Bullish / Bearish “X” Flips
• Require multi-layer filtering:
o Macro & Micro trend agreement
o RSI filter (static or dynamic)
o Volatility confirmation (ATR gate)
o Optional MACD confirmation
• Only plot when all conditions are met
5. Ideal Setup Logic: T → B → X
• Looks for a pivot top (T), then bottom (B), then a Bullish X within a defined window
• This sequence is tracked internally and marked as an Ideal Setup
• Strongest confluence structure in the suite
6. Risk Visualization
• ATR-based Stop Loss and Take Profit levels are shown at entry
• Optional Trailing Stop (also ATR-based) can be toggled
• Labels help guide manual execution and position management
7. Live Status Table
• On-chart table displays:
o Macro Trend
o Micro Trend
o Flip Status
o Volatility Gate
o MACD Bias
o Ideal Setup Tracker
🔒 Closed Source Justification
This script is invite-only and closed-source to protect proprietary logic, especially the Ideal Setup (T→B→X) detection and custom multi-filter gating.
Although it uses technical analysis elements like HMA, ATR, RSI, and MACD, the signal combinations and setup logic are fully original and independently written.
There is no reused code, and this is not derived from public domain mashups, open-source scripts, or vendor code. Logic is clearly documented here for moderator review per House Rules.
🧠 Use Cases
• Trend-following swing entries
• High-volatility pullback setups
• Filtering early reversals during consolidation
• Timing exits and stop adjustments via signal shifts
🖥️ Chart Publishing Guidelines
When showcasing this script on a chart:
• Use clean layouts with VectorFusion only
• Show at least one active signal (e.g., Bullish X or T→B→X combo)
• Status table must be visible
• SL/TP markers optional but encouraged
• Avoid overlays from other indicators unless justified
✅ Compliant with TradingView’s Script Publishing Rules
🛠 Built in Pine Script v6
📅 Maintained and updated by the original author
Quantum Breakout SurgeDescription
Quantum Breakout Surge
Author: Mr. Chetaan V. Khairmode
The Quantum Breakout Surge Indicator is designed to capture explosive price movements during breakout conditions. By focusing on key price levels and momentum shifts, it identifies high-probability entry points for traders. The indicator aims to capitalize on sudden surges in price, offering a disciplined approach to trading with effective risk management. Perfect for traders looking to seize trending opportunities early, it provides a clear framework for entering and managing breakout trades.
Trade with clarity, surge with confidence."
⚠️ Disclaimer
The Quantum Breakout Surge Indicator is intended for educational and research purposes. It does not constitute investment advice or guarantee any trading results. Trading involves substantial risk and past performance is not indicative of future results. Always perform your own research and consult with a qualified financial advisor before making trading decisions. Use at your own risk
Avg Candle Size in Ticks (with Thresholds)This indicator measures and displays the average size of candles in ticks over a user-defined number of recent bars. It works by calculating the difference between the high and low of each candle, converting that into ticks based on a specified tick size, and then averaging those values over the chosen period. The result is shown in a floating table on the chart, rounded to one decimal place for clarity.
To help traders assess market volatility at a glance, the background color of the table changes dynamically based on two thresholds: a caution threshold and a danger threshold. If the average tick size drops below the danger level, the background turns red. If it’s between the caution and danger thresholds, it turns orange. Otherwise, it stays a neutral color. All three states use customizable colors, making the indicator flexible for different visual preferences.
Update 16-5-2025:
Updated with rounded Tick-sizes: xx.x
Also updated with another treshold that detects
Gap Detection [Gold_Zilla]📌 Gap Detection
Description:
The Gap Detection indicator is designed to identify and visually mark price gaps between consecutive candles on your chart. Gaps can occur when a financial instrument opens at a significantly different price from its previous close, which some traders interpret as signals of strong momentum, market inefficiency, or upcoming reversals.
This tool helps users track such gaps in real time and monitor whether they have been filled — meaning price has retraced to the gap level after the gap appeared.
🔍 Core Features:
Automatic Gap Detection
Detects upward gaps (when today's low is above the previous close) and downward gaps (when today's high is below the previous close).
Customizable Sensitivity
Set a minimum gap size (% threshold) to filter out small price differences.
Real-Time Monitoring
Gaps are drawn as horizontal lines and persist until they are filled. Once filled (price crosses the gap level), they are automatically removed from the chart.
Visual Customization Options
Choose your gap line colors for up/down gaps
Select the line style (solid, dashed, dotted)
Adjust line width
Control the maximum number of tracked gaps (to reduce clutter)
Optional label display (disabled by default for minimalism)
⚙️ Inputs:
Minimum Gap Size (%) – Threshold to qualify a price movement as a gap (default: 1%).
Up/Down Gap Color – Colors for visualizing up/down gaps.
Line Style & Width – Format the gap lines to your preference.
Maximum Gaps to Track – Avoid performance issues by limiting active gap lines.
Show Gap Labels (currently disabled in code) – Option to label gap levels with price and direction.
📈 How to Use:
Add this script to your chart on any timeframe or asset.
Gaps will appear automatically as horizontal lines, helping you spot unfilled gaps.
Can be used to identify potential support/resistance zones, or areas where price may return to fill a gap.
Note: Not all gaps get filled — always combine with other forms of analysis or confirmation tools.
⚠️ Disclaimer:
This script is for informational and educational purposes only and does not constitute financial advice. Past performance or price behavior does not guarantee future results. Always use proper risk management and consult a financial advisor before making trading decisions.
TVC:GOLD
EMA-Dikkat Crossover Trend Belirleme Signal-1
📊 EMA-Caution Crossover Trend Detection Signal Indicator – User Guide
This indicator is designed to help you identify trend direction and detect potential buy or sell opportunities using a crossover system based on Exponential Moving Averages (EMAs). It calculates four EMAs — covering short, medium, and long-term trends — and generates signals depending on how these averages relate to each other.
🔧 Used EMAs (Exponential Moving Averages)
The indicator calculates 4 different EMAs with the following periods:
EMA 5 → Represents very short-term price action
EMA 20 → Indicates short-term trend
EMA 50 → Reflects medium-term trend
EMA 100 → Shows long-term overall trend
These EMAs are displayed on the chart with different colors:
🟡 EMA 5: Yellow – reacts quickly to price movements
🟣 EMA 20: Light Purple
🔴 EMA 50: Magenta (Dark Pink)
🔵 EMA 100: Blue – slower, reflects general trend
The relationship between these EMAs gives insight into the market’s current trend strength and direction.
🟨 Signals and Their Meanings
✅ BUY Signal
Condition: EMA 5 > EMA 20 > EMA 50
This pattern shows that the short-term trend is stronger than the medium and long-term, suggesting bullish momentum.
On the Chart:
🔶 Color: Yellow (RGB: 235, 204, 27)
🔼 Shape: Label Up – appears below the candle
Meaning: Possible buying opportunity. The trend is likely turning upward or strengthening.
❌ SELL Signal
Condition: EMA 5 < EMA 20 < EMA 50
This indicates that the short-term price is below both the medium and long-term averages, suggesting bearish pressure.
On the Chart:
💗 Color: Pink (RGB: 248, 23, 244)
🔽 Shape: Label Down – appears above the candle
Meaning: Potential sell signal. The trend may be shifting downward.
⚠️ CAUTION Signal
Condition: Neither buy nor sell signal is active (i.e., no clear EMA alignment)
This suggests the market is uncertain or ranging, and no clear trend is present.
On the Chart:
🔷 Color: Light Blue (RGB: 198, 232, 248)
✖️ Shape: Cross – appears below the candle
Meaning: Market is indecisive. It’s better to wait for more confirmation before entering a trade.
📌 How to Use on the Chart
Track the Trend: Observe the EMA lines to determine the general direction. If short-term EMAs are above long-term ones, the market is likely bullish — and vice versa.
Watch for Signals:
Yellow Up Label → Potential Buy
Pink Down Label → Potential Sell
Blue Cross Mark → Caution; better to wait
Use with Other Indicators: This system is based solely on EMAs. For stronger signals, consider combining it with RSI, MACD, or volume-based indicators.
💡 Strategy Tip
You can use this indicator in trend-following trading strategies. For example:
Enter long trades only when a buy signal appears, and exit when EMA 5 falls below EMA 20.
Or only trade during strong trends and stay out during caution signals to avoid sideways markets.
NQ Goldbach LevelsAttention: This script only works on NQ. Its is accurate only on NQ/MNQ.
I can add in some more features by request.
FUMO Monday Pulse💓 FUMO Monday Pulse – Weekly Directional Strategy
FUMO Monday Pulse is a directional trading strategy designed to detect early-week momentum and breakout structure, based on Monday’s high and low levels. This tool combines smart breakout detection, retests, and volume filters — ideal for traders looking to systematize early trend entries.
🔍 How It Works
Each week, the indicator automatically tracks Monday’s High and Low, then evaluates how price reacts around those levels during the rest of the week.
It generates two types of signals:
RETEST signals (LONG / SHORT) – a confirmed breakout on a higher timeframe (e.g. 4H), followed by a retest with candle and volume confirmation.
TREND signals (UP / DOWN) – impulsive moves without confirmation, often indicating the start of a directional push.
⚙️ Key Features
Customizable line width, style, and label size
Volume confirmation (optional)
Higher timeframe breakout validation
Cooldown period between signals to avoid clutter
🔔 Alerts
This script supports 4 alert types:
FUMO: RETEST LONG
FUMO: RETEST SHORT
FUMO: TREND UP
FUMO: TREND DOWN
Each alert sends a structured JSON payload via webhook:
{
"event": "RETEST_LONG",
"source": "FUMO_Monday_Pulse",
"symbol": "{{ticker}}",
"time": "{{time}}",
"price": {{close}}
}
You can use this with Telegram bots, Discord webhooks, or execution scripts.
💡 Recommended Use
Use this tool on 15m–1H charts, especially for breakout traders looking to align with early-week momentum. Built to integrate with automated workflows — and powered by the FUMO mindset: focus, structure, clarity.
RSI Hybrid ProfileThis is a Hybrid Script designed on the basis of a well know Indicator RSI - Relative strength Index, ATR, Standard Deviations and Medians. Effort is being made to present RSI in a Profile based concept to leverage and elevate trading signals and identify potential trade while effectively managing the RISK.
Trend Colour Coding :-
Green = Bullish
Red = Bearish
Gray = Mean Reversion/ Rangebound Markets
The script includes the following Elements
1) Candlestick chart of RSI of current time frame in lower pane :-
It helps to effectively compare the price action with that of RSI to clearly identify early breakouts or breakdowns in RSI as compared to price chart and identify early trade opportunities as well as Divergences
2) Higher Time Frame RSI :-
The orange line in the lower pane to help take analysis of Higher Timeframe, to evaluate and assess trend in more refined manner.
3) Point of Control Zone :-
The middle horizontal band with colour coding to highlight the Point of Control of the price action based on its relative strength.
4) Black Circles - POC Change Markers - RSI profile Value area Shifts :-
All the Black Circles plotted on chart are RSI Point of Controls, which signal upcoming Trend and should be closely watched as it can help identify wonderful Entry/Exit Opportunities.
5) Value Area :-
The horizontal lines above and below the POC Zones are the Value areas, they are extremely useful to identify the potential support/resistance zones during the trending markets and potential target zones during the mean reverting markets. The width also helps assess the underlying volatility and risk and can help in determining the position size based on it. The setting can be adjusted based on Value area Range Multiplier. 1 is the ideal setting as it represents 1 Standard Deviation of Data.
6) Trailing Stops :-
The Green Trailing line helps as trailing stoploss in buying positions and Red Trailing Line helps as trailing SL in Selling Positions. These are especially useful when price is far away from the value area zones or when volatility is very high. The setting can be adjusted based on trail multiplier in the settings.
Here are the few examples of how to use the script on different asset classes
1) Gold Futures - Exhibiting the use of trend and SL and how to change positions based on retracement and RSI Interpretation.
2)Nifty 50 - Exhibiting the importance of POC , RSI Divergence and Breakout and SL Trail and POC Change Markers
3) Bitcoin/US Dollar - Showing the use of Value areas as support zones and using RSI overbought and oversold regions to manage pullbacks and retracement confirmations.
4) JSW Energy Limited - Stock - Showing the combined use of the scripts elements in trading environment.
Feel Free to use it on Charts and leverage the power of this wonderful Indicator.
Pro Trading Art - Swing Trading Master V2Pro Trading Art - Swing Trading Master V2
The Pro Trading Art - Swing Trading Master V2 is an exclusive, invite-only strategy crafted for traders aiming to master swing trading across various markets. This advanced strategy combines sophisticated price action analysis with momentum and volatility indicators to deliver precise entry and exit signals, optimized for both bullish and bearish market conditions.
Key Features:
Advanced Swing Detection: Employs a proprietary blend of moving averages, momentum oscillators, and volatility filters to identify high-probability swing trade setups.
Flexible Position Sizing: Allows customizable position sizes and risk-reward ratios, enabling traders to tailor the strategy to their risk tolerance.
Dynamic Exit Strategies: Includes adjustable take-profit and stop-loss levels, with options for percentage-based exits and an intelligent trailing stop to maximize gains.
User-Friendly Visuals: Provides clear buy and sell signals on the chart, enhanced by color-coded zones to highlight trending and ranging markets.
How to Use:
Apply the Swing Trading Master V2 strategy to your preferred chart on TradingView.
Configure input parameters, such as signal sensitivity, stop-loss, and take-profit levels, to match your trading preferences.
Watch for buy/sell signals and monitor color-coded chart zones to guide your trading decisions.
Leverage the trailing stop feature to protect profits during trending markets.
This strategy is perfect for traders seeking to capture medium-term price swings with a disciplined, systematic approach. Access is restricted to invited users, ensuring a premium and exclusive trading experience.
Buy and Sell with Entry-SL-TGT The Buy & Sell with Entry-SL-TGT Indicator is a trend-following tool that generates Buy (B), Sell (S), Risky Buy (RB), and Risky Sell (RS) signals. It is designed based on Average True Range (ATR) calculations and integrates seamlessly with basic trading studies. Developed to provide double-confirmation signals, it enhances trend-following strategies. The indicator filters standalone signals using the TD Line to reduce false positives. It plots customizable Entry, Stop-Loss (SL), and Target (TP) lines with user-defined Risk-Reward Ratios (1:1, 1:2, 1:3) and accounts for gap-ups/downs (0.3% threshold). A Smart Rebalancer plots a 12.5% downside line for positional trading. Alerts are configurable for specific or all signals. It is not intended for standalone use without market knowledge.
Fidelity Sector Switching ProgramApproximate recreation of the "Fidelity Sector Fund Switching Program" based on Walter Deemer’s published methodology. Source: walterdeemer.com
This script analyzes Fidelity sector funds, calculates relative strength ratings, and ranks them by strength. It selects the top 3 funds for holding. Exit triggers:
Fund drops into the bottom half of all funds.
Fund falls below the S&P 500.
Fund falls below the money market rate (T-Bills).
strength_rating = (( (0.5 * 8) + (0.25 * 16) + (0.25 * 32) ) * 1000) - 1000
Notes :
Funds marked with " * * " are not official switching set but are included for long-term trend observation.
* 90d T-Bill rates are unavailable; TBIL ETF used as proxy.
* Script loads slowly due to required fund data volume.
• Minor output variations may occur if the Wednesday market is closed; script uses the next available close.
Intended Use & Disclaimer:
• Intended for educational and analytical use only. Not financial or investment advice.
• This 'program' may be at risk of Fidelity’s 90-day round-trip violation policy.
Retail Pain Index (RPIx) (RPIx) Retail Pain Index (DAFE)
See the Market’s Pain. Trade the Edge.
The Retail Pain Index (RPIx) is a next-generation volatility and sentiment tool designed to reveal the hidden moments when retail traders are most likely being squeezed, stopped out, or forced to capitulate. This is not just another oscillator—it’s a behavioral market scanner that quantifies “pain” as price rips away from the average entry zone, often marking the fuel for the next big move.
Why is RPIx so Unique?
Behavioral Volatility Engine:
RPIx doesn’t just track price or volume. It measures how far price is moving away from where the crowd has recently entered (using a rolling VWAP average), then normalizes this “distance” into a Z-score. The result? You see when the market is inflicting maximum pain on the most participants.
Dynamic, Intuitive Coloring:
The main RPIx line is purple in normal conditions, but instantly turns red when pain is extreme to the upside (+2.00 or higher) and green when pain is extreme to the downside (-2.00 or lower). This makes it visually obvious when the market is entering a “max pain” regime.
Threshold Lines for Clarity:
Dashed red and green lines at +2.00 and -2.00 Z-score levels make it easy to spot rare, high-pain events at a glance.
Signature Dashboard & Info Line:
Dashboard: A compact, toggleable panel in the top right of the indicator pane shows the current Z-score, threshold, and status—perfect for desktop users who want a quick read on market stress.
Info Line: For mobile or minimalist traders, a single-line info label gives you the essentials without cluttering your screen.
Inputs & Customization
Entry Cluster Lookback: Adjusts how many bars are used to calculate the “entry zone” (VWAP average). A higher value smooths the signal, a lower value makes it more responsive.
Pain Z-Score Threshold:
Sets the sensitivity for what counts as “extreme pain.” Default is ±2.00, but you can fine-tune this to match your asset’s volatility or your own risk appetite.
Show Dashboard / Show Compact Info Label:
Toggle these features on or off to fit your workflow and screen size.
How to utilize RPIx's awesomeness:
Extreme Readings = Opportunity:
When RPIx spikes above +2.00 (red) or below -2.00 (green), the market is likely running stops, liquidating weak hands, or forcing retail traders to capitulate. These moments often precede sharp reversals, trend accelerations, or volatility expansions.
Combine with Price Action:
Use RPIx as a confirmation tool for your existing strategy, or as a standalone alert for “pain points” where the crowd is most vulnerable.
Visual Edge:
The color-coded line and threshold levels make it easy to spot regime shifts and rare events—no more squinting at numbers or guessing when the market is about to snap.
Why RPIx?
Works on Any Asset, Any Timeframe:
Stocks, futures, crypto, forex—if there’s a crowd, there’s pain, and RPIx will find it.
Behavioral Alpha:
Most indicators lag. RPIx quantifies the psychological stress in the market, giving you a real-time edge over the herd.
Customizable, Clean, and Powerful:
Designed for both power users and mobile traders, with toggles for every workflow.
See the pain. Trade the edge.
Retail Pain Index: Because the market’s next move is written in the crowd’s discomfort.
For educational purposes only. Not financial advice. Always use proper risk management
Use with discipline. Trade your edge.
— Dskyz , for DAFE Trading Systems, for DAFE Trading Systems
Stop Cascade Detector Stop Cascade Detector (DAFE)
Unlock the Hidden Triggers of Market Momentum!
The Stop Cascade Detector (Bull & Bear, Info Bubble) is a next-generation tool designed for traders who want to see what the crowd can’t: the precise moments when clusters of stop orders are being triggered, unleashing explosive moves in either direction. The reason for this is traders taking there position too early. We on the other hand will take our positions once the less informed traders have been liquidated.
What Makes This Indicator Unique?
Not Just Another Volatility Tool:
This script doesn’t just measure volatility or volume. It detects the chain reactions that occur when price and volume spikes combine to trigger stop-loss clusters—events that often precede the most powerful surges and reversals in any market.
Directional Intelligence:
Unlike generic “spike” detectors, this tool distinguishes between bullish stop cascades (green, above the bar) and bearish stop cascades (red, below the bar), giving you instant clarity on which side of the market is being liquidated.
Visual Precision:
Each event is marked with a color-coded info bubble and a triangle, clearly separated from the price bars for maximum readability. No more guessing where the action is—see it, trade it, and stay ahead.
Universal Application:
Works on any asset, any timeframe, and in any market—futures, stocks, crypto, forex. If there are stops, this indicator will find the cascade.
What makes it work?
Momentum + Volume Spike:
The detector identifies bars where both price momentum and volume are simultaneously extreme (using Z-scores). This combination is a classic signature of stop runs and forced liquidations.
Bull & Bear Detection:
Bull Stop Cascade : Price plunges downward with a volume spike—likely longs getting stopped out.
Bear Stop Cascade: Price surges upward with a volume spike—likely shorts getting stopped out.
Info Bubbles:
Each event is labeled with the exact Z-scores for momentum and volume, so you can gauge the intensity of the cascade at a glance.
What will it do for you?
Front-Run the Crowd:
Most traders react after the move. This tool helps you spot the cause of the move—giving you a tactical edge to fade exhaustion, ride momentum, or avoid getting trapped.
Perfect for Scalpers, Day Traders, and Swing Traders:
Whether you’re looking for high-probability reversals or want to ride the wave, knowing when stops are being triggered is a game-changer.
No More Blind Spots:
Stop cascades are the hidden fuel behind many of the market’s biggest moves. Now you can see them in real time.
How to Use
Red Bubble Above Bar: Bear stop cascade detected—watch for possible trend acceleration or reversal.
Green Bubble Below Bar: Bull stop cascade detected—watch for possible trend acceleration or reversal.
Combine with Your Strategy : Use as a confirmation tool, a reversal signal, or a filter for high-volatility environments. Level up your trading. See the market’s hidden triggers.
Stop Cascade Detector: Because the real edge is knowing what sets the market on fire.
For educational purposes only. Not financial advice. Always use proper risk management.
Use with discipline. Trade your edge.
— Dskyz, for DAFE Trading Systems
AI ALGO [SardarUmar]This PineScript code is a comprehensive trading strategy that combines trend identification, rejection signals, and profit target management. Here's a detailed breakdown:
Trend Identification
1. Supertrend: The code uses a Supertrend indicator with a weighted moving average (WMA) and exponential moving average (EMA) to smooth out the trend line.
2. Trend Direction: The trend direction is determined by the crossover and crossunder of the Supertrend line.
Rejection Signals
1. Bullish Rejection: A bullish rejection signal is generated when the price consolidates at the trend line and then moves above it.
2. Bearish Rejection: A bearish rejection signal is generated when the price consolidates at the trend line and then moves below it.
Profit Target Management
1. Stop Loss (SL): The stop loss level is calculated based on the Average True Range (ATR) and a specified multiplier.
2. Take Profit (TP) Levels: The code calculates multiple take profit levels (TP1, TP2, TP3) based on the stop loss distance and specified multipliers.
Alerts
1. Trend Change Alerts: Alerts are generated when the price crosses above or below the stop loss level, indicating a potential trend change.
2. Rejection Signal Alerts: Alerts are generated when the price rejects at the stop loss level, indicating a potential rejection signal.
3. TP Hit Alerts: Alerts are generated when the price reaches the take profit levels.
Visualizations
1. Trend Line: The trend line is plotted on the chart, with different colors for bullish and bearish trends.
2. Rejection Signals: Rejection signals are plotted as shapes on the chart.
3. Profit Target Levels: The profit target levels are plotted as lines on the chart.
Notes:
- This code is for educational purposes only and should not be used as is in live trading without thorough backtesting and validation.
- Traders should always use proper risk management techniques and position sizing when trading with automated systems.
The code seems well-structured and readable. However, it's essential to test and validate any trading strategy before using it in live markets.
Volume Flow OscillatorVolume Flow Oscillator
Overview
The Volume Flow Oscillator is an advanced technical analysis tool that measures buying and selling pressure by combining price direction with volume. Unlike traditional volume indicators, this oscillator reveals the force behind price movements, helping traders identify strong trends, potential reversals, and divergences between price and volume.
Reading the Indicator
The oscillator displays seven colored bands that fluctuate around a zero line:
Three bands above zero (yellow) indicate increasing levels of buying pressure
Three bands below zero (red) indicate increasing levels of selling pressure
The central band represents the baseline volume flow
Color intensity changes based on whether values are positive or negative
Trading Signals
The Volume Flow Oscillator provides several valuable trading signals:
Zero-line crossovers: When multiple bands cross from negative to positive, potential bullish shift; opposite for bearish
Divergences: When price makes new highs/lows but oscillator bands fail to confirm, signals potential reversal
Volume climax: Extreme readings where outer bands stretch far from zero often precede reversals
Trend confirmation: Strong expansion of bands in direction of price movement confirms genuine momentum
Support/resistance: During trends, bands may remain largely on one side of zero, showing continued directional pressure
Customization
Adjust these key parameters to optimize the oscillator for your trading style:
Lookback Length: Controls overall sensitivity (shorter = more responsive, longer = smoother)
Multipliers: Adjust sensitivity spread between bands for different market conditions
ALMA Settings: Fine-tune how the indicator weights recent versus historical data
VWMA Toggle: Enable for additional smoothing in volatile markets
Best Practices
For optimal results, use this oscillator in conjunction with price action and other confirmation indicators. The multi-band approach helps distinguish between minor fluctuations and significant volume events that might signal important market turns.
Macd, Wt Cross & HVPMacd Wt Cross & HVP – Advanced Multi-Signal Indicator
This script is a custom-designed multi-signal indicator that brings together three proven concepts to provide a complete view of market momentum, reversals, and volatility build-ups. It is built for traders who want to anticipate key market moves, not just react to them.
Why This Combination ?
While each tool has its strengths, their combined use creates powerful signal confluence.
Instead of juggling multiple indicators separately, this script synchronizes three key perspectives into a single, intuitive display—helping you trade with greater clarity and confidence.
1. MACD Histogram – Momentum and Trend Clarity
At the core of the indicator is the MACD histogram, calculated as the difference between two exponential moving averages (EMAs).
Color-coded bars represent momentum direction and intensity:
Green / blue bars: bullish momentum
Red / pink bars: bearish momentum
Color intensity shows acceleration or weakening of trend.
This visual makes it easy to detect trend shifts and momentum divergence at a glance.
2. WT Cross Signals – Early Reversal Detection
Overlaid on the histogram are green and red dots, based on the logic of the WaveTrend oscillator cross:
Green dots = potential bullish cross (buy signal)
Red dots = potential bearish cross (sell signal)
These signals are helpful for identifying reversal points during both trending and ranging phases.
3. Historical Volatility Percentile (HVP) – Volatility Compression Zones
Behind the histogram, purple vertical zones highlight periods of low historical volatility, based on the HVP:
When volatility compresses below a specific threshold, these zones appear.
Such periods are often followed by explosive price moves, making them prime areas for pre-breakout positioning.
By integrating HVP, the script doesn’t just tell you where the trend is—it tells you when the trend is likely to erupt.
How to Use This Script
Use the MACD histogram to confirm the dominant trend and its strength.
Watch for WT Cross dots as potential entry/exit signals in alignment or divergence with the MACD.
Monitor HVP purple zones as warnings of incoming volatility expansions—ideal moments to prepare for breakout trades.
Best results occur when all three elements align, offering a high-probability trade setup.
What Makes This Script Original?
Unlike many mashups, this script was not created by simply merging indicators. Each component was carefully integrated to serve a specific, complementary purpose:
MACD detects directional bias
WT Cross adds precision timing
HVP anticipates volatility-based breakout timing
This results in a strategic tool for traders, useful on multiple timeframes and adaptable to different trading styles (trend-following, breakout, swing).