Gleeson Trend Tracker (GTT) IndicatorComprehensive Trend Trading System Indicator made up of the four components to help you successfully trade market trends:
Entry Signals (Green & Red Arrows)
The entry arrows indicate entry conditions are present. Green for long entries and red for short entries. If you already in position in the direction of an entry signal, ignore it. Switch to position maintenance mode for that market once trading a market.
Current Trend Status Channels (Red/Green Overlay)
The channel overlay is intended to indicate whether the market has recently trended up/down. Green if moving higher, Red if moving Lower. Channels make it easier to visualise current & previous price trajectory.
On Close Stop Loss (OCSL) / Price Average (40 MA) Blue line
This acts both as the "line in the sand" in relation to trend direction but also importantly as your (OCSL) or sometimes also known as mental stop. If price closes beyond this line in the opposite direction to your position, exit the position. It's important to wait for price to close (this methodology works best on weekly charts so make entry & exit decisions when the market is closed). This method works best if you risk 1% per trade using the distance from entry price to the OCSL as your pre-defined risk, back-analysis confirms this.
Hard Stop Loss Red line
This line is your circuit breaker intended to protect your capital from sudden adverse moves. This line serves as the price for your fixed or hard stop loss point that should be entered with the order. The formula behind this line is risk * 2 (so 2% if you risk 1% between entry price and OCSL). HSL is your safety net, always use it.
Some other advice on how to trade this methodology:
Analysis Sunday, entries & exits Monday (so you can also have a life)
Do not pyramid with this system, it works best with individual entries spread across a range of markets including FX, Indices, Commodities and Interest Rates.
Risk only 1% per trade
This methodology works best over weekly/monthly charts. You want to capture moves that last weeks/months/years. I would not advise day trading this system.
If you have any feedback or need further help, email me at me@jackgleeson.co.uk
Good Luck!
在腳本中搜尋"trend"
Max Trend Points [BigBeluga]🔵 OVERVIEW
A clean and powerful tool for identifying major trend shifts and quantifying the strength of each move using dynamically calculated price extremes.
This indicator helps traders visualize the most significant trend changes by plotting trend direction lines and dynamically tracking the highest or lowest point within each trend leg. It’s ideal for identifying key price impulses and measuring their magnitude in real time.
🔵 CONCEPTS
Uses an adaptive trend-following logic based on volatility envelopes created from HMA of the price range (high - low).
Identifies trend direction and flips when price breaks above or below these dynamic envelopes.
Tracks swing highs and lows within the current trend leg to highlight trend extremes.
Calculates and displays the percentage gain or drop from trend start to trend peak/valley.
🔵 FEATURES
Trend Shift Detection:
Plots a colored trend line (uptrend or downtrend) that updates based on price action volatility.
Impulse Mapping:
Draws a dashed line between the point of trend change (close) and the current trend leg's extreme (highest high or lowest low).
Percentage Labeling:
Displays a floating label showing the exact percent change from the trend start to the current extreme.
Real-Time Adjustments:
As the trend progresses, the extreme point and the percent label update automatically to reflect new highs/lows.
🔵 HOW TO USE
Look for the trend color shift and circular marker to identify a new potential trend direction.
Use the dashed lines and percent label to evaluate the strength and potential maturity of each move.
Combine this tool with support/resistance levels or other indicators to identify confluence zones.
Adjust the "Factor" input to make the trend detection more or less sensitive depending on your timeframe.
🔵 CONCLUSION
Max Trend Points is an efficient visual indicator for understanding the structure and magnitude of trending moves. It provides essential feedback on how far a trend has traveled, where momentum may be peaking, and when a shift may be underway—all with real-time adaptability and clean presentation.
Trendline Breaks with Multi Fibonacci Supertrend StrategyTMFS Strategy: Advanced Trendline Breakouts with Multi-Fibonacci Supertrend
Elevate your algorithmic trading with institutional-grade signal confluence
Strategy Genesis & Evolution
This advanced trading system represents the culmination of a personal research journey, evolving from my custom " Multi Fibonacci Supertrend with Signals " indicator into a comprehensive trading strategy. Built upon the exceptional trendline detection methodology pioneered by LuxAlgo in their " Trendlines with Breaks " indicator, I've engineered a systematic framework that integrates multiple technical factors into a cohesive trading system.
Core Fibonacci Principles
At the heart of this strategy lies the Fibonacci sequence application to volatility measurement:
// Fibonacci-based factors for multiple Supertrend calculations
factor1 = input.float(0.618, 'Factor 1 (Weak/Fibonacci)', minval = 0.01, step = 0.01)
factor2 = input.float(1.618, 'Factor 2 (Medium/Golden Ratio)', minval = 0.01, step = 0.01)
factor3 = input.float(2.618, 'Factor 3 (Strong/Extended Fib)', minval = 0.01, step = 0.01)
These precise Fibonacci ratios create a dynamic volatility envelope that adapts to changing market conditions while maintaining mathematical harmony with natural price movements.
Dynamic Trendline Detection
The strategy incorporates LuxAlgo's pioneering approach to trendline detection:
// Pivotal swing detection (inspired by LuxAlgo)
pivot_high = ta.pivothigh(swing_length, swing_length)
pivot_low = ta.pivotlow(swing_length, swing_length)
// Dynamic slope calculation using ATR
slope = atr_value / swing_length * atr_multiplier
// Update trendlines based on pivot detection
if bool(pivot_high)
upper_slope := slope
upper_trendline := pivot_high
else
upper_trendline := nz(upper_trendline) - nz(upper_slope)
This adaptive trendline approach automatically identifies key structural market boundaries, adjusting in real-time to evolving chart patterns.
Breakout State Management
The strategy implements sophisticated state tracking for breakout detection:
// Track breakouts with state variables
var int upper_breakout_state = 0
var int lower_breakout_state = 0
// Update breakout state when price crosses trendlines
upper_breakout_state := bool(pivot_high) ? 0 : close > upper_trendline ? 1 : upper_breakout_state
lower_breakout_state := bool(pivot_low) ? 0 : close < lower_trendline ? 1 : lower_breakout_state
// Detect new breakouts (state transitions)
bool new_upper_breakout = upper_breakout_state > upper_breakout_state
bool new_lower_breakout = lower_breakout_state > lower_breakout_state
This state-based approach enables precise identification of the exact moment when price breaks through a significant trendline.
Multi-Factor Signal Confluence
Entry signals require confirmation from multiple technical factors:
// Define entry conditions with multi-factor confluence
long_entry_condition = enable_long_positions and
upper_breakout_state > upper_breakout_state and // New trendline breakout
di_plus > di_minus and // Bullish DMI confirmation
close > smoothed_trend // Price above Supertrend envelope
// Execute trades only with full confirmation
if long_entry_condition
strategy.entry('L', strategy.long, comment = "LONG")
This strict requirement for confluence significantly reduces false signals and improves the quality of trade entries.
Advanced Risk Management
The strategy includes sophisticated risk controls with multiple methodologies:
// Calculate stop loss based on selected method
get_long_stop_loss_price(base_price) =>
switch stop_loss_method
'PERC' => base_price * (1 - long_stop_loss_percent)
'ATR' => base_price - long_stop_loss_atr_multiplier * entry_atr
'RR' => base_price - (get_long_take_profit_price() - base_price) / long_risk_reward_ratio
=> na
// Implement trailing functionality
strategy.exit(
id = 'Long Take Profit / Stop Loss',
from_entry = 'L',
qty_percent = take_profit_quantity_percent,
limit = trailing_take_profit_enabled ? na : long_take_profit_price,
stop = long_stop_loss_price,
trail_price = trailing_take_profit_enabled ? long_take_profit_price : na,
trail_offset = trailing_take_profit_enabled ? long_trailing_tp_step_ticks : na,
comment = "TP/SL Triggered"
)
This flexible approach adapts to varying market conditions while providing comprehensive downside protection.
Performance Characteristics
Rigorous backtesting demonstrates exceptional capital appreciation potential with impressive risk-adjusted metrics:
Remarkable total return profile (1,517%+)
Strong Sortino ratio (3.691) indicating superior downside risk control
Profit factor of 1.924 across all trades (2.153 for long positions)
Win rate exceeding 35% with balanced distribution across varied market conditions
Institutional Considerations
The strategy architecture addresses execution complexities faced by institutional participants with temporal filtering and date-range capabilities:
// Time Filter settings with flexible timezone support
import jason5480/time_filters/5 as time_filter
src_timezone = input.string(defval = 'Exchange', title = 'Source Timezone')
dst_timezone = input.string(defval = 'Exchange', title = 'Destination Timezone')
// Date range filtering for precise execution windows
use_from_date = input.bool(defval = true, title = 'Enable Start Date')
from_date = input.time(defval = timestamp('01 Jan 2022 00:00'), title = 'Start Date')
// Validate trading permission based on temporal constraints
date_filter_approved = time_filter.is_in_date_range(
use_from_date, from_date, use_to_date, to_date, src_timezone, dst_timezone
)
These capabilities enable precise execution timing and market session optimization critical for larger market participants.
Acknowledgments
Special thanks to LuxAlgo for the pioneering work on trendline detection and breakout identification that inspired elements of this strategy. Their innovative approach to technical analysis provided a valuable foundation upon which I could build my Fibonacci-based methodology.
This strategy is shared under the same Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) license as LuxAlgo's original work.
Past performance is not indicative of future results. Conduct thorough analysis before implementing any algorithmic strategy.
Trend Detection
#### *Description:*
This *Trend Detection* indicator is designed to help traders identify and confirm trends in the market using a combination of moving averages, volume analysis, and MACD filters. It provides clear visual signals for uptrends and downtrends, along with customizable settings to adapt to different trading styles and timeframes. The indicator is suitable for both beginners and advanced traders who want to improve their trend-following strategies.
---
#### *Key Features:*
1. *Trend Detection:*
- Uses *Moving Averages (MA)* to determine the overall trend direction.
- Supports multiple MA types: *SMA (Simple), **EMA (Exponential), **WMA (Weighted), and **HMA (Hull)*.
2. *Advanced Filters:*
- *MACD Filter:* Confirms trends using MACD crossovers.
- *Volume Filter:* Ensures trends are supported by above-average volume.
- *Multi-Timeframe Filter:* Validates trends using a higher timeframe (e.g., Daily or Weekly).
3. *Visual Signals:*
- Plots a *trend line* on the chart to indicate the current trend direction.
- Fills the background with *green* for uptrends and *red* for downtrends.
4. *Customizable Settings:*
- Adjust the *MA lengths, **MACD parameters, and **confirmation thresholds* to suit your trading strategy.
- Control the transparency of the background fill for better chart readability.
5. *Alerts:*
- Generates *buy/sell signals* when a trend is confirmed.
- Alerts can be set to trigger at the close of a candle for precise entry/exit points.
---
#### *How to Use:*
1. *Adding the Indicator:*
- Copy and paste the Pine Script code into the TradingView Pine Script editor.
- Add the indicator to your chart.
2. *Configuring the Settings:*
- *Trend Settings:*
- Choose the *MA type* (e.g., EMA for faster response, HMA for smoother trends).
- Set the *Trend MA Period* (e.g., 200 for long-term trends) and *Filter MA Period* (e.g., 100 for medium-term trends).
- *Advanced Filters:*
- Enable/disable the *MACD Filter* and adjust its parameters (Fast, Slow, Signal).
- Enable/disable the *Volume Filter* to ensure trends are supported by volume.
- *Multi-Timeframe Filter:*
- Enable this filter to validate trends using a higher timeframe (e.g., Daily or Weekly).
3. *Interpreting the Signals:*
- *Uptrend:* The trend line turns *green*, and the background is filled with a transparent green color.
- *Downtrend:* The trend line turns *red*, and the background is filled with a transparent red color.
- *Alerts:* Buy/sell signals are generated when the trend is confirmed.
4. *Using Alerts:*
- Set up alerts for *Buy Signal* (bullish reversal) and *Sell Signal* (bearish reversal).
- Alerts can be configured to trigger at the close of a candle for precise execution.
---
#### *Settings and Their Effects:*
1. *MA Type:*
- *SMA:* Smooth but lagging. Best for long-term trends.
- *EMA:* Faster response to price changes. Suitable for medium-term trends.
- *WMA:* Gives more weight to recent prices. Useful for short-term trends.
- *HMA:* Combines speed and smoothness. Ideal for all timeframes.
2. *Trend MA Period:*
- A longer period (e.g., 200) identifies long-term trends but may lag.
- A shorter period (e.g., 50) reacts faster but may produce false signals.
3. *Filter MA Period:*
- Acts as a secondary filter to confirm the trend.
- A shorter period (e.g., 50) provides tighter confirmation but may increase noise.
4. *MACD Filter:*
- Ensures trends are confirmed by MACD crossovers.
- Adjust the *Fast, **Slow, and **Signal* lengths to match your trading style.
5. *Volume Filter:*
- Ensures trends are supported by above-average volume.
- Reduces false signals during low-volume periods.
6. *Multi-Timeframe Filter:*
- Validates trends using a higher timeframe (e.g., Daily or Weekly).
- Increases reliability but may delay signals.
7. *Confirmation Value:*
- Sets the minimum percentage deviation from the trend MA required to confirm a trend.
- A higher value (e.g., 2.0%) reduces false signals but may delay trend detection.
8. *Confirmation Bars:*
- Sets the number of bars required to confirm a trend.
- A higher value (e.g., 5 bars) ensures sustained trends but may delay signals.
---
#### *Who Should Use This Indicator?*
1. *Trend Followers:*
- Traders who focus on identifying and riding long-term trends.
- Suitable for *swing traders* and *position traders*.
2. *Day Traders:*
- Can use shorter MA periods and faster filters (e.g., EMA, HMA) for intraday trends.
3. *Volume-Based Traders:*
- Traders who rely on volume confirmation to validate trends.
4. *Multi-Timeframe Traders:*
- Traders who use higher timeframes to confirm trends on lower timeframes.
5. *Beginners:*
- Easy-to-understand visual signals and alerts make it beginner-friendly.
6. *Advanced Traders:*
- Customizable settings allow for fine-tuning to match specific strategies.
---
#### *Example Use Cases:*
1. *Long-Term Investing:*
- Use a *200-period SMA* with a *Daily* higher timeframe filter to identify long-term trends.
- Enable the *Volume Filter* to ensure trends are supported by strong volume.
2. *Swing Trading:*
- Use a *50-period EMA* with a *4-hour* higher timeframe filter for medium-term trends.
- Enable the *MACD Filter* to confirm trend reversals.
3. *Day Trading:*
- Use a *20-period HMA* with a *1-hour* higher timeframe filter for short-term trends.
- Disable the *Volume Filter* for faster signals.
---
#### *Conclusion:*
The *Trend Detection* indicator is a versatile tool for traders of all levels. Its customizable settings and advanced filters make it suitable for various trading styles and timeframes. By combining moving averages, volume analysis, and MACD filters, it provides reliable trend signals with minimal lag. Whether you're a beginner or an advanced trader, this indicator can help you make better trading decisions by identifying and confirming trends in the market.
---
#### *Publishing on TradingView:*
- *Title:* Trend Detection with Advanced Filters
- *Description:* A powerful trend detection tool using moving averages, volume analysis, and MACD filters. Suitable for all trading styles and timeframes.
- *Tags:* Trend, Moving Averages, MACD, Volume, Multi-Timeframe
- *Category:* Trend-Following
- *Access:* Public or Private (depending on your preference).
---
Let me know if you need further assistance or additional features!
Range Filtered Trend Signals [AlgoAlpha]Introducing the Range Filtered Trend Signals , a cutting-edge trading indicator designed to detect market trends and ranging conditions with high accuracy. This indicator leverages a combination of Kalman filtering and Supertrend analysis to smooth out price fluctuations while maintaining responsiveness to trend shifts. By incorporating volatility-based range filtering, it ensures traders can differentiate between trending and ranging conditions effectively, reducing false signals and enhancing trade decision-making.
:key: Key Features
:white_check_mark: Kalman Filter Smoothing – Minimizes market noise while preserving trend clarity.
:bar_chart: Supertrend Integration – A dynamic trend-following mechanism for spotting reversals.
:fire: Volatility-Based Range Detection – Detects trending vs. ranging conditions with precision.
:art: Color-Coded Trend Signals – Instantly recognize bullish, bearish, and ranging market states.
:gear: Customizable Inputs – Fine-tune Kalman parameters, Supertrend settings, and color themes to match your strategy.
:bell: Alerts for Trend Shifts – Get real-time notifications when market conditions change!
:tools: How to Use
Add the Indicator – Click the star icon to add it to your TradingView favorites.
Analyze Market Conditions – Observe the color-coded signals and range boundaries to identify trend strength and direction.
Use Alerts for Trade Execution – Set alerts for trend shifts and market conditions to stay ahead without constantly monitoring charts.
:mag: How It Works
The Kalman filter smooths price fluctuations by dynamically adjusting its weighting based on market volatility. It helps remove noise while keeping the signal reactive to trend changes. The Supertrend calculation is then applied to the filtered price data, providing a robust trend-following mechanism. To enhance signal accuracy, a volatility-weighted range filter is incorporated, creating upper and lower boundaries that define trend conditions. When price breaks out of these boundaries, the indicator confirms trend continuation, while signals within the range indicate market consolidation. Traders can leverage this tool to enhance trade timing, filter false breakouts, and identify optimal entry/exit zones.
ZenAlgo - Crypto TrendThe ZenAlgo - Crypto Trend indicator is a unique tool for analyzing cryptocurrency market trends, combining data from multiple sources such as BTC , ETH , market caps, dominance metrics, and the DXY index . Unlike standalone indicators, it integrates these data points to deliver actionable insights on macro and micro market movements, helping traders better navigate complex market conditions.
Features
Multi-Asset Trend Analysis: Monitors trends across BTC , ETH , USDT dominance , DXY , SOL , ETHBTC and total market caps ( TOTAL , TOTAL2 , TOTAL3 ), providing a holistic market view.
Dynamic Labels: Real-time market conditions are summarized with labels such as "FIRE SELL," "BTC UP," or "ALT PUMP" for instant clarity.
Customizable Display: Options for dark mode, text size, and table position allow traders to personalize their experience.
Market Sentiment Table: Summarizes trends and percentage changes for multiple assets in a structured, easy-to-read table.
Composite Signals: Identifies unique states like "Mega Boost" or "Outflow" by analyzing the interplay of market trends.
Enhanced Heikin Ashi Analysis: Applies Heikin Ashi trends in a broader context, combining them with other metrics to overcome standalone limitations.
ZenAlgo Theme: A visually distinct and professional theme for enhanced usability.
Added Value: Why Is This Indicator Original/Why Shall You Pay for This Indicator?
The ZenAlgo - Crypto Trend indicator transcends the limitations of free tools in several ways:
Integrated Insights: While Heikin Ashi is freely available, this indicator applies it in tandem with market dominance, total market caps, and macroeconomic indicators like the DXY . This integration creates composite signals (e.g., "Mega Boost," "Defi Mega Boost") that standalone Heikin Ashi cannot provide.
Advanced Contextualization: Free Heikin Ashi indicators lack contextual data about dominance shifts, altcoin performance, and macroeconomic trends. Our indicator integrates these elements to give a broader market perspective.
Time-Saving: Instead of switching between multiple indicators, ZenAlgo - Crypto Trend combines them in one cohesive tool, offering a comprehensive market overview in a single glance.
Custom Features: Unlike generic Heikin Ashi indicators, this tool includes dynamic labels and a market sentiment table that summarize trends and provide immediate insights.
How It Works
1. Heikin Ashi Trend Detection
Calculates smoothed Heikin Ashi trends for BTC , ETH , USDT dominance , DXY , and total market caps ( TOTAL , TOTAL2 , TOTAL3 ).
Functionality: Heikin Ashi values are derived from the weighted average of open, high, low, and close prices. The "open" averages the previous bar's open and close, while the "close" averages the current bar's open, high, low, and close. A trend is assigned as Up (+1) or Down (-1) based on whether the close exceeds the open.
2. Market Metrics Analysis
Tracks daily percentage changes and trends for key metrics like BTC dominance and total market caps.
Outputs: Displays trends (Up/Down) and percentage changes for each asset, helping assess market strength and sentiment.
3. Composite Signal Generation
Combines individual asset trends to define broader market states such as "Mega Boost" or "Outflow."
Logic: Signals are triggered by predefined conditions, e.g., "Mega Boost" occurs when DXY trends down, market caps ( TOTAL , TOTAL2 , TOTAL3 ) trend up, and BTC dominance trends down.
4. Dynamic Labels and Sentiment Table
Displays real-time labels (e.g., "FIRE SELL," "BTC + ALT PUMP") directly on the chart for actionable insights.
A market sentiment table summarizes trends and percentage changes, with customizable display options (position, text size, theme).
Usage Examples
Spotting Bullish Momentum: Use "BTC + ALT PUMP" signals to identify synchronized bullish trends in BTC and altcoins.
Avoiding Bearish Trends: React to "CRYPTO DOWN" or "FIRE SELL" signals to minimize exposure during downturns.
Evaluating Altcoin Opportunities: Identify "ALT PUMP" or "ALTS DUMP" signals to time entries and exits in altcoin markets.
Tracking Dominance Shifts: Monitor "BTC.D UP" or "BTC.D DOWN" trends to assess shifts in market dominance between BTC and altcoins.
Macro Market Awareness: Use "Mega Boost" or "Mega Outflow" states to align with macroeconomic trends, such as dollar strength or weakness.
Seasonal Trends: Observe "ETH PUMP" or "BTC DOWN + ALT PUMP" states to understand specific altcoin or BTC-led market cycles.
Settings
ZenAlgo Theme: Enable a custom ZenAlgo visual style for improved clarity.
Table Text Size: Adjust text size (options: tiny, small, normal, large, huge) for better visibility.
Dark Mode: Toggle dark mode for improved viewing in low-light environments.
Table Position: Choose table placement (e.g., Top Left, Bottom Center) based on your preferences.
Important Notes
Synthetic and Lagging Nature of Heikin Ashi: Heikin Ashi values are synthetic and inherently lagging. They provide smoothed trends but do not represent precise entry or exit points. This indicator does not produce buy or sell signals.
Limitations in Low-Volume Markets: The indicator may underperform in low-liquidity markets or during periods of high volatility, where data discrepancies can distort trends.
Trend Reversals in Choppy Markets: In sideways or choppy markets, the composite signals may lag behind sudden reversals, potentially resulting in delayed recognition of trend changes.
False Positives During Macro News Events: Abrupt macroeconomic news or policy changes can cause the indicator to emit signals (e.g., "Mega Boost") that may not align with sustained market movements.
Dominance Metrics Sensitivity: Heavy reliance on BTC.D or TOTAL3 can sometimes result in misleading insights when these metrics are influenced by atypical events, such as large-scale liquidations or isolated token movements.
Use in Conjunction with Other Tools: While powerful, this indicator should be combined with other technical and fundamental analysis tools for a comprehensive trading strategy.
No Guaranteed Results: Trading involves risk. This tool is designed to support decision-making, not to guarantee trading success.
Trend Filter (2-pole) [BigBeluga]Trend Filter (2-pole)
The Trend Filter (2-pole) is an advanced trend-following indicator based on a two-pole filter, which smooths out market noise while effectively highlighting trends and their strength. It incorporates color gradients and support/resistance dots to enhance trend visualization and decision-making for traders.
SP500:
🔵What is a Two-Pole Filter?
A two-pole filter is a digital signal processing technique widely used in electronics, control systems, and time series data analysis to smooth data and reduce noise.
//@function Two-pole filter
//@param src (series float) Source data (e.g., price)
//@param length (float) Length of the filter (higher value means smoother output)
//@param damping (float) Damping factor for the filter
//@returns (series float) Filtered value
method two_pole_filter(float src, int length, float damping) =>
// Calculate filter coefficients
float omega = 2.0 * math.pi / length
float alpha = damping * omega
float beta = math.pow(omega, 2)
// Initialize the filter variables
var float f1 = na
var float f2 = na
// Update the filter
f1 := nz(f1 ) + alpha * (src - nz(f1 ))
f2 := nz(f2 ) + beta * (f1 - nz(f2 ))
f2
It operates using two cascaded smoothing stages (poles), allowing for a more refined and responsive output compared to simple moving averages or other basic filters.
Two-pole filters are particularly valued for their ability to maintain smooth transitions while reducing lag, making them ideal for applications where precision and responsiveness are critical.
In trading, this filter helps detect trends by smoothing price data while preserving significant directional changes.
🔵Key Features of the Indicator:
Gradient-Colored Trend Filter Line: The main filter line dynamically changes color based on trend strength and direction:
- Green: Strong uptrend.
- Red: Strong downtrend.
- Yellow: Indicates a transition phase, signaling potential trend shifts.
Support and Resistance Dots with Signals:
- Dots are plotted below the filter line during uptrends and above it during downtrends.
- These dots represent consecutive rising or falling conditions of the filter line, which traders can set in the settings (e.g., the number of consecutive rises or falls required).
- The dots often act as dynamic support or resistance levels, providing valuable guidance during trends.
- Trend Signals:
Customizable Sensitivity: The indicator allows traders to adjust the filter length, damping factor, and the threshold for rising/falling conditions, enabling it to adapt to different trading styles and timeframes.
Bar Color Option: The indicator can optionally color bars to match the gradient of the filter line, enhancing visual clarity of trends directly on the price chart.
🔵How It Works:
The Trend Filter (2-pole) smooths price data using a two-pole filter, which reduces noise and highlights the underlying trend.
The gradient coloring of the filter line helps traders visually assess the strength and direction of trends.
Rising and falling conditions of the filter line are tracked, and dots are plotted when consecutive conditions meet the threshold, acting as potential support or resistance levels during trends.
The yellow transition color signals periods of indecision, helping traders anticipate potential reversals or consolidations.
🔵Use Cases:
Identify and follow strong uptrends and downtrends with gradient-based visual cues.
Use the yellow transition color to anticipate trend shifts or consolidation zones.
Leverage the plotted dots as dynamic support and resistance levels to refine entry and exit strategies.
Combine with other indicators for confirmation of trends and reversals.
This indicator is perfect for traders who want a visually intuitive and highly customizable tool to spot trends, gauge their strength, and make informed trading decisions.
Trend Matrix - XTrend Matrix - X: Advanced Market Trend Analysis
Introduction: Trend Matrix - X is a powerful indicator designed to provide a comprehensive view of market trends, state transitions, and dynamics. By integrating advanced algorithms, statistical methods, and smoothing techniques, it identifies Bullish, Bearish, or Ranging market states while offering deep insights into trend behavior.
This indicator is ideal for traders seeking a balance between noise reduction and real-time responsiveness, with configurations that adapt dynamically to market conditions.
How It Works?
The indicator combines K-Median Clustering, Kalman Filtering, Fractal Dimension Analysis, and various regression techniques to provide actionable insights.
Market State Detection
- Divides data into three clusters: Bullish, Bearish, and Ranging.
- Uses K-Median Clustering to partition data based on medians, ensuring robust state classification even in volatile markets.
- Slope-Based Trend Analysis: Calculates trend slopes using Linear, Polynomial, or Exponential Regression. The slope represents the trend direction and strength, updated dynamically based on market conditions. It can apply Noise Reduction with Kalman Filter to balance stability and sensitivity
Dynamic Lookback Adjustment
- Automatically adjusts the analysis window length based on market stability, volatility, skewness, and kurtosis.
- This feature ensures the indicator remains responsive in fast-moving markets while providing stability in calmer conditions.
Fractal Dimension Measurement
- Calculates Katz Fractal Dimension to assess market roughness and choppiness.
- Helps identify periods of trend consistency versus noisy, range-bound markets.
Why Use Trend Matrix - X?
- Actionable Market States: Quickly determine whether the market is Bullish, Bearish, or Ranging.
- Advanced Smoothing: Reduces noise while maintaining trend-following precision.
- Dynamic Adaptation: Automatically adjusts to market conditions for consistent performance across varying environments.
- Customization: Configure regression type, lookback dynamics, and smoothing to suit your trading style.
- Integrated Visualization: Displays trend states, fractal dimensions, and cluster levels directly on the chart.
Configuration Options
Matrix Type (Raw or Filtered)
- Raw shows the unfiltered slope for real-time precision.
- Filtered applies Kalman smoothing for long-term trend clarity.
Regression Type
- Choose Linear, Polynomial, or Exponential Regression to calculate slopes based on your market strategy.
Dynamic Lookback Adjustment
- Enable Gradual Adjustment to smoothly adapt lookback periods in response to market volatility.
Noise Smoothing
- Toggle Smooth Market Noise to apply advanced filtering, balancing stability with responsiveness.
Cluster State Detection
- Visualize the current state of the market by coloring the candles to match the detected state.
How to Use the Trend Matrix - X Indicator
Step-by-Step Guide
Add the Indicator to Your Chart
- Once applied, it will display: Trend line (Trend Matrix) for identifying market direction, A state table showing the current market state (Bullish, Bearish, or Ranging), Cluster levels (High, Mid, and Low) for actionable price areas, Fractal dimension metrics to assess market choppiness or trend consistency.
Configure Your Settings
- Matrix Source (Raw vs. Filtered): Raw Matrix : Displays real-time, unsmoothed slope values for immediate precision. Ideal for fast-moving markets where rapid changes need to be tracked. Filtered Matrix : Applies advanced smoothing (Kalman Filter) for a clearer trend representation. Recommended for longer-term analysis or noisy markets
- Regression Type (Choose how the trend slope is calculated): Linear Regression : Tracks the average linear rate of change. Best for stable, straightforward trends. Polynomial Regression : Captures accelerating or decelerating trends with a curved fit. Ideal for dynamic, cyclical markets. Exponential Regression : Highlights compounding growth or decay rates. Perfect for parabolic trends or exponential moves.
- Market Noise Smoothing: Applies an adaptive (no lag) smoothing technique to the Matrix Source.
- Gradual Lookback Adjustment: Enable "Gradually Adjust Lookback" to allow the indicator to dynamically adapt its analysis window. (Indicator already does an automatic window, this just refines it).
Read the Outputs
- Trend Matrix Line: Upward Line (Bullish): Market is trending upward; look for buy opportunities. Downward Line (Bearish): Market is trending downward; look for sell opportunities.
- Cluster Levels: High Level (Cluster 0): Represents the upper bound of the trend, often used as a resistance level. Mid Level (Cluster 2): Serves as a key equilibrium point in the trend. Low Level (Cluster 1): Indicates the lower bound of the trend, often used as a support level.
- Market State Table: Displays the current state of the market. Bullish State: Strong upward trend, suitable for long positions. Bearish State: Strong downward trend, suitable for short positions. Ranging State: Sideways market, suitable for range-bound strategies.
- Fractal Dimension Analysis: Low Fractal Dimension (< 1.6): Indicates strong trend behavior; look for trend-following setups. High Fractal Dimension (> 1.6): Suggests choppy, noisy markets; focus on range-trading strategies.
Advanced Usage
- Adaptive Clustering: The indicator uses K-Median Clustering to dynamically identify Bullish, Bearish, and Ranging states based on market data. For traders interested in state transitions, monitor the cluster levels and the state table for actionable changes.
Trading Strategies
- Trend-Following: Use the Filtered Matrix and Fractal Dimension (< 1.6) to identify and follow strong trends. Enter long positions in Bullish States and short positions in Bearish States.
Disclaimer
I am not a professional market analyst, financial advisor, or trading expert. This indicator, Trend Matrix - X, is the result of personal research and development, created with the intention of contributing something that the trading community might find helpful.
It is important to note that this tool is experimental and provided "as-is" without any guarantees of accuracy, profitability, or suitability for any particular trading strategy. Trading involves significant financial risk, and past performance is not indicative of future results.
Users should exercise caution and use their own discretion when incorporating this indicator into their trading decisions. Always consult with a qualified financial advisor before making any financial or trading decisions.
By using this indicator, you acknowledge and accept full responsibility for your trading activities and outcomes. This tool is intended for educational and informational purposes only.
Trend Reversal Probability [Algoalpha]Introducing Trend Reversal Probability by AlgoAlpha – a powerful indicator that estimates the likelihood of trend reversals based on an advanced custom oscillator and duration-based statistics. Designed for traders who want to stay ahead of potential market shifts, this indicator provides actionable insights into trend momentum and reversal probabilities.
Key Features :
🔧 Custom Oscillator Calculation: Combines a dual SMA strategy with a proprietary RSI-like calculation to detect market direction and strength.
📊 Probability Levels & Visualization: Plots average signal durations and their statistical deviations (±1, ±2, ±3 SD) on the chart for clear visual guidance.
🎨 Dynamic Color Customization: Choose your preferred colors for upward and downward trends, ensuring a personalized chart view.
📈 Signal Duration Metrics: Tracks and displays signal durations with columns representing key percentages (80%, 60%, 40%, and 20%).
🔔 Alerts for High Probability Events: Set alerts for significant reversal probabilities (above 84% and 98% or below 14%) to capture key trading moments.
How to Use :
Add the Indicator: Add Trend Reversal Probability to your favorites by clicking the star icon.
Market Analysis: Use the plotted probability levels (average duration and ±SD bands) to identify overextended trends and potential reversals. Use the color of the duration counter to identify the current trend.
Leverage Alerts: Enable alerts to stay informed of high or extreme reversal probabilities without constant chart monitoring.
How It Works :
The indicator begins by calculating a custom oscillator using short and long simple moving averages (SMA) of the midpoint price. A proprietary RSI-like formula then transforms these values to estimate trend direction and momentum. The duration between trend reversals is tracked and averaged, with standard deviations plotted to provide probabilistic guidance on trend longevity. Additionally, the indicator incorporates a cumulative probability function to estimate the likelihood of a trend reversal, displaying the result in a data table for easy reference. When probability levels cross key thresholds, alerts are triggered, helping traders take timely action.
Smoothed Heiken Ashi Trend FilterThis indicator applies the Heiken Ashi technique with added smoothing and trend filtering to help reduce noise and improve trend detection.
Components of the Indicator:
Heiken Ashi Calculations:
Heiken Ashi Close (ha_close): This is the smoothed average of the current bar’s open, high, low, and close prices, calculated with a simple moving average (SMA) to filter out noise.
Heiken Ashi Open (ha_open): This is the average of the previous Heiken Ashi Open and the current Heiken Ashi Close. It’s also initialized to smooth the transition on the first bar.
Heiken Ashi High (ha_high) and Low (ha_low): These values are calculated as the highest and lowest values among the high, Heiken Ashi Open, and Heiken Ashi Close for each bar.
Smoothing and Noise Reduction:
Smoothing Length: The indicator applies a smoothing length to the Heiken Ashi Close, calculated with an SMA. This reduces minor fluctuations, giving a clearer view of the price action.
Minimum Body Size Filter: This filter calculates the body size of each Heiken Ashi candle and compares it to a percentage of the Average True Range (ATR). Only significant candles (those with larger bodies) are plotted, reducing weak or indecisive signals.
Trend Filtering with Moving Average:
The indicator uses a simple moving average (SMA) as a trend filter. By comparing the Heiken Ashi Close to the moving average:
Bullish Trend: The Heiken Ashi candle is green when it’s above the moving average.
Bearish Trend: The Heiken Ashi candle is red when it’s below the moving average.
How to Use This Indicator:
Trend Identification:
Green candles signify a bullish trend, while red candles signify a bearish trend.
The smoothing and trend filtering make it easier to identify sustained trends and avoid reacting to short-term fluctuations.
Filtering Out Noise:
Minor price fluctuations and small-bodied candles (often resulting in indecisive signals) are filtered out, leaving only significant signals.
Adjustable Parameters:
Smoothing Length: Controls the degree of smoothing applied to the Heiken Ashi Close value. Increasing this value will make the Heiken Ashi candles smoother.
Minimum Body Size: This is a percentage of the ATR, used to filter out small or indecisive candles.
Trend Moving Average Length: Controls the period of the moving average used as a trend filter.
This Smoothed Heiken Ashi Trend Filter indicator is useful for identifying trends and filtering out noisy signals. By smoothing and filtering, it helps traders focus on the overall trend rather than minor price movements.
Let me know if there’s anything more you’d like to add or adjust!
Trend Magic Enhanced [AlgoAlpha]🔥✨ Trend Magic Enhanced - Boost Your Trend Analysis! 🚀📈
Introducing the Trend Magic Enhanced indicator by AlgoAlpha, a powerful tool designed to help you identify market trends with greater accuracy. This advanced indicator combines the Commodity Channel Index (CCI) and Average True Range (ATR) to calculate dynamic support and resistance levels, known as the Trend Magic. By smoothing the Trend Magic with various moving average types, this indicator provides clearer trend signals and helps you make more informed trading decisions.
Key Features :
🎯 Unique Trend Identification : Combines CCI and ATR to detect market trends and potential reversals.
🔄 Customizable Smoothing : Choose from SMA, EMA, SMMA, WMA, or VWMA to smooth the Magic Trend for clearer signals.
🎨 Flexible Appearance Settings : Customize colors for bullish and bearish trends to suit your charting preferences.
⚙️ Adjustable Parameters : Modify CCI period, ATR period, ATR multiplier, and smoothing length to align with your trading strategy.
🔔 Alert Notifications : Set alerts for trend shifts to stay ahead of market movements.
📈 Visual Signals : Displays trend direction changes directly on the chart with up and down arrows.
Quick Guide to Using the Trend Magic Enhanced Indicator
🛠 Add the Indicator : Add the indicator to your chart by pressing the star icon to add it to favorites. Customize settings such as CCI period, ATR multiplier, ATR period, smoothing options, and colors to match your trading style.
📊 Analyze the Chart : Observe the Trend Magic line and the color-coded trend signals. When the Trend Magic line turns bullish (e.g., green), it indicates an upward trend, and when it turns bearish (e.g., red), it indicates a downward trend. Use the visual arrows to spot trend direction changes.
🔔 Set Alerts : Enable alerts to receive notifications when a trend shift is detected, so you can act promptly on trading opportunities without constantly monitoring the chart.
How It Works:
The Trend Magic Enhanced indicator integrates the Commodity Channel Index (CCI) and Average True Range (ATR) to calculate a dynamic Trend Magic line. By adjusting price levels based on CCI values—upward when CCI is positive and downward when negative—and factoring in ATR for market volatility, it creates adaptive support and resistance levels. Optionally smoothed with various moving averages to reduce noise, the indicator changes line color based on trend direction, highlights trend changes with arrows, and provides alerts for significant shifts, aiding traders in identifying potential entry and exit points.
Enhancements Over the Original Trend Magic Indicator
The Trend Magic Enhanced indicator significantly refines the trend identification method of the original Trend Magic script by introducing customizable smoothing options and additional analytical features. While the original indicator determines trend direction solely based on the Commodity Channel Index (CCI) crossing above or below zero and adjusts the Magic Trend line using the Average True Range (ATR), the enhanced version allows users to smooth the Magic Trend line with various moving average types (SMA, EMA, SMMA, WMA, VWMA). This smoothing reduces market noise and provides clearer trend signals. Additionally, the enhanced indicator incorporates price action analysis by detecting crossovers and crossunders of price with the Magic Trend line, and it visually marks trend changes with up and down arrows on the chart. These improvements offer a more responsive and accurate trend detection compared to the original method, enabling traders to identify potential entry and exit points more effectively.
Enhance your trading strategy with the Trend Magic Enhanced indicator by AlgoAlpha and gain a clearer perspective on market trends! 🌟📈
Trend Following Composite Index ( TFCI ) 🏆 Trend Following Composite Index (TFCI) 🏆
Overview 🔎
The Trend Following Composite Index (TFCI) is designed to provide traders with a comprehensive view of market trends by combining several technical indicators in a single, unified tool. Each component brings its unique perspective, and together they create a well-rounded signal that may help traders better understand the current market condition. TFCI simplifies the decision-making process by aggregating these signals into one easy-to-read confidence percentage, allowing traders to quickly gauge whether the market is trending upwards, downwards, or is in a period of indecision.
Combining Multiple Indicators for a Unique Edge 🔀
TFCI integrates six different technical indicators, each tuned to capture distinct aspects of market behavior. Rather than relying on any single indicator, TFCI merges their signals into one, providing a more nuanced and potentially more reliable view of the market. This combination helps reduce the weaknesses inherent in any one indicator, offering a more balanced and holistic trend signal.
RSI Filter: The RSI helps identify potential overbought or oversold conditions, but when used alone, it can generate false signals. In TFCI, the RSI is smoothed and combined with other metrics to avoid reacting to small fluctuations, making the signals more robust.
Kijun-Based Band: This component, inspired by the Kijun-sen line from the Ichimoku system, defines adaptive price bands based on market equilibrium. When combined with a smoothing filter, it provides traders with clear visual cues for potential trend reversals, reducing the guesswork.
Boosted Moving Average: By combining short- and long-term EMAs, this component reacts quickly to price changes, while the "boost" factor enhances its ability to confirm trends early. This combination helps filter out market noise, making it easier to spot genuine trend shifts.
Deviation Condition: This proprietary moving average adjusts dynamically based on volatility, which means it adapts to fast-changing market conditions. By adjusting its sensitivity based on market deviations, it helps smooth out erratic price movements, creating clearer trend signals.
VWTSI (Volume-Weighted Trend Strength Indicator): Volume is an essential factor in confirming trends. This indicator looks at price movements in relation to volume to assess the strength of the trend. By factoring in volatility, it ensures that traders are focusing on the strongest market moves, further enhancing the reliability of the signals.
Supertrend: A volatility-based trailing stop that defines buy and sell points. Its role in TFCI is to help maintain positions during trending markets while avoiding premature exits due to minor pullbacks.
A Streamlined Confidence Signal 🧮
One of the main advantages of TFCI is that it simplifies the multitude of signals into one easy-to-read confidence percentage. The aggregation of multiple indicators means that no single indicator drives the signal; instead, the combined analysis ensures that only when several conditions align do you get a clear trend indication. This reduces false positives and gives traders a more confident view of the overall market direction.
Bullish signals from several components push the percentage higher.
Bearish signals lower the percentage.
A neutral score indicates indecision, signaling a potential range-bound or consolidating market.This consolidated signal allows traders to make quicker decisions without having to interpret several individual indicators, making the tool more user-friendly and practical for daily trading.
Why TFCI’s Combination is Unique and Useful 🔍
What makes TFCI stand out is how each of these indicators works together to offer a more comprehensive view of the market:
Reduced Noise: By combining multiple indicators, TFCI reduces the likelihood of acting on false signals. The integration of smoothing mechanisms and volume-based confirmations further increases signal reliability.
More Balanced Analysis: Using indicators that analyze price, volume, volatility, and trend strength, TFCI provides a balanced view of market conditions. Traders can trust that the signal reflects multiple facets of the market rather than just one aspect, making it more adaptable to different market environments.
Easier to Read: Instead of juggling multiple charts or relying on complex setups, TFCI combines everything into one clear percentage and visual signal. This saves time and reduces the complexity of decision-making.
Tested Across Market Conditions 📅
While no indicator can predict the future, TFCI has been tested in a range of market conditions. Its ability to adapt to different environments (trending, volatile, or range-bound) makes it a versatile tool, though like any technical tool, it should be used alongside other forms of analysis and risk management.
Custom Display Options for Readability 📊
To make TFCI even more versatile, it includes two display modes:
Table Mode: This mode breaks down the signals from each component, showing traders exactly how each element is contributing to the overall confidence score. Ideal for those who want to dig deeper into the details.
Gauge Mode: A simplified visual display, perfect for traders who want a quick, at-a-glance view of market conditions.
Color Blindness Mode 🌈
TFCI also includes several color palettes for traders affected by color blindness, ensuring everyone can easily interpret the signals.
Conclusion 🔒
TFCI brings together multiple technical indicators in a unique way that aims to improve trend detection by providing a balanced and easy-to-read signal. Its proprietary adjustments and combination of price, volume, and volatility indicators offer a comprehensive view of market conditions, making it a valuable tool for traders of all experience levels. However, it is essential to remember that no past performance can guarantee future results.
Half Trend HeikinAshi [BigBeluga]This indicator is a cool combo of the half-trend methodology and Heikin Ashi candles. The main idea is to help spot where the market is trending and where it might be reversing by using a mix of moving averages and the highest and lowest price data values. What’s nice is that it doesn’t just give you trend lines but also converts them into Heikin Ashi candles, so you can visually gauge the strength of a trend based on candle sizes.
NIFTY50:
NVIDIA:
🔵 IDEA
The thinking behind this Half Trend HeikinAshi indicator is pretty straightforward: it’s designed to give you a flexible way to detect trends and trend reversals, but with an added bonus—measuring trend strength via Heikin Ashi candles. The core idea is based on the classic half-trend strategy, where it adjusts to the highest and lowest price values within a certain period. The Heikin Ashi transformation smooths out half-trend line, making it easier to spot solid trends and potential reversals.
🔵 KEY FEATURES & USAGE
◉ Half Trend Calculation with Reversal Signals:
The main feature here is spotting trends based on a moving average of the close price and the highest/lowest price data.
//#region ———————————————————— Calculations
// Calculate moving average of close prices
series float closeMA = ta.sma(close, amplitude)
// Calculate highest high and lowest low
series float highestHigh = ta.highest(amplitude)
series float lowestLow = ta.lowest(amplitude)
// Initialize hl_t on the first bar
if barstate.isfirst
hl_t := close
// Update hl_t based on conditions
switch
closeMA < hl_t and highestHigh < hl_t => hl_t := highestHigh
closeMA > hl_t and lowestLow > hl_t => hl_t := lowestLow
=> hl_t := hl_t
When the trend flips, you’ll see arrows on your chart—either pointing up or down—marking the exact price where that reversal occurred. This makes it easy to see where the market might turn, which is helpful for timing entries and exits.
◉ Heikin Ashi Candlestick Transformation:
There’s a Heikin Ashi mode that transforms the half-trend line into Heikin Ashi candles.
These smooth out market noise and make the overall trend much clearer.
◉ Trend Strength Calculation:
The indicator doesn’t just stop at showing trends. It also calculates trend strength based on the size of the Heikin Ashi candles. Bigger candles mean stronger trends, and smaller ones indicate weaker momentum. You can see this displayed on the dashboard, so you know exactly how strong the current trend is at any moment.
◉ Graphical Dashboard Display:
You’ve got a small dashboard right on the chart that shows key info like the ticker, timeframe, and whether the trend is up or down. If you’re in Heikin Ashi mode, it shows trend strength instead. So, no need to dig through the data—you can just glance at the dashboard for a quick market read.
🔵 CUSTOMIZATION
Amplitude Input: You can tweak the amplitude to control how sensitive the half-trend line is. A lower setting makes it more reactive to small price moves, while a higher setting smooths it out for longer-term trends.
Heikin Ashi Toggle: You can easily switch between standard half-trend lines and Heikin Ashi candle mode, depending on how you prefer to see the market.
Trend Colors: You’ve got control over the colors for up and down trends, so you can adjust the appearance to fit your charting style.
Signal Labels size: Change Labels signal sizes for your preference
🔵 CONCLUSION
The Half Trend HeikinAshi indicator is a solid tool for tracking trends and measuring their strength. By combining the usual half-trend signals with Heikin Ashi candles, you get a clearer picture of what’s happening in the market. Whether you're looking to spot potential reversals or just want to measure the strength of a current trend, this indicator gives you plenty of flexibility to do both.
Trend Following Parabolic Buy Sell Strategy [TradeDots]The Trend Following Parabolic Buy-Sell Strategy leverages the Parabolic SAR in combination with moving average crossovers to deliver buy and sell signals within a trend-following framework.
This strategy synthesizes proven methodologies sourced from various trading tutorials available on platforms such as YouTube and blogs, enabling traders to conduct robust backtesting on their selected trading pairs to assess the strategy's effectiveness.
HOW IT WORKS
This strategy employs four key indicators to orchestrate its trading signals:
1. Trend Alignment: It first assesses the relationship between the price and the predominant trendline to determine the directional stance—taking long positions only when the price trends above the moving average, signaling an upward market trajectory.
2. Momentum Confirmation: Subsequent to trend alignment, the strategy looks for moving average crossovers as a confirmation that the price is gaining momentum in the direction of the intended trades.
3. Signal Finalization: Finally, buy or sell signals are validated using the Parabolic SAR indicator. A long order is validated when the closing price is above the Parabolic SAR dots, and similarly, conditions are reversed for short orders.
4. Risk Management: The strategy institutes a fixed stop-loss at the moving average trendline and a take-profit level determinable by a prefixed risk-reward ratio calculated from the moving average trendline. These parameters are customizable by the users within the strategy settings.
APPLICATION
Designed for assets exhibiting pronounced directional momentum, this strategy aims to capitalize on clear trend movements conducive to achieving set take-profit targets.
As a lagging strategy that waits for multiple confirmatory signals, entry into trades might occasionally lag beyond optimal timing.
Furthermore, in periods of consolidation or sideways movement, the strategy may generate several false signals, suggesting the potential need for additional market condition filters to enhance signal accuracy during volatile phases.
DEFAULT SETUP
Commission: 0.01%
Initial Capital: $10,000
Equity per Trade: 70%
Users are advised to adjust and personalize this trading strategy to better match their individual trading preferences and style.
RISK DISCLAIMER
Trading entails substantial risk, and most day traders incur losses. All content, tools, scripts, articles, and education provided by TradeDots serve purely informational and educational purposes. Past performances are not definitive predictors of future results.
Trend Continuation Signals [AlgoAlpha]Introducing the Trend Continuation Signals by AlgoAlpha 🌟🚀
Elevate your trading game with this multipurpose indicator, designed to pinpoint trend continuation opportunities as well as highlight volatility and oversold/overbought conditions. Whether you're a trading novice or a seasoned market veteran, this tool offers intuitive visual cues to boost your decision-making and enhance your market analysis. Let's explore the key features, how to use it effectively, and delve into the operational mechanics that make this tool a game-changer in your trading arsenal:
Key Features:
🔥 Advanced Trend Detection : Leverages the Hull Moving Average (HMA) for superior trend tracking as compared to other MAs, offering unique insights into market momentum.
🌈 Volatility Bands : Implements adjustable bands around the trend line, which evolve with market conditions to highlight potential trading opportunities.
⚡ Trend Continuation Signals : Identifies bullish and bearish continuation signals, equipping you with actionable signals to exploit the prevailing market trend.
🎨 Intuitive Color Coding : Employs a vibrant color scheme to distinguish between uptrends, downtrends, and neutral phases, facilitating easy interpretation of the indicator's insights.
🛠 How to Use "Trend Continuation Signals ":
🔍 Setting Up : Incorporate the indicator onto your chart and customize the indicator to suite your preferences.
👀 Reading the Signals : Pay attention to the color-coded trend lines and volatility bands. Green indicates an uptrend, red signifies a downtrend, and gray denotes a neutral market condition.
📈 Identifying Entry Points : Look for bullish (▲) and bearish (▼) continuation icons below or above the price bars as signals for potential entry points for long or short positions, respectively.
🔄 Confirmation : Validate your trades with further analysis or other indicators. The Trend Continuation Signals are most effective when complemented by other technical analysis tools or fundamental insights.
📉 Risk Management : Implement stop-loss orders in line with your risk appetite and adjust them based on the volatility bands provided by the indicator to safeguard your investments.
How It Operates:
The essence of the indicator is captured through the hull moving averages for both the primary and secondary lines, set at periods of 93 and 50, respectively, to reflect market trends and pullbacks that trigger the continuation signals every time price recovers from a detected pullback.
Volatility is quantified through the standard deviation of the midline, magnified by a factor, establishing the upper and lower trend band boundaries.
Further volatility bands are plotted around the main volatility band, providing a granular view of market volatility and potential breakout or breakdown zones.
Market trend direction is determined by comparing the HMA line's current position to its previous value, enhanced by the secondary line to identify continuation patterns.
Embrace the power of the Trend Continuation Signals to enhance your trading strategy! It is important to note that all indicators are best used in confluence with other forms of analysis, happy trading! 📊💥
ATR TrendTL;DR - An average true range (ATR) based trend
ATR trend uses a (customizable) ATR calculation and highest high & lowest low prices to calculate the actual trend. Basically it determines the trend direction by using highest high & lowest low and calculates (depending on the determined direction) the ATR trend by using a ATR based calculation and comparison method.
The indicator will draw one trendline by default. It is also possible to draw a second trendline which shows a 'negative trend'. This trendline is calculated the same way the primary trendline is calculated but uses a negative (-1 by default) value for the ATR calculation. This trendline can be used to detect early trend changes and/or micro trends.
How to use:
Due to its ATR nature the ATR trend will show trend changes by changing the trendline direction. This means that when the price crosses the trendline it does not automatically mean a trend change. However using the 'negative trend' option ATR trend can show early trend changes and therefore good entry points.
Some notes:
- A (confirmed) trend change is shown by a changing color and/or moving trendline (up/down)
- Unlike other indicators the 'time period' value is not the primary adjustment setting. This value is only used to calculate highest high & lowest low values and has medium impact on trend calculation. The primary adjustment setting is 'ATR weight'
- Every settings has a tooltip with further explanation
- I added additional color coding which uses a different color when the trend attempts to change but the trend change isn't confirmed (yet)
- Default values work fine (at least in my back testing) but the recommendation is to adjust the settings (especially ATR weight) to your trading style
- You can further finetune this indicator by using custom moving average types for the ATR calculation (like linear regression or Hull moving average)
- Both trendlines can be used to determine future support and resistance zones
- ATR trend can be used as a stop loss finder
- Alerts are using buy/sell signals
- You can use fancy color filling ;)
Happy trading!
Daniel
Bollinger Bands Trend - Boosted [UOI]The legendary John Bollinger, the creator of Bollinger Bands , has done it again. He recently observed that an interaction between a long-term Bollinger band (BB 50) and a shorter-term Bollinger band (BB 20) can not only provide a frame of reference for price action and volatility but also identify trends and offer excellent entry and exit guidance. Although the concept of Bollinger Bands is not new, the concept of BB trend is. The 'Bollinger Bands Trend - Boosted' indicator is an advanced and versatile trading tool, designed to offer comprehensive analysis of market trends, price action, and volatility. This new concept captures interesting market dynamics invisible to other indicators. In addition to the power of Bollinger Band trends, this indicator is boosted and skillfully combines several technical analysis elements, including Bollinger Bands, Donchian Channels, an Exponential Moving Average (EMA), Super Trend, and a Choppiness Index, to further improve the model's performance. Each component is crafted to provide a multi-dimensional view of market dynamics. Key features include:
Dual Bollinger Bands: The indicator uses two sets of Bollinger Bands with distinct periods (50 and 20) to capture different aspects of market volatility and trend momentum. Users have the flexibility to show or hide the upper, middle, and lower bands for both sets, allowing for a customized view of market movements. Users can also enable a fill function with 90% transparency to show the area between the upper and lower BB bands. By default, only the midlines of BB 20 and BB 50 are shown on the chart, and the rest are hidden and need to be enabled by the user. Here is the default plot of BB20 and BB50:
Dynamic Color Coding of Lines: The middle bands of the Bollinger Bands dynamically change colors based on their relation to the price, offering an intuitive visual representation of the trend direction. The color turns green when the price is above the band and red when below. Dynamic Line Coloring aids traders in easily identifying trends and never going against the market trend. In this image below: BB20, BB50, Mid Donchian, EMA 100, and Super Trend all change color relative to the position of the price:
Crossover and Crossunder Detection: Detects crossovers and crossunders between the 20-period and 50-period Bollinger Bands, which can signal potential trading opportunities. Color filling and the change of color of the Bollinger midlines provide a great visual for trend detection. The color filling even without the Buy and Sell signal clearly shows the direction of the trend:
Customizable Buy and Sell Signals: The indicator generates buy and sell signals based on a complex set of conditions involving the relationship between price, Bollinger Bands, EMA, Donchian Channel, and other elements. Users can customize the length and parameters of these conditions to tailor the signals to the specific equity or market they are trading. This flexibility allows traders to optimize the indicator for different equities, trading strategies, and market conditions, making it a versatile tool for various trading styles, including short-term trading and longer-term trend following. The beauty of the "buy and sell signal" of this indicator is that users control the frequency and accuracy of the signals by changing the numbers in the setting for their favorite equity to trade:
Donchian Channel: This tool incorporates a customizable Donchian Channel to pinpoint potential support and resistance areas, providing key insights into market trends. It is especially effective in highlighting breakout points by showing the highest high and lowest low over a set number of periods, thus helping traders to identify potential entry and exit points based on price movements. The middle line of the channel changes color (lime or fuchsia) based on its position relative to the price, aiding in trend identification and strength assessment, with an option for traders to toggle its visibility on the chart.
Exponential Moving Average (EMA): Features a 100-period EMA (default but users can change the value), with an option for traders to toggle its visibility on the chart. The color of the EMA line adapts to green or red depending on whether the price is above or below it, further aiding in trend analysis.
Super Trend Indicator: Adds a Super Trend line to the analysis, providing insights into market trend direction and potential reversal points. This feature is customizable, allowing users to adjust its visibility and settings as per their analysis needs. The Super Trend is an adjustable indicator to help traders not lose sight of the longer trend:
Choppiness Index: An additional tool to assess market chop or trend robustness, with customizable settings for changing candle colors based on a defined choppiness threshold. Here is an example:
The Bollinger Band Width: BBW is a separate technical indicator derived from Bollinger Bands, used to measure market volatility. It has been added to this BB Trend indicator in an innovative manner to improve the BBT indicator. It calculates the gap between the upper and lower Bollinger Bands. A narrow BBW indicates low volatility, often seen in consolidating markets leading to a squeeze or buying opportunity, while a wide BBW signals high volatility, as observed during strong price movements or breakouts which often leads to distribution in Wyckoff terms. This indicator is crucial for traders to identify periods of market contraction and expansion, aiding in predicting volatility changes and potential trend shifts. Here is a visual presentation of BB Width:
User-Friendly Customizability: The indicator offers inputs for adjusting lengths, visibility, and parameters of its various components, empowering traders to customize the tool according to their individual trading style and preferences.
This indicator is ideal for traders who prefer a single but multi-faceted strategy, offering a blend of trend analysis, volatility measurement, and market momentum insights. Its adaptability makes it suitable for a wide range of markets and trading approaches.
Trend Direction Sequence | Auto-Multi-TimeframeThe main benefit of this indicator is the ability to see multiple higher timeframes at ones to get a better overview of signals that could mark possible trend reversals with more weight than those on the selected timeframe. Since the higher timeframes are calculated automatically, the user needs to set a Period Multiplier that multiplies the selected timeframe several times to determine the higher timeframes. Equal periods are filtered out. And the current highest timeframe is capped at 1 year by TradingView.
It is possible to alter the sequence Count Limit and the underlying Wavelength. The Wavelength defines the distance between the starting and ending candle. This builds the minimum condition to find a trend. A longer Wavelength means that the distortions between the start and end candle can be bigger, so it can become easier to find a trending sequence. But be careful not to set the length too high as this could mean that the resulting sequence does not really represent a trend anymore. The Count Limit defines the completion of a trending sequence. A higher number makes it more difficult to find a completed sequence, but also makes the result more reliable. If the Wavelength is changed, the Count Limit should be adjusted accordingly.
There is also a qualifier for the completion of a sequence. A completed sequence only will be labeled on the chart, if it is proved that the lowest low/highest high of the last two candlesticks of a period is lower/higher than that of the previous two candlesticks. It does not require the trend to be continuous on the last candlestick. On the contrary, a trend shift may already have begun.
By default, the labeling of completed sequences will appear on the highs and lows of the specific periods. Because the higher periods will take time and several candlesticks to appear, the labels will be redrawn accordingly. As an option it is possible to disable the Count Limit for completed sequences so that the labels will be fluently redrawn until the corresponding sequences are interrupted by trend breaks. Only activate this option, if it can serve a plausible strategy.
The count status of all sequences in the specific timeframe periods is listed in a table. Also the results of the trends in higher timeframes are accumulated and combined into an overall trend. Positive trends are counted as positive, negative in the opposite case. To see the resulting Trend Shift Signals, the user can set a filter under 100% so that not all of them will be filtered out and therefore labeled on the chart (this signals cannot be redrawn). An “External Indicator Analysis Overlay” can be used to analyze the profitability with the provided Trend Shift Signal (TSS) which switches from 0 to 1, if the trend becomes positive or from 0 to -1, if the trend becomes negative.
Market Flow Trend Lines & Liquidity [LuxAlgo]The Market Flow Trend Lines & Liquidity indicator is a script that aims to automate key insights such as trend lines, liquidity zones, opening ranges, & gaps on the chart. The aim of this script is to provide a functional breakout trader toolkit with various familiar tools as well as unique capabilities to further improve the user experience.
🔶 USAGE
There are various methods for using the features within this script, even with the included take profit levels users can pre-define.
The dotted lines represent an Opening Range with levels we can use as support & resistance. This opening range can be traded within the levels; however, it can also be used to tell the sentiment of price to see how it reacts to it.
In the image below, we can see after price was holding above the Opening Range whilst printing bullish trendline breakout signals, it made its way to the TP level we enabled from within the indicator to calculate a potential level for taking profits in a breakout trade.
The Market Flow Trend Lines & Liquidity indicator's key feature reside within its multi-timeframe capabilities for the main trendlines, as well as its key zones for potential entries.
In the image above we can see multiple areas where multi-timeframe (1H) trendlines on the 30m chart acted as support & resistance, alongside the Liquidity Zones & Opening Range as optimal points of interest for a breakout trader.
🔶 SETTINGS
🔹 Trendlines
Trendlines Lookback: Determines the frequency of detected tops/bottoms used to construct trendlines.
Slope: Trendlines slope, with higher values returning steeper trendlines.
Timeframe: Trendline timeframe.
🔹 Liquidity Zones
Liquidity Lookback: Determines the frequency of detected tops/bottoms used to construct liquidity zones.
🔹 Take Profits
Take profit settings. Up to 3 ATR based take profits can be enabled, with a numerical setting controlling the ATR multiplier.
🔹 Opening Range
From Time: 15min opening range starting time.
Extend: Extension length of Opening Range lines (in bars).
🔹 Gap Imbalance
Gap Up: Display upward gaps.
Gap Down: Display downward gaps.
🔹 EMA
Show EMA: Displays an EMA on the chart.
EMA Length: Length of the displayed EMA.
🔶 RELATED SCRIPTS
Liquidity Swings
Trendlines with Breaks
Trended and BlendedWhat up guys and welcome to the CoffeeShop. This is your host and "baristo", Eric.
This is a simple little set of 3 moving averages. Smoothed moving averages that you can use in the 10 /28 strategy, or any other strategy you choose.
Among themselves there is nothing special about these moving averages, but because of their settings they will help you find entries for long and short positions and for divergence trading.
These moving averages have conditional colors built into the code, using the pinescript "color from gradient" feature.
All three moving averages, are green when they are all lined up in a bullish form.
All three are red when they're all lined up in a bearish form.
And they are colored Gray when price action and the moving averages are mixed up in any way.
But this is not enough to help you determine whether you have a true trend or not also it is not enough to tell you whether you have a strong or weak trend so there's more.
Add to this color command, the candles are colored ONLY when there is a true uptrend or downtrend.
If you believe for any reason that price action is telling you this is going to a a short term trend, you can
wait for your long or short color confirmations and then drop down to a lower timeframe to make your trades.
STRONG TREND:
for a strong uptrend you would look for the candles to close bullish above all three green moving averages that were already lined up. This would be a strong uptrend. If price action closed below all three downward lined up moving averages they were all red and your candle is red then you have a strong downtrend.
Week Trend
However if your candle closes bearish and it closes red below a mixed set of moving averages then you have a week downtrend.
The same applies if you have a bullish closing candle but your fast and medium moving average are facing up however they are below your slow moving average. You may have a green line up however if you're moving averages are mixed up then you have a weak trend.
Summary
In short a strong trend is when you close above or below moving averages that are lined up in the same direction and they are not mixed in any way. A weak trend is when you close above or below your fast and medium moving averages as they're lined up in that same direction however they are on the wrong side of your third moving average.
When you have a weak trend you should be scalping and when you have a strong trend you should be able to ride that trend more appropriately.
DCA-Integrated Trend Continuation StrategyIntroducing the DCA-Integrated Trend Continuation Strategy 💼💰
The DCA-Integrated Trend Continuation Strategy represents a robust trading methodology that harnesses the potential of trend continuation opportunities while seamlessly incorporating the principles of Dollar Cost Averaging (DCA) as a risk management and backup mechanism. This strategy harmoniously blends these two concepts to potentially amplify profitability and optimize risk control across diverse market conditions.
This strategy is well-suited for both trending and ranging markets. During trending markets, it aims to capture and ride the momentum of the trend while optimizing entry points. In ranging markets or pullbacks, the DCA feature comes into play, allowing users to accumulate more assets at potentially lower prices and potentially increase profits when the market resumes its upward trend. This cohesive approach not only enhances the overall effectiveness of the strategy but also fosters a more resilient and adaptable trading approach in ever-changing market dynamics.
💎 How it Works:
▶️ The strategy incorporates a customizable entry signal based on candlestick patterns, enabling the identification of potential trend continuation opportunities. By focusing on consecutive bullish candles, it detects the presence of bullish momentum, indicating an optimal time to enter a long position.
To refine the precision of the signals, traders can set a specific percentage threshold for the closing price of the candle, ensuring it is above a certain percentage of its body. This condition verifies strong bullish momentum and confirms significant upward movement within the candle, thereby increasing the reliability of the signal.
In addition, the strategy offers further confirmation by examining the relationship between the closing price of the signal candle and its previous candles. If the closing price of the signal candle is higher than its preceding candles, it provides an additional layer of assurance before entering a position. This approach is particularly effective in detecting sharp movements and capturing significant price shifts, as it focuses on identifying instances where the closing price shows clear strength and outperforms the previous candle's price action. By prioritizing such occurrences, the strategy aims to capture robust trends and capitalize on notable market movements.
▶️ During market downturns, the strategy incorporates intelligent management of price drops, offering flexibility through fixed or customizable price drop percentages. This unique feature allows for additional entries at specified drop percentages, enabling traders to accumulate positions at more favorable prices.
By strategically adjusting the custom price drop percentages, you can optimize your entry points to potentially maximize profitability. Utilizing lower percentages for initial entries takes advantage of price fluctuations, potentially yielding higher returns. On the other hand, employing higher percentages for final entries adopts a more cautious approach during significant market downturns, emphasizing enhanced risk management. This adaptive approach ensures that the strategy effectively navigates challenging market conditions while seeking to optimize overall performance.
▶️ To enhance performance and mitigate risks, the strategy integrates average purchase price management. This feature dynamically adjusts the average buy price percentage decrease after each price drop, expediting the achievement of the target point even in challenging market conditions. By reducing recovery times and ensuring investment safety, this strategy optimizes outcomes for traders.
▶️ Risk management is at the core of this strategy, prioritizing the protection of capital. It incorporates an account balance validation mechanism that conducts automatic checks prior to each entry, ensuring alignment with available funds. This essential feature provides real-time insights into the affordability of price drops and the number of entries, enabling traders to make informed decisions and maintain optimal risk control.
▶️ Furthermore, the strategy offers take profit options, allowing traders to secure gains by setting fixed percentage profits from the average buy price or using a trailing target. Stop loss protection is also available, enabling traders to set a fixed percentage from the average purchase price to limit potential losses and preserve capital.
▶️ This strategy is fully compatible with third-party trading bots, allowing for easy connectivity to popular trading platforms. By leveraging the TradingView webhook functionality, you can effortlessly link the strategy to your preferred bot and receive accurate signals for position entry and exit. The strategy provides all the necessary alert message fields, ensuring a smooth and user-friendly trading experience. With this integration, you can automate the execution of trades, saving time and effort while enjoying the benefits of this powerful strategy.
🚀 How to Use:
To effectively utilize the DCA-Integrated Trend Continuation Strategy, follow these steps:
1. Choose your preferred DCA Mode - whether by quantity or by value - to determine how you want to size your positions.
2. Customize the entry conditions of the strategy to align with your trading preferences. Specify the number of consecutive bullish candles, set a desired percentage threshold for the close of the signal candle relative to its body, and determine the number of previous candles to compare with.
3. Adjust the pyramiding parameter to suit your risk tolerance and desired returns. Whether you prefer a more conservative approach with fewer pyramids or a more aggressive stance with multiple pyramids, this strategy offers flexibility.
4. Personalize the price drop percentages based on your risk appetite and trading strategy. Choose between fixed or custom percentages to optimize your entries in different market scenarios.
5. Configure the average purchase price management settings to control the percentage decrease in the average buy price after each price drop, ensuring it aligns with your risk tolerance and strategy.
6. Utilize the account balance validation feature to ensure the strategy's actions align with your available funds, enhancing risk management and preventing overexposure.
7. Set take profit options to secure your gains and implement stop loss protection to limit potential losses, providing an additional layer of risk management.
8. Use the date and time filtering feature to define the duration during which the strategy operates, allowing for specific backtesting periods or integration with a trading bot.
9. For automated trading, take advantage of the compatibility with third-party trading bots to seamlessly integrate the strategy with popular trading platforms.
By following these steps, traders can harness the power of the DCA-Integrated Trend Continuation Strategy to potentially maximize profitability and optimize their trading outcomes in both trending and ranging markets.
⚙️ User Settings:
To ensure the backtest result is representative of real-world trading conditions, particularly in the highly volatile Crypto market, the default strategy parameters have been carefully selected to produce realistic results with a conservative approach. However, you have the flexibility to customize these settings based on your risk tolerance and strategy preferences, whether you're focusing on short-term or long-term trading, allowing you to potentially achieve higher profits. The backtesting was conducted using the BTCUSDT pair in 15-minute timeframe on the Binance exchange. Users can configure the following options:
General Settings:
- Initial Capital (Default: $10,000)
- Currency (Default: USDT)
- Commission (Default: 0.1%)
- Slippage (Default: 5 ticks)
Order Size Management:
- DCA Mode (Default: Quantity)
- Order Size in Quantity (Default: 0.01)
- Order Size in Value (Default: $300)
Strategy's Entry Conditions:
- Number of Consecutive Bullish Candles (Default: 3)
- Close Over Candle Body % (Default: 50% - Disabled)
- Close Over Previous Candles Lookback (Default: 14 - Disabled)
- Pyramiding Number (Default: 30)
Price Drop Management:
- Enable Price Drop Calculations (Default: Enabled)
- Enable Current Balance Check (Default: Enabled)
- Price Drop Percentage Type (Default: Custom)
- Average Price Move Down Percentage % (Default: 50%)
- Fixed Price Drop Percentage % (Default: 0.5%)
- Custom Price Drop Percentage % (Defaults: 0.5, 0.5, 0.5, 1, 3, 5, 5, 10, 10, 10)
TP/SL:
- Take Profit % (Default: 3%)
- Stop Loss % (Default: 100%)
- Enable Trailing Target (Default: Enabled)
- Trailing Offset % (Default: 0.1%)
Backtest Table (Default: Enabled)
Date & Time:
- Date Range Filtering (Default: Disabled)
- Start Time
- End Time
Alert Message:
- Alert Message for Enter Long
- Alert Message for Exit Long
By providing these customizable settings, the strategy allows you to tailor it to your specific needs, enhancing the adaptability and effectiveness of your trading approach.
🔐 Source Code Protection:
The source code of the DCA-Integrated Trend Continuation Strategy is designed to be robust, reliable, and highly efficient. Its original and innovative implementation merits protecting the source code and limiting access, ensuring the exclusivity of this strategy. By safeguarding the code, the integrity and uniqueness of the strategy are preserved, giving users a competitive edge in their trading activities.
(1-20)Dashboard trendlines PriceThis is a script about 20 trading pairs with trendline.
-on each chart of a trading pair, there is only one trendline pair: 1 uptrendline and 1 downtrendline
-so when the statistics on the table also show the column of the uptrend and the column of the downtrend
-When the price approaches any trendline but the ratio is 1%, that trendline will be colored blue (downtrend), red (uptrend)
-the column above T.line(below T.line) is the value of the current trendline compared to the closing price of the candle
-The Break up (Break down) column when the price breaks will show the green heart (break up), the red heart break (break down) and the percentage value when breaking through the point of the trendline.
-price column is the current price of the candle
-especially when a candle has closed above the trendline (assuming an uptrend), then from the 2nd tree to the current , it will count according to memory so that traders know when the price broke, and how many candles already.
-The breakdown parameter is displayed (for example, 3|8|10), which means that the price has broken through 10 candles, of which 8 trees are closing above the breakout point, and the last 3 are closing above. break point
-In addition, when displaying 3 parameters as above, the next column (above/below T.line) will display the percentage from when the price breaks that point to the current price of the candle.
-you can change the time in Resolution indicator settings to show multiple time arcs
Thank you everyone for your interest and trust
- 5 pairs are free for traders :https://vn.tradingview.com/script/KGSjrLC3/
---------------------------------------------------------------------------------
Vietnamese
Đây là script về bảng thống kê 20 cặp giao dịch với đường trendline .
-trên mỗi biểu đồ của cặp giao dịch chỉ tồn tại duy nhất 1 cặp trendline là: 1trendline tăng và 1 trendline giảm
-vì vậy khi thống kê trên bảng cũng hiển thị cột của trend tăng và cột của trend giảm
-khi giá tiến gần đến 1 đường trendline bất kì mà tỉ lệ còn 1% thì đường trendline đó tô màu xanh(trend giảm) ,màu đỏ(trend tăng)
-cột above T.line(below T.line) là giá trị của đường trendline hiện tại so với giá đóng cửa của nến
-cột Break up(Break down) khi giá phá vỡ sẽ thể thiện trái tim xanh(phá vỡ lên),trái tim đỏ vỡ(phá vỡ xuống) và giá trị phần trăm khi phá qua điểm của trendline.
-cột giá là giá hiện tại của nến
-đặc biệt khi 1 cây nến đã đóng cửa trên đường trendline(giả sử trend tăng) thì từ cây thứ 2 đến hiện tại nó sẽ đếm theo bộ nhớ để các trader biết được giá đã phá khi nào,và qua bao nhiêu nến rồi.
-thông số khi phá vỡ hiển thị (ví dụ là 3|8|10) thì hiểu là giá đã phá vỡ qua 10 nến, trong đó có 8 cây đóng cửa trên điểm phá vỡ,và 3 cây gần nhất đang đóng cửa trên điểm phá vỡ
-ngoài ra khi hiện 3 thông số như trên thì cột bên cạnh (above/below T.line) sẽ hiển thị được số phần trăm tính từ khi giá phá vỡ điểm đó đến giá hiện tại của cây nến.
-các bạn có thể thay đổi thời gian trong cài đặt chỉ báo Resolution để hiển thị nhiều cung thời gian
Cảm ơn mọi người đã quan tâm và tin dùng
Dashboard trendlines Price(ichimoku14642)Happy new year 2023
Dedicated to traders, the trendline indicator of 5 trading pairs is automatically listed in this table. Wish success
-on each chart of a trading pair, there is only one trendline pair: 1 uptrendline and 1 downtrendline
-so when the statistics on the table also show the column of the uptrend and the column of the downtrend
-When the price approaches any trendline but the ratio is 1%, that trendline will be colored blue (downtrend), red (uptrend)
-the column above T.line(below T.line) is the value of the current trendline compared to the closing price of the candle
-The Break up (Break down) column when the price breaks will show the green heart (break up), the red heart break (break down) and the percentage value when breaking through the point of the trendline.
-price column is the current price of the candle
-SYMBOL is all taken from Binance in the perpetual contract
-especially when a candle has closed above the trendline (assuming an uptrend), then from the 2nd tree to the current , it will count according to memory so that traders know when the price broke, and how many candles already.
-The breakdown parameter is displayed (for example, 3|8|10), which means that the price has broken through 10 candles, of which 8 trees are closing above the breakout point, and the last 3 are closing above. break point
-In addition, when displaying 3 parameters as above, the next column (above/below T.line) will display the percentage from when the price breaks that point to the current price of the candle.
Thank you everyone for your interest and trust
Đây là script về bảng thống kê đường trendline .
-trên mỗi biểu đồ của cặp giao dịch chỉ tồn tại duy nhất 1 cặp trendline là: 1trendline tăng và 1 trendline giảm
-vì vậy khi thống kê trên bảng cũng hiển thị cột của trend tăng và cột của trend giảm
-khi giá tiến gần đến 1 đường trendline bất kì mà tỉ lệ còn 1% thì đường trendline đó tô màu xanh(trend giảm) ,màu đỏ(trend tăng)
-cột above T.line(below T.line) là giá trị của đường trendline hiện tại so với giá đóng cửa của nến
-cột Break up(Break down) khi giá phá vỡ sẽ thể thiện trái tim xanh(phá vỡ lên),trái tim đỏ vỡ(phá vỡ xuống) và giá trị phần trăm khi phá qua điểm của trendline.
-cột giá là giá hiện tại của nến
-SYMBOL là toàn bộ lấy của sàn Binance trong hợp đồng vĩnh cửu
-đặc biệt khi 1 cây nến đã đóng cửa trên đường trendline(giả sử trend tăng) thì từ cây thứ 2 đến hiện tại nó sẽ đếm theo bộ nhớ để các trader biết được giá đã phá khi nào,và qua bao nhiêu nến rồi.
-thông số khi phá vỡ hiển thị (ví dụ là 3|8|10) thì hiểu là giá đã phá vỡ qua 10 nến, trong đó có 8 cây đóng cửa trên điểm phá vỡ,và 3 cây gần nhất đang đóng cửa trên điểm phá vỡ
-ngoài ra khi hiện 3 thông số như trên thì cột bên cạnh (above/below T.line) sẽ hiển thị được số phần trăm tính từ khi giá phá vỡ điểm đó đến giá hiện tại của cây nến.
Cảm ơn mọi người đã quan tâm và tin dùng