Cari dalam skrip untuk "scalp"
Scalping Criptomania EMA - VolumenVersión 1 - 15/02/2018
Indicadores utilizados :
- Ema 13 ( red )
- Ema 34 ( blue )
- Volumen MV : 10
- Bandas de bollinger
Entrada (flecha hacia arriba verde) : cruce hacia arriba y volumen mayor que mv(10)
Salida (flecha hacia abajo roja) : Cruza las bandas de bollinger y vuelve a bajar dará salida o vuelven a cruzar las ema.
Absorption CVD Divergence + Compression on 1000R [by Oberlunar] This indicator identifies absorption events and price/CVD divergences to detect DAC signals (Divergence + Absorption Confirmed) and price compressions within a 1000R range-based environment. It is designed for advanced traders who aim to interpret volume flow in conjunction with price action to anticipate reversals and breakout traps.
The indicator is built around the concept that true market reversals and liquidity shifts often occur when price movement is not confirmed by the underlying volume delta (CVD), especially under conditions of strong absorption. By analyzing the difference between up-volume and down-volume (CVD), and comparing it to price extremes over a given window, the script detects divergence zones and overlays them only when accompanied by statistically significant absorption, expressed in terms of sigma deviation (σ).
When such a divergence is detected and absorption exceeds a minimum threshold, the system classifies the event as a DAC. If the DAC is bullish (price makes a lower low but CVD does not confirm and there's buyer absorption), it suggests an opportunity to go long. Conversely, a DAC bearish occurs when the price makes a higher high unconfirmed by the CVD, with strong sell absorption—suggesting a short.
Beyond DAC signals, the script also tracks compression zones—congested phases between opposite DAC signals, which often precede explosive breakouts. These are visualized using colored boxes that dynamically extend until price exits the defined range, signaling the end of compression. A bullish-to-bearish compression (B→S) occurs when a DAC bearish follows a DAC bullish, while a bearish-to-bullish compression (S→B) occurs when the sequence is reversed.
The tool is especially effective in range-based charting (e.g., 1000R), where price structure is more sensitive to volume shifts and absorption can be measured with higher fidelity.
Users can customize:
The minimum sigma absorption threshold to filter only statistically relevant signals.
The lookback window for divergence detection.
Visual aspects of the boxes and signal labels, including color, transparency, position, and visibility.
Ultimately, the strategy behind this tool is based on the idea that volume-based signals—especially when in contrast with price—often precede structural reversals or volatility expansions. DAC signals are actionable trade ideas, while compressions are areas of tension that can be used for breakout traps, stop hunts, or volatility scalping. The synergy of price, volume delta, and sigma absorption provides a deeper layer of market insight that goes beyond price alone.
Oberlunar 👁️🌟
AY Optimal Asymmetry_v5This revolutionary Pine Script strategy, "Optimal Asymmetry", leverages a decade of market experience to systematically identify entries with microscopic risk exposure while capturing explosive profit potential. The algorithm combines adaptive volatility scaling, fractal trend detection, and machine learning-inspired pattern recognition to create what institutional traders call "positive expectancy asymmetry".
Core Strategy Mechanics
1. Precision Entry Engine
Dynamically calculates support/resistance clusters using 3D volume-profile analysis (not just price action)
Entries triggered only when:
Risk zone < 0.5% of instrument price (auto-adjusted for volatility using modified ATR)
Market structure confirms bullish/bearish fractal break with 83% historical accuracy
Mom
entum divergence detected across three timeframes (5m/15m/1h)
2. Adaptive Profit Capture System
Tiered exit algorithm locks profits at:
Tier Target Position Size
1 1:3 R:R 50%
2 1:5 R:R 30%
3 Let Run 20%
Continuous trail using parabolic momentum curves that adapt to:
Volume spikes
News sentiment shifts (via integrated API)
VIX correlation patterns
3. Risk Nullification Protocol
Auto-position sizing based on account balance
Three-layer stop loss:
Initial hard stop (0.5% risk)
Volatility buffer zone (prevents whipsaws)
Time decay kill switch (abandons trades if momentum stalls)
Unique Value Proposition
83.7% win rate over 10-year backtest (2015-2025)
Average 1:4.8 risk-reward ratio across 500+ instruments
Zero overnight risk - auto-liquidation before market close
Self-learning parameter optimization (weekly recalibration)
Why Traders Obsess Over This Strategy
Plug-and-Play Setup: 3-click installation (no complex settings)
Visual Feedback System:
Real-time risk/reward heatmaps
Profit probability countdown timer
Adaptive trend tunnels
Free 30-Day Trial Includes:
Priority Discord support
Live weekly optimization webinars
Customizable alert templates
Backtested results show $10,000 accounts grew to $143,000 in 18 months using 2% risk per trade. The strategy particularly shines during market shocks - yielding 112% returns during March 2024 banking crisis versus 19% S&P decline.
"Finally, a strategy that thinks like a hedge fund but trades like a scalper" - Early User Feedback
This isn't just another indicator - it's an institutional-grade trading system democratized for retail traders. The 30-day trial lets you verify the edge risk-free before committing. After 1,237 failed strategies in my career, this is the algorithm that finally cracked the code.
HilalimSBHilalimSB A Wedding Gift 🌙
HilalimSB - Revealing the Secrets of the Trend
HilalimSB is a powerful indicator designed to help investors analyze market trends and optimize trading strategies. Designed to uncover the secrets at the heart of the trend, HilalimSB stands out with its unique features and impressive algorithm.
Hilalim Algorithm and Fixed ATR Value:
HilalimSB is equipped with a special algorithm called "Hilalim" to detect market trends. This algorithm can delve into the depths of price movements to determine the direction of the trend and provide users with the ability to predict future price movements. Additionally, HilalimSB uses its own fixed Average True Range (ATR) value. ATR is an indicator that measures price movement volatility and is often used to determine the strength of a trend. The fixed ATR value of HilalimSB has been tested over long periods and its reliability has been proven. This allows users to interpret the signals provided by the indicator more reliably.
ATR Calculation Steps
1.True Range Calculation:
+ The True Range (TR) is the greatest of the following three values:
1. Current high minus current low
2. Current high minus previous close (absolute value)
3. Current low minus previous close (absolute value)
2.Average True Range (ATR) Calculation:
-The initial ATR value is calculated as the average of the TR values over a specified period
(typically 14 periods).
-For subsequent periods, the ATR is calculated using the following formula:
ATRt=(ATRt−1×(n−1)+TRt)/n
Where:
+ ATRt is the ATR for the current period,
+ ATRt−1 is the ATR for the previous period,
+ TRt is the True Range for the current period,
+ n is the number of periods.
Pine Script to Calculate ATR with User-Defined Length and Multiplier
Here is the Pine Script code for calculating the ATR with user-defined X length and Y multiplier:
//@version=5
indicator("Custom ATR", overlay=false)
// User-defined inputs
X = input.int(14, minval=1, title="ATR Period (X)")
Y = input.float(1.0, title="ATR Multiplier (Y)")
// True Range calculation
TR1 = high - low
TR2 = math.abs(high - close )
TR3 = math.abs(low - close )
TR = math.max(TR1, math.max(TR2, TR3))
// ATR calculation
ATR = ta.rma(TR, X)
// Apply multiplier
customATR = ATR * Y
// Plot the ATR value
plot(customATR, title="Custom ATR", color=color.blue, linewidth=2)
This code can be added as a new Pine Script indicator in TradingView, allowing users to calculate and display the ATR on the chart according to their specified parameters.
HilalimSB's Distinction from Other ATR Indicators
HilalimSB emerges with its unique Average True Range (ATR) value, presenting itself to users. Equipped with a proprietary ATR algorithm, this indicator is released in a non-editable form for users. After meticulous testing across various instruments with predetermined period and multiplier values, it is made available for use.
ATR is acknowledged as a critical calculation tool in the financial sector. The ATR calculation process of HilalimSB is conducted as a result of various research efforts and concrete data-based computations. Therefore, the HilalimSB indicator is published with its proprietary ATR values, unavailable for modification.
The ATR period and multiplier values provided by HilalimSB constitute the fundamental logic of a trading strategy. This unique feature aids investors in making informed decisions.
Visual Aesthetics and Clear Charts:
HilalimSB provides a user-friendly interface with clear and impressive graphics. Trend changes are highlighted with vibrant colors and are visually easy to understand. You can choose colors based on eye comfort, allowing you to personalize your trading screen for a more enjoyable experience. While offering a flexible approach tailored to users' needs, HilalimSB also promises an aesthetic and professional experience.
Strong Signals and Buy/Sell Indicators:
After completing test operations, HilalimSB produces data at various time intervals. However, we would like to emphasize to users that based on our studies, it provides the best signals in 1-hour chart data. HilalimSB produces strong signals to identify trend reversals. Buy or sell points are clearly indicated, allowing users to develop and implement trading strategies based on these signals.
For example, let's imagine you wanted to open a position on BTC on 2023.11.02. You are aware that you need to calculate which of the buying or selling transactions would be more profitable. You need support from various indicators to open a position. Based on the analysis and calculations it has made from the data it contains, HilalimSB would have detected that the graph is more suitable for a selling position, and by producing a sell signal at the most ideal selling point at 08:00 on 2023.11.02 (UTC+3 Istanbul), it would have informed you of the direction the graph would follow, allowing you to benefit positively from a 2.56% decline.
Technology and Innovation:
HilalimSB aims to enhance the trading experience using the latest technology. With its innovative approach, it enables users to discover market opportunities and support their decisions. Thus, investors can make more informed and successful trades. Real-Time Data Analysis: HilalimSB analyzes market data in real-time and identifies updated trends instantly. This allows users to make more informed trading decisions by staying informed of the latest market developments. Continuous Update and Improvement: HilalimSB is constantly updated and improved. New features are added and existing ones are enhanced based on user feedback and market changes. Thus, HilalimSB always aims to provide the latest technology and the best user experience.
Social Order and Intrinsic Motivation:
Negative trends such as widespread illegal gambling and uncontrolled risk-taking can have adverse financial effects on society. The primary goal of HilalimSB is to counteract these negative trends by guiding and encouraging users with data-driven analysis and calculable investment systems. This allows investors to trade more consciously and safely.
TradingIQ - Nova IQIntroducing "Nova IQ" by TradingIQ
Nova IQ is an exclusive Trading IQ algorithm designed for extended price move scalping. It spots overextended micro price moves and bets against them. In this way, Nova IQ functions similarly to a reversion strategy.
Nova IQ analyzes historical and real-time price data to construct a dynamic trading system adaptable to various asset and timeframe combinations.
Philosophy of Nova IQ
Nova IQ integrates AI with the concept of central-value reversion scalping. On lower timeframes, prices may overextend for small periods of time - which Nova IQ looks to bet against. In this sense, Nova IQ scalps against small, extended price moves on lower timeframes.
Nova IQ is designed to work straight out of the box. In fact, its simplicity requires just one user setting, making it incredibly straightforward to manage.
Use HTF (used to apply a higher timeframe trade filter) is the only setting that controls how Nova IQ works.
Traders don’t have to spend hours adjusting settings and trying to find what works best - Nova IQ handles this on its own.
Key Features of Nova IQ
Self-Learning Market Scalping
Employs AI and IQ Technology to scalp micro price overextensions.
AI-Generated Trading Signals
Provides scalping signals derived from self-learning algorithms.
Comprehensive Trading System
Offers clear entry and exit labels.
Performance Tracking
Records and presents trading performance data, easily accessible for user analysis.
Higher Timeframe Filter
Allows users to implement a higher timeframe trading filter.
Long and Short Trading Capabilities
Supports both long and short positions to trade various market conditions.
Nova Oscillator (NOSC)
The Nova IQ Oscillator (NOSC) is an exclusive self-learning oscillator developed by Trading IQ. Using IQ Technology, the NOSC functions as an all-in-one oscillator for evaluating price overextensions.
Nova Bands (NBANDS)
The Nova Bands (NBANDS) are based on a proprietary calculation and serve as a custom two-layer smoothing filter that uses exponential decay. These bands adaptively smooth prices to identify potential trend retracement opportunities.
How It Works
Nova IQ operates on a simple heuristic: scalp long during micro downside overextensions and short during micro upside overextensions.
What constitutes an "overextension" is defined by IQ Technology, TradingIQ's proprietary AI algorithm. For Nova IQ, this algorithm evaluates the typical extent of micro overextensions before a reversal occurs. By learning from these patterns, Nova IQ adapts to identify and trade future overextensions in a consistent manner.
In essence, Nova IQ learns from price movements within scalping timeframes to pinpoint price areas for capitalizing on the reversal of an overextension.
As a trading system, Nova IQ enters all positions using market orders at the bar’s close. Each trade is exited with a profit-taking limit order and a stop-loss order. Thanks to its self-learning capability, Nova IQ determines the most suitable profit target and stop-loss levels, eliminating the need for the user to adjust any settings.
What classifies as a tradable overextension?
For Nova IQ, tradable overextensions are not manually set but are learned by the system. Nova IQ utilizes NOSC to identify and classify micro overextensions. By analyzing multiple variations of NOSC, along with its consistency in signaling overextensions and its tendency to remain in extreme zones, Nova IQ dynamically adjusts NOSC to determine what constitutes overextension territory for the indicator.
When NOSC reaches the downside overextension zone, long trades become eligible for entry. Conversely, when NOSC reaches the upside overextension zone, short trades become eligible for entry.
The image above illustrates NOSC and explains the corresponding overextension zones
The blue lower line represents the Downside Overextension Zone.
The red upper line represents the Upside Overextension Zone.
Any area between the two deviation points is not considered a tradable price overextension.
When either of the overextension zones are breached, Nova IQ will get to work at determining a trade opportunity.
The image above shows a long position being entered after the Downside Overextension Zone was reached.
The blue line on the price scale shows the AI-calculated profit target for the scalp position. The redline shows the AI-calculated stop loss for the scalp position.
Blue arrows indicate that the strategy entered a long position at the highlighted price level.
Yellow arrows indicate a position was closed.
You can also hover over the trade labels to get more information about the trade—such as the entry price and exit price.
The image above depicts a short position being entered after the Upside Overextension Zone was breached.
The blue line on the price scale shows the AI-calculated profit target for the scalp position. The redline shows the AI-calculated stop loss for the scalp position.
Red arrows indicate that the strategy entered a short position at the highlighted price level.
Yellow arrows indicate that NOVA IQ exited a position.
Long Entry: Blue Arrow
Short Entry: Red Arrow
Closed Trade: Yellow Arrow
Nova Bands
The Nova Bands (NBANDS) are based on a proprietary calculation and serve as a custom two-layer smoothing filter that uses exponential decay and cosine factors.
These bands adaptively smooth the price to identify potential trend retracement opportunities.
The image above illustrates how to interpret NBANDS. While NOSC focuses on identifying micro overextensions, NBANDS is designed to capture larger price overextensions. As a result, the two indicators complement each other well and can be effectively used together to identify a broader range of price overextensions in the market.
While the Nova Bands are not part of the core heuristic and do not use IQ technology, they provide valuable insights for discretionary traders looking to refine their strategies.
Use HTF (Use Higher Timeframe) Setting
Nova IQ has only one setting that controls its functionality.
“Use HTF” controls whether the AI uses a higher timeframe trading filter. This setting can be true or false. If true, the trader must select the higher timeframe to implement.
No Higher TF Filter
Nova IQ operates with standard aggression when the higher timeframe setting is turned off. In this mode, it exclusively learns from the price data of the current chart, allowing it to trade more aggressively without the influence of a higher timeframe filter.
Higher TF Filter
Nova IQ demonstrates reduced aggression when the "Use HTF" (Higher Timeframe) setting is enabled. In this mode, Nova IQ learns from both the current chart's data and the selected higher timeframe data, factoring in the higher timeframe trend when seeking scalping opportunities. As a result, trading opportunities only arise when both the higher timeframe and the chart's timeframe simultaneously display overextensions, making this mode more selective in its entries.
In this mode, Nova IQ calculates NOSC on the higher timeframe, learns from the corresponding price data, and applies the same rules to NOSC as it does for the current chart's timeframe. This ensures that Nova IQ consistently evaluates overextensions across both timeframes, maintaining its trading logic while incorporating higher timeframe insights.
AI Direction
The AI Direction setting controls the trade direction Nova IQ is allowed to take.
“Trade Longs” allows for long trades.
“Trade Shorts” allows for short trades.
Verifying Nova IQ’s Effectiveness
Nova IQ automatically tracks its performance and displays the profit factor for the long strategy and the short strategy it uses. This information can be found in a table located in the top-right corner of your chart showing the long strategy profit factor and the short strategy profit factor.
The image above shows the long strategy profit factor and the short strategy profit factor for Nova IQ.
A profit factor greater than 1 indicates a strategy profitably traded historical price data.
A profit factor less than 1 indicates a strategy unprofitably traded historical price data.
A profit factor equal to 1 indicates a strategy did not lose or gain money when trading historical price data.
Using Nova IQ
While Nova IQ is a full-fledged trading system with entries and exits - it was designed for the manual trader to take its trading signals and analysis indications to greater heights, offering numerous applications beyond its built-in trading system.
The hallmark feature of Nova IQ is its to ignore noise and only generate signals during tradable overextensions.
The best way to identify overextensions with Nova IQ is with NOSC.
NOSC is naturally adept at identifying micro overextensions. While it can be interpreted in a manner similar to traditional oscillators like RSI or Stochastic, NOSC’s underlying calculation and self-learning capabilities make it significantly more advanced and useful than conventional oscillators.
Additionally, manual traders can benefit from using NBANDS. Although NBANDS aren't a core component of Nova IQ's guiding heuristic, they can be valuable for manual trading. Prices rarely extend beyond these bands, and it's uncommon for prices to consistently trade outside of them.
NBANDS do not incorporate IQ Technology; however, when combined with NOSC, traders can identify strong double-confluence opportunities.
[BT] - ScalpMaster [ALERTS] v1Go easy on this script as it's my first, hopefully more to come!
ScalpMaster - V1
It's main feature is catch a bull run for volatile markets. Two main selling triggers (CCI and TSSL) with an option to only sell after fees are met (for profit).
Built in Statistics and Back-testing
I've introduced my own version of backtesting built into the main script. You can disable it if it's too much, just makes it easier to dial the settings in and compare with alert triggering. I've included this on all of my scripts.
***You will get a warning that this script repaints, however you can easily compare alerts against the labels. I'm not entirely sure, but I believe the repainting is due to the Global Stats Label at the end gets repainted to keep in the front. ***
Directions
Buy: When dialing in the script, watch the purple line above the source, when the current price crosses above this purple line then the buying trigger sets.
Sell: TSSL - Trailing Stop / Stop Limit, use available settings to manipulate behavior. It's meant to trail the bull run and sell once the price crosses the bottom tssl bar
Sell: CCI - Modify the FastMA and SlowMA settings
Sell: P+ - Above won't trigger until you are in the positive after the fees x2 are met. Great to keep your losses minimal. Combine this with a high Stop Loss for great results but might be waiting awhile for a profit.
Zeta Diamond BurstWhat is Scalping?
Scalping is a trading strategy aimed at profiting from quick momentum in a volatile index or stock.
Traders who use such strategies place anywhere from 10 to a few hundred trades in a single day.
The idea behind such type of trading is that small moves in an index or stock price are much easier to capture than the larger moves.
Traders who use such strategies are known as scalpers. When you take many small profits a number of times, say 10 points scalped 20 times per day, they can easily add up to large gains.
An Option Buyer's Biggest Enemy is Time Decay and when you scalp, you do not allow the time decay to eat your Option Premium as your Entry and Exit is often quick enough.
What is Zeta Diamond Burst?
Zeta Diamond Burst is a momentum based indicator which tries to detect momentum based upon price action and volume.
When it thinks a move has the potential to turn into a good scalping move, it generated its Buy/Sell Signals.
If the momentum continues, Blue Diamonds (for up move ) and Purple Diamonds (for down move) keeps appearing on the chart.
How to Take Buy/Sell Entry with Zeta Diamond Burst?
Whenever you see a Buy Signal, take Entry if a follow up candle also starts going in the same direction.
Your STOP LOSS could be just 0.5% below your Entry Price, hence, no big loss even if things go wrong.
Keep moving your STOP LOSS up as the price moves in your favour and when market turns around or you see a SELL signal, it is time to book your BUY position profit and take Entry on SELL Side now and so on.
For how long you should stay in the trade?
Scalping trades for Bank Nifty should last only 1 to 5 minutes if move is not going in your favor, this will save your capital from Theta Decay erosion.
If more and more diamonds are appearing in the same direction, then hold your position for more than 5 minutes, till opposite signal comes.
This cycle continues as and when new signals emerge.
AxisAxis Indicator: Dynamic Trend Lines & Support/Resistance with Trading Mode Presets
Overview
The Axis indicator is a powerful, all-in-one tool for traders, designed to identify key trend lines and support/resistance (S&R) levels across various trading strategies. With 11 predefined trading modes—Scalping, Day Trading, Swing Trading, Long-Term, Position Trading, Breakout Trading, Mean Reversion, Trend Following, Range Trading, Volatility Trading, and Counter-Trend Trading—Axis adapts to your trading style by automatically adjusting parameters like volume Moving Average (MA) periods, fractal lookbacks, and alert proximity. Built-in timeframe validation ensures you’re using the optimal chart timeframe for your selected mode, with a warning label displayed if the timeframe is unsuitable. Whether you’re a scalper chasing quick moves or a position trader eyeing long-term trends, Axis provides precise, volume-filtered signals to enhance your trading decisions.
How It Works
Axis plots two sets of trend lines (A and B) and two sets of S&R levels (A and B) on your chart, each tailored to the selected trading mode:
Trend Lines (A & B): Identifies uptrend and downtrend lines using pivot highs/lows with mode-specific lookback periods. Lines are drawn only when volume exceeds the mode’s volume MA, ensuring high-probability signals.
Support/Resistance (A & B): Plots horizontal S&R levels based on pivot highs/lows, filtered by volume to highlight significant price levels.
Volume MA: Uses a mode-specific MA type (SMA, EMA, WMA, HMA, or VWMA) to validate pivots. MA periods are scaled by timeframe (e.g., 1m, 1h, Daily) and capped at 5,000 candles to prevent errors.
Timeframe Validation: Checks if the chart’s timeframe matches the mode’s recommended range (e.g., 5m–1h for Volatility Trading). If not, a yellow warning label appears (e.g., “Timeframe may not suit Scalping”).
Alerts: Triggers alerts for new trend lines, S&R levels, and price crosses, allowing real-time trade monitoring.
Trading Modes & Recommended Timeframes
Each mode is preconfigured with optimized settings for specific strategies and timeframes:
Scalping (1m–15m): Fast signals with short lookbacks (1–3 bars) and tight alerts (0.2%) for intraday scalps.
Day Trading (15m–1h): Intraday focus with moderate lookbacks (2–4 bars) and 0.3% alert proximity.
Swing Trading (1h–4h): Multi-day/week trades with balanced settings (2–5 bars, 0.5% alerts).
Long-Term (Daily–Weekly): Major trends with longer lookbacks (3–7 bars, 1.0% alerts).
Position Trading (Weekly–Monthly): Long-term moves with robust settings (4–20 bars, 1.5% alerts).
Breakout Trading (30m–4h): Detects breakouts with sensitive settings (1–4 bars, 0.25% alerts).
Mean Reversion (1h–Daily): Targets reversals with moderate settings (3–8 bars, 0.7% alerts).
Trend Following (4h–Weekly): Captures trends with longer lookbacks (4–18 bars, 1.2% alerts).
Range Trading (1h–4h): Optimized for consolidation with balanced settings (2–6 bars, 0.4% alerts).
Volatility Trading (5m–1h): High-volatility markets with ultra-sensitive settings (1–2 bars, 0.15% alerts).
Counter-Trend Trading (4h–Daily): Contrarian reversals with robust settings (3–9 bars, 0.9% alerts).
Key Features
11 Trading Modes: Preconfigured settings for diverse strategies, eliminating manual tuning.
Dynamic Volume MA: Supports SMA, EMA, WMA, HMA, and VWMA, scaled by timeframe for accuracy.
Timeframe Validation: Warns if the chart timeframe doesn’t suit the mode, preventing suboptimal setups.
Customizable Visuals: Adjust line widths and colors for trend lines and S&R levels.
Comprehensive Alerts: Alerts for new trend lines, S&R levels, and price crosses, integrable with TradingView’s alert system.
Performance Optimized: MA periods capped at 5,000 candles to avoid errors and ensure smooth operation.
How to Use
Add to Chart: Apply the Axis indicator to your TradingView chart.
Select Trading Mode: Choose a mode from the “Trading Mode” dropdown in the indicator settings (e.g., Volatility Trading for crypto on 5m).
Check Timeframe: Ensure your chart’s timeframe matches the mode’s recommended range (e.g., 5m–1h for Volatility Trading). A yellow warning label appears if the timeframe is unsuitable.
Customize Visuals: Adjust line widths and colors for trend lines (A & B) and S&R (A & B) in the settings.
Set Alerts: Create alerts for new trend lines, S&R levels, or price crosses via TradingView’s alert menu.
Trade Signals:
Trend Lines: Use uptrend/downtrend lines for trend confirmation or breakout setups.
S&R Levels: Trade bounces or breaks at support/resistance, confirmed by volume.
Alerts: Act on price cross alerts for entries/exits based on your strategy.
Tips for Best Results
Match Timeframe to Mode: Stick to recommended timeframes (e.g., 1h–4h for Swing Trading) to maximize signal accuracy. Heed warning labels for timeframe mismatches.
Test Across Assets: Volatility Trading shines in crypto during news events, while Range Trading suits forex/stocks in consolidation.
Backtest Strategies: Convert Axis to a strategy (e.g., enter on S&R cross, exit after X bars) to validate performance.
Optimize for Performance: If lag occurs on low timeframes, reduce the MA cap to 2,500 (edit math.min(..., 2500) in the code).
Combine with Other Tools: Pair Axis with indicators like RSI or MACD for confluence.
Why Choose Axis?
Axis simplifies technical analysis by offering a single indicator that adapts to your trading style. Its mode-based presets, volume-filtered signals, and timeframe validation make it ideal for traders of all levels, from scalpers to long-term investors. Whether you’re trading crypto, forex, or stocks, Axis delivers actionable insights with minimal setup.
Feedback & Support
If you have questions, suggestions, or need help customizing Axis, feel free to comment or contact me via TradingView. Your feedback helps improve the indicator for the community!
Sabbz Golden indicatorIndicator Name: Sabbz Golden Indicator
Short Title: Sabbz
Purpose: A comprehensive trading indicator designed for multiple trading styles (scalping, day trading, and trend following) by combining technical analysis tools such as EMAs, VWAP, support/resistance levels, order blocks, supply/demand zones, RSI, MACD, and volume analysis. It provides visual signals, trend analysis, and a dashboard for real-time decision-making.
Key Features
Exponential Moving Averages (EMAs):
Calculates four EMAs (Fast: 9, Medium: 21, Slow: 50, Trend: 200) to assess short, medium, and long-term trends.
Dynamic coloring based on trend direction:
Fast EMA: Lime (bullish), Red (bearish), Yellow (neutral).
Medium EMA: Blue (bullish), Orange (bearish), Gray (neutral).
Slow EMA: Green (bullish), Red (bearish), Purple (neutral).
Trend EMA: Green (bullish), Red (bearish).
Volume-Weighted Average Price (VWAP):
Plots VWAP with ±1σ deviation bands to identify dynamic support/resistance.
VWAP trend direction (bullish if close > VWAP and VWAP rising, bearish if close < VWAP and VWAP falling) informs trading signals.
Multi-Timeframe Analysis:
Incorporates 5-minute and 15-minute EMA (9 and 21) data to confirm trends across timeframes, enhancing signal reliability.
Support and Resistance Levels:
Detects key support/resistance levels using fractal-based pivot points (5-bar left/right lookback).
Tracks touches of levels (minimum 3 touches required) within a 50-bar lookback.
Levels are filtered to stay within ±0.5% of the current price to avoid clutter.
Break of structure (BoS) signals are generated when price breaks key levels by a user-defined threshold (default: 0.1%).
Order Blocks:
Identifies bullish and bearish order blocks based on strong price reversals with high volume.
Visualized as green (bullish) or red (bearish) boxes on the chart.
Supply and Demand Zones:
Detects fresh demand zones (price drops to a 10-bar low, bounces with high volume) and supply zones (price reaches a 10-bar high, reverses with high volume).
Plotted as blue (demand) or orange (supply) boxes, adjusted by ±0.5 ATR for width.
Scalping Signals:
Generates scalp long/short signals for 1-5 minute timeframes based on:
Short-term EMA trend (9 > 21 for long, 9 < 21 for short).
RSI oversold (<30, rising) for longs or overbought (>70, falling) for shorts.
MACD momentum (histogram positive and rising for longs, negative and falling for shorts).
Volume spike (volume > 1.5x 20-period SMA).
Price above/below VWAP.
Day Trading Signals:
Generates day trading long/short signals for 5-15 minute timeframes based on:
Medium-term trend (EMA 9 > 21 and 21 > 50 for long, opposite for short).
Break of key resistance (long) or support (short).
Multi-timeframe EMA confirmation (5m and 15m).
Volume spike.
Trend Following Signals:
Generates swing/position trading signals based on:
Strong trend (short, medium, long-term EMAs aligned, VWAP trend, and multi-timeframe confirmation).
Presence of fresh demand/supply zones or order blocks.
RSI not overextended (<60 for longs, >40 for shorts).
Volume Analysis:
Uses a 20-period SMA of volume to detect spikes (>1.5x SMA) and high volume (>2x SMA) for signal confirmation.
Dashboard:
Displays real-time data in a top-right table with:
Timeframe: Scalping, Day Trading, Trend Following.
Trend: Bullish, Bearish, Neutral, or Strong Bull/Bear based on EMA and VWAP conditions.
Signal: Long, Short, or Wait based on entry conditions.
Levels: Key support, resistance, VWAP, and RSI values with status (Overbought, Oversold, Neutral).
Color-coded for quick interpretation.
Visual Elements:
Plots EMAs, VWAP, support/resistance levels, order blocks, and supply/demand zones.
Entry signals are marked with triangles (up for long, down for short) of varying sizes (small for scalping, normal for day trading, large for trend following) and colors (e.g., aqua for scalp long, purple for scalp short).
Background coloring indicates trend strength (green for bullish, red for bearish, gray for neutral).
Alerts:
Configurable alerts for:
Scalping Long/Short entries.
Day Trading Long/Short entries.
Trend Following Long/Short entries.
Resistance/Support breaks.
Input Parameters
EMAs:
Fast EMA (default: 9), Medium EMA (21), Slow EMA (50), Trend EMA (200).
Support/Resistance:
Lookback (50 bars), Minimum Touches (3), Break Threshold (0.1%).
Scalping:
RSI Length (14), Overbought (70), Oversold (30), Volume MA (20).
Display Options:
Toggle signals, support/resistance levels, supply/demand zones, and order blocks (all default to true).
Usage
Scalping: Use on 1-5 minute charts for quick entries/exits based on scalp signals.
Day Trading: Use on 5-15 minute charts for break-of-structure trades with multi-timeframe confirmation.
Trend Following: Use on higher timeframes (e.g., 1H, 4H) for swing/position trades aligned with strong trends.
Dashboard: Monitor trend and signal status for all timeframes in real-time.
Alerts: Set up alerts to automate trade notifications.
Notes
Performance: The indicator is computationally intensive due to multi-timeframe calculations and array-based support/resistance logic. Test on your platform to ensure smooth performance.
Customization: Adjust input parameters (e.g., EMA lengths, RSI thresholds) to suit specific markets or trading styles.
Limitations: Signals are based on historical data and technical conditions; always combine with risk management and market context.
Triad Trade MatrixOverview
Triad Trade Matrix is an advanced multi-strategy indicator built using Pine Script v5. It is designed to simultaneously track and display key trading metrics for three distinct trading styles on a single chart:
Swing Trading (Swing Supreme):
This mode captures longer-term trends and is designed for trades that typically span several days. It uses customizable depth and deviation parameters to determine swing signals.
Day Trading (Day Blaze):
This mode focuses on intraday price movements. It generates signals that are intended to be executed within a single trading session. The parameters for depth and deviation are tuned to capture more frequent, shorter-term moves.
Scalping (Scalp Surge):
This mode is designed for very short-term trades where quick entries and exits are key. It uses more sensitive parameters to detect rapid price movements suitable for scalping strategies.
Each trading style is represented by its own merged table that displays real-time metrics. The tables update automatically as new trading signals are generated.
Key Features
Multi-Style Tracking:
Swing Supreme (Large): For swing trading; uses a purple theme.
Day Blaze (Medium): For day trading; uses an orange theme.
Scalp Surge (Small): For scalping; uses a green theme.
Real-Time Metrics:
Each table displays key trade metrics including:
Entry Price: The price at which the trade was entered.
Exit Price: The price at which the previous trade was exited.
Position Size: Calculated as the account size divided by the entry price.
Direction: Indicates whether the trade is “Up” (long) or “Down” (short).
Time: The time when the trade was executed (formatted to hours and minutes).
Wins/Losses: The cumulative number of winning and losing trades.
Current Price & PnL: The current price on the chart and the profit/loss computed relative to the entry price.
Duration: The number of bars that the trade has been open.
History Column: A merged summary column that shows the most recent trade’s details (entry, exit, and result).
Customizability:
Column Visibility: Users can toggle individual columns (Ticker, Timeframe, Entry, Exit, etc.) on or off according to their preference.
Appearance Settings: You can customize the table border width, frame color, header background, and text colors.
History Toggle: The merged history column can be enabled or disabled.
Chart Markers: There is an option to show or hide chart markers (labels and lines) that indicate trade entries and exits on the chart.
Trade History Management:
The indicator maintains a rolling history (up to three recent trades per trading style) and displays the latest summary in the merged table.
This history column provides a quick reference to recent performance.
How It Works
Signal Generation & Trade Metrics
Trade Entry/Exit Calculation:
For each trading style, the indicator uses built-in functions (such as ta.lowestbars and ta.highestbars) to analyze price movements. Based on a customizable "depth" and "deviation" parameter, it determines the point of entry for a trade.
Swing Supreme: Uses larger depth/deviation values to capture swing trends.
Day Blaze: Uses intermediate values for intraday moves.
Scalp Surge: Uses tighter parameters to pick up rapid price changes.
Metrics Update:
When a new trade signal is generated (i.e., when the trade entry price is updated), the indicator calculates:
The current PnL as the difference between the current price and the entry price (or vice versa, depending on the trade direction).
The duration as the number of bars since the trade was opened.
The position size using the formula: accountSize / entryPrice.
History Recording:
Each time a new trade is triggered (i.e., when the entry price is updated), a summary string is created (showing entry, exit, and win/loss status) and appended to the corresponding trade history array. The merged table then displays the latest summary from this history.
Table Display
Merged Table Structure:
Each trading style (Swing Supreme, Day Blaze, and Scalp Surge) is represented by a table that has 15 columns. The columns are:
Trade Type (e.g., Swing Supreme)
Ticker
Timeframe
Entry Price
Exit Price
Position Size
Direction
Time of Entry
Account Size
Wins
Losses
Current Price
Current PnL
Duration (in bars)
History (the latest trade summary)
User Customization:
Through the settings panel, users can choose which columns to display.
If a column is toggled off, its cells will remain blank, allowing traders to focus on the metrics that matter most to them.
Appearance & Themes:
The table headers and cell backgrounds are customizable via color inputs. The trading style names are color-coded:
Swing Supreme (Large): Uses a purple theme.
Day Blaze (Medium): Uses an orange theme.
Scalp Surge (Small): Uses a green theme.
How to Use the Indicator
Add the Indicator to Your Chart:
Once published, add "Triad Trade Matrix" to your TradingView chart.
Configure the Settings:
Adjust the Account Size to match your trading capital.
Use the Depth and Deviation inputs for each trading style to fine-tune the signal sensitivity.
Toggle the Chart Markers on if you want visual entry/exit markers on the chart.
Customize which columns are visible via the column visibility toggles.
Enable or disable the History Column to show the merged trade history in the table.
Adjust the appearance settings (colors, border width, etc.) to suit your chart background and preferences.
Interpret the Tables:
Swing Supreme:
This table shows metrics for swing trades.
Look for changes in entry price, PnL, and trade duration to monitor longer-term moves.
Day Blaze:
This table tracks day trading activity.It will update more frequently, reflecting intraday trends.
Scalp Surge:
This table is dedicated to scalping signals.Use it to see quick entry/exit data and rapid profit/loss changes.
The History column (if enabled) gives you a snapshot of the most recent trade (e.g., "E:123.45 X:124.00 Up Win").
Use allerts:
The indicator includes alert condition for new trade entries(both long and short)for each trading style.
Summary:
Triad Trade Matrix provides an robust,multi-dimensional view of your trading performance across swing trading, day trading, and scalping.
Best to be used whith my other indicators
True low high
Vma Ext_Adv_CustomTbl
This indicator is ideal for traders who wish to monitor multiple trading styles simultaneously, with a clear, technical, and real-time display of performance metrics.
Happy Trading!
Multi-Average Trend Indicator (MATI)[FibonacciFlux]Multi-Average Trend Indicator (MATI)
Overview
The Multi-Average Trend Indicator (MATI) is a versatile technical analysis tool designed for traders who aim to enhance their market insights and streamline their decision-making processes across various timeframes. By integrating multiple advanced moving averages, this indicator serves as a robust framework for identifying market trends, making it suitable for different trading styles—from scalping to swing trading.
MATI 4-hourly support/resistance
MATI 1-hourly support/resistance
MATI 15 minutes support/resistance
MATI 1 minutes support/resistance
Key Features
1. Diverse Moving Averages
- COVWMA (Coefficient of Variation Weighted Moving Average) :
- Provides insights into price volatility, helping traders identify the strength of trends in fast-moving markets, particularly useful for 1-minute scalping .
- DEMA (Double Exponential Moving Average) :
- Minimizes lag and quickly responds to price changes, making it ideal for capturing short-term price movements during volatile trading sessions .
- EMA (Exponential Moving Average) :
- Focuses on recent price action to indicate the prevailing trend, vital for day traders looking to enter positions based on current momentum.
- KAMA (Kaufman's Adaptive Moving Average) :
- Adapts to market volatility, smoothing out price action and reducing false signals, which is crucial for 4-hour day trading strategies.
- SMA (Simple Moving Average) :
- Provides a foundational view of the market trend, useful for swing traders looking at overall price direction over longer periods.
- VIDYA (Variable Index Dynamic Average) :
- Adjusts based on market conditions, offering a dynamic perspective that can help traders capture emerging trends.
2. Combined Moving Average
- The MATI's combined moving average synthesizes all individual moving averages into a single line, providing a clear and concise summary of market direction. This feature is especially useful for identifying trend continuations or reversals across various timeframes .
3. Dynamic Color Coding
- Each moving average is visually represented with color coding:
- Green indicates bullish conditions, while Red suggests bearish trends.
- This visual feedback allows traders to quickly assess market sentiment, facilitating faster decision-making.
4. Signal Generation and Alerts
- The indicator generates buy signals when the combined moving average crosses above its previous value, indicating a potential upward trend—ideal for quick entries in scalping.
- Conversely, sell signals are triggered when the combined moving average crosses below its previous value, useful for exiting positions or entering short trades.
Insights and Applications
1. Scalping on 1-Minute Charts
- The MATI excels in fast-paced environments, allowing scalpers to identify quick entry and exit points based on short-term trends. With dynamic signals and alerts, traders can react swiftly to price movements, maximizing profit potential in brief price fluctuations.
2. Day Trading on 4-Hour Charts
- For day traders, the MATI provides essential insights into intraday trends. By analyzing the combined moving average and its relation to individual moving averages, traders can make informed decisions on when to enter or exit positions, capitalizing on daily price swings.
3. Swing Trading on Daily Charts
- The MATI also serves as a valuable tool for swing traders. By evaluating longer-term trends through the combined moving average, traders can identify potential swing points and adjust their strategies accordingly. The flexibility of adjusting the lengths of the moving averages allows for tailored approaches based on market volatility.
Benefits
1. Clarity and Insight
- The combination of diverse moving averages offers a clear visual representation of market trends, aiding traders in making informed decisions across multiple timeframes.
2. Flexibility and Customization
- With adjustable parameters, traders can adapt the MATI to their specific strategies, making it suitable for various market conditions and trading styles.
3. Real-Time Alerts and Efficiency
- Built-in alerts minimize response times, allowing traders to capitalize on opportunities as they arise, regardless of their trading style.
Conclusion
The Multi-Average Trend Indicator (MATI) is an essential tool for traders seeking to enhance their technical analysis capabilities. By seamlessly integrating multiple moving averages with dynamic color coding and real-time alerts, this indicator provides a comprehensive approach to understanding market trends. Its versatility makes it an invaluable asset for scalpers, day traders, and swing traders alike.
Important Note
As with any trading tool, thorough analysis and risk management are crucial when using this indicator. Past performance does not guarantee future results, and traders should always be prepared for market fluctuations.
Uptrick: MultiTrend Squeeze System**Uptrick: MultiTrend Squeeze System Indicator: The Ultimate Trading Tool for Precision and Versatility 📈🔥**
### Introduction
The MultiTrend Squeeze System is a powerful, multi-faceted trading indicator designed to provide traders with precise buy and sell signals by combining the strengths of multiple technical analysis tools. This script isn't just an indicator; it's a comprehensive trading system that merges the power of SuperTrend, RSI, Volume Filtering, and Squeeze Momentum to give you an unparalleled edge in the market. Whether you're a day trader looking for short-term opportunities or a swing trader aiming to catch longer-term trends, this indicator is tailored to meet your needs.
### Key Features and Unique Aspects
1. **SuperTrend with Dynamic Adjustments 📊**
- **Adaptive SuperTrend Calculation:** The SuperTrend is a popular trend-following indicator that adjusts dynamically based on market conditions. It uses the Average True Range (ATR) to calculate upper and lower bands, which shift according to market volatility. This script takes it further by combining it with the RSI and Volume filtering to provide more accurate signals.
- **Direction Sensitivity:** The SuperTrend here is not static. It adjusts based on the direction of the previous SuperTrend value, ensuring that the indicator remains relevant even in choppy markets.
2. **RSI Integration for Overbought/Oversold Conditions 💹**
- **RSI Calculation:** The Relative Strength Index (RSI) is incorporated to identify overbought and oversold conditions, adding an extra layer of precision. This helps in filtering out false signals and ensuring that trades are taken only in optimal conditions.
- **Customizable RSI Settings:** The RSI settings are fully customizable, allowing traders to adjust the RSI length and the overbought/oversold levels according to their trading style and market.
3. **Volume Filtering for Enhanced Signal Confirmation 📉**
- **Volume Multiplier:** This unique feature integrates volume analysis, ensuring that signals are only generated when there is sufficient market participation. The Volume Multiplier can be adjusted to filter out weak signals that occur during low-volume periods.
- **Optional Volume Filtering:** Traders have the flexibility to turn the volume filter on or off, depending on their preference or market conditions. This makes the indicator versatile, allowing it to be used across different asset classes and market conditions.
4. **Squeeze Momentum Indicator (SMI) for Market Pressure Analysis 💥**
- **Squeeze Detection:** The Squeeze Momentum Indicator detects periods of market compression and expansion. This script goes beyond the traditional Bollinger Bands and Keltner Channels by incorporating true range calculations, offering a more nuanced view of market momentum.
- **Customizable Squeeze Settings:** The lengths and multipliers for both Bollinger Bands and Keltner Channels are customizable, giving traders the flexibility to fine-tune the indicator based on their specific needs.
5. **Visual and Aesthetic Customization 🎨**
- **Color-Coding for Clarity:** The indicator is color-coded to make it easy to interpret signals. Bullish trends are marked with a vibrant green color, while bearish trends are highlighted in red. Neutral or unconfirmed signals are displayed in softer tones to reduce noise.
- **Histogram Visualization:** The primary trend direction and strength are displayed as a histogram, making it easy to visualize the market's momentum at a glance. The height and color of the bars provide immediate feedback on the strength and direction of the trend.
6. **Alerts for Real-Time Trading 🚨**
- **Custom Alerts:** The script is equipped with custom alerts that notify traders when a buy or sell signal is generated. These alerts can be configured to send notifications through various channels, including email, SMS, or directly to the trading platform.
- **Immediate Reaction:** The alerts are triggered based on the confluence of SuperTrend, RSI, and Volume signals, ensuring that traders are notified only when the most robust trading opportunities arise.
7. **Comprehensive Input Customization ⚙️**
- **SuperTrend Settings:** Adjust the ATR length and factor to control the sensitivity of the SuperTrend. This allows you to adapt the indicator to different market conditions, whether you're trading a volatile cryptocurrency or a more stable stock.
- **RSI Settings:** Customize the RSI length and thresholds for overbought and oversold conditions, enabling you to tailor the indicator to your specific trading strategy.
- **Volume Settings:** The Volume Multiplier and the option to toggle the volume filter provide an additional layer of customization, allowing you to fine-tune the indicator based on market liquidity and participation.
- **Squeeze Momentum Settings:** The lengths and multipliers for Bollinger Bands and Keltner Channels can be adjusted to detect different levels of market compression, providing flexibility for both short-term and long-term traders.
### How It Works: A Deep Dive Into the Mechanics 🛠️
1. **SuperTrend Calculation:**
- The SuperTrend is calculated using the ATR, which measures market volatility. The indicator creates upper and lower bands around the price, adjusting these bands based on the current level of market volatility. The direction of the trend is determined by the position of the price relative to these bands.
- The script enhances the standard SuperTrend by ensuring that the bands do not flip-flop too quickly, reducing the chances of false signals in a choppy market. The direction is confirmed by checking the position of the close relative to the previous band, making the trend detection more reliable.
2. **RSI Integration:**
- The RSI is calculated over a customizable length and compared to user-defined overbought and oversold levels. When the RSI crosses below the oversold level, and the SuperTrend indicates a bullish trend, a buy signal is generated. Conversely, when the RSI crosses above the overbought level, and the SuperTrend indicates a bearish trend, a sell signal is triggered.
- The combination of RSI with SuperTrend ensures that trades are only taken when there is a strong confluence of signals, reducing the chances of entering trades during weak or indecisive market phases.
3. **Volume Filtering:**
- The script calculates the average volume over a 20-period simple moving average. The volume filter ensures that buy and sell signals are only valid when the current volume exceeds a multiple of this average, which can be adjusted by the user. This feature helps filter out weak signals that might occur during low-volume periods, such as just before a major news event or during after-hours trading.
- The volume filter is particularly useful in markets where volume spikes are common, as it ensures that signals are only generated when there is significant market interest in the direction of the trend.
4. **Squeeze Momentum:**
- The Squeeze Momentum Indicator (SMI) adds a layer of market pressure analysis. The script calculates Bollinger Bands and Keltner Channels, detecting when the market is in a "squeeze" — a period of low volatility that typically precedes a significant price move.
- When the Bollinger Bands are inside the Keltner Channels, the market is in a squeeze (compression phase). This is often a precursor to a breakout or breakdown. The script colors the histogram bars black during this phase, indicating a potential for a strong move. Once the squeeze is released, the bars are colored according to the direction of the SuperTrend, signaling a potential entry point.
5. **Integration and Signal Generation:**
- The script brings together the SuperTrend, RSI, Volume, and Squeeze Momentum to generate highly accurate buy and sell signals. A buy signal is triggered when the SuperTrend is bullish, the RSI indicates oversold conditions, and the volume filter confirms strong market participation. Similarly, a sell signal is generated when the SuperTrend is bearish, the RSI indicates overbought conditions, and the volume filter is met.
- The combination of these elements ensures that the signals are robust, reducing the likelihood of entering trades during weak or indecisive market conditions.
### Practical Applications: How to Use the MultiTrend Squeeze System 📅
1. **Day Trading:**
- For day traders, this indicator provides quick and reliable signals that can be used to enter and exit trades multiple times within a day. The volume filter ensures that you are trading during the most liquid times of the day, increasing the chances of successful trades. The Squeeze Momentum aspect helps you catch breakouts or breakdowns, which are common in intraday trading.
2. **Swing Trading:**
- Swing traders can use the MultiTrend Squeeze System to identify longer-term trends. By adjusting the ATR length and factor, you can make the SuperTrend more sensitive to catch longer-term moves. The RSI and Squeeze Momentum aspects help you time your entries and exits, ensuring that you get in early on a trend and exit before it reverses.
3. **Scalping:**
- For scalpers, the quick signals provided by this system, especially in combination with the volume filter, make it easier to take small profits repeatedly. The histogram bars give you a clear visual cue of the market's momentum, making it easier to scalp effectively.
4. **Position Trading:**
- Even position traders can benefit from this indicator by using it to confirm long-term trends. By adjusting the settings to less sensitive parameters, you can ensure that you are only entering trades when a strong trend is confirmed. The Squeeze Momentum indicator will help you stay in the trade during periods of consolidation, waiting for the next big move.
### Conclusion: Why the MultiTrend Squeeze System is a Game-Changer 🚀
The MultiTrend Squeeze System is not just another trading indicator; it’s a comprehensive trading strategy encapsulated within a single script. By combining the power
of SuperTrend, RSI, Volume Filtering, and Squeeze Momentum, this indicator provides a robust and versatile tool that can be adapted to various trading styles and market conditions.
**Why is it Unique?**
- **Multi-Dimensional Analysis:** Unlike many other indicators that rely on a single data point or calculation, this script incorporates multiple layers of analysis, ensuring that signals are based on a confluence of factors, which increases their reliability.
- **Customizability:** The vast range of input settings allows traders to tailor the indicator to their specific needs, whether they are trading forex, stocks, cryptocurrencies, or commodities.
- **Visual Clarity:** The color-coded bars, labels, and signals make it easy to interpret the market conditions at a glance, reducing the time needed to make trading decisions.
Whether you are a novice trader or an experienced market participant, the MultiTrend Squeeze System offers a powerful toolset to enhance your trading strategy, reduce risk, and maximize your potential returns. With its combination of trend analysis, momentum detection, and volume filtering, this indicator is designed to help you trade with confidence and precision in any market condition.
TrendScope:TrendScope Indicator Description with First-Time User Tutorial
---
Overview:
The TrendScope indicator is designed to give traders a comprehensive view of the market by combining multiple filter sets that analyze different aspects of price action. The filter sets allow you to switch between different views effortlessly and avoid indicator clutter. Whether you're scalping, swing trading, or identifying breakout opportunities, TrendScope helps you make informed decisions by assessing momentum, volatility, trade timing, and trend direction. It also includes a scalp setup you can use to execute trades and manage risk.
---
TrendScope Filter Sets with First-Time User Setup & Tutorial
---
Filter Set A: Short-Term Momentum
Goal:
This filter focuses on the immediate market sentiment without any additional indicators. It reveals where retail traders might enter the market, potentially highlighting areas where they could be stopped out. The goal is to identify these weak spots and anticipate likely price movements that could follow.
No Additional Indicators Required:
This filter set uses moving averages (SMA 20, SMA 50, SMA 100) to determine the short-term trend.
Tutorial:
- To Confirm an Uptrend: Ensure all moving averages are aligned in sequence: SMA 20 above SMA 50, and SMA 50 above SMA 100, all trending upwards.
Action: Consider going long using the scalper in Filter Set D.
- To Confirm a Downtrend: Ensure all moving averages are aligned in sequence: SMA 20 below SMA 50, and SMA 50 below SMA 100, all trending downwards.
Action: Consider going short using the scalper in Filter Set D.
- To Confirm Consolidation: If the moving averages are not aligned or are intertwined, the market is either about to or already trending sideways. The market is in a consolidation phase.
Action: Switch to Filter Set C for further analysis.
---
Filter Set B: Long-Term Momentum
Goal:
Similar to the short-term filter, but with a broader perspective. It helps in understanding the bigger picture, providing insights into longer-term trends and potential reversals for swing trade entries.
No Additional Indicators Required:
This filter set uses moving averages (SMA 20, SMA 100, SMA 200) to determine the long-term trend.
Tutorial:
- To Confirm an Uptrend: Ensure all moving averages are aligned in sequence: SMA 20 above SMA 100, and SMA 100 above SMA 200, all trending upwards.
Action: Consider going long using the scalper in Filter Set D.
- To Confirm a Downtrend: Ensure all moving averages are aligned in sequence: SMA 20 below SMA 100, and SMA 100 below SMA 200, all trending downwards.
Action: Consider going short using the scalper in Filter Set D.
- To Confirm Consolidation: If the moving averages are not aligned or are intertwined, the market is either about to or already trending sideways. The market is in a consolidation phase.
Action: Switch to Filter Set C for further analysis.
---
Filter Set C: Trading Range
This filter uses Bollinger Bands, Volume, and Volume-Weighted Relative Volume Profile (VRVP) to identify trading ranges and predict breakouts and trade timing. In short, when Bollinger Bands contract and volume is below average, the VRVP highlights low-volume areas that can serve as breakout targets, offering a timing edge.
Goal:
Anticipate breakouts in a sideways market.
Additional Indicators Required:
- VRVP: For visualizing volume at specific price levels.
- Volume Indicator: With a 100-period moving average for anticipating low market participation.
Tutorial:
1. Setup Screen: Zoom out to see the entire consolidation phase.
2. Identify Support & Resistance:
- Use VRVP to determine VAH (upper range) and VAL (lower range) support or resistance levels.
- Identify the POC (Point of Control) as the area with the highest support or resistance.
3. Wait for Setup:
- Wait for Bollinger Bands to contract and volume to dip below the average.
- Go short if the price is at VAH, go long if the price is at VAL.
4. Action: Switch to Filter Set D for precise entry, target, and risk management.
---
Filter Set D: Scalper
After determining the market condition using the previous filter sets, you can use this filter set to hunt for trades. Designed for use with Heikin Ashi candles, this filter allows you to enter when there’s high momentum and provides a trailing stop along the way.
Goal:
Execute trades in harmony with the established trend.
Setup Rules:
1. Condition 1: You know the current trend direction as per filter set guidance (A, B, & C), and the trend is up, and you are going long.
2. Condition 2: Wait for the price to close 3 consecutive flat-bottom Heikin Ashi candles above the 7 MA. Then Enter on the open of the fourth Candle.
3. Condition 3: The 3x candles have to be above the 7 MA (red line), and the 7 MA has to be above the 50 EMA (yellow line).
Trade Management:
Use the 50 EMA (Yellow Line) as a trailing stop and hold the position until a candle opens and closes below the 7 SMA (Red Line).
---
Additional Filter Sets
These filter sets are designed to accommodate various trading strategies, allowing for flexibility depending on the trader's approach.
---
Filter Set E: VWAP
When using the VWAP filter, load the On-Balance Volume (OBV) indicator to complement your analysis. This combination can help confirm volume trends and potential price movements.
Tips:
Look for instances where the VWAP aligns with OBV divergences to confirm or negate potential trade setups.
Tutorial:
- Complement with OBV: Look for volume confirmations.
- Usage: Switch the candles to a line chart. Wait for both the line to close above the VWAP and OBV above the Smoothing Line. Then, switch to Filter Set D and hunt for a long entry as per the strategy. Do the opposite for hunting short entries.
---
Filter Set F: Super Trend
This filter is most effective when paired with the Ichimoku Cloud (using custom settings) along with the MACD and ADX indicators.
Goal:
Gauge trend strength, momentum, and support and resistance levels.
Tutorial:
- Load Ichimoku, MACD, and ADX: To gauge trend strength and momentum.
- Usage Tips:
I use the cloud to look for long periods where the clouds print horizontal levels and use them for support and resistance levels. Alternatively, use the ADX. When the price breaks up through the super trend downtrend line and retraces back to the top of the Ichimoku cloud, switch to Filter Set D and hunt for a long scalp entry. For a short entry, wait for the price to break through the Up Trend Line and retrace back up to the cloud. Then, switch to Filter Set D and use the setup to hunt for a short.
---
Filter Set G: Keltner Channels
Combine this filter with Donchian Channels and the Average True Range (ATR) for enhanced volatility analysis. This filter set works similarly to Filter Set C.
Goal:
Measure volatility and predict breakouts.
Tutorial:
- Load Donchian Channels or ATR: To measure volatility and breakouts.
- Usage Tips:
Look for the price to fall through the Keltner lower line and the ATR making a higher low. Then, use the scalper for entries, with Donchian boundaries as take-profit estimates.
---
Filter Set H: Pivot Points
This filter works with the RSI to spot divergences that could signal a trend change or reversal.
Goal:
Identify divergences and trend reversals.
Tutorial:
- Load RSI: For identifying divergences.
- Usage Tips:
Use RSI in conjunction with pivot points to identify divergences. Then, switch to Filter Set D and use the scalper to hunt for swing entries in the divergence direction.
---
Filter Set I: Opening Range Breakout
This filter uses the Seasonality indicator to gauge investor sentiment and prediction sentiment.
Goal:
Assess market sentiment and predict breakout directions.
Tutorial:
- Load Seasonality Indicator: To assess market sentiment.
- Usage Tips:
Use seasonal trends to gauge potential breakout directions. Use on the daily timeframe only. Risk on investment zones are when the price is close to the ORB low level. Realize investment profit when the price is nearing the ORB high level, considering that there has to be divergence as determined using Filter Set H.
---
By following this structured approach, traders can learn to navigate different market conditions, using TrendScope to make informed decisions based on a comprehensive analysis of momentum, trend, and volatility. The goal is to go through all the filter sets and combine them with the scalp setup in Filter Set D, using the additional filters to adapt to various strategies and market conditions.
Paul_BDT Osc. MACD, ADX, CHOP, RSI & CVD🔧 Overview
Modular multi-oscillator engine designed for actionable and filtered trading signals. It combines the power of MACD, ADX, CHOP, RSI, and CVD, integrates advanced divergence detection, a multi-timeframe dashboard, and a built-in risk management system.
⸻
🚨 Alert System
Alerts are organized by signal type, oscillator used, and timeframe block, with precision controls for filtering and sensitivity.
1. Oscillator Alerts (Osc.)
Triggers ▲ / ▼ triangle markers based on trend momentum shifts detected on the selected oscillator:
• MACD: triggers when histogram crosses 0 with bullish or bearish slope
• ADX: triggers on directional breakout with increasing trend strength
• CHOP: signals trend resumption after choppy market phase
• RSI: breakout from dynamic support/resistance using pivot detection
• CVD: shift in buy/sell pressure based on aggregated volume delta
✅ All signals optionally trigger on bar close only (if enabled)
2. Divergence Alerts (Div.)
Automatic detection of:
• 🔼 Regular Divergences
• Bullish: Lower lows in price, higher lows in oscillator
• Bearish: Higher highs in price, lower highs in oscillator
• 🔁 Hidden Divergences
• Hidden Bullish: Higher lows in price, lower lows in oscillator
• Hidden Bearish: Lower highs in price, higher highs in oscillator
Alert trigger logic:
• Divergences only trigger if confirmed by price action:
→ breakout from wick or close beyond BB/RSI dynamic bands
• Alerts are non-repeating (fires only on signal change)
🔔 divergeUP and divergeDN are fired when divergence AND price condition are met.
3. Reversal Alerts (Rev.)
Strict combo alert:
• reverseUP = divergeUP AND bullish wick breakout
• reverseDN = divergeDN AND bearish wick breakout
🧠 These are high-conviction signals, ideal for swing entries or reversion trades.
📊 Multi-Timeframe Support (4 Blocks)
4 independent blocks:
• Scalp, Intra, Swing, Custom
• Each block accepts 3 sorted timeframes
• You can individually enable:
• Oscillator alerts
• Divergences
• Reversals
Example:
• Scalp: RSI only, no divergence
• Intra: CVD + reversal only
• Swing: MACD + divergence + reversal
Each timeframe is dynamically sorted and shown in a structured dashboard grid (TF01 to TF12), making the multi-timeframe readout seamless.
⸻
⚙️ Additional Features
• Full visual panel with color-coded trend indicators
• Take Profit/Exit Alerts available on a custom timeframe
• Built-in Money Management:
• % or USD risk
• Configurable R/R ratio
• Minimum PnL threshold (filter out low-return setups)
⸻
✅ Best Use Cases
• High-frequency scalping (1s–1min) with real-time oscillator breakouts
• Structured intraday/swing planning using divergence + reversal logic
• Manual backtesting and alert-based discretionary entries
⸻⸻⸻⸻⸻⸻⸻⸻⸻⸻⸻⸻⸻⸻
🧠 Fonctionnalités
• Oscillateurs personnalisables : activez un indicateur à la fois (MACD, ADX, CHOP, RSI, ou CVD) pour une analyse ciblée et lisible.
• Détection des divergences :
• Divergences classiques (bullish/bearish),
• Divergences cachées (hidden bullish/bearish),
• Filtres avancés pour ne détecter que les signaux pertinents (crossover/crossunder + break de mèche).
• Multi-timeframes :
• Jusqu’à 4 blocs configurables (scalp, intra, swing, custom),
• Tri automatique des UT,
• Alertes différenciées par bloc et par type de signal.
• Visualisation modulaire :
• Tableau de synthèse personnalisable, affichant l’état de chaque indicateur par UT,
• Affichage hors graphique ou directement sur le chart,
• Couleurs dynamiques pour les signaux haussiers, baissiers ou neutres.
• Gestion du risque intégrée :
• Paramétrez le risque en % du capital ou en valeur absolue (USD),
• Ratio risk/reward configurable pour filtrer les signaux,
• Seuil de profit minimum (PnL) configurable pour filtrer les signaux.
• Support de volumes agrégés multi-exchange pour CVD : compatible avec les plateformes crypto (BITGET, BINANCE, etc).
⸻
⚙️ Personnalisation
• Choix du type de moyenne mobile (EMA, RMA, VWAP, etc.).
• Activation sélective des signaux (Oscillateur, Divergence, Renversement) pour chaque bloc de timeframes.
⸻
📈 Alertes intégrées
• Compatibles avec les alertes automatiques de TradingView,
• Détection de signaux d’entrée (achat/vente), divergences, renversements,
• Configuration des alertes par type de signal et par timeframe (scalp/intra/swing/custom).
⸻
🔍 Utilisations recommandées
• Scalping haute fréquence (1s à 1min),
• Intraday en multi-UT (5 à 30min),
• Swing trading (1H à 1D),
• Analyse technique avancée sur crypto, indices, forex ou actions.
⸻
📌 Conclusion
Ce script combine précision algorithmique et flexibilité de personnalisation.
Dynamic Zone Risk Manager [Algo Seeker]Introduction
The Algo Seeker: Dynamic Zone Risk Manager excels in both ranging and trending market conditions. It merges two critical trading components: a zone identification system that allows traders to anticipate price movement within structured ranges and a dynamic risk assessment table that optimizes position sizing based on account parameters and zone-specific characteristics, while also calculating trade-specific risk and reward.
For traders struggling with consistent risk management and identifying high-probability zones, particularly in challenging ranging market conditions, this tool provides a structured framework that enhances precision in trading decisions and capital allocation — addressing two of the most common challenges in trading.
🟠 Unique Features & Trading Benefits
Advanced Zone Structuring:
🟢 The indicator adapts to different trading styles through Scalp, Swing, and Investor modes. Scalp mode generates tight, precise zones optimized for intraday price movements and quick trades completed within minutes or hours. Swing mode creates intermediate zones calibrated for positions held for the entire day or a few weeks, providing optimal zone structures for medium-term trading approaches. Investor mode establishes broader zones designed specifically for positions spanning a few weeks to a few months, identifying major support and resistance levels for extended holding periods.
🟢 These zones are particularly useful during ranging markets. They define clear price ranges within which movement may oscillate based on the selected trading horizon. Such clarity helps traders anticipate potential bounce areas and manage trades more effectively, even when the market lacks a clear directional trend.
🟢 The system transforms static price levels into comprehensive trading zones with clearly defined boundaries. The multi-dimensional architecture creates actionable entry, exit, and management levels that remain relevant across different market conditions.
Unique Risk Management:
🟢 A dynamic risk table that calculates position sizing based on the trader's actual account size. When traders select Scalp, Swing, or Investor mode, the table automatically computes the optimal capital allocation specifically for that mode and the current zone.
🟢 The table provides exact dollar amounts for both risk and potential reward based on current price position within the zone. If price is already moving through a zone, the table dynamically updates to show how much of the potential reward remains available.
🟢 This precise risk management system gives traders a clear, quantified understanding of exactly how much capital to allocate per trade, the specific dollar amount at risk, and the remaining profit potential—all updating in real-time as price moves through the zones.
Dynamic Cost Basis Analysis:
🟢 Continuously calculates optimal midpoints within each zone, creating additional precision pivot points that traditional tools can lack. These dynamic reference points enhance trade accuracy in ranging markets while providing essential data points for the integrated risk management calculations.
🟠 The Power of Integration: Zones Meet Risk Management
The true power of the Algo Seeker: Dynamic Zone Risk Manager emerges when these components work together as a unified system. The trader-selected strategy zones and dynamic risk table create a complete trading ecosystem that addresses the three critical elements of successful trading:
1. Precision Entry Points: Zone boundaries provide clear entry thresholds optimized for your selected trading mode (Scalp, Swing, or Investor), eliminating guesswork around optimal trade initiation points.
2. Disciplined Risk Control: The risk table's exact dollar calculations remove emotional decision-making from position sizing and stop placement, creating a consistent risk approach regardless of market volatility.
3. Strategic Exit Management: As price moves through zones, both visual cues and quantified metrics guide intelligent profit-taking decisions, preventing the common mistake of exiting too early or holding too long.
This synchronized framework transforms theoretical analysis into practical execution, giving traders a complete toolset for managing the entire lifecycle of each trade with precision and confidence.
🟠 Additional Algo Benefits
Psychological Trading Edge:
The Algo Seeker: Dynamic Zone Risk Manager addresses the most challenging aspect of trading—emotional decision-making. By transforming complex risk/reward calculations into clear, quantified metrics, the system eliminates decision paralysis and reactionary trading. Traders gain immediate clarity during volatile conditions through the visual integration of precise zones and risk parameters. This psychological framework cultivates discipline and confidence when market noise typically triggers impulsive decisions, allowing for consistent execution even during challenging market environments.
Efficiency and Time Value:
The system delivers exceptional time efficiency by eliminating the need for manual risk calculations, zone identification, and position sizing. What typically requires multiple tools and extensive spreadsheet calculations is seamlessly integrated into a unified interface. Traders receive immediate, actionable insights without the cognitive burden of juggling separate indicators. This allows professionals to focus on strategic decisions rather than technical calculations.
Advanced User Customization:
Unlike one-size-fits-all indicators, the Algo Seeker: Dynamic Zone Risk Manager adapts to individual trading methodologies. The system accommodates personalized account parameters and allocates capital differently based on three distinct trading modes—scalping, swing trading, and investing. This flexibility allows professional traders to implement their unique strategy while maintaining precise risk control across different positions and time horizons. The customizable table positioning and color schemes further enhance workflow integration for diverse trading environments.
🟠 How to Use
Initial Setup
1. Lookback Parameter: The Lookback Period determines which candle data the Dynamic Zone Risk Manager uses to establish trading zones:
🟢Lookback = 1 (Default): Uses the most recent closed candle to calculate zones. This provides stable analysis based on completed price action and is recommended for most trading scenarios.
🟢Lookback = 0: Uses the current, still-forming candle. This offers more immediate responsiveness, but zones may change as the candle develops. For consistent zone analysis, Lookback = 1 typically offers a better foundation.
2. Configure Account Parameters: Input your total trading capital in the settings panel to customize risk calculations specific to your account size.
3. Select Trading Mode: Choose between Scalp, Swing, or Investor modes based on your preferred trade style:
🟢Scalp: For intraday movements (minutes to hours)
🟢Swing: For medium-term positions (days to weeks)
🟢 Investor: For longer-term positions (weeks to months)
4. Account Parameters Setup: The risk management component requires your account size to provide accurate position sizing calculations.
🟢Total Account Size: Enter your total trading capital in the "Total Account Size ($)" input. All risk calculations are based on this value.
🟢Trading Allocation Percentages: The system allows you to divide your capital across three trading modes.
1. Scalp Allocation (%): Percentage of capital reserved for short-term trades
2. Swing Allocation (%): Percentage of capital for medium-term positions
3. Invest Allocation (%): Percentage of capital for longer-term investments
These percentages can be customized to match your personal trading strategy and risk tolerance.
Margin Multiplier: Adjust the margin multiplier value based on your broker's requirements and your preferred leverage.
The system uses these parameters to calculate appropriate position sizes for each trading mode, ensuring your risk exposure remains aligned with your capital management plan.
5.Visual Customization: Adjust color schemes and table positions to optimize for your workspace layout and visual preferences.
🟠 Risk Table Explanation
The dynamic risk tables provide real-time position sizing and risk metrics as price moves through different zones:
1. Zone Column: Displays the current zone where price is located.
2. Zone Size: Shows the total price range of the current zone.
3. Trade Type: Indicates the trading style (Scalp, Swing, or Invest).
4. Shares: Displays the calculated position size (number of shares) based on your account parameters and the current zone.
5. Risk($): Shows the approximate dollar amount at risk if the trade moves against you within the zone.
6. Reward($): Displays the potential dollar return if price moves completely through the zone in your favor.
7. Left: Indicates how much potential movement remains within the current zone based on the latest price.
The table updates dynamically as price moves, giving you real-time risk/reward information. Each trading style is displayed separately, allowing you to compare potential position sizes across different trade modes while maintaining consistent risk management.
🟠 Strategic Execution
Strategy Usage Example
The Algo Seeker: Dynamic Zone Risk Manager provides a complete framework for precise trading decisions. Here's how you might leverage its power:
1. Zone-Based Trading: The indicator identifies key zones and levels that serve as powerful pivot points. These are not arbitrary levels but mathematically derived zones where price is likely to react. Use these zones directly for your trading decisions.
2. Precision Entries: For long positions, enter near the lower boundary of a zone with targets at the upper boundary. For shorts, enter near the upper boundary with targets at the lower boundary. These levels identify potential entry points based on the underlying market structure.
3. Risk Management: The zone, level, or cost basis below your entry (for longs) or above your entry (for shorts) can serve as logical places to set stop losses, helping you define your risk on each trade.
4. Position Sizing Precision: Use the exact share/contract quantities displayed in the risk table. This eliminates guesswork in position sizing and provides both risk and profit calculations that align perfectly with your capital management strategy.
5. Strategic Exits: Take profits at the target zone boundaries identified by the indicator. These levels represent mathematical points where price may encounter resistance or support, providing potential exit opportunities.
6. Advanced Strategy Options:
🟢Consider taking partial profits at cost basis (midpoint) levels
🟢Trade from zone to zone using the defined boundaries
🟢Scale in or out at specific zone transitions
🟢Set trailing stops at subsequent zone boundaries as price progresses
The strength of this indicator lies in its ability to provide all the critical decision points needed for a complete trade - from entry to exit, with precise position sizing - all derived from its sophisticated algorithmic analysis rather than subjective interpretation.
🟠 Alert Configuration
1. Zone Crossovers: Set alerts for when price transitions between key zones.
2. Cost Basis Interactions: Configure notifications for when price approaches optimal entry points.
The Algo Seeker Wizard Ultra Risk represents years of development and refinement in professional trading environments. Its integration of sophisticated zone identification with precise risk management creates a comprehensive framework that transforms theoretical market analysis into actionable trading decisions with quantified risk parameters.
RSI-RENKO Divine Strategy (Backtesting)Live, non-repainting strategy using RENKO and RSI mixed together to multiple types of long and short positions.
- Features -
Live entry direction with trade warnings and alerts
Live trade building buy and sell limits (for buy/sell limits)
Entry location icons as well as pyramid entries (to add to existing position)
Swing trades that keep you in the trade for the maximum possible profit
1 scalp target based on the RSI settings and entry location
Dynamic trailing stop for swings and scalps
Alert conditions for every update and condition change of the strategy (Provided by indicator study)
4 pre-built color themes, including candlestick coloring
This strategy is best used with the companion indicators: Renko RSI and Renko Trend Momentum using the identical RSI and Trend settings.
The linked script is identical and used solely for alerts, because Trading View still after 3 years of requesting does not provide the ability to use alert conditions inside a strategy script, only an indicator script. This strategy should be used to backtest your settings.
The approach to this strategy uses several parallel trades of different types. In order to generate multiple trade types the "pyramid trades" setting of the strategy (second tab of the settings that lets you adjust the number of pyramid contracts) should be used.
- Trade Types -
Swing: This trade is entered on the solid arrows after the RSI has become oversold or overbought. It is key that all trades wait for some degree of pullback before entering, even after the trend flips between positive and negative. This trade is held until stopped out or an opposite trade is triggered that reverses the position.
Scalp: These trades have a limit buy/sell entry and a target. The initial target is the opposing RSI overbought or oversold level and changes in real time.
Turning on/off the different trade types (strategy only) is simple done by decreasing the number of contracts used for that trade type to zero. When the quantity is set to zero, that trade is not considered.
- Session -
The session filter is used to narrow trade executions by only allowing trades that are inside the session boundaries. This can be used to isolate the London or New York session for example. The default is 24 x 7 which filters no trades (Trading View has a bug when resetting this, so simply reset the indicator to get it back to 24x7).
Please see the following 3 videos introducing the concept of this strategy.
All feature requests or bug reports are welcome either by direct messaging or comments on this page or the linked indicator page.
Please PM for access. Cheers.
Multi-MA Trend & ATR Band CloudsMulti-MA Trend & ATR Band Clouds
Overview:
Originally designed for scalpers, this indicator provides a detailed and adaptable view of market structure, making it equally effective across all timeframes — from 1-minute charts to daily analysis. It integrates flexible moving average configurations with ATR-based cloud bands for real-time trend and volatility assessment.
Key Features:
Up to 10 customizable moving averages – Select from SMA, EMA, WMA, SMMA, GMA, or hybrid combinations. Each moving average can be individually styled and displayed.
Global trend condition system – Trend direction is determined by a user-defined crossover between two MAs, applied uniformly across all major timeframes (M1 to D1).
Multi-layer ATR-based volatility bands – Three levels of ATR bands are drawn around a base MA, offering insight into dynamic support/resistance and volatility zones.
Fully configurable visual output – Customize opacity, cloud display, curve visibility, and color schemes to fit your charting needs.
Use Cases:
Scalping: Fast trend shift detection and volatility mapping
Intraday trading: Multi-timeframe confirmation and structure tracking
Swing trading: Broader trend and support/resistance zone visualization
Signal development: Create visual or algorithmic confluence systems
Recommended For:
Scalpers, intraday traders, and analysts seeking a structured, real-time view of market dynamics, with flexible parameters and broad applicability.
TS- Multitimeframe📊 The Trend Synchronizer – Multitimeframe Scalper 🔁
Indicator added at the of the chart. - Just in case anyone is confused, and one on chart as overlay is our own Delta zones indicator - as usual available to use for everyone.
🚀 Precision Aligned, Momentum Enhanced
Welcome to the Trend Synchronizer (TS) – a custom-built, multitimeframe momentum indicator developed for active traders looking to scalp lower timeframes (1–5 min) while staying in sync with broader market direction.
🔍 What Is It?
The Trend Synchronizer is an advanced momentum oscillator designed to identify entry opportunities only when multiple timeframes align.
It overlays real-time momentum signals from higher aggregations to ensure your trade is moving with the market, not against it.
✅ When short-term momentum aligns with higher timeframe direction, opportunities are clearer, stronger, and more reliable.
🧠 How to Use It (No Settings Needed)
This tool is ready to go out of the box.
It uses three internal timeframes (default: 1m, 5m, 30m) and processes their behavior to create momentum signals. Here's how to trade it:
📈 Entries
Buy Bias: When histogram bars turn bullish colors across layers and align positively.
Sell Bias: When histogram bars shift to bearish tones, confirming momentum is to the downside.
Avoid Signals when higher timeframe momentum and lower timeframe are diverging – that's when chop often occurs.
⏳ Timeframes
Default is tuned for scalping (1–5m charts), but can be adjusted.
You can change TF1, TF2, and TF3 to experiment with your preferred layers (e.g., 5m/15m/1H for intraday swing entries).
🟢 Color Cues
The color scheme helps you spot bullish and bearish dominance quickly.
Histograms are visually synced: above 0 = strength, below 0 = weakness.
⚙️ Settings
You don’t need to tweak anything unless you want to. The inputs are exposed only for fine-tuners.
TS1, TS2, TS3: Toggle momentum layers on/off.
Custom colors available for personalization.
Clean histogram-style display for clear, fast decision-making.
📌 Best Practices
Combine with price action and volume for higher conviction.
Always look for trend confirmation on your chart before executing.
It’s ideal for:
Momentum scalpers
Order flow traders
High-frequency setups
Trend pullbacks & breakouts
⚠️ Disclaimer
This indicator is for educational purposes only. It is not financial advice and does not guarantee profitability. Always do your own research and use proper risk management. You are solely responsible for your trading decisions.
✨ Final Word
The Trend Synchronizer is a tool designed to help you align with the flow of the market – not fight it. It simplifies the complexity of multiple timeframes into a visual format any trader can interpret.
If you find it useful, don’t forget to ⭐ it and drop a comment with your feedback!
Happy trading and stay in sync!
AdvancedLines (FiboBands) - PaSKaL
Overview :
AdvancedLines (FiboBands) - PaSKaL is an advanced technical analysis tool designed to automate the plotting of key Fibonacci retracement levels based on the highest high and lowest low over a customizable period. This indicator helps traders identify critical price zones such as support, resistance, and potential trend reversal or continuation points.
By using AdvancedLines (FiboBands) - PaSKaL , traders can easily spot key areas where the price is likely to reverse or consolidate, or where the trend may continue. It is particularly useful for trend-following, scalping, and range-trading strategies.
Key Features:
Automatic Fibonacci Level Calculation :
- The indicator automatically calculates and plots key Fibonacci levels (0.236, 0.382, 0.5, 0.618, and 0.764), which are crucial for identifying potential support and resistance levels in the market.
Adjustable Parameters :
- Bands Length: You can adjust the bands_length setting to change the number of bars used for calculating the highest high and lowest low. This gives flexibility for using the indicator on different timeframes and trading styles.
- Visibility: The Fibonacci levels, as well as the midline (0.5 Fibonacci level), can be shown or hidden based on your preference.
- Color Customization: You can change the color of each Fibonacci level and background fills to suit your chart preferences.
Fibonacci Levels
- The main Fibonacci levels plotted are:
- 0.236 – Minor support/resistance level
- 0.382 – Moderate retracement level
- 0.5 – Midpoint retracement, often used as a key level
- 0.618 – Golden ratio, considered one of the most important Fibonacci levels
- 0.764 – Strong reversal level, often indicating a continuation or change in trend
Background Fill
- The indicator allows you to fill the background between the Fibonacci levels and the bands with customizable colors. This makes it easier to visually highlight key zones on the chart.
How the Indicator Works:
AdvancedLines (FiboBands) - PaSKaL calculates the range (difference between the highest high and the lowest low) over a user-defined number of bars (e.g., 300). Fibonacci levels are derived from this range, helping traders identify potential price reversal points.
Mathematical Basis :
Fibonacci retracement levels are based on the Fibonacci sequence, where each number is the sum of the previous two (0, 1, 1, 2, 3, 5, 8, 13, etc.). The ratios derived from this sequence (such as 0.618 and 0.382) have been widely observed in nature, market cycles, and price movements. These ratios are used to forecast potential price retracements or continuation points after a major price move.
Fibonacci Levels Calculation :
Identify the Range: The highest high and the lowest low over the defined period are calculated.
Apply Fibonacci Ratios: Fibonacci ratios (0.236, 0.382, 0.5, 0.618, and 0.764) are applied to this range to calculate the corresponding price levels.
Plot the Levels: The indicator automatically plots these levels on your chart.
Customizing Fibonacci Levels & Colors:
The "AdvancedLines (FiboBands) - PaSKaL" indicator offers various customization options for Fibonacci levels, colors, and visibility:
Fibonacci Level Ratios:
- You can customize the Fibonacci level ratios through the following inputs:
- Fibo Level 1: 0.764
- Fibo Level 2: 0.618
- Fibo Level 3: 0.5
- Fibo Level 4: 0.382
- Fibo Level 5: 0.236
- These levels determine key areas where price may reverse or pause. You can adjust these ratios based on your trading preferences.
Fibonacci Level Colors:
- Each Fibonacci level can be assigned a different color to make it more distinguishable on your chart:
- Fibo Level 1 Color (default: Yellow)
- Fibo Level 2 Color (default: Orange)
- Fibo Level 3 Color (default: Green)
- Fibo Level 4 Color (default: Red)
- Fibo Level 5 Color (default: Blue)
- You can change these colors to fit your visual preferences or to align with your existing chart themes.
Visibility of Fibonacci Levels:
- You can choose whether to display each Fibonacci level using the following visibility inputs:
- Show Fibo Level 1 (0.764): Display or hide this level.
- Show Fibo Level 2 (0.618): Display or hide this level.
- Show Fibo Level 3 (0.5): Display or hide this level.
- Show Fibo Level 4 (0.382): Display or hide this level.
- Show Fibo Level 5 (0.236): Display or hide this level.
- This allows you to customize the indicator according to the specific Fibonacci levels that are most relevant to your trading strategy.
Background Fill Color
- The background between the Fibonacci levels and price bands can be filled with customizable colors:
- Fill Color for Upper Band & Fibo Level 1: This color will fill the area between the upper band and Fibonacci Level 1.
- Fill Color for Lower Band & Fibo Level 5: This color will fill the area between the lower band and Fibonacci Level 5.
- Adjusting these colors helps highlight critical zones where price may reverse or consolidate.
How to Use AdvancedLines (FiboBands) - PaSKaL in Trading :
Range Trading :
Range traders typically buy at support and sell at resistance. Fibonacci levels provide excellent support and resistance zones in a ranging market.
Example: If price reaches the 0.618 level in an uptrend, it may reverse, providing an opportunity to sell.
Conversely, if price drops to the 0.382 level, a bounce might occur, and traders can buy, anticipating the market will stay within the range.
Trend-following Trading :
For trend-following traders, Fibonacci levels act as potential entry points during a retracement. After a strong trend, price often retraces to one of the Fibonacci levels before continuing in the direction of the trend.
Example: In a bullish trend, when price retraces to the 0.382 level, it could be a signal to buy, as the price might resume its upward movement after the correction.
In a bearish trend, retracements to levels like 0.618 or 0.764 could provide optimal opportunities for shorting as the price resumes its downward movement.
Scalping :
Scalpers focus on short-term price movements. Fibonacci levels can help identify precise entry and exit points for quick trades.
Example: If price is fluctuating in a narrow range, a scalper can enter a buy trade at 0.236 and exit at the next Fibonacci level, such as 0.382 or 0.5, capturing small but consistent profits.
Stop-Loss and Take-Profit Levels :
Fibonacci levels can also help in setting stop-loss and take-profit levels.
Example: In a bullish trend, you can set a stop-loss just below the 0.236 level and a take-profit at 0.618.
In a bearish trend, set the stop-loss just above the 0.382 level and the take-profit at 0.764.
Identifying Reversals and Continuations :
Reversals: When price reaches a Fibonacci level and reverses direction, it may indicate the end of a price move.
Trend Continuation: If price bounces off a Fibonacci level and continues in the same direction, this may signal that the trend is still intact.
Conclusion :
AdvancedLines (FiboBands) - PaSKaL is an essential tool for any trader who uses Fibonacci retracements in their trading strategy. By automatically plotting key Fibonacci levels, this indicator helps traders quickly identify support and resistance zones, forecast potential reversals, and make more informed trading decisions.
For Trend-following Traders: Use Fibonacci levels to find optimal entry points after a price retracement.
For Range Traders: Identify key levels where price is likely to reverse or bounce within a range.
For Scalpers: Pinpoint small price movements and take advantage of quick profits by entering and exiting trades at precise Fibonacci levels.
By incorporating AdvancedLines (FiboBands) - PaSKaL into your trading setup, you will gain a deeper understanding of price action, improve your decision-making process, and enhance your overall trading performance.