Smart Money Breakouts [iskess 01-02 11:05]This is an big update to the excellent Smart Money Breakout Script published in Oct 2023 by ChartPrime who, to my knowledge, was the original author.
FULL CREDIT GOES TO CHARTPRIME FOR THIS ORIGINAL WORK.
Per the moderator's rules, you will find below a meaningful, detailed self-contained description that does not rely on delegation to the open source code or links to other content. You will find in the description details on what the script does, how it does that, how to use it, and how it is original.
The "Smart Money Breakouts" indicator is designed to identify breakouts based on changes in character (CHOCH) or breaks of structure (BOS) patterns, facilitating automated trading with user-defined Take Profit (TP) level.
The indicator incorporates essential elements such as volume analysis and a data table to assist traders in optimizing their strategies.
🔸Breakout Detection:
The indicator scans price movements for "Change in Character" (CHOCH) and "Break of Structure" (BOS) patterns, signaling potential breakout opportunities in the market.
🔸User-Defined TP/SL :
Traders can customize the Take Profit (TP) and Stop Loss (SL) through the indicator settings, with these levels dynamically calculated based on the Average True Range (ATR). This allows for precise risk management and profit targets that adapt to market volatility. Traders can also select the lookback period for the TP/SL calculations.
🔸Volume Analysis and Trade Direction Specific Analysis:
The indicator includes a volume checker that provides valuable insights into the strength of the breakout, taking into account trade direction.
🔸If the volume label is red and the trade is long, it suggests a higher likelihood of hitting the Stop Loss (SL).
🔸If the volume label is green and the trade is long, it indicates a higher probability of hitting the Take Profit (TP).
🔸For short trades, a red volume label suggests a higher likelihood of hitting TP, while a green label suggests a higher likelihood of hitting SL.
🔸A yellow volume label suggests that the volume is inconclusive, neither favoring bullish nor bearish movements.
🔸Data Table:
The indicator features a data table that keeps track of the number of winning and losing trades for specific timeframes or configurations. It also shows the percentage of profits vs losses, and the overall profit/loss for the selected lookback period.
This table serves as a valuable tool for traders to analyze performance and discover optimal settings and timeframes.
The "Smart Money Breakouts" indicator provides traders with a comprehensive solution for breakout trading, combining technical analysis of changes in character and breaks of structure, volume insights, and performance tracking while dynamically adjusting TP and SL levels based on market volatility through the ATR.
This version of the script is a "significant improvement" from Chart Prime's original work in the following ways:
- A selectable range of candles for the profit/loss calculations to look back on.
- An updated table that includes the percentage of wins/losses, and and overall P&L during the selected lookback range.
- The user can now select only Long trades, Short trades, or both.
- The percentage gain/loss is now indicated for every trade on the chart.
- The user can now select a different multiplier for Stop Loss or Take Profit thresholds.
Графические паттерны
mark H4 candle for MC model// This source code is subject to the terms of the Mozilla Public License 2.0 at
// © boitoki
// 5th of January 2025 GOLD OANDA
// DETAILS AND INSTRUCTIONS HOW TO USE / MODIFY THIS SCRIPT
// THIS SCRIPT STARTED FROM THE "FX Market Sessions" by © boitoki
// - It is mainly adjusted for GOLD, but you can use it for every pair if you modify it accordingly (I use it also for BITCOIN with a small time adjustment)
// - It is adjusted to mark the main H4 candle for each session + Fibonacci levels inside it
// - It can mark the True Day Open (if you need it, please uncomment lines 1180 to 1210 and save the script)
// - It can mark with a vertical line a specific timeframe (if you need it, please uncomment lines 1215 to 1228 and save the script)
// IMPORTANT NOTE ! ! !
// - you don't need to make changes to use it in any timezone, just set your timezone in TradingView and verify the indicator to be sure it mark the H4 candle you need
// - please don't delete any line or character so you won't get confused with the line numbers
// I'm not a Pro in Pine Script, so please don't blame me for any inconvenience or unclear parts of this script.
Katik Advanced Elliott Wave with ABCD and Corrected SL/TPIt performs the following functions:
Wave Identification: It detects peaks and troughs in the price data using pivot highs and lows over a specified wave length.
Wave Classification: It categorizes waves as either "Impulse" (strong price moves exceeding a threshold) or "Correction" (retracements within a threshold).
ABCD Points: It assigns specific price levels (wave A, B, C, D) for visualizing Elliott Wave patterns.
Stop Loss and Target: It calculates and displays stop loss and target levels based on the risk-to-reward ratio for both impulse (long) and correction (short) waves.
Wave Visualization: It draws lines connecting wave points (A to B, B to C, C to D) for a clear chart representation.
Dynamic Background: It changes the chart background to indicate impulse (green) or correction (red) wave conditions.
Trend Analysis: It includes moving averages (SMA-20 and SMA-50) to assist in identifying overall trends.
Labels: Labels are added to mark the peaks and troughs, aiding wave tracking.
Alerts: Custom alerts notify users of detected impulse or correction waves.
Customization: User inputs control thresholds, wave length, stop loss percentage, and target multiplier for flexibility.
SCE ReversalsThis tool uses past market data to attempt to identify where changes in “memory” may occur to spot reversals. The Hurst Exponent was a big inspiration for this code. The main driver is identifying when past ranges expand and contract, leading to a change in direction. With the use of Sum of Squared Errors, users do not need to input anything.
Getting optimized parameters
// Define ranges for N and lkb
N_range = array.from(15, 20, 25, 30, 35, 40, 45, 50, 55, 60)
// Function to calculate SSE
sse_calc(_N) =>
x = math.pow(close - close , 2)
y = math.pow(close - close , 2) + math.pow(close, 2)
z = x / y
scaled_z = z * math.log(_N)
min_r = ta.lowest(scaled_z, _N)
max_r = ta.highest(scaled_z, _N)
norm_r = (scaled_z - min_r) / (max_r - min_r)
SMA = ta.sma(close, _N)
reversal_bullish = norm_r == 1.000 and norm_r < 0.90 and close < SMA and session.ismarket and barstate.isconfirmed
reversal_bearish = norm_r == 1.000 and norm_r < 0.90 and close > SMA and session.ismarket and barstate.isconfirmed
var float error = na
if reversal_bullish or reversal_bearish
error := math.pow(close - SMA, 2)
error
else
error := 999999999999999999999999999999999999999
error
error
var int N_opt = na
var float min_SSE = na
// Loop through ranges and calculate SSE
for N in N_range
sse = sse_calc(N)
if na(min_SSE) or sse < min_SSE
min_SSE := sse
N_opt := N
The N_range list encompasses every lookback value to check with. The sse_calc function accepts an individual element to then perform the calculation for Reversals. If there is a reversal, the error becomes how far away the close is from a moving average with that look back. Lowest error wins. That would be the look back used for the Reversals calculation.
Reversals calculation
// Calculating with optimized parameters
x_opt = math.pow(close - close , 2)
y_opt = math.pow(close - close , 2) + math.pow(close, 2)
z_opt = x_opt / y_opt
scaled_z_opt = z_opt * math.log(N_opt)
min_r_opt = ta.lowest(scaled_z_opt, N_opt)
max_r_opt = ta.highest(scaled_z_opt, N_opt)
norm_r_opt = (scaled_z_opt - min_r_opt) / (max_r_opt - min_r_opt)
SMA_opt = ta.sma(close, N_opt)
reversal_bullish_opt = norm_r_opt == 1.000 and norm_r_opt < 0.90 and close < SMA_opt and close > high and close > open and session.ismarket and barstate.isconfirmed
reversal_bearish_opt = norm_r_opt == 1.000 and norm_r_opt < 0.90 and close > SMA_opt and close < low and close < open and session.ismarket and barstate.isconfirmed
X_opt and y_opt are the compared values to develop the system. Everything done afterwards is scaling and using it to spot the Reversals. X_opt is the current close, minus the close with the optimal N bars back, squared. Then y_opt is also that but plus the current close squared. Z_opt is then x_opt / y_opt. This gives us a pretty small number that will go up when we approach tops or bottoms. To make life a little easier I normalize the value between 0 and 1.
After I find the moving average with the optimal N, I can check if there is a Reversal. Reversals are there when the last value is at 1 and the current value drops below 0.90. This would tell us that “memory” was strong and is now changing. To determine direction and help with accuracy, if the close is above the moving average it is a bearish alert, and vice versa. As well as the close must be below the last low for a bearish Reversal, above the last high for a bullish Reversal. Also the close must be above the open for a bullish Reversal, and below for a bearish one.
Visual examples
This NASDAQ:TSLA chart shows how alerts may come around. The bullish and bearish labels are plotted on the chart along with a reference line to see price interact with.
The indicator has the potential to be inactive, like we see here on $OKLO. There is only one alert, and it marks the bottom nicely.
Stocks with strong trends like NYSE:NOW may be more susceptible to false alerts. Assets that are volatile and bounce around a lot may be better.
It works on intra day charts the same as on Daily or longer charts. We see here on NASDAQ:QQQ it spotted the bottom on this particular trading day.
This tool is meant to aid traders in making decisions, not to be followed blindly. No trading tool is 100% accurate and Sum of Squared Errors does not guarantee the most optimal value. I encourage feedback and constructive criticism.
FVG DetectorIndicator for finding imbalances on the chart.
You can also set your own percentage of imbalance filling at which the imbalance will be considered inactive, worked out.
It is also convenient to evaluate the work-out of imbalances in history by checking the corresponding box.
Tiger Cobra 005+1d dddndd
dndbdbd
dndndnbd
snddbdsk;NASLSVNL"Ndsblnlb'ndllbNLBNLdbnsl'bndlbnl'bnadbldnbldn a;vnknbkaLBN
sl;snvksns l'nvksnvsv
svlsnlsvns'lvnsv
sslvnslvns
' sklnl;sknlsn
lnlnlnsslfmslsmlfsmflsmfs
KMag's Macro Top Indicator SignalThis script uses Bollinger Band width percentage threshold of 30%.
The script will not print if the RSI is below 48.
The script shows the indicator signal on the chart specifically on the day the RSI crosses downward below its moving average, provided that the Bollinger Band width is above 30%.
Trigger an alert and place a signal on the chart when:
The 14-length RSI crosses downward below its moving average.
The Bollinger Band width percentage is above 30%.
Strategia Ritracciamento 75% (RR 1:10)Identifica candele di rottura:
Riconosce candele che rompono la precedente con un corpo chiaro e un rigetto (wick).
Calcola il 75%:
Determina il livello del 75% per la candela di rottura.
Conferma ritracciamento:
Controlla se il prezzo torna al livello del 75% e genera una chiusura sopra/sotto quel livello.
Gestisce Stop Loss e Take Profit:
Calcola lo stop loss (minimo/massimo della candela di rottura).
Calcola il take profit basato su un rapporto rischio/rendimento definito.
CM_SlingShotSystem - StrategyThis TradingView strategy, titled "SlingShotSystem Enhanced v5," is designed to identify potential trading opportunities based on the interaction between a fast (38-period) and slow (62-period) Exponential Moving Average (EMA). It primarily aims to capitalize on trend pullbacks and breakouts.
Key Features:
Trend Identification: Uses the relationship between the fast and slow EMAs to determine the prevailing trend (uptrend or downtrend).
Entry Signals: Generates buy signals (long entry) when the price crosses above the fast EMA during an uptrend and sell signals (short entry) when the price crosses below the fast EMA during a downtrend. These are considered "conservative" entry points.
Visual Cues: Highlights potential "aggressive" entry bars during pullbacks to the fast EMA (yellow bars) and "conservative" entry bars (aqua bars) for visual confirmation. Optionally displays trend arrows and "B"/"S" letters at entry points.
Risk Management:
Stop-Loss: Allows for a percentage-based stop-loss order to limit potential losses.
Take-Profit: Allows for a percentage-based take-profit order to lock in gains.
Trailing Stop: Implements an ATR-based trailing stop to dynamically adjust the stop-loss level as the price moves favorably, helping to protect profits and ride trends.
Exit Logic: Closes existing positions when opposite entry signals are generated or when stop-loss, take-profit, or trailing stop levels are hit.
Divergence Finder (RSI/Price) Strategy with OptionsThis is a strategy using my other indicator: Divergence Finder (RSI/Price) with Options
Requested by a User.
INFO: you need to configure Strategy depending on the asset, timeframe, and your preference.
The default values are just here for testing !
You can preview the expected outcome directly in TradingView and try to find the best settings directly from it.
You can activate or desactivate Long or short.
Set a Stop and Take Profit.
You should be able to set alert directly from order executed, or from triggered Alert.
For more information you could check the Divergence Finder indicator directly.
Version 0.1
WESTUDALGOWESTUDALGO – Your Ultimate Trading Companion
🚀 Maximize Your Profits with Precision Trading Signals!
WESTUDALGO is designed to help traders navigate the markets with ease and confidence. This advanced indicator provides:
✅ Smart Buy & Sell Signals: Take advantage of precise entries and exits.
✅ Dynamic Take Profit Levels: Clear, actionable levels to lock in profits.
✅ Highly Customizable Settings: Tailor sensitivity, moving averages, ATR, and more to your strategy.
✅ Alerts Ready: Stay ahead with instant notifications for buy and sell signals.
🌟 Why Choose WESTUDALGO?
WESTUDALGO doesn’t just give signals—it provides a comprehensive trading system with smart automation, making it perfect for beginners and seasoned traders alike.
🔧 How to Use:
Apply WESTUDALGO to your chart.
Adjust the sensitivity and other settings to suit your strategy.
Follow the signals and let the indicator guide your trades.
💡 Pro Tip: Combine WESTUDALGO with your favorite market analysis tools for even greater accuracy!
🔔 Get Started Today
Start making informed trading decisions with WESTUDALGO and unlock your potential in the markets.
Kmag's Macro Top Indicator with Red ArrowsUsing BBWP thresholds, along with RSI thresholds, RSI moving average, and crossing of RSI and RSI moving averages, along with a few other personal indicators. Enjoy!
Adaptive Trend Filter @tradingbauhausDescription of What the Script Does:
This Pine Script is a custom trading indicator that combines two different strategies: an Adaptive Filter and the Supertrend Indicator. It is designed to help traders identify trends in the market and highlight potential entries and exits based on trend changes and rejections.
Key Features:
Adaptive Filter:
The adaptive filter is used to smooth price data and adapt to changing market conditions.
The filter's behavior depends on the parameters alpha and beta, which control the level of smoothing and sensitivity to trend changes.
Alpha: Smoothing factor. A smaller value leads to more smoothing, while a larger value makes the filter more responsive to price changes.
Beta: Controls how sensitive the filter is to trends, adjusting how quickly the filter reacts to price movement.
The filter is applied to the closing price of the asset, and it adjusts its output based on market volatility.
Supertrend Indicator:
The Supertrend is a trend-following indicator that is based on the Average True Range (ATR). It helps to determine the direction of the trend.
The indicator uses two lines (upper and lower bands), which represent potential stop levels for long and short trades.
The Supertrend Factor adjusts the distance between the price and the trend line.
The ATR Period is used to calculate the volatility, and thus the width of the Supertrend bands.
Trend Plotting:
The indicator displays bullish (uptrend) and bearish (downtrend) signals based on the direction of the Supertrend line.
The colors of the trend lines can be customized by the user.
Exit Bands:
The upper and lower exit bands are calculated based on the Supertrend value, adjusted by an exponential moving average of the high-low range. These bands help define potential exit points for trades.
Rejection Signals:
The script identifies potential bullish rejections (when the price attempts to move below the Supertrend line but is rejected) and bearish rejections (when the price attempts to move above the Supertrend line but is rejected).
These rejections are marked on the chart with small arrows.
Trend Change Signals:
The script plots trend change signals when the trend direction crosses zero, signaling a potential switch between bullish and bearish trends.
Alert Conditions:
Alerts are set for trend changes and rejection entries. Alerts can notify the trader when:
A bullish trend change occurs.
A bearish trend change occurs.
A bullish rejection entry is detected.
A bearish rejection entry is detected..
Limit order strategyThe Adaptive Trend Flow Strategy with Filters for SPX is a complete trading algorithm designed to identify traits and offer actionable alerts for the SPX index. This Pine Script approach leverages superior technical signs and user-described parameters to evolve to marketplace conditions and optimize performance.
Key Features and Functionality
Dynamic Trend Detection: Utilizes a dual EMA-based totally adaptive method for fashion calculation.
The script smooths volatility the usage of an EMA filter and adjusts sensitivity through the sensitivity enter. This allows for real-time adaptability to market fluctuations.
Trend Filters for Precision:
SMA Filter: A Simple Moving Average (SMA) guarantees that trades are achieved best while the rate aligns with the shifting average trend, minimizing false indicators.
MACD Filter: The Moving Average Convergence Divergence (MACD) adds some other layer of confirmation with the aid of requiring alignment among the MACD line and its sign line.
Signal Generation:
Long Signals: Triggered when the fashion transitions from bearish to bullish, with all filters confirming the pass.
Short Signals: Triggered while the trend shifts from bullish to bearish, imparting opportunities for final positions.
User Customization:
Adjustable parameters for EMAs, smoothing duration, and sensitivity make certain the strategy can adapt to numerous buying and selling patterns.
Enable or disable filters (SMA or MACD) based totally on particular market conditions or consumer possibilities.
Leverage and Position Sizing: Incorporates a leverage aspect for dynamic position sizing.
Automatically calculates the exchange length based on account fairness and the leverage element, making sure hazard control is in area.
Visual Enhancements: Plots adaptive fashion ranges (foundation, top, decrease) for actual-time insights into marketplace conditions.
Color-coded bars and heritage to visually represent bullish or bearish developments.
Custom labels indicating crossover and crossunder occasions for clean sign visualization.
Alerts and Automation: Configurable alerts for each lengthy and quick indicators, well matched with automated buying and selling structures like plugpine.Com.
JSON-based alert messages consist of account credentials, motion type, and calculated position length for seamless integration.
Backtesting and Realistic Assumptions: Includes practical slippage, commissions, and preliminary capital settings for backtesting accuracy.
Leverages excessive-frequency trade sampling to make certain strong strategy assessment.
How It Works
Trend Calculation: The method derives a principal trend basis with the aid of combining fast and gradual EMAs. It then uses marketplace volatility to calculate adaptive upper and decrease obstacles, creating a dynamic channel.
Filter Integration: SMA and MACD filters work in tandem with the fashion calculation to ensure that handiest excessive-probability signals are accomplished.
Signal Execution: Signals are generated whilst the charge breaches those dynamic tiers and aligns with the fashion and filters, ensuring sturdy change access situations.
How to Use
Setup: Apply the approach to SPX or other well suited indices.
Adjust person inputs, together with ATR length, EMA smoothing, and sensitivity, to align together with your buying and selling possibilities.
Enable or disable the SMA and MACD filters to test unique setups.
Alerts: Configure signals for computerized notifications or direct buying and selling execution through third-celebration systems.
Use the supplied JSON payload to integrate with broking APIs or automation tools.
Optimization:
Experiment with leverage, filter out settings, and sensitivity to find most effective configurations to your hazard tolerance and marketplace situations.
Considerations and Best Practices
Risk Management: Always backtest the method with realistic parameters, together with conservative leverage and commissions.
Market Suitability: While designed for SPX, this method can adapt to other gadgets by means of adjusting key parameters.
Limitations: The method is trend-following and can underperform in
Rompimientos con Líneas Horizontales Ajustadasrompimiento es una vela que cierra por encima de un hight o debajo de un low
Combined Market Structure Break & Order Block//@version=5
indicator("Combined Market Structure Break & Order Block", "MSB-OB", overlay=true, max_lines_count=500, max_bars_back=4900, max_boxes_count=500)
settings = "Settings"
zigzag_len = input.int(9, "ZigZag Length", group=settings)
show_zigzag = input.bool(true, "Show Zigzag", group=settings)
fib_factor = input.float(0.33, "Fib Factor for breakout confirmation", 0, 1, 0.01, group=settings)
text_size = input.string(size.tiny, "Text Size", , group=settings)
delete_boxes = input.bool(true, "Delete Old/Broken Boxes", group=settings)
// Colors and display settings for order blocks and breaker blocks
bu_ob_inline_color = "Bu-OB Colors"
be_ob_inline_color = "Be-OB Colors"
bu_bb_inline_color = "Bu-BB Colors"
be_bb_inline_color = "Be-BB Colors"
bu_ob_display_settings = "Bu-OB Display Settings"
bu_ob_color = input.color(color.new(color.green, 70), "Color", group=bu_ob_display_settings, inline=bu_ob_inline_color)
bu_ob_border_color = input.color(color.green, "Border Color", group=bu_ob_display_settings, inline=bu_ob_inline_color)
bu_ob_text_color = input.color(color.green, "Text Color", group=bu_ob_display_settings, inline=bu_ob_inline_color)
be_ob_display_settings = "Be-OB Display Settings"
be_ob_color = input.color(color.new(color.red, 70), "Color", group=be_ob_display_settings, inline=be_ob_inline_color)
be_ob_border_color = input.color(color.red, "Border Color", group=be_ob_display_settings, inline=be_ob_inline_color)
be_ob_text_color = input.color(color.red, "Text Color", group=be_ob_display_settings, inline=be_ob_inline_color)
bu_bb_display_settings = "Bu-BB & Bu-MB Display Settings"
bu_bb_color = input.color(color.new(color.green, 70), "Color", group=bu_bb_display_settings, inline=bu_bb_inline_color)
bu_bb_border_color = input.color(color.green, "Border Color", group=bu_bb_display_settings, inline=bu_bb_inline_color)
bu_bb_text_color = input.color(color.green, "Text Color", group=bu_bb_display_settings, inline=bu_bb_inline_color)
be_bb_display_settings = "Be-BB & Be-MB Display Settings"
be_bb_color = input.color(color.new(color.red, 70), "Color", group=be_bb_display_settings, inline=be_bb_inline_color)
be_bb_border_color = input.color(color.red, "Border Color", group=be_bb_display_settings, inline=be_bb_inline_color)
be_bb_text_color = input.color(color.red, "Text Color", group=be_bb_display_settings, inline=be_bb_inline_color)
// Arrays to store market points
var float high_points_arr = array.new_float(5)
var int high_index_arr = array.new_int(5)
var float low_points_arr = array.new_float(5)
var int low_index_arr = array.new_int(5)
var box bu_ob_boxes = array.new_box(5)
var box be_ob_boxes = array.new_box(5)
var box bu_bb_boxes = array.new_box(5)
var box be_bb_boxes = array.new_box(5)
// Trend determination and zigzag calculation
to_up = high >= ta.highest(zigzag_len)
to_down = low <= ta.lowest(zigzag_len)
trend = 1
trend := nz(trend , 1)
trend := trend == 1 and to_down ? -1 : trend == -1 and to_up ? 1 : trend
last_trend_up_since = ta.barssince(to_up )
low_val = ta.lowest(nz(last_trend_up_since > 0 ? last_trend_up_since : 1, 1))
low_index = bar_index - ta.barssince(low_val == low)
last_trend_down_since = ta.barssince(to_down )
high_val = ta.highest(nz(last_trend_down_since > 0 ? last_trend_down_since : 1, 1))
high_index = bar_index - ta.barssince(high_val == high)
// Functions
f_get_high(ind) =>
f_get_low(ind) =>
f_delete_box(box_arr) =>
if delete_boxes
box.delete(array.shift(box_arr))
else
array.shift(box_arr)
0
// Calculations and updates for market structure
= f_get_high(0)
= f_get_high(1)
= f_get_low(0)
= f_get_low(1)
// Show Zigzag
if ta.change(trend) != 0 and show_zigzag
if trend == 1
line.new(h0i, h0, l0i, l0)
if trend == -1
line.new(l0i, l0, h0i, h0)
// Main structure and alert logic
// ...
Kmag's Macro Buy Indicator with Green RibbonUses RSI, RSI Moving Avg, BBWP, and a few other indicators
scalping1M1-1recomendado para 1M scalping, Este indicador mostrará las señales de compra y venta basándose en velas con cuerpo significativo y volumen alto.
CONDICIONES: 1-el volumen tiene que corresponder con el tamaño de la vela
2- no operar en doble suelos ni doble techos
OJO: SL en el comienso de la vela que nos indica, TP 1-1
KMag's Macro Bottom Indicator SignalThe script will trigger the red background when both:
The Bollinger Band width percentile is above 47%.
The RSI is below 34.
The alert message will notify you with "Bollinger Band width percentile above 47% and RSI below 34" when both conditions are met.
Multi-Altcoin Real-Time Signal Framework with SL/TPWorks Like A charm give entry and TP and SL on all timeframes
sarina3Mix of NAdArAyA + EMA50+ ichimoku clouds
you can buy or sell with crosses
and the color of the clouds
it's better to change the numbers of nadaraya
for further information please text me
Dynamic SMMA & EMA Signal Indicator
Dieses Skript kombiniert SMMA (Smoothed Moving Average) und EMA (Exponential Moving Average) , um dir präzise visuelle Signale und Trendinformationen direkt auf deinem Chart zu liefern. Es bietet farbliche Anpassungen für die Kerzen und flexible Parameter, um die Berechnung der Moving Averages und Signale individuell zu gestalten.
Features:
1. SMMA High und SMMA Low:
- Zeigt zwei SMMA-Linien (High und Low) an, die dir helfen, Unterstützungs- und Widerstandszonen zu erkennen.
- Die Farben und Längen der Linien können individuell angepasst werden.
2. EMA 200:
- Eine dynamische Trendlinie, die dir den langfristigen Marktrichtungstrend anzeigt.
- Kann in den Einstellungen ein- oder ausgeblendet werden.
- Sowohl die Länge als auch die Farbe sind anpassbar.
3. Farbige Kerzen :
- Grüne Kerzen : Signalisiert, dass der Kurs über den SMMA High gestiegen ist (bullisches Momentum).
- Rote Kerzen : Signalisiert, dass der Kurs unter den SMMA Low gefallen ist (bärisches Momentum).
- Gelbe Kerzen : Signalisiert eine neutrale Zone (über EMA 200, aber unter SMMA Low oder umgekehrt).
4. Signalpfeile:
- Ein grüner Pfeil erscheint über der ersten Kerze, die grün wird (bullischer Farbwechsel).
- Ein roter Pfei l erscheint über der ersten Kerze, die rot wird (bärischer Farbwechsel).
- Die Pfeile sind klein und dezent, um das Chart sauber zu halten.
5. Zeitrahmen-Wahl :
- Das Skript ist standardmäßig auf den M5-Zeitrahmen eingestellt, da dies eine höhere Signalgenauigkeit ermöglicht, während es auf einem M1-Chart angezeigt wird.
- Die Berechnung der SMMA und EMA kann unabhängig vom aktuellen Chart-Zeitrahmen angepasst werden (z. B. M5, H1).
6. Optimale Nutzung auf M1-Chart:
- Während das Skript standardmäßig auf M5 eingestellt ist, entfaltet es seine Stärke bei der Analyse und Darstellung auf einem M1-Chart , da die Daten besser auf kurzfristige Bewegungen abgestimmt sind.
---
Verwendung:
- Trendidentifikation: Nutze die EMA 200, um den langfristigen Trend zu bestimmen. Kerzen oberhalb der EMA 200 sind tendenziell bullisch, während Kerzen darunter bärisch sind.
- Unterstützung/Widerstand : Die SMMA High und Low bieten dynamische Unterstützungs- und Widerstandsniveaus.
- Signalinterpretation : Grüne und rote Pfeile markieren die ersten Farbwechsel-Kerzen und können als mögliche Einstiegs- oder Ausstiegspunkte betrachtet werden.
Anpassungsmöglichkeiten:
- Länge und Farbe der SMMA High und Low.
- Länge, Farbe und Sichtbarkeit der EMA 200.
- Zeitrahmen für die Moving Average-Berechnung (M5 standardmäßig, aber anpassbar).
- Farben für die Kerzen (Grün, Rot, Gelb).