Elliptic bands
Why Elliptic?
Unlike traditional indicators (e.g., Bollinger Bands with constant standard deviation multiples), the elliptic model introduces a cyclical, non-linear variation in band width. This reflects the idea that price movements often follow rhythmic patterns, widening and narrowing in a predictable yet dynamic way, akin to natural market cycles.
Buy: When the price enters from below (green triangle).
Sell: When the price enters from above (red triangle).
Inputs
MA Length: 50 (This is the period for the central Simple Moving Average (SMA).)
Cycle Period: 50 (This is the elliptic cycle length.)
Volatility Multiplier: 2.0 (This value scales the band width.)
Mathematical Foundation
The indicator is based on the ellipse equation. The basic formula is:
Ellipse Equation:
(x^2) / (a^2) + (y^2) / (b^2) = 1
Solving for y:
y = b * sqrt(1 - (x^2) / (a^2))
Parameters Explained:
a: Set to 1 (normalized).
x: Varies from -1 to 1 over the period.
b: Calculated as:
ta.stdev(close, MA Length) * Volatility Multiplier
(This represents the standard deviation of the close prices over the MA period, scaled by the volatility multiplier.)
y (offset): Represents the band distance from the moving average, forming the elliptic cycle.
Behavior
Bands:
The bands are narrow at the cycle edges (when the offset is 0) and become widest at the midpoint (when the offset equals b).
Trend:
The central moving average (MA) shows the overall trend direction, while the bands adjust according to the volatility.
Signals:
Standard buy and sell signals are generated when the price interacts with the bands.
Practical Use
Trend Identification:
If the price is above the MA, it indicates an uptrend; if below, a downtrend.
Support and Resistance:
The elliptic bands act as dynamic support and resistance levels.
Narrowing bands may signal potential trend reversals.
Breakouts:
Educational
Jinx CovarianceThis script calculates and plots the covariance between the closing price of the current trading symbol and the closing prices of several major US stock market components over a user-defined lookback period.
Here's a breakdown:
* Indicator Initialization: The script starts by defining an indicator named "My script".
* Array Declaration: Nine empty arrays (a1 to a9) are created to store historical closing prices.
* Security Data Request: The script then requests historical closing price data for the following symbols using the same timeframe as the current chart: DJI (Dow Jones Industrial Average), SPX (S&P 500), AAPL (Apple), GOOG (Alphabet Inc. Class C), GOOGL (Alphabet Inc. Class A), AMZN (Amazon), META (Meta Platforms), and MSFT (Microsoft). These are stored in variables as2 through as9.
* Data Population Loop: A for loop runs for a number of bars specified by the "Lookback" input (defaulting to the last 100 bars). In each iteration:
* The closing price of the current symbol (close ) is added to the array a1.
* The closing prices of the requested securities (as2 to as9 ) are added to their respective arrays (a2 to a9).
* Covariance Calculation: After the loop, the script calculates the covariance between the array of the current symbol's closing prices (a1) and the array of closing prices for each of the other securities (a2 to a9). The results are stored in variables a1a2 to a1a9.
* Plotting Covariance: Finally, the script plots each of the calculated covariance values on the chart:
* For DJI, the covariance is plotted with the title "DJI". The color of the plot is aqua if the current covariance is greater than the covariance 10 bars ago, and red otherwise. This plot is displayed only in the data window.
* For SPX, the covariance is plotted with the title "SPX". The color is black if the current covariance is greater than the covariance 10 bars ago, and red otherwise. This plot is also displayed only in the data window.
* For AAPL, GOOG, GOOGL, AMZN, META, and MSFT, the covariance is plotted with their respective ticker symbols as titles. The color of each plot changes between a specific color (blue, fuchsia, lime, gray, maroon, navy respectively) and red, depending on whether the current covariance is higher than it was 10 bars prior.
In essence, this script visualizes how the current symbol's price movement correlates with the price movements of these major indices and stocks over the defined historical period. The color change on the plots indicates whether the covariance has increased compared to 10 bars ago, potentially suggesting a strengthening or weakening of the correlation. The display setting for DJI and SPX means their covariance values will only be visible in the data window panel at the bottom of the TradingView chart, not as lines directly overlaid on the price action.
© jeremyandnancy8
Nebula Volatility and Compression Radar (TechnoBlooms)This dynamic indicator spots volatility compression and expansion zones, highlighting breakout opportunities with precision. Featuring vibrant Bollinger Bands, trend-colored candles and real-time signals, Nebula Volatility and Compression Radar (NVCR) is your radar for navigating price moves.
Key Features:-
1. Gradient Bollinger Bands - Visually stunning bands with gradient fills for clear price boundaries.
The gradient filling is coded simply so that even beginners can easily understand the concept. Trader can change the gradient color according to their preference.
fill(pupBB, pbaseBB,upBB,baseBB,top_color=color.rgb(238, 236, 94), bottom_color=color.new(chart.bg_color,100),title = "fill color", display =display.all,fillgaps = true,editable = false)
fill(pbaseBB, plowBB,baseBB,lowBB,top_color=color.new(chart.bg_color,100),bottom_color=color.rgb(230, 20, 30),title = "fill color", display =display.all,fillgaps = true,editable = false)
These two lines are used for giving gradient shades. You can change the colors as per your wish to give preferred color combination.
For Example:
Another Example:
2. Customizable Settings - Adjust Bollinger Bands, ATR and trend lengths to fit your trading styles.
3. Trend Insights - Candles turn green for uptrends, red for downtrends, and gray for neutral zones.
Nebula Volatility and Compression Radar create dynamic cloud like zones that illuminate trends with clarity.
Geometric Momentum Breakout with Monte CarloOverview
This experimental indicator uses geometric trendline analysis combined with momentum and Monte Carlo simulation techniques to help visualize potential breakout areas. It calculates support, resistance, and an aggregated trendline using a custom Geo library (by kaigouthro). The indicator also tracks breakout signals in a way that a new buy signal is triggered only after a sell signal (and vice versa), ensuring no repeated signals in the same direction.
Important:
This script is provided for educational purposes only. It is experimental and should not be used for live trading without proper testing and validation.
Key Features
Trendline Calculation:
Uses the Geo library to compute support and resistance trendlines based on historical high and low prices. The midpoint of these trendlines forms an aggregated trendline.
Momentum Analysis:
Computes the Rate of Change (ROC) to determine momentum. Breakout conditions are met only if the price and momentum exceed a user-defined threshold.
Monte Carlo Simulation:
Simulates future price movements to estimate the probability of bullish or bearish breakouts over a specified horizon.
Signal Tracking:
A persistent variable ensures that once a buy (or sell) signal is triggered, it won’t repeat until the opposite signal occurs.
Geometric Enhancements:
Calculates an aggregated trend angle and channel width (distance between support and resistance), and draws a perpendicular “breakout zone” line.
Table Display:
A built-in table displays key metrics including:
Bullish probability
Bearish probability
Aggregated trend angle (in degrees)
Channel width
Alerts:
Configurable alerts notify when a new buy or sell breakout signal occurs.
Inputs
Resistance Lookback & Support Lookback:
Number of bars to look back for determining resistance and support points.
Momentum Length & Threshold:
Period for ROC calculation and the minimum percentage change required for a breakout confirmation.
Monte Carlo Simulation Parameters:
Simulation Horizon: Number of future bars to simulate.
Simulation Iterations: Number of simulation runs.
Table Position & Text Size:
Customize where the table is displayed on the chart and the size of the text.
How to Use
Add the Script to Your Chart:
Copy the code into the Pine Script editor on TradingView and add it to your chart.
Adjust Settings:
Customize the inputs (e.g., lookback periods, momentum threshold, simulation parameters) to fit your analysis or educational requirements.
Interpret Signals:
A buy signal is plotted as a green triangle below the bar when conditions are met and the state transitions from neutral or sell.
A sell signal is plotted as a red triangle above the bar when conditions are met and the state transitions from neutral or buy.
Alerts are triggered only on the bar where a new signal is generated.
Examine the Table:
The table displays key metrics (breakout probabilities, aggregated trend angle, and channel width) to help evaluate current market conditions.
Disclaimer
This indicator is experimental and provided for educational purposes only. It is not intended as a trading signal or financial advice. Use this script at your own risk, and always perform your own research and testing before using any experimental tools in live trading.
Credit
This indicator uses the Geo library by kaigouthro. Special thanks to Cryptonerds and @Hazzantazzan for their contributions and insights.
ATR Price FrameATR Price Frame
ATR Price Frame is a versatile and customizable TradingView indicator that uses the Average True Range (ATR) to define a dynamic price frame for effective risk management and position sizing.
Risk Management:
This indicator automatically calculates the number of units (shares or contracts) you can trade based on a user-defined maximum risk. By comparing the current price to ATR-based levels, it determines the risk per unit—applying a tailored formula for stocks and futures—so you can maintain proper risk control on every trade.
Informative Labeling:
An optional label is displayed at the far right of your chart, providing clear, concise information about your calculated unit count and, if enabled, the total risk in dollars (formatted like “3 : $45.00”). With configurable text size and horizontal offset, the label is designed to integrate seamlessly into your chart setup.
Unified Line Appearance:
The indicator draws two horizontal lines—one above and one below the current price—to create the price frame. These lines use a unified appearance with settings for length, width, style, and an optional horizontal offset, ensuring a clean and consistent visual representation of market volatility.
ATR Price Frame automatically determines whether the instrument is a stock or a futures contract, applying the appropriate risk calculations. This makes it an essential tool for traders looking to integrate volatility-based risk management into their strategies.
Equity Curve with Trend Indicator (Long & Short) - SimulationOverview:
Market Regime Detector via Virtual Equity Curve is a unique indicator that simulates the performance of a trend-following trading system—incorporating both long and short trades—to help you identify prevailing market regimes. By generating a “virtual equity” curve based on simple trend signals and applying trend analysis directly on that curve, this indicator visually differentiates trending regimes from mean-reverting (or sideways) periods. The result is an intuitive display where green areas indicate a trending (bullish) regime (i.e., where trend-following strategies are likely to perform well) and red areas indicate a mean-reverting (bearish) regime.
Features:
Simulated Trade Performance:
Uses a built-in trend-following logic (a simple 10/50 SMA crossover example) to simulate both long and short trades. This simulation creates a virtual equity curve that reflects the cumulative performance of the system over time.
Equity Trend Analysis:
Applies an Exponential Moving Average (EMA) to the simulated equity curve to filter short-term noise. The EMA acts as a trend filter, enabling the indicator to determine if the equity curve is in an upward (trending) or downward (mean-reverting) phase.
Dynamic Visual Regime Detection:
Fills the area between the equity curve and its EMA with green when the equity is above the EMA (indicating a healthy trending regime) and red when below (indicating a mean-reverting or underperforming regime).
Customizable Parameters:
Easily adjust the initial capital, the length of the equity EMA, and other settings to tailor the simulation and visual output to your trading style and market preferences.
How It Works:
Trade Simulation:
The indicator generates trading signals using a simple SMA crossover:
When the 10-period SMA is above the 50-period SMA, it simulates a long entry.
When the 10-period SMA is below the 50-period SMA, it simulates a short entry. The virtual equity is updated bar-by-bar based on these simulated positions.
Equity Trend Filtering:
An EMA is calculated on the simulated equity curve to smooth out fluctuations. The relative position of the equity curve versus its EMA is then used as a proxy for the market regime:
Bullish Regime: Equity is above its EMA → fill area in green.
Bearish Regime: Equity is below its EMA → fill area in red.
Visualization:
The indicator plots:
A gray line representing the simulated equity curve.
An orange line for the EMA of the equity curve.
A dynamic fill between the two lines, colored green or red based on the prevailing regime.
Inputs & Customization:
Initial Capital: Set your starting virtual account balance (default: 10,000 USD).
Equity EMA Length: Specify the lookback period for the EMA applied to the equity curve (default: 30).
Trend Signal Logic:
The current implementation uses a simple SMA crossover for demonstration purposes. Users can modify or replace this logic with their own trend-following indicator to tailor the simulation further.
Real Price DotsReal Price Dots
This indicator is designed for use on Heikin Ashi charts.
Its purpose is to enable traders to benefit from price averaging and smoothing effects of Heikin Ashi candles whilst also enabling them to see the current real price close dots on the Heikin Ashi candlesticks.
These dots show where price stopped at when candle closed.
Elliptic Curve SAROverview
The Elliptic Curve SAR indicator is an innovative twist on the traditional Parabolic SAR. Instead of relying solely on a fixed parabolic acceleration, this indicator incorporates elements from elliptic curve mathematics. It uses an elliptic curve defined by the equation y² = x³ + ax + b* along with a configurable base point, dynamically adjusting its acceleration factor to potentially offer different smoothing and timing in trend detection.
How It Works
Elliptic Curve Parameters:
The indicator accepts curve parameters a and b that define the elliptic curve.
A base point (x_p, y_p) on the curve is used as a starting condition.
Dynamic Acceleration:
Instead of a fixed acceleration step, the script computes a dynamic acceleration based on the current value of an intermediate variable (derived via the elliptic curve's properties).
An arctan function is used to non-linearly adjust the acceleration between a defined initial and maximum bound.
Trend & Reversal Detection:
The indicator tracks the current trend (up or down) using the computed SAR value.
It identifies trend reversals by comparing the current price with the SAR, and when a reversal is detected, it resets key parameters such as the Extreme Point (EP).
Visual Enhancements:
SAR Plot: Plotted as circles that change color based on trend direction (blue for uptrends, red for downtrends).
Extreme Point (EP): An orange line is drawn to show the highest high in an uptrend or the lowest low in a downtrend.
Reversal Markers: Green triangles for upward reversals and red triangles for downward reversals are displayed.
Background Color: A subtle background tint (light green or light red) reflects the prevailing trend.
How to Use the Indicator
Input Configuration:
Curve Parameters:
Adjust a and b to define the specific elliptic curve you wish to apply.
Base Point Settings:
Configure the base point (x_p, y_p) to set the starting conditions for the elliptic curve calculations.
Acceleration Settings:
Set the Initial Acceleration and Max Acceleration to tune the sensitivity of the indicator.
Chart Application:
Overlay the indicator on your price chart. The SAR values, Extreme Points, and reversal markers will be plotted directly on the price data.
Use the dynamic background color to quickly assess the current trend.
Customization:
You can further adjust colors, line widths, and shape sizes in the code to better suit your visual preferences.
Differences from the Traditional SAR
Calculation Methodology:
Traditional SAR relies on a parabolic curve with a fixed acceleration factor, which increases linearly as the trend continues.
Elliptic Curve SAR uses a mathematically-derived approach from elliptic curve theory, which dynamically adjusts the acceleration factor based on the curve’s properties.
Sensitivity and Signal Timing:
The use of the arctan function and elliptic curve addition provides a non-linear response to price movements. This may result in a different sensitivity to market conditions and potentially smoother or more adaptive signal generation.
Visual Enhancements:
The enhanced version includes trend-dependent colors, explicit reversal markers, and an Extreme Point plot that are not present in the traditional version.
The background color change further aids in visual trend recognition.
Conclusion
The Elliptic Curve SAR indicator offers an alternative approach to trend detection by integrating elliptic curve mathematics into its calculation. This results in a dynamic acceleration factor and enriched visual cues, providing traders with an innovative tool for market analysis. By fine-tuning the input parameters, users can adapt the indicator to better fit their specific trading style and market conditions.
TRP Stop-Loss and Position SizingScript is based on TRP to see both Long Stop Loss and Short Stop Loss, You can Also adjust the position size based on your capital and percentage risk.
DynamicHeikin-Ashi-RKDynamic Heikin-Ashi RK is an advanced Heikin-Ashi candle indicator with a unique ATR-based offset mechanism. This script refines traditional Heikin-Ashi calculations while dynamically shifting the candles using ATR multipliers, helping traders visualize market trends with greater clarity.
🔹 Features:
✔ Customizable Heikin-Ashi colors
✔ ATR-based dynamic candle offset
✔ Enhanced trend visualization
This tool is ideal for traders looking for a smoother trend representation while incorporating volatility-based adjustments. 🚀
Customizations Available in Dynamic Heikin-Ashi RK
This indicator allows several customizations to suit different trading styles:
🔹 Heikin-Ashi Candle Display: Toggle the visibility of Heikin-Ashi candles.
🔹 Custom Colors: Choose custom colors for bullish and bearish Heikin-Ashi candles.
🔹 ATR-Based Dynamic Offset: Adjust the ATR multiplier to control the offset of Heikin-Ashi candles, helping fine-tune trend visualization.
🔹 Refined Heikin-Ashi Calculation: Uses a smoother formula for Heikin-Ashi candles, enhancing clarity.
With these options, traders can personalize the indicator for better trend detection and volatility analysis. 🚀
Point and Figure Target ForecastPoint and Figure Target Forecast
This Pine Script provides a simple Point and Figure (P&F) chart target forecasting tool, designed to help traders estimate potential price targets based on the Point and Figure charting methodology.
The script calculates target levels using a user-defined box size and reversal factor, which are essential components of the Point and Figure technique. The targets are displayed as green (upward) and red (downward) lines on the chart, with labels marking the calculated target levels.
Key Features:
Box Size and Reversal Control: Allows users to set the size of each box and the number of boxes required for a reversal.
Target Forecasting: Calculates and plots potential upward and downward targets based on the selected parameters.
Visual Labels: Displays target levels with clear labels for easy visualization.
This tool provides a simplified approach to forecasting price targets using the Point and Figure charting method, ideal for traders looking to anticipate potential price movements and structure their trades accordingly.
Volume Buy/Sell ChartVolume Buy/Sell Chart
This script visualizes the distribution of buying and selling volume within each candlestick, helping traders identify dominant market pressure at a glance. It separates volume into Buy Volume (Green) and Sell Volume (Red) using a unique calculation based on price movement within a candle.
Features:
✅ Customizable Bar Display: Choose to display 5, 10, or 100 bars using a simple dropdown selection.
✅ Buy & Sell Volume Calculation: The script determines buying and selling volume dynamically based on price action within the candle.
✅ Custom Volume Threshold for Alerts: Set a percentage threshold (0–100) to trigger alerts when buy or sell volume exceeds a predefined level.
✅ Color-Coded Histogram:
Green Bars: Represent the estimated buy volume.
Red Bars: Represent the estimated sell volume.
✅ Alerts Integration: Automatically detect strong buy or sell signals when the respective volume percentage exceeds your set threshold.
How It Works:
The script calculates total price movement within a candle.
It then estimates buying and selling volume ratios based on whether the price closes higher or lower than it opened.
Finally, it normalizes the buy/sell volume against the total volume and plots it as a column chart.
Usage Guide:
Add the script to your chart.
Select how many bars to display (5, 10, or 100).
Adjust the Custom Volume Percentage Threshold (default: 75%).
Watch for significant buy/sell volume imbalances that might indicate market turning points!
This tool is great for traders looking to analyze volume flow and market sentiment with a simple yet effective visualization. 🚀
EZ_Algo Copyright label
This script overlays a fully adjustable watermark on your chart, featuring:
A bold Main Title (e.g., your brand or name) and Subtitle (e.g., a tagline or ID).
Optional extras like a copyright notice, logo symbol, warning message, and chart info (symbol, timeframe, timestamp, or close price).
A subtle repeating overlay pattern to deter theft.
Flexible positioning, sizing, and color options to match your vib
e
It’s built for traders who want to protect their charts and make them stand out, all in a few clicks.
How to Use It
Add to Chart: Click "Add to Chart" and watch the default watermark appear (e.g., "EZ ALGO" at the top).
Customize It:
Main Title: Set your brand (e.g., "EZ ALGO") under "Main Title". Tweak color, size, and alignment.
Subtitle: Add a tagline (e.g., "Algo Trading") and trader ID (e.g., "@EZ_Algo
") with matching style options.
Text Opacity: Adjust "Text Opacity" in "Appearance" to control title and subtitle transparency (0 = solid, 100 = invisible).
Chart Info: Toggle "Show Chart Info" to display symbol and timestamp, or add "Show Close Price" for extra data.
Extras: Enable "Show Copyright" for a © notice, "Show Logo" for a symbol (e.g., ★), or "Show Warning" to shout "DO NOT COPY".
Overlay Pattern: Turn on "Show Overlay Pattern" to repeat a phrase (e.g., "EZ Algo") across the chart.
Positioning: Pick vertical/horizontal spots (top, middle, bottom; left, center, right) or try "Randomize Main Position" for a surprise placement.
Appearance: Set a "Background Color" and "Background Opacity" for the watermark’s backdrop.
Cell Size: Adjust "Cell Width (%)" and "Cell Height (%)" to resize the watermark (0 = auto-fit).
Apply & Share: Hit "OK" to save settings, then screenshot or share your branded chart with confidence!
Tips
Use a semi-transparent background (e.g., 50 opacity) to keep the chart readable.
Experiment with "Randomize Main Position" for a dynamic look.
Pair a bold logo with a faint overlay pattern for max branding power.
Credits
Inspired by @KristaKT
thanks for the great ideas!
Enjoy marking your charts with flair and protection! Questions? Drop a comment below.
MMM MARKET CHAOS TO CLARITY INTELLIGENCE @MaxMaserati# MMM MARKET CHAOS TO CLARITY INTELLIGENCE
## Overview
The MMM MARKET CHAOS TO CLARITY INTELLIGENCE (MMM AI Pro) by MaxMaserati is a sophisticated multi-factor analysis tool that provides comprehensive market insights through a unified dashboard. This system integrates several proprietary components to detect market conditions, trends, and potential reversals.
At its core, this indicator is designed to bring clarity to market complexity by identifying meaningful patterns and establishing order within what often appears as random market chaos
The MMM Intelligence Matrix accomplishes this through its multi-layered approach:
- The MMPD system quantifies market conditions on a clear 0-100 scale, transforming complex price movements into actionable premium/discount levels
- The proprietary candle analysis (MMMC Bias) identifies specific patterns with predictive value
- The integration of volume, momentum, and multi-timeframe analysis creates a comprehensive market context
- The Hot/Cold classification system helps traders distinguish between sustainable moves and overextended conditions
What makes this indicator particularly valuable is how it synthesizes multiple technical factors into clear visual signals and classifications. Instead of leaving traders to interpret numerous conflicting indicators, it presents an organized dashboard of market conditions with straightforward action zones.
## Core Components
### MMPD (Max Maserati Premium and Discount)
- Normalizes price movement on a 0-100 scale:
- **Premium (>50)**: Bullish conditions
- **Discount (<50)**: Bearish conditions
- **Extreme values (>90 or <10)**: Potential reversal zones
### MMMC (Max Maserati Model Candle) Bias
- Analyzes candle patterns to predict behavior:
- **Bullish/Bearish Body Close**: Price closes beyond previous candle's high/low
- **Bullish/Bearish Affinity**: Shows tendency toward continuation
- **Seek & Destroy**: Tests previous levels then breaks in new direction
- **Close Inside**: Closes within previous candle's range with directional bias
- **Plus/Minus**: Indicates slight tendency toward bulls/bears
### PC Strength (Previous Candle Strength)
- Measures percentage power of recent candlesticks
- Analyzes strength across multiple previous candles (PC1, PC2, PC3)
### MVM (Market Volatility Momentum)
- Adaptive moving averages system analyzing multiple timeframes:
- **Short context (8 bars)**: Immediate direction
- **Medium context (21 bars)**: Intermediate validation
- **Long context (55 bars)**: Primary trend confirmation
- **Higher timeframe**: Additional confirmation
### Volume Intelligence System
- Adaptive algorithm comparing current volume to 20-period average
- Identifies significant volume events and thresholds
### Hot/Cold Momentum Classification
- **Strong Bullish/Bearish (Hot)**: Potentially overextended
- **Strong Bullish/Bearish (Cold)**: Strong with room to continue
- **Bullish/Bearish Momentum**: Clear directional bias
- **Mild Bullish/Bearish**: Weak directional bias
### HVC (Highest Volume Candles) Detection
- Triangle markers and sequential stars indicate significant volume-confirmed movements
- Signals potential trend changes and continuation setups
## Dashboard Interface
The customizable dashboard displays:
1. **MMMC Bias**: Candle pattern analysis and direction
2. **Delta MA**: Buy/sell pressure with directional arrows
3. **PC Strength**: Percentage strength of previous candles
4. **Current Trend**: Overall market bias state
5. **MMPD Bias**: Premium/discount context
6. **Short/Medium/Long Term**: Price change percentages
7. **Trend Quality**: Reliability rating
8. **Volume Strength**: Classification (High/Medium/Low)
9. **MMPD Values**: Current level with direction indicator
10. **HTF Trend**: Higher timeframe confirmation
11. **Trend Strength**: Overall momentum measurement
12. **Action Zone**: Trading zone classification
13. **Momentum Strength**: Hot/Cold status
## MMPD Value Classifications
- **EXTREME PREMIUM (>90) ⚠️**: Extremely overbought
- **HIGH PREMIUM (80-90) ↗**: Strong bullish (caution)
- **PREMIUM (65-80) ↗**: Healthy bullish zone
- **LIGHT PREMIUM (50-65) →**: Mild bullish territory
- **LIGHT DISCOUNT (35-50) →**: Mild bearish territory
- **DISCOUNT (20-35) ↘**: Healthy bearish zone
- **HIGH DISCOUNT (10-20) ↘**: Strong bearish (caution)
- **EXTREME DISCOUNT (<10) ⚠️**: Extremely oversold
## Action Zone Classifications
- **MASSIVE BUY/SELL ZONE ★★★**: Very strong bias (Strength >5.0)
- **STRONG BUY/SELL ZONE ★★**: Strong bias (Strength >3.0)
- **MEDIUM BUY/SELL ZONE ★**: Moderate bias (Strength >2.0)
- **LIGHT BUY/SELL ZONE ⋆**: Mild bias (Strength >1.0)
- **SUPER LIGHT BUY/SELL ZONE ·**: Weak bias (Strength <1.0)
- **NEUTRAL ZONE**: No clear directional bias
## Visual Signals
1. **Triangle Markers**: HVC system directional signals (up/down)
2. **Sequential Stars (★)**: Advanced confirmation signals following trend changes
3. **High Volume Highlighting**: Optional candle emphasis for volume events
## Entry Conditions
### Strong Buy Setup
- MMPD Values: PREMIUM or LIGHT PREMIUM
- Hot/Cold Status: "⚠️ Strong Bullish (Cold)" or "↗️ Bullish Momentum"
- Action Zone: MASSIVE or STRONG BUY ZONE
- Volume Strength: High or Medium
- Current Trend: Strong Bullish or Bullish
### Strong Sell Setup
- MMPD Values: DISCOUNT or LIGHT DISCOUNT
- Hot/Cold Status: "⚠️ Strong Bearish (Cold)" or "↘️ Bearish Momentum"
- Action Zone: MASSIVE or STRONG SELL ZONE
- Volume Strength: High or Medium
- Current Trend: Strong Bearish or Bearish
## Exit Conditions
### Exit Long Positions When
- Hot/Cold Status changes to "⚠️ Strong Bullish (Hot)" or "↘️ Bearish Momentum"
- MMPD Values shows EXTREME PREMIUM or HIGH PREMIUM
- Action Zone changes to NEUTRAL ZONE or any SELL ZONE
- Current Trend shows "Bearish Reversal" or "Exiting Overbought"
### Exit Short Positions When
- Hot/Cold Status changes to "⚠️ Strong Bearish (Hot)" or "↗️ Bullish Momentum"
- MMPD Values shows EXTREME DISCOUNT or HIGH DISCOUNT
- Action Zone changes to NEUTRAL ZONE or any BUY ZONE
- Current Trend shows "Bullish Reversal" or "Exiting Oversold"
## Position Sizing Guidelines
- **Full Position (100%)**: Action Zone ★★★/★★, normal momentum, High volume
- **Reduced Position (50-75%)**: "Cold" signal, Action Zone ★, Medium volume
- **Small Position (25-50%)**: Action Zone ⋆, Medium/Low volume, mixed signals
- **No Position**: "Hot" signal, NEUTRAL zone, Low volume
## Special Trade Setups
### Reversal Setups
- **Bullish Reversal**: Transition from EXTREME DISCOUNT, Hot→Cold change, emerging buy signal, high volume
- **Bearish Reversal**: Transition from EXTREME PREMIUM, Hot→Cold change, emerging sell signal, high volume
### Continuation Setups
- **Bullish Continuation**: PREMIUM range, "Cold" signal, strong volume, timeframe alignment, clear Action Zone
- **Bearish Continuation**: DISCOUNT range, "Cold" signal, strong volume, timeframe alignment, clear Action Zone
## Sequential Stars System
- **Sequential Buy Signal**: Bullish star after bearish trend, volume confirmation
- **Sequential Sell Signal**: Bearish star after bullish trend, volume confirmation
## Best Practices
- Check multiple timeframes (prioritize when all align)
- Validate with volume (High >2.5x, Medium >1.2x)
- Assess trend quality (Strong ★★★, Confirmed ★★, Warning ⚠, Transition ↕)
- Handle inside bars/consolidation with additional confirmation
## Technical Considerations
- Based on closed candles for calculations
- Requires reliable volume data
- Higher sensitivity settings may produce more frequent signals
- Extreme readings indicate potential turning points
- Sequential stars require proper trend changes for activation
## Indicator Applicability
- **Markets**: Forex, Crypto, Stocks, Futures, Commodities
- **Timeframes**: 1H+ recommended, 4H/Daily for primary analysis
*Intended for use with the full MMM system. Trading decisions require proper knowledge and risk management.*
Volumetric Price Delivery Bias Pro @MaxMaserati🚀 Volumetric Price Delivery Bias Pro MaxMaserati
Description:
The Volumetric Price Delivery Bias Pro is an advanced trading indicator designed to provide clear insights into market trends, reversals, and continuations. Leveraging a combination of price action and volume analysis, it highlights critical support and resistance zones with unparalleled precision. It is a perfect blend of price action and volume intelligence.
🚀 Key Features:
Dynamic Price Analysis:
Detects key price turning points using fractal analysis.
Differentiates between bullish and bearish delivery signals for clear trend direction.
Support & Resistance Visualization:
Defense Lines: Pinpoint levels where buyers or sellers defend positions.
Zone Boxes: Highlight support/resistance areas with adjustable thresholds for precision.
Volume-Driven Confirmation:
Combines volume data to validate price levels.
Visualizes strength through dynamic box size and intensity.
⚡ Signals Explained
CDL (Change of Delivery Long): Indicates a bullish trend reversal.
CDS (Change of Delivery Short): Indicates a bearish trend reversal.
LD (Long Delivery): Confirms bullish trend continuation.
SD (Short Delivery): Confirms bearish trend continuation.
📊 Volume Strength Explained:
Volume strength = Current level volume ÷ (Average volume × Threshold).
Higher strength (above 100%) indicates stronger confirmation of support/resistance.
Boxes and lines dynamically adjust size and color to reflect strength.
🎯 Who Is It For?
This tool is ideal for scalpers, intraday traders, and swing traders who want to align their strategies with real market dynamics.
Scalpers: Identify quick reversals with shorter fractal lengths.
Intraday Traders: Spot balanced trends and continuations.
Swing Traders: Capture major market moves with higher confidence.
What to Do When Volume Strength Is Above 100%
Bullish Scenarios:
High volume at a support zone or during an upward move confirms strong buying interest.
Use it as confirmation for bullish setups.
Bearish Scenarios:
High volume at a resistance zone or during a downward move confirms strong selling pressure.
Use it as confirmation for bearish setups.
Range Markets:
High volume near range edges signals potential reversals or breakouts.
Observe price behavior to identify the likely scenario.
Breakouts:
High volume at key levels confirms the strength of a breakout.
Monitor for continuation in the breakout direction.
General Tip:
Combine high volume signals with other indicators or patterns for stronger confirmation.
🛠️ Customization Options
Configure fractal lengths, volume thresholds, and visual styles for optimal adaptability to scalping, intraday, or swing trading strategies.
Adjustable table display to track delivery bias, counts, and the latest signal.
📢 Alerts and Visuals:
Real-time alerts ensure you never miss critical signals.
Labels and lines mark CDL, CDS, LD, and SD levels for easy chart interpretation.
Volume strength % Bias @MaxMaserati 📊 MMM Candle Bias Volume % Strength Bias 📊
🔍 Overview
A sophisticated yet intuitive market analysis tool that combines volume analysis, trend detection, and momentum scoring to provide clear trading signals. This indicator helps traders identify market control between buyers and sellers using a unique scoring system based on volume, price action, and multi-timeframe alignment.
This professional-grade tool is designed to enhance your trading decisions through clear visual signals and comprehensive market analysis.
🧩 Core Components
📈 Volume Analysis System
- Compares current volume to 20-period average
- Identifies high-volume periods (1.5x above average)
- Uses volume confirmation for signal strength
- Integrates volume trends across multiple timeframes (240min, 60min, current)
🔧 Advanced Features
- Multiple timeframe analysis (240, 60, current)
- Perfect alignment detection (+)
- Early warning system for trend changes
- Momentum scoring across timeframes
- Volume-trend correlation analysis
- Trend alignment confirmation
🎯 Market Control Measurement
- Analyzes candlestick patterns and body ratios
- Calculates buyer/seller control percentages
- Monitors trend strength across timeframes
- Tracks consecutive directional movements
- Identifies perfect alignments (+) across timeframes
🏷️ Label Understanding
Direction Arrows:
- ↗️ = Uptrend in progress
- ↘️ = Downtrend in progress
- → = Sideways/Neutral trend
Volume Indicator:
- 🔊 = High volume (1.5x above average volume)
Exit Warnings:
- XXX = Strongest exit signal (high volume reversal)
- XX = Strong exit warning
🚦 Visual Signals
- Green bars: Bull Control %
- Red bars: Bear Control %
- Direction Arrows: ↗️ (Up), ↘️ (Down), → (Sideways)
- Volume Alert: 🔊 (High Volume)
- Perfect Alignment: + (All timeframes aligned)
- Exit Warnings: XXX, XX (Risk Levels)
⚠️ Exit Signals
- XXX: Immediate exit (strong reversal with volume)
- XX: Strong warning (deteriorating conditions)
- X: Initial caution signal
- More urgent when losing perfect alignment (+)
📝 Labels Combination significance
- ↗️🔊+ = Perfect uptrend with volume confirmation
- ↘️🔊+ = Perfect downtrend with volume confirmation
- ↗️+ = Perfect uptrend alignment
- ↘️🔊XX = Downtrend with volume and exit warning
⭐ Perfect Alignment (+)
Indicates:
- All timeframes in agreement (240min, 60min, current)
- Strong momentum (above 60%)
- Clear trend direction
- Highest probability setups
- Best for position entries
🌟 Special Signals
🔄 Trend Shifts
- "Strong ⬆️" or "Strong ⬇️": Major momentum moves
- "Early": Potential trend formation
- "⬆️ Trend Shift" or "⬇️ Trend Shift": Potential Major trend change alerts
- Requirements: 60%+ control, 3+ consecutive bars
- Enhanced reliability with + alignment
📍 Signal Zones & Interpretation
💪 Strong Zone (70%+ Control)
- Highest probability trading opportunities
- Perfect for full position sizing
- Requires volume confirmation (🔊)
- Enhanced reliability with perfect alignment (+)
- Best for confident directional trades
✅ Confirmed Zone (60-70% Control)
- Solid trading opportunities
- Recommended for reduced position sizes
- Look for consecutive confirmations
- Must have volume support (🔊)
- More valuable with perfect alignment (+)
📋 Trading Strategy Guide
💯 For Strong Signals (>70%)
1. Wait for bar confirmation above 70%
2. Confirm high volume presence (🔊)
3. Check for perfect alignment (+)
4. Monitor for XXX exit signals
5. Set wider stops based on volatility
✔️ For Confirmed Signals (60-70%)
1. Require volume confirmation (🔊)
2. Look for perfect alignment (+)
3. Look for multiple confirmations
4. Set tighter stops
5. Exit quickly on XX or XXX signals
General Uses
📥 Best Entry
1. Wait for + symbol with volume (🔊)
2. Confirm trend direction (↗️ or ↘️)
3. Check control percentage (preferably 70%+)
4. Look for consecutive aligned bars
5. Enter with appropriate position size
⚖️ Risk Management
- Quick exits: Honor XXX warnings
- Tight stops: Required for 60-70% zone trades
- Volume confirmation: Essential for all entries
- Perfect alignment (+): Allows for larger position sizes
Remember: This indicator serves as a market strength meter. Perfect alignments (+) with higher percentages and multiple confirmations indicate the strongest signals. Always combine with proper risk management and additional technical analysis for optimal results.
Note: Past performance doesn't guarantee future results. This is a tool to help your trading decisions. Always combine it with other technical analysis and proper risk management for best results.
Highest Volume Candle Analysis @MaxMaserati# Highest Volume Candle Analysis Indicator - Trading View Publication Summary
## What is the HVC Indicator?
The "Highest Volume Candle Analysis" indicator by MaxMaserati helps traders identify significant volume events and their subsequent breakouts. This tool detects high-volume candles that exceed a customizable threshold above the average volume and tracks how price interacts with these levels.
## Core Principle: Volume-Based Support & Resistance
The fundamental concept behind this indicator is that the highest volume candles represent significant market participation and create powerful support and resistance zones. These high-volume candles should be able to push price up or down, and price should not be able to close above (bearish HVC) or below (bullish HVC) these levels.
While price may temporarily breach these levels with a wick to take liquidity, it should not be able to close beyond them if the original volume-based level is truly significant. When price does close beyond these levels, it signals a violation of supply and demand principles and indicates a significant shift in market strength - a key trading opportunity.
EXAMPLE
## Key Features
- **High Volume Detection**: Automatically identifies candles with volume exceeding your specified threshold
- **Support & Resistance Levels**: Creates dynamic support (bullish HVC) and resistance (bearish HVC) levels
- **Breakout Detection**: Tracks and visualizes when price breaks through established HVC levels
- **Volume Comparison**: Shows volume ratios between breakout candles and their corresponding HVC levels
- **VWAP Integration**: Uses Volume Weighted Average Price to filter for more significant volume events
## Customizable Parameters
- **Trend Length**: Period for EMA calculation (default: 20)
- **Volume Threshold Multiplier**: Minimum volume multiplier above average (default: 1.5)
- **VWAP Length**: Period for VWAP calculation (default: 20)
## Visual Elements
- Green lines mark bullish HVC levels (high volume bullish candles)
- Red lines mark bearish HVC levels (high volume bearish candles)
- Blue lines indicate bullish breakouts of bearish HVC levels
- Red lines indicate bearish breakouts of bullish HVC levels
- Triangle markers highlight high-volume candles
- Labels display volume information in a clean, easy-to-read format
# How to Use the HVC Indicator
## Trading with HVC Levels
- **Support & Resistance**: Green lines mark bullish HVC support levels; red lines mark bearish HVC resistance levels.
- **Respect the Close**: While price may wick through HVC levels to grab liquidity, the key signal is whether it can close beyond these levels.
- **Bounce Trades**: When price approaches but respects an HVC level on close, consider trading in the direction of the rejection.
- **Breakout Trades**: When price closes beyond an HVC level, it indicates a significant shift in market strength - a potential trend change or continuation.
- **Volume Validation**: Check the volume ratio on breakouts; higher relative volume suggests a more reliable signal.
## Quick Tips
1. Use tight stops beyond HVC levels for bounce trades.
2. Look for false breakouts (wicks beyond but closes respecting the level) for counter-trend opportunities.
3. Combine with trend analysis - HVC breakouts in the direction of the larger trend offer higher probability setups.
4. Pay attention to how aggressively price approaches HVC levels - hesitation often indicates the level will hold.
5. The most powerful signals occur when price respects multiple HVC levels or when breakouts happen with exceptional volume.
Multi-Timeframe MACD Strategy ver 1.0Multi-Timeframe MACD Strategy: Enhanced Trend Trading with Customizable Entry and Trailing Stop
This strategy utilizes the Moving Average Convergence Divergence (MACD) indicator across multiple timeframes to identify strong trends, generate precise entry and exit signals, and manage risk with an optional trailing stop loss. By combining the insights of both the current chart's timeframe and a user-defined higher timeframe, this strategy aims to improve trade accuracy, reduce exposure to false signals, and capture larger market moves.
Key Features:
Dual Timeframe Analysis: Calculates and analyzes the MACD on both the current chart's timeframe and a user-selected higher timeframe (e.g., Daily MACD on a 1-hour chart). This provides a broader market context, helping to confirm trends and filter out short-term noise.
Configurable MACD: Fine-tune the MACD calculation with adjustable Fast Length, Slow Length, and Signal Length parameters. Optimize the indicator's sensitivity to match your trading style and the volatility of the asset.
Flexible Entry Options: Choose between three distinct entry types:
Crossover: Enters trades when the MACD line crosses above (long) or below (short) the Signal line.
Zero Cross: Enters trades when the MACD line crosses above (long) or below (short) the zero line.
Both: Combines both Crossover and Zero Cross signals, providing more potential entry opportunities.
Independent Timeframe Control: Display and trade based on the current timeframe MACD, the higher timeframe MACD, or both. This allows you to focus on the information most relevant to your analysis.
Optional Trailing Stop Loss: Implements a configurable trailing stop loss to protect profits and limit potential losses. The trailing stop is adjusted dynamically as the price moves in your favor, based on a user-defined percentage.
No Repainting: Employs lookahead=barmerge.lookahead_off in the request.security() function to prevent data leakage and ensure accurate backtesting and real-time signals.
Clear Visual Signals (Optional): Includes optional plotting of the MACD and Signal lines for both timeframes, with distinct colors for easy visual identification. These plots are for visual confirmation and are not required for the strategy's logic.
Suitable for Various Trading Styles: Adaptable to swing trading, day trading, and trend-following strategies across diverse markets (stocks, forex, cryptocurrencies, etc.).
Fully Customizable: All parameters are adjustable, including timeframes, MACD Settings, Entry signal type and trailing stop settings.
How it Works:
MACD Calculation: The strategy calculates the MACD (using the standard formula) for both the current chart's timeframe and the specified higher timeframe.
Trend Identification: The relationship between the MACD line, Signal line, and zero line is used to determine the current trend for each timeframe.
Entry Signals: Buy/sell signals are generated based on the selected "Entry Type":
Crossover: A long signal is generated when the MACD line crosses above the Signal line, and both timeframes are in agreement (if both are enabled). A short signal is generated when the MACD line crosses below the Signal line, and both timeframes are in agreement.
Zero Cross: A long signal is generated when the MACD line crosses above the zero line, and both timeframes agree. A short signal is generated when the MACD line crosses below the zero line and both timeframes agree.
Both: Combines Crossover and Zero Cross signals.
Trailing Stop Loss (Optional): If enabled, a trailing stop loss is set at a specified percentage below (for long positions) or above (for short positions) the entry price. The stop-loss is automatically adjusted as the price moves favorably.
Exit Signals:
Without Trailing Stop: Positions are closed when the MACD signals reverse according to the selected "Entry Type" (e.g., a long position is closed when the MACD line crosses below the Signal line if using "Crossover" entries).
With Trailing Stop: Positions are closed if the price hits the trailing stop loss.
Backtesting and Optimization: The strategy automatically backtests on the chart's historical data, allowing you to assess its performance and optimize parameters for different assets and timeframes.
Example Use Cases:
Confirming Trend Strength: A trader on a 1-hour chart sees a bullish MACD crossover on the current timeframe. They check the MTF MACD strategy and see that the Daily MACD is also bullish, confirming the strength of the uptrend.
Filtering Noise: A trader using a 15-minute chart wants to avoid false signals from short-term volatility. They use the strategy with a 4-hour higher timeframe to filter out noise and only trade in the direction of the dominant trend.
Dynamic Risk Management: A trader enters a long position and enables the trailing stop loss. As the price rises, the trailing stop is automatically adjusted upwards, protecting profits. The trade is exited either when the MACD reverses or when the price hits the trailing stop.
Disclaimer:
The MACD is a lagging indicator and can produce false signals, especially in ranging markets. This strategy is for educational and informational purposes only and should not be considered financial advice. Backtest and optimize the strategy thoroughly, combine it with other technical analysis tools, and always implement sound risk management practices before using it with real capital. Past performance is not indicative of future results. Conduct your own due diligence and consider your risk tolerance before making any trading decisions.
Multi-Timeframe Parabolic SAR Strategy ver 1.0Multi-Timeframe Parabolic SAR Strategy (MTF PSAR) - Enhanced Trend Trading
This strategy leverages the power of the Parabolic SAR (Stop and Reverse) indicator across multiple timeframes to provide robust trend identification, precise entry/exit signals, and dynamic trailing stop management. By combining the insights of both the current chart's timeframe and a user-defined higher timeframe, this strategy aims to improve trading accuracy, reduce risk, and capture more significant market moves.
Key Features:
Dual Timeframe Analysis: Simultaneously analyzes the Parabolic SAR on the current chart and a higher timeframe (e.g., Daily PSAR on a 1-hour chart). This allows you to align your trades with the dominant trend and filter out noise from lower timeframes.
Configurable PSAR: Fine-tune the PSAR calculation with adjustable Start, Increment, and Maximum values to optimize sensitivity for your trading style and the asset's volatility.
Independent Timeframe Control: Choose to display and trade based on either or both the current timeframe PSAR and the higher timeframe PSAR. Focus on the most relevant information for your analysis.
Clear Visual Signals: Distinct colors for the current and higher timeframe PSAR dots provide a clear visual representation of potential entry and exit points.
Multiple Entry Strategies: The strategy offers flexible entry conditions, allowing you to trade based on:
Confirmation: Both current and higher timeframe PSAR signals agree and the current timeframe PSAR has just flipped direction. (Most conservative)
Current Timeframe Only: Trades based solely on the current timeframe PSAR, ideal for when the higher timeframe is less relevant or disabled.
Higher Timeframe Only: Trades based solely on the higher timeframe PSAR.
Dynamic Trailing Stop (PSAR-Based): Implements a trailing stop-loss based on the current timeframe's Parabolic SAR. This helps protect profits by automatically adjusting the stop-loss as the price moves in your favor. Exits are triggered when either the current or HTF PSAR flips.
No Repainting: Uses lookahead=barmerge.lookahead_off in the security() function to ensure that the higher timeframe data is accessed without any data leakage, preventing repainting issues.
Fully Configurable: All parameters (PSAR settings, higher timeframe, visibility, colors) are adjustable through the strategy's settings panel, allowing for extensive customization and optimization.
Suitable for Various Trading Styles: Applicable to swing trading, day trading, and trend-following strategies across various markets (stocks, forex, cryptocurrencies, etc.).
How it Works:
PSAR Calculation: The strategy calculates the standard Parabolic SAR for both the current chart's timeframe and the selected higher timeframe.
Trend Identification: The direction of the PSAR (dots below price = uptrend, dots above price = downtrend) determines the current trend for each timeframe.
Entry Signals: The strategy generates buy/sell signals based on the chosen entry strategy (Confirmation, Current Timeframe Only, or Higher Timeframe Only). The Confirmation strategy offers the highest probability signals by requiring agreement between both timeframes.
Trailing Stop Exit: Once a position is entered, the strategy uses the current timeframe PSAR as a dynamic trailing stop. The stop-loss is automatically adjusted as the PSAR dots move, helping to lock in profits and limit losses. The strategy exits when either the Current or HTF PSAR changes direction.
Backtesting and Optimization: The strategy automatically backtests on the chart's historical data, allowing you to evaluate its performance and optimize the settings for different assets and timeframes.
Example Use Cases:
Trend Confirmation: A trader on a 1-hour chart observes a bullish PSAR flip on the current timeframe. They check the MTF PSAR strategy and see that the Daily PSAR is also bullish, confirming the strength of the uptrend and providing a high-probability long entry signal.
Filtering Noise: A trader on a 5-minute chart wants to avoid whipsaws caused by short-term price fluctuations. They use the strategy with a 1-hour higher timeframe to filter out noise and only trade in the direction of the dominant trend.
Dynamic Risk Management: A trader enters a long position and uses the current timeframe PSAR as a trailing stop. As the price rises, the PSAR dots move upwards, automatically raising the stop-loss and protecting profits. The trade is exited when the current (or HTF) PSAR flips to bearish.
Disclaimer:
The Parabolic SAR is a lagging indicator and can produce false signals, particularly in ranging or choppy markets. This strategy is intended for educational and informational purposes only and should not be considered financial advice. It is essential to backtest and optimize the strategy thoroughly, use it in conjunction with other technical analysis tools, and implement sound risk management practices before using it with real capital. Past performance is not indicative of future results. Always conduct your own due diligence and consider your risk tolerance before making any trading decisions.
Multi-Timeframe PSAR Indicator ver 1.0Enhance your trend analysis with the Multi-Timeframe Parabolic SAR (MTF PSAR) indicator! This powerful tool displays the Parabolic SAR (Stop and Reverse) from both the current chart's timeframe and a higher timeframe, all in one convenient view. Identify potential trend reversals and set dynamic trailing stops with greater confidence by understanding the broader market context.
Key Features:
Dual Timeframe Analysis: Simultaneously visualize the PSAR on your current chart and a user-defined higher timeframe (e.g., see the Daily PSAR while trading on the 1-hour chart). This helps you align your trades with the dominant trend.
Customizable PSAR Settings: Fine-tune the PSAR calculation with adjustable Start, Increment, and Maximum values. Optimize the indicator's sensitivity to match your trading style and the volatility of the asset.
Independent Timeframe Control: Choose to display either or both the current timeframe PSAR and the higher timeframe PSAR. Focus on the information most relevant to your analysis.
Clear Visual Representation: Distinct colors for the current and higher timeframe PSAR dots make it easy to differentiate between the two. Quickly identify potential entry and exit points.
Configurable Colors You can easily change colors of Current and HTF PSAR.
Standard PSAR Logic: Uses the classic Parabolic SAR algorithm, providing a reliable and widely-understood trend-following indicator.
lookahead=barmerge.lookahead_off used in the security function, there is no data leak or repainting.
Benefits:
Improved Trend Identification: Spot potential trend changes earlier by observing divergences between the current and higher timeframe PSAR.
Enhanced Risk Management: Use the PSAR as a dynamic trailing stop-loss to protect profits and limit potential losses.
Greater Trading Confidence: Make more informed decisions by considering the broader market trend.
Reduced Chart Clutter: Avoid the need to switch between multiple charts to analyze different timeframes.
Versatile Application: Suitable for various trading styles (swing trading, day trading, trend following) and markets (stocks, forex, crypto, etc.).
How to Use:
Add to Chart: Add the "Multi-Timeframe PSAR" indicator to your TradingView chart.
Configure Settings:
PSAR Settings: Adjust the Start, Increment, and Maximum values to control the PSAR's sensitivity.
Multi-Timeframe Settings: Select the desired "Higher Timeframe PSAR" resolution (e.g., "D" for Daily). Enable or disable the display of the current and/or higher timeframe PSAR using the checkboxes.
Interpret Signals:
Current Timeframe PSAR: Dots below the price suggest an uptrend; dots above the price suggest a downtrend.
Higher Timeframe PSAR: Provides context for the overall trend. Agreement between the current and higher timeframe PSAR strengthens the trend signal. Divergences may indicate potential reversals.
Trade Management:
Use PSAR dots as dynamic trailing stop.
Example Use Cases:
Confirming Trend Strength: A trader on a 1-hour chart sees the 1-hour PSAR flip bullish (dots below the price). They check the MTF PSAR and see that the Daily PSAR is also bullish, confirming the strength of the uptrend.
Identifying Potential Reversals: A trader sees the current timeframe PSAR flip bearish, but the higher timeframe PSAR remains bullish. This divergence could signal a potential pullback within a larger uptrend, or a warning of a more significant reversal.
Trailing Stops: A trader enters a long position and uses the current timeframe PSAR as a trailing stop, moving their stop-loss up as the PSAR dots rise.
Disclaimer: The Parabolic SAR is a lagging indicator and may produce false signals, especially in ranging markets. It is recommended to use this indicator in conjunction with other technical analysis tools and risk management strategies. Past performance is not indicative of future results.
XGBoost Approximation Indicator with HTF Filter Ver. 3.2XGBoost Approx Indicator with Higher Timeframe Filter Ver. 3.2
What It Is
The XGBoost Approx Indicator is a technical analysis tool designed to generate trading signals based on a composite of multiple indicators. It combines Simple Moving Average (SMA), Relative Strength Index (RSI), MACD, Rate of Change (ROC), and Volume to create a composite indicator score. Additionally, it incorporates a higher timeframe filter (HTF) to enhance trend confirmation and reduce false signals.
This indicator helps traders identify long (buy) and short (sell) opportunities based on a weighted combination of trend-following and momentum indicators.
How to Use It Properly
Setup and Configuration:
Add the indicator to your TradingView chart.
Customize input settings based on your trading strategy. Key configurable inputs include:
HTF filter (default: 1-hour)
SMA, RSI, MACD, and ROC lengths
Custom weightings for each component
Thresholds for buy and sell signals
Understanding the Signals:
Green "Long" Label: Appears when the composite indicator crosses above the buy threshold, signaling a potential buy opportunity.
Red "Short" Label: Appears when the composite indicator crosses below the sell threshold, signaling a potential sell opportunity.
These signals are filtered by a higher timeframe SMA trend to improve accuracy.
Alerts:
The indicator provides alert conditions for long and short entries.
Traders can enable alerts in TradingView to receive real-time notifications when a new signal is triggered.
Safety and Best Practices
Use in Conjunction with Other Analysis: Do not rely solely on this indicator. Combine it with price action, support/resistance levels, and fundamental analysis for better decision-making.
Adjust Settings for Your Strategy: The default settings may not suit all markets or timeframes. Test different configurations before trading live.
Backtest Before Using in Live Trading: Evaluate the indicator’s past performance on historical data to assess its effectiveness in different market conditions.
Avoid Overtrading: False signals can occur, especially in low volatility or choppy markets. Use additional confirmation (e.g., trendlines or moving averages).
Risk Management: Always set stop-loss levels and position sizes to limit potential losses.
Highs & Lows - Multi TimeFrame### **📌 HL-MWD (Highs & Lows - Multi Timeframe Indicator) – Community Release**
#### **🔹 Overview**
The **HL-MWD Indicator** is a **multi-timeframe support & resistance tool** that plots **historical highs and lows** from **daily, weekly, and monthly timeframes** onto an intraday chart. It helps traders **identify key levels of support and resistance** that have influenced price action over different timeframes.
This indicator is useful for **day traders, swing traders, and position traders** who rely on **multi-timeframe analysis** to spot critical price levels.
---
### **🔥 Key Features**
✅ **Plots Highs & Lows for Daily, Weekly, and Monthly Timeframes**
✅ **Customizable Lookback Periods for Each Timeframe**
✅ **Adjustable Line Colors, Styles (Solid, Dotted, Dashed), and Widths**
✅ **Extend Lines into the Future to Identify Key Price Levels**
✅ **Option to Display Price Labels for Each Level**
✅ **Gradient Option to Highlight Recent Highs & Lows (Disabled by Default)**
✅ **Compatible with Intraday, Daily, and Weekly Charts**
---
### **📈 How It Works**
- **Daily Highs & Lows:** Captures the **highest and lowest prices** within the selected lookback period (default: **14 bars**).
- **Weekly Highs & Lows:** Marks the **highest and lowest prices** within the chosen weekly lookback (default: **52 bars**).
- **Monthly Highs & Lows:** Displays the **high and low points** from the monthly timeframe (default: **36 bars**).
- **Extended Lines:** Project past highs and lows **into the future** to help identify **potential support & resistance zones**.
---
### **⚠️ TradingView Lookback Limitations**
🔹 **TradingView has a limit on how many historical bars can be accessed per timeframe**, which affects how far back the indicator can retrieve data.
🔹 **Intraday charts (e.g., 5m, 15m) have a limited number of past bars**, meaning:
- **You won’t be able to view 36 months' worth of monthly levels** on a **5-minute chart**, because TradingView doesn’t store that much data in lower timeframes.
- **If multiple timeframes (e.g., weekly + monthly) are enabled at the same time**, some historical data may **not be available on shorter timeframes**.
🔹 **Recommendation:**
- If using **monthly lookbacks (36 months+), view them on a daily or higher timeframe**.
- If using **weekly lookbacks (52 weeks+), higher intraday timeframes (e.g., 1-hour, 4-hour) are better suited**.
- **Lower timeframes (1m, 5m, 15m) may miss some levels** if TradingView's bar limit is exceeded.
---
### **⚙️ Customization Options**
| **Setting** | **Default Value** | **Description** |
|------------------|----------------|----------------|
| **Daily Lookback** | `14` | Number of bars used to calculate daily highs/lows. |
| **Weekly Lookback** | `52` | Number of bars used to calculate weekly highs/lows. |
| **Monthly Lookback** | `36` | Number of bars used to calculate monthly highs/lows. |
| **Line Colors** | Daily: `Blue` Weekly: `Green` Monthly: `Red` | Customizable colors for each timeframe. |
| **Line Style** | `Solid` | Options: Solid, Dashed, Dotted. |
| **Line Width** | `1` | Thickness of the plotted lines. |
| **Extend Line** | `1` | Controls how far the highs/lows extend into the future. |
| **Display Price Labels** | `Enabled` | Shows price labels on each level. |
---
### **🛠️ How to Use It**
- **Enable/disable different timeframes** based on your strategy.
- **Customize colors, line styles, and widths** to match your charting style.
- **Use extended lines to identify support & resistance zones.**
- **Watch price reactions at these levels** for potential entries, exits, and stop-loss placements.
---
### **🚀 Final Thoughts**
The **HL-MWD Indicator** is a **powerful multi-timeframe tool** that helps traders **visualize key support & resistance levels** from higher timeframes on an intraday chart.
⚠️ **However, TradingView’s lookback limits apply—so for longer-term levels, higher timeframes are recommended.**
📌 **Now published for the community!** Let me know if you need any last-minute tweaks! 🔥
Big Boss Order Detector by GSK-VIZAG-AP-INDIABig Boss Order Detector by GSK-VIZAG-AP-INDIA
Overview
The Big Boss Order Detector is designed to help traders identify significant buying and selling activity based on volume and price action. It filters out normal transactions and highlights large institutional orders, helping traders spot potential smart money movements.
This indicator classifies large orders into two categories:
Large Orders – These are detected when the volume exceeds a predefined multiple of the volume SMA, with minimal price movement between open and close.
High Volume Orders – Stricter conditions apply, where volume is even higher, and the price movement remains within a tighter threshold.
By tracking these key market activities, traders can gain insights into potential reversals, breakouts, or the presence of institutional buying and selling.
How It Works
The indicator calculates a Simple Moving Average (SMA) of volume over a user-defined period (default: 50 candles). It then sets two volume-based thresholds:
Large Orders: When the volume is greater than a multiple (default: 2×) of the SMA and price movement between open and close is within a certain percentage threshold (default: 0.05%).
High Volume Orders: When the volume surpasses an even higher threshold (default: 3× the SMA) with stricter price movement (default: 0.02%).
Key Conditions for Order Detection
Large Buy Order: Volume exceeds the threshold, and the closing price is greater than the opening price.
Large Sell Order: Volume exceeds the threshold, and the closing price is lower than the opening price.
High Volume Buy Order: A stricter volume condition is met, and the price closes higher than it opened.
High Volume Sell Order: A stricter volume condition is met, and the price closes lower than it opened.
Indicator Features
🔹 Visual Signals on Chart
Orange Up Arrow (▲) → Large Buy Order
Purple Down Arrow (▼) → Large Sell Order
"Big🐂" (Blue Label Up) → High Volume Buy Order
"Big🐻" (Red Label Down) → High Volume Sell Order
🔹 Alerts for Trading Opportunities
Large Orders Alerts: Notifies when a large buy or sell order is detected.
High Volume Orders Alerts: Identifies potential high volume buy or sell orders.
Traders can set up these alerts in TradingView for real-time notifications.
Use Cases & Trading Insights
Detect High-Impact Trades: Large orders often indicate activity from big market participants who can influence price movements.
Confirm Trend Strength: When large buy orders appear in an uptrend, it may signal trend continuation. Similarly, large sell orders in a downtrend could confirm further weakness.
Spot Potential Reversals: High-volume orders with limited price movement may suggest accumulation (bullish) or distribution (bearish).
🔹 ⚠️ Important Note:
Not every large buy represents fresh buying; some could be short covering. Similarly, large selling could be long liquidation rather than fresh shorting. Always use this indicator with other technical tools and risk management strategies.
Additional Tip: Using This Indicator on Heikin-Ashi Charts
While this indicator is designed for standard candlestick charts, traders who use Heikin-Ashi candles may find it helpful for smoother trend visualization. Since Heikin-Ashi modifies price calculations, volume-based signals may appear slightly different compared to regular candles. Use it as a complementary tool rather than a strict signal generator.
Customization Options
Volume SMA Length (default: 50 candles) – Adjust the sensitivity of volume detection.
Volume Multipliers – Change the thresholds for detecting large and high-volume orders.
Price Difference Thresholds – Modify how strictly price movements are considered for filtering orders.
This flexibility allows traders to fine-tune the indicator to match different trading styles and asset classes.
Importance of Input Settings.
Setting Recommended Values Purpose
Volume SMA Length 20, 30, 50 Defines the baseline average volume for comparison. A shorter SMA (20) reacts faster, while a longer SMA (50) smooths out fluctuations.
Large Order Multiplier 1, 2, 3 Determines how much higher the volume should be compared to the SMA to qualify as a large order. A lower value captures more signals; a higher value filters out noise.
High Volume Order Multiplier 1.5, 2, 2.5 Stricter volume threshold for detecting high-impact trades. Use higher values for highly liquid markets.
Price Difference Threshold (Points) 5, 10, or more Defines the max allowed difference between open and close for large orders. Higher values capture more trades but may include noise.
High Volume Price Threshold (Points) 20 or based on price Stricter price movement condition for high-volume orders. For low-priced stocks, 20 points may be too much—adjust based on asset volatility.
The effectiveness of this indicator depends on its input settings, as they allow traders to fine-tune the detection of high-impact trades based on market conditions. Adjusting parameters like Volume SMA Length, Volume Multipliers, and Price Difference Thresholds can help optimize signals for different assets, timeframes, and volatility levels.
For best results, experiment with these settings and adapt them to suit your trading strategy.
Final Thoughts
The Big Boss Order Detector is a powerful tool for tracking institutional activity and understanding volume dynamics in the market. However, it should be used alongside other indicators and price action analysis to make informed trading decisions.
Give it a try and enhance your market insights! 🚀📈
📢 Share Your Experience!
Your feedback is valuable! If you find this indicator useful, leave a comment with your experience—how it worked for you, any improvements you suggest, or the best settings you discovered.
Let’s build a community of traders refining strategies together! 🚀📊
Disclaimer:
This indicator is for educational and informational purposes only. It does not guarantee profitable trades and should be used with proper risk management. Always conduct your own research before making trading decisions.
Democratic MultiAsset Strategy [BerlinCode42]Happy Trade,
Intro
Included Trade Concept
Included Indicators and Compare-Functions
Usage and Example
Settings Menu
Declaration for Tradingview House Rules on Script Publishing
Disclaimer
Conclusion
1. Intro
This is the first multi-asset strategy available on TradingView—a market breadth multi-asset trading strategy with integrated webhooks, backtesting capabilities, and essential strategy components like Take Profit, Stop Loss, Trailing, Hedging, Time & Session Filters, and Alerts.
How It Trades? At the start of each new bar, one asset from a set of eight is selected to go long or short. As long there is available cash and the selected asset meets the minimum criteria.
The selection process works through a voting system, similar to a democracy. Each asset is evaluated using up to five indicators that the user can choose. The asset with the highest overall voting score is picked for the trade. If no asset meets all criteria, no trade is executed, and the cash reserve remains untouched for future opportunities.
How to Set Up This Market Breadth Strategy:
Choose eight assets from the same market (e.g., cryptos or big tech stocks).
Select one to five indicators for the voting system.
Refine the strategy by adjusting Take Profit, Stop Loss, Hedging, Trailing, and Filters.
2. Voting as the included Trade Concept
The world of financial trading is filled with both risks and opportunities, and the key challenge is to identify the right opportunities, manage risks, and do both right on time.
There are countless indicators designed to spot opportunities and filter out risks, but no indicator is perfect—they only work statistically, hitting the right signals more often than the wrong ones.
The goal of this strategy is to increase the accuracy of these Indicators by:
Supervising a larger number of assets
Filtering out less promising opportunities
This is achieved through a voting system that compares indicator values across eight different assets. It doesn't just compare long trades—it also evaluates long vs. short positions to identify the most promising trade.
Why focus on one asset class? While you can randomly select assets from different asset classes, doing so prevents the algorithm from identifying the strongest asset within a single class. Think about, within one asset class there is often a major trend whereby different asset classes has not really such behavior.
And, you don’t necessarily need trading in multiple classes—this algorithm is designed to generate profits in both bullish and bearish markets. So when ever an asset class rise or fall the voting system ensure to jump on the strongest asset. So this focusing on one asset class is an integral part of this strategy. This all leads to more stable and robust trading results compared to handling each asset separately.
3. Included Indicators and Compare-Functions
You can choose from 17 different indicators, each offering different types of signals:
Some provide a directional signal
Some offer a simple on/off signal
Some provide both
Available Indicators: RSI, Stochastic RSI, MFI, Price, Volume, Volume Oscillator, Pressure, Bilson Gann Trend, Confluence, TDI, SMA, EMA, WMA, HMA, VWAP, ZLMA, T3MA
However, these indicators alone do not generate trade signals. To do so, they must be compared with thresholds or other indicators using specific comparison functions.
Example – RSI as a Trade Signal. The RSI provides a value between 0 and 100. A common interpretation is:
RSI over 80 → Signal to go short or exit a long trade
RSI under 20 → Signal to go long or exit a short trade
Here, two comparison functions and two thresholds are used to determine trade signals.
Below is the full set of available comparison functions, where: I represents the indicator’s value and A represents the comparator’s value.
I < A if I smaller A then trade signal
I > A if I bigger A then trade signal
I = A if I equal to A then trade signal
I != A if I not equal to A then trade signal
A <> B if I bigger A and I smaller B then trade signal
A >< B if I smaller A then long trade signal or if I bigger B then short trade signal
Image 1
In Image 1, you can see one of five input sections, where you define an indicator along with its function, comparator, and constants. For our RSI example, we select:
Indicator: RSI
Function: >< (greater/less than)
Comparator: Constant
Constants: A = 20, B = 80
With these settings a go short signal is triggered when RSI crosses above 80. And a go long signal is triggered when RSI crosses below 20.
Relative Strength Indicator: The RSI from the public TradingView library provides a directional trade signal. You can adjust the price source and period length in the indicator settings.
Stochastic Relative Strength Indicator: As above the Stoch RSI offers a trade signal with direction. It is calculated out of the RSI, the stochastic derivation and the SMA from the Tradingview library. You can set the in-going price source and the period length for the RSI, for the Stochastic Derivation and for the SMA as blurring in the Indicator settings section.
Money Flow Indicator: As above the MFI from the public Tradingview library offers a trade signal with direction. You can set the in-going price source and the period length in the Indicator settings section.
Price: The Price as Indicator is as simple as it can be. You can chose Open, High, Low or Close or combinations of them like HLC3 or even you can import an external Indicator. The absolute price or value can later be used to generate a trade signals when certain constant thresholds or other indicators signals are crossed.
Volume: Similar as above the Volume as Indicator offers the average volume as absolute value. You can set the period length for the smoothing and you can chose where it is presented in the base currency $ or is the other. For example the trade pair BTCUSD you can chose to present the value in $ or in BTC.
Volume Oscillator: The Volume Oscillator Indicator offers a value in the range of . Whereby a value close to 0 means that the volume is very low. A value around 1 means the volume is same high as before and Values higher as 1 means the volume is bigger then before. You can set the period length for the smoothing and you can chose where it is presented in the base currency $ or is the other. For example the trade pair BTCUSD you can chose to present the value in $ or in BTC.
Pressure Indicator: The Pressure is an adapted version of LazyBear's script (Squeeze Momentum Indicator) Pressure is a Filter that highlight bars before a bigger price move in any direction. The result are integer numbers between 0 and 4 whereby 0 means no bigger price move excepted, while 4 means huge price move expected. You can set the in-going price source and the period length in the Indicator settings section.
Bilson Gann Trend: The Bilson Gann Trend Indicator is a specific re-implementation of the widely known Bilson Gann Count Algorithm to detect Highs and Lows. On base of the last four Highs and Lows a trend direction can be calculated. It is based on 2 rules to confirm a local pivot candidate. When a local pivot candidate is confirmed, let it be a High then it looks for Lows to confirm. The result range is whereby -1 means down trend, 1 means uptrend and 0 sideways.
Confluence: The Confluence Indicator is a simplified version of Dale Legan's "Confluence" indicator written by Gary Fritz. It uses five SMAs with different periods lengths. Whereby the faster SMA get compared with the (slower) SMA with the next higher period lengths. Is the faster SMA smaller then the slower SMA then -1, otherwise +1. This is done with all SMAs and the final sum range between . Whereby values around 0 means price is going side way, Crossing under 0 means trend change from bull to bear. Is the value>2 means a strong bull trend and <-2 a strong bear trend.
Trades Dynamic Index: The TDI is an adapted version from the "Traders Dynamic Index" of LazyBear. The range of the result is whereby 2 means Top goShort, -2 means Bottom goLong, 0 is neutral, 1 is up trend, -1 is down trend.
Simple Moving Average: The SMA is the one from the Tradingview library. You can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source and the period length in the Indicator settings section.
Exponential Moving Average: The EMA as above is the one from the Tradingview library. You can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source and the period length in the Indicator settings section.
Weighted Moving Average: The WMA as above is the one from the Tradingview library. You can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source and the period length in the Indicator settings section.
Hull Moving Average: HMA as above is the one from the Tradingview library. You can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source and the period length in the Indicator settings section.
Volume Weighted Average Price: The VWAP as above is the one from the Tradingview library. You can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source in the Indicator settings section.
Zero Lag Moving Average: The ZLMA by John Ehlers and Ric Way describe in their paper: www.mesasoftware.com
As the other moving averages you can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source and the period length in the Indicator settings section.
T3 Moving Average: The T3MA is the one from the Tradingview library. You can compare it with the last close price or any other moving average indicator to indicate up and down trends. You can set the in-going price source, the period length and a factor in the Indicator settings section. Keep this factor at 1 and the T3MA swing in the same range as the input. Bigger 1 and it swings over. Factors close to 0 and the T3MA becomes a center line.
All MA's following the price. The function to compare any MA Indicators would be < or > to generate a trade direction. An example follows in the next section.
4. Example and Usage
In this section, you see how to set up the strategy using a simple example. This example was intentionally chosen at random and has not undergone any iterations to refine the trade results.
We use the RSI as the trade signal indicator and apply a filter using a combination of two moving averages (MAs). The faster MA is an EMA, while the slower MA is an SMA. By comparing these two MAs, we determine a trend direction. If the faster MA is above the slower MA the trend is upwards etc. This trend direction can then be used for filtering trades.
The strategy follows these rules:
If the RSI is below 20, a buy signal is generated.
If the RSI is above 80, a sell signal is generated.
However, this RSI trade signal is filtered so that a trade is only given the maximum voting weight if the RSI trade direction aligns with the trend direction determined by the MA filter.
So first, you need to add your chosen assets or simply keep the default ones. In Image 2, you can see one of the eight asset input sections.
Image 2
This strategy offers some general trade settings that apply equally to all assets and some asset-specific settings. This distinction is necessary because some assets have higher volatility than others, requiring asset-specific Take Profit and Stop Loss levels.
Once you have made your selections, proceed to the Indicators and Compare Functions for the voting. Image 3 shows an example of this setup.
Image 3
Later on go to the Indicator specific settings shown in Image 4 to refine the trade results.
Image 4
For refine the trade results take also a look on the result summary table, development of capital plot, on the list of closed and open trades and screener table shown in Image 5.
Image 5
To locate any trade for any asset in the chronological and scroll-able trade list, each trade is marked with a label:
An opening label displaying the trade direction, ticker ID, trade number, invested amount, and remaining cash reserves.
A closing label showing the closing reason, ticker ID, trade number, trade profit (%), trade revenue ($), and updated cash reserves.
Additionally: a green line marks each Take Profit level. An orange line indicates the (trailing) Stop Loss.
The summary table in the bottom-left corner provides insights into how effective the trade strategy is. By analyzing the trade list, you can identify trades that should be avoided.
To find those bad trades on the chart, use the trade number or timestamp. With replay mode, you can go back in time to review a specific trade in detail.
Image 6
In Image 6, you can see an example where replay mode and the start time filter are used to display specific trades within a narrow time range. By identifying a large number of bad trades, you may recognize patterns and formulate conditions to avoid them in the future.
This is the backtesting tool that allows you to develop and refine your trading strategy continuously. With each iteration—from general adjustments to detailed optimizations—you can use these tools to improve your strategy. You can:
Add other indicators with trade signals and direction
Add more indicators signals as filter
Adjust the settings of your indicators to optimize results
Configure key strategy settings, such as Time and Session Filters, Stop Loss, Take Profit, and more
By doing so, you can identify a profitable strategy and its optimal settings.
5. Settings Menu
In the settings menu you will find the following high-lighted sections. Most of the settings have a i mark on their right side. Move over it with the cursor to read specific explanation.
Backtest Results: Here you can decide about visibility of the trade list, of the Screener Table and of the Results Summary. And the colors for bullish, side ways, bearish and no signal. Go above and see Image 5.
Time Filter: You can set a Start time or deactivate it by leave it unhooked. The same with End Time and Duration Days . Duration Days can also count from End time in case you deactivate Start time.
Session Filter: Here, you can chose to activate trading on a weekly basis, specifying which days of the week trading is allowed and which are excluded. Additionally, you can configure trading on a daily basis, setting the start and end times for when trades are permitted. If activated, no new trades will be initiated outside the defined times and sessions.
Trade Logic: Here you can set an extra time frame for all indicators. You can enable Longs or Shorts or both trades.
The min Criteria percentage setting defines the minimum number of voices an asset has to get to be traded. So if you set this to 50% or less also weak winners of the voting get traded while 100% means that the winner of the voting has to get all possible voices.
Additionally, you have the option to delay entry signals. This feature is particularly useful when trade signals exhibit noise and require smoothing.
Enable Trailing Stop and force the strategy to trade only at bar closing. Other-ways the strategy trade intrabar, so when ever a voting present an asset to trade, it will send the alert and the webhooks.
The Hedging is basic as shown in the following Image 7 and serves as a catch if price moves fast in the wrong direction. You can activate a hedging mechanism, which opens a trade in the opposite direction if the price moves x% against the entry price. If both the Stop Loss and Hedging are triggered within the same bar, the hedging action will always take precedence.
Image 6
Indicators to use for Trade Signal Generating: Here you chose the Indicators and their Compare Function for the Voting . Any activated asset will get their indicator valuation which get compared over all assets. The asset with the highest valuation is elected for the trade as long free cash is present and as long the minimum criteria are met.
The Screener Table will show all indicators results of the last bar of all assets. Those indicator values which met the threshold get a background color to high light it. Green for bullish, red for bearish and orange for trade signals without direction. If you chose an Indicator here but without any compare function it will show also their results but with just gray background.
Indicator Settings: here you can setup the indicator specific settings. for deeper insights see 3. Included Indicators and Compare-Functions .
Assets, TP & SL Settings: Asset specific settings. Chose here the TickerID of all Assets you wanna trade. Take Profit 1&2 set the target prices of any trade in relation to the entry price. The Take Profit 1 exit a part of the position defined by the quantity value. Stop Loss set the price to step out when a trade goes the wrong direction.
Invest Settings: Here, you can set the initial amount of cash to start with. The Quantity Percentage determines how much of the available cash is allocated to each trade, while the Fee percentage specifies the trading fee applied to both opening and closing positions.
Webhooks: Here, you configure the License ID and the Comment . This is particularly useful if you plan to use multiple instances of the script, ensuring the webhooks target the correct positions. The Take Profit and Stop Loss values are displayed as prices.
6. Declaration for Tradingview House Rules on Script Publishing
The unique feature of this Democratic Multi-Asset Strategy is its ability to trade multiple assets simultaneously. Equipped with a set of different standard Indicators, it's new democratic Voting System does more robust trading decisions compared to single-asset. Interchangeable Indicators and customizable strategy settings allowing for a wide range of trading strategies.
This script is closed-source and invite-only to support and compensate for over a year of development work. Unlike other single asset strategies, this one cannot use TradingView's strategy functions. Instead, it is designed as an indicator.
7. Disclaimer
Trading is risky, and traders do lose money, eventually all. This script is for informational and educational purposes only. All content should be considered hypothetical, selected post-factum and is not to be construed as financial advice. Decisions to buy, sell, hold, or trade in securities, commodities, and other investments involve risk and are best made based on the advice of qualified financial professionals. Past performance does not guarantee future results. Using this script on your own risk. This script may have bugs and I declare don't be responsible for any losses.
8. Conclusion
Now it’s your turn! Chose an asset class and pick 8 of them and chose some indicators to see the trading results of this democratic voting system. Refine your multi-asset strategy to favorable settings. Once you find a promising configuration, you can set up alerts to send webhooks directly. Configure all parameters, test and validate them in paper trading, and if results align with your expectations, you even can deploy this script as your trading bit.
Cheers