ZLSMA with Chandelier Exit [Improved_mew]This will show buy and sell signals only with ZLSMA confirmation
อินดิเคเตอร์และกลยุทธ์
GMMA Long-Short SignalBug fix
Fix Buy 1 signal disappear
Use these indicator as helper:
FOMO_Momentum_Scalper
The MACD fast line with a period of 22, slow line with a period of 72, and Signal Smoothing of 9 can achieve 99% performance.
First check GMMA, if there is a buy signal, then confirm with FOMO; conversely, if there is a sell signal, then confirm with GMMA.
Order Block Finder DARK
Specializing in bottom rebound trading, the accuracy is very high. However, it's uncertain whether future functions should be used.
Auto Levels Test RHAuto Levels Test RH is an indicator that automatically draws support and resistance levels based on local extremes and the ZigZag pattern. It helps traders identify key levels for entering and exiting trades. The indicator analyzes the last 100 bars and determines significant price zones.
Advance Alok LevelThis is script based on the calculated levels, when the price reacts with these levels, it tells to go for long or short. It is a research base topic and can be improved by any of our members
Inside Day & Loss Cut Line機能概要
Inside Dayの検出:
インジケータは「Inside Day」を検出します。これは、現在のバーの高値が前のバーの高値よりも低く、現在のバーの安値が前のバーの安値よりも高い場合に成立します。また、現在のバーの出来高が前のバーの出来高よりも少なく、さらに50期間の移動平均よりも低い場合も条件に含まれます。
マーキング:
Inside Dayが検出されると、チャート上に青い小さな円が表示され、視覚的にその日を示します。
価格の計算:
ユーザーが設定したパーセンテージに基づいて、現在の価格からそのパーセンテージを引いた価格を計算します。この設定は、トレーダーが特定の価格レベルを視覚的に把握するのに役立ちます。
水平線の描画:
最新のプライスバーに対して、計算された価格に水平線を描画します。ユーザーは線の色、スタイル(実線、破線、点線)、および太さをカスタマイズできます。
ユーザー設定
パーセンテージの設定:
percentageInput: ユーザーが設定できるパーセンテージ(デフォルトは3.0%)。この値は、現在の価格から引かれる割合を決定します。
線の色:
lineColorInput: ユーザーが選択できる線の色(デフォルトは赤)。視覚的なカスタマイズが可能です。
線のスタイル:
lineStyleInput: ユーザーが選択できる線のスタイル(実線、破線、点線)。トレーダーの好みに応じて変更できます。
線の太さ:
lineWidthInput: ユーザーが設定できる線の太さ(デフォルトは2、最小1、最大10)。視認性を向上させるために調整できます。
使用方法
このインジケータをチャートに追加することで、トレーダーは市場の動向をより良く理解し、特定のトレードシグナルを視覚的に把握することができます。特に、Inside Dayのパターンを利用したトレーディング戦略に役立つでしょう。
TICK Indikator
English:
The TICK Indicator measures in real time the number of up ticking stocks minus the number of down ticking stocks on the New York Stock Exchange (NYSE). It can display either the current TICK value ("Normal" mode) or the cumulative TICK values over the trading day ("Cumulative" mode). Positive values indicate market strength, while negative values signal weakness. Colored bars visualize momentum: green shades for rising, red for falling values. The zero line acts as a reference between buying and selling pressure.
Interpretation:
> +1000 and/or continuos lows above 0 → strong buying pressure
< -1000 and/or continuos highs below 0 → strong selling pressure
Around 0 → balanced market
Deutsch:
Der TICK Indikator misst in Echtzeit die Anzahl der Aktien, die an der New York Stock Exchange (NYSE) steigen, minus der Anzahl der fallenden Aktien. Der Indikator kann im "Normal"-Modus den aktuellen TICK-Wert anzeigen oder im "Cumulative"-Modus die kumulierten TICK-Werte über den Tag hinweg summieren. Positive Werte deuten auf eine allgemeine Markstärke hin, während negative Werte Schwäche signalisieren. Farbige Balken visualisieren die Dynamik: grüne Töne bei steigenden, rote bei fallenden Werten. Die Nullinie dient als Referenzpunkt zwischen Kauf- und Verkaufsdruck.
Interpretation:
> +1000 und/oder mehrere aufeinander folgende Tiefs über 0 → starker Kaufdruck
< -1000 und/oder mehrere aufeinander folgende Hochs unter 0 → starker Verkaufsdruck
Nahe 0 → ausgeglichener Markt
Dave indicator// === Input Parameters ===
rsiPeriod = input.int(14, title="RSI Period")
emaLength = input.int(50, title="EMA Length") // EMA Length
neutralLower = input.int(45, title="Neutral Lower Bound") // Lower bound of the neutral range
neutralUpper = input.int(55, title="Neutral Upper Bound") // Upper bound of the neutral range
// === RSI Calculation ===
rsiValue = ta.rsi(close, rsiPeriod)
// === EMA Calculation ===
emaValue = ta.ema(close, emaLength)
plot(emaValue, title="EMA", color=color.blue, linewidth=2)
// === Reversal Conditions ===
buySignal = ta.crossover(rsiValue, neutralLower) // RSI crossing up from below 45
sellSignal = ta.crossunder(rsiValue, neutralUpper) // RSI crossing down from above 55
// === Plot Buy and Sell Signals ===
plotshape(series=buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY", size=size.small)
plotshape(series=sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL", size=size.small)
// === Strategy Entries ===
if buySignal
strategy.entry("Long", strategy.long)
if sellSignal
strategy.close("Long")
// === Bar Coloring for Trend ===
trendDirection = rsiValue > neutralUpper ? "Up" : rsiValue < neutralLower ? "Down" : "Neutral"
barColor = trendDirection == "Up" ? color.green : trendDirection == "Down" ? color.red : color.blue
barcolor(barColor)
// === Plot Neutral Zone (Optional) ===
hline(neutralLower, "Neutral Lower (45)", color=color.gray, linestyle=hline.style_dotted)
hline(neutralUpper, "Neutral Upper (55)", color=color.gray, linestyle=hline.style_dotted)
// === Dashboard with Telegram Link ===
var table myTable = table.new(position.top_center, 1, 1, border_width=1, frame_color=color.black, bgcolor=color.white)
// Add Telegram Message to Dashboard
table.cell(myTable, 0, 0, "Join Telegram simpleforextools", bgcolor=color.blue, text_color=color.white, text_size=size.normal)
Derek's ICT Breaker Block - Highlighted Entries with Pricefirst time creating a pinescript indicator. let me know if you like it.
Donchian Trend Ribbon MTF HeatmapIf you're familiar with Donchian Channels, you probably already know how they work, so I won’t dive too deep into that.
This indicator builds upon the concept of Donchian Channels to create a Donchian Trend Ribbon MultiTimeframe (MTF) Heatmap. The aim is to visualize trend strength across multiple timeframes and provide a clearer picture of market direction.
How it Works:
Main Trend Calculation: The indicator calculates the main trend direction based on a user-defined period (e.g., 20 periods). You can adjust this length to fit your trading strategy.
Secondary Trend Analysis: It also calculates the trend direction for each of the 9 lower lengths. For example, if you set the length to 20, the secondary lengths would be 19, 18, ..., down to 11.
Trend Alignment Check: The indicator compares the trend direction from the lower lengths to the main trend direction to determine alignment.
Trend Ribbon Coloring: Based on this alignment, the trend ribbon changes color to reflect the strength and direction of the trend. The color intensity adjusts as the strength of the trend shifts.
Trend Colors:
Yellow: Strong uptrend
Dark Yellow: Weak uptrend
Red: Strong downtrend
Dark Red: Weak downtrend
Gray: Neutral or no strong trend
Additionally, weak trends are highlighted with emojis (😯 for weak long and 😡 for weak short), making it easy to spot when trends are fading.
Warning:
Entry points provided by this indicator may also indicate potential trend reversals, so use caution.
Consider utilizing a stop-loss line if you plan to take positions based on the signals generated by this tool.
Notes :
Non-Repainting: This indicator does not repaint, providing reliable historical signals.
Educational Use: The indicator is designed primarily for educational purposes and has not been backtested. Please use it as part of your broader analysis before making trading decisions.
Original Code by:
The original version of this code was created by LonesomeTheBlue. This enhanced version includes additional features such as multi-timeframe analysis and trend strength visualization.
RSI Profit SniperDescription of the "RSI Profit Sniper" Indicator - t.me/ProfitISniper
The "RSI Profit Sniper" indicator is a trading tool based on the Relative Strength Index (RSI) that helps traders identify potential entry and exit points in financial markets. This indicator uses overbought and oversold conditions to generate buy and sell signals. Below is a detailed breakdown of its functionality.
Key Components of the Indicator:
RSI (Relative Strength Index):
RSI is an oscillator that measures the speed and magnitude of price movements over a specified period.
RSI values range from 0 to 100.
It is commonly used to detect overbought and oversold conditions of an asset.
Configuration Parameters:
RSI Length:
The user can set the number of bars (periods) for RSI calculation. The default value is 14.
Upper Threshold (Overbought Level):
The level above which the asset is considered overbought. The default value is 70.
Lower Threshold (Oversold Level):
The level below which the asset is considered oversold. The default value is 30.
How the Indicator Works:
RSI Calculation:
The indicator calculates the RSI value for each bar based on the specified period (rsiLength).
Signal Generation:
Buy Signal:
Triggered when the RSI line crosses the oversold level (lowerThreshold) from below. This indicates that the asset may be undervalued and ready for an upward move.
Sell Signal:
Triggered when the RSI line crosses the overbought level (upperThreshold) from above. This indicates that the asset may be overvalued and ready for a correction.
Signal Visualization:
Buy Signal: Displayed as a green label with the text "BUY" below the price chart.
Sell Signal: Displayed as a red label with the text "SELL" above the price chart.
Alerts:
The indicator provides three types of alerts:
BUY Alert: Triggered when a buy signal appears.
SELL Alert: Triggered when a sell signal appears.
General Alert: Triggered for any signal (buy or sell).
How to Use the Indicator:
Parameter Adjustment:
Traders can adjust the RSI period, overbought, and oversold levels according to market conditions and their trading strategy.
Analyzing Signals:
When a buy signal ("BUY") appears, traders can consider opening a long position.
When a sell signal ("SELL") appears, traders can consider closing a long position or opening a short one.
Filtering False Signals:
Although RSI is a powerful tool, it can produce false signals, especially in highly volatile or trending markets.
It is recommended to use additional indicators or analysis methods (e.g., trend lines, volume, candlestick patterns) to confirm signals.
Advantages of the Indicator:
Ease of Use: The indicator provides clear buy and sell signals.
Customizability: Users can tailor parameters to suit their preferences and trading conditions.
Automation: The ability to set up alerts allows traders to receive notifications about signals even outside trading hours.
Limitations of the Indicator:
False Signals: In sideways or strongly trending markets, RSI may generate many false signals.
Lagging Nature: Since RSI is based on historical data, it may lag behind changes in market conditions.
Need for Filtering: To improve accuracy, it is advisable to combine its use with other analysis tools.
Conclusion:
The "RSI Profit Sniper" indicator is a valuable tool for traders seeking a simple and effective way to identify potential entry and exit points based on overbought and oversold conditions. However, it is important to remember that no indicator guarantees 100% accuracy. Therefore, it is recommended to combine its use with other analysis methods to make informed decisions.
----------------------------------------
Описание индикатора "RSI Profit Sniper" - t.me/ProfitISniper
Индикатор "RSI Profit Sniper" представляет собой торговый инструмент, основанный на индексе относительной силы (RSI), который помогает трейдерам определять потенциальные точки входа и выхода на финансовых рынках. Этот индикатор использует перекупленность и перепроданность актива для генерации сигналов о покупке и продаже. Давайте рассмотрим его функционал подробно.
Основные компоненты индикатора:
RSI (Relative Strength Index):
RSI — это осциллятор, который измеряет скорость и изменение ценового движения за заданный период времени.
Значения RSI колеблются в диапазоне от 0 до 100.
Обычно используется для выявления состояний перекупленности и перепроданности актива.
Параметры конфигурации:
RSI Length (Длина периода RSI):
Пользователь может настроить количество баров (периодов) для расчета RSI. По умолчанию установлено значение 14.
Upper Threshold (Уровень перекупленности):
Уровень, выше которого актив считается перекупленным. По умолчанию установлено значение 70.
Lower Threshold (Уровень перепроданности):
Уровень, ниже которого актив считается перепроданным. По умолчанию установлено значение 30.
Логика работы индикатора:
Расчет RSI:
Индикатор вычисляет значение RSI для каждого бара на основе указанного периода (rsiLength).
Генерация сигналов:
Buy Signal (Сигнал на покупку):
Срабатывает, когда линия RSI пересекает уровень перепроданности (lowerThreshold) снизу вверх. Это указывает на то, что актив может быть недооценен и готов к росту.
Sell Signal (Сигнал на продажу):
Срабатывает, когда линия RSI пересекает уровень перекупленности (upperThreshold) сверху вниз. Это указывает на то, что актив может быть переоценен и готов к коррекции.
Визуализация сигналов:
Buy Signal: Отображается как зеленая метка с текстом "BUY" под ценовым графиком.
Sell Signal: Отображается как красная метка с текстом "SELL" над ценовым графиком.
Оповещения:
Индикатор предоставляет три типа оповещений:
BUY Alert: Срабатывает при появлении сигнала на покупку.
SELL Alert: Срабатывает при появлении сигнала на продажу.
General Alert: Срабатывает при любом сигнале (покупка или продажа).
Как использовать индикатор:
Настройка параметров:
Трейдер может настроить период RSI, а также уровни перекупленности и перепроданности в зависимости от рыночных условий и стратегии торговли.
Анализ сигналов:
Когда появляется сигнал на покупку ("BUY"), трейдер может рассматривать возможность открытия длинной позиции.
Когда появляется сигнал на продажу ("SELL"), трейдер может рассматривать возможность закрытия длинной позиции или открытия короткой.
Фильтрация ложных сигналов:
Хотя RSI является мощным инструментом, он может давать ложные сигналы, особенно в условиях высокой волатильности или трендового движения.
Рекомендуется использовать дополнительные индикаторы или методы анализа (например, трендовые линии, объемы, свечные модели) для подтверждения сигналов.
Преимущества индикатора:
Простота использования: Индикатор предоставляет четкие сигналы на покупку и продажу.
Настраиваемость: Пользователь может адаптировать параметры под свои предпочтения и условия торговли.
Автоматизация: Возможность настройки оповещений позволяет получать уведомления о сигналах даже вне рабочего времени.
Ограничения индикатора:
Ложные сигналы: В условиях флэтового рынка или сильных трендов RSI может давать много ложных сигналов.
Задержка: Поскольку RSI основан на исторических данных, он может запаздывать при изменении рыночной ситуации.
Необходимость фильтрации: Для повышения точности рекомендуется использовать дополнительные инструменты анализа.
Заключение:
Индикатор "RSI Profit Sniper" является полезным инструментом для трейдеров, которые ищут простой и эффективный способ определения потенциальных точек входа и выхода на основе состояния перекупленности и перепроданности актива. Однако важно помнить, что никакой индикатор не гарантирует 100% точности, поэтому рекомендуется сочетать его использование с другими методами анализа для принятия обоснованных решений.
ALL CANDLESTICK PATTERNS (125 PATTERNS) (GökayTrySolutions)Double-click on the name and memorise the symbols with colour.
Best for 4H and 1D
Totally 125 patterns are in the holy grail.
Thank you is a salad, develop the code and send it to me! This is the thank you and matter.
The version is up-to-date.
GökayTrySolutions
Cumulative VWAP and EMA with Ichimoku and volume (v3.0)calculated by using vwap to make Lines, SMA, EMA 14, 26, 34, 89, 147, 200, 258, 369, 610, then select and combine the most responsive lines and generelate a filled band to express the range of distortion before price start changing its direction of responses.
Then by that calculated out the 2 upper and lower bands based on the comcept of bollinger band to create a "no trade zone " that used for amatuers to avoid trading if no experiences.
Then wait for ALMA line to harmonic aglined with upper no trading zone line to start trading. If ALMA line aline with No trad zone top, turn green color, and above the balance zone, then go long every time price hit back to ALMA line. then short for versa.
IF price get into no trade zone, non-exp trader should not trade, pro-trader can observe the balance space to take a position same direction with the ALMA line and the no trade zone line.
If ALMA line is inside the no trade zone, then don't trade.
Just simple it is.
Trend Trading IndicatorTrend Trading Indicator – Pine Script v5
Overview
The Trend Trading Indicator is designed to help traders identify market trends quickly and effectively. It highlights uptrends and downtrends using Exponential Moving Averages (EMAs) and provides clear buy and sell signals. The indicator is especially useful for detecting insider movements, marketing-driven price pumps, and potential death spirals in crypto and stock markets.
Key Features
✅ Fast-acting trend detection based on EMAs
✅ Clear buy & sell signals marked in blue (BUY) and red (SELL)
✅ Trend zones visually highlighted:
Green for bullish trends (uptrend)
Red for bearish trends (downtrend)
✅ Bold and visible labels for buy and sell signals
✅ Protects against insider selling & marketing hype cycles
✅ Alerts for crossover events
How It Works
Exponential Moving Averages (EMAs)
Short EMA (default: 50-period) represents fast market movement.
Long EMA (default: 100-period) represents slower trends.
When short EMA crosses above long EMA, it signals a buy opportunity.
When short EMA crosses below long EMA, it signals a sell opportunity.
Trend Zones
The area between the two EMAs is color-filled for better trend visualization.
Green Fill: Indicates a bullish trend where short EMA is above long EMA.
Red Fill: Indicates a bearish trend where short EMA is below long EMA.
Buy & Sell Labels
Buy Signal: Blue label “BUY” appears below the candle.
Sell Signal: Red label “SELL” appears above the candle.
Text is in black & bold for better visibility.
Alerts
Custom alerts notify traders when buy or sell conditions occur.
How to Use
Works best in crypto, forex, and stock markets.
Can be used in trend-following or breakout strategies.
Best suited for medium to long-term trades (adjust EMA settings for scalping).
This Trend Trading Indicator helps traders stay ahead of the market by visually identifying strong trends while reducing risks from insider manipulation and death spirals. 🚀
Stock Evalauation Checklist (Box Format)The Stock Evaluation Checklist (Box Format) is a powerful all-in-one trading tool designed to help traders quickly evaluate stock strength and identify high-probability trade setups. This indicator consolidates essential technical analysis metrics into a simple, easy-to-understand box-style dashboard, allowing traders to make faster, data-driven decisions directly from their charts.
Ideal for swing traders, day traders, and breakout traders, this tool highlights the most important market conditions and rates the stock using a dynamic Star Rating System based on the number of bullish criteria met.
✅ Key Features:
📋 At-a-Glance Stock Evaluation:
The checklist evaluates 7 critical market conditions and displays a clear ✅ (met) or ❌ (not met) for each:
RSI Daily > 60 — Confirms bullish momentum on the daily chart.
RSI Weekly > 60 — Validates longer-term strength.
Price Above All EMAs (10, 20, 50, 200) — Indicates strong uptrend and institutional interest.
Volume Above 50-Day Moving Average — Detects increased trading activity and accumulation.
Highest Volume in 500 Bars — Flags significant spikes in volume, signaling potential moves.
2 Consecutive Weekly Up Candles — Shows sustained bullish momentum.
Near 52-Week High (within 5%) — Identifies breakout potential.
**⭐ Dynamic Star Rating System:
The indicator scores the stock based on how many bullish conditions are met and assigns an Overall Star Rating:
⭐⭐⭐⭐⭐⭐⭐ → 7-Star Setup (Perfect Setup)
⭐⭐⭐⭐⭐ → 5-Star Setup (Strong Setup)
⭐⭐⭐ → 3-Star Setup (Potential Opportunity)
⭐ → Low-Quality Setup
🎯 The more stars, the stronger the setup.
**📊 Color-Coded Background for Quick Analysis:
The chart background changes color based on the strength of the setup:
💚 Green → 7-Star (Perfect Setup)
💙 Blue → 5-6 Stars (Strong Setup)
🟠 Orange → 3-4 Stars (Caution)
🔴 Red → Less than 3 Stars (Weak Setup)
🚨 Real-Time Alerts:
Get instant alerts when a 7-Star Setup is detected, so you never miss a prime trading opportunity.
📌 Clean Box Format:
The checklist appears in a bottom-right box on your chart, clearly listing each criterion alongside the overall star rating for easy interpretation.
💡 How to Use the Stock Evaluation Checklist:
Add the Indicator to your TradingView chart.
Scan Your Watchlist — Quickly identify which stocks meet the most bullish conditions.
Focus on High-Star Setups — Prioritize 5-star and 7-star setups for the best risk/reward potential.
Use Color Cues — The background colors provide an instant snapshot of stock strength.
🚀 How does it help you?
Saves Time — No more manually checking multiple indicators.
Reduces Noise — Focus on high-probability setups.
Visually Intuitive — See stock strength at a glance with clear ✅/❌ indicators.
Perfect for Swing, Momentum, and Breakout Traders.
Built-In Alerts — So you never miss a top-rated trade.
⚡ Ready to simplify your stock evaluation process and focus on the strongest setups? Add the Stock Evaluation Checklist (Box Format) to your charts today and level up your trading! 💥
Collin's First ScriptCombines MACD + RSIOMA indicators and shows initial buy and sell prices on chart.
Buy = Green histogram and RSI above moving average
Sell = Red histogram and RSI below moving average
RSI RitzThis script places a buy order when buy conditions are met and closes the position when the sell conditions trigger. You can adjust the RSI threshold if needed. Buy condition when rsi cross over certain number and sell signal by RSI cross down certain number given to strategy.
Golden Pocket Entry with MM, OB, Liquidity and Supertrenda simple indicator that can probably help you enjoy it
Three Bar Reversal Pattern [ActiveQuants]This indicator identifies bullish and bearish three-bar reversal patterns , offering traders a visual tool to spot potential trend reversals. By analyzing consecutive candlesticks, volume trends, and candlestick morphology, it highlights signals while filtering out false patterns. Ideal for traders using price action strategies, it simplifies pattern recognition and enhances decision-making with customizable parameters.
█ KEY FEATURES
Pattern Detection Logic :
Bullish Reversals : Detects two consecutive bearish candles followed by a bullish candle that closes above the open of the first bearish candle .
Bearish Reversals : Identifies two consecutive bullish candles followed by a bearish candle that closes below the open of the first bullish candle .
Volume Confirmation :
Filters signals using a Volume SMA (user-defined length) to ensure reversals occur with above-average volume, adding validity to the pattern.
Candlestick Filtering :
Shooting Star Filter : Discards bullish patterns if the third candle is a Shooting Star (body confined to the lower portion of the candle’s range, adjustable via Shooting Star Body Limit ).
Hammer Filter : Discards bearish patterns if the third candle is a Hammer (body confined to the upper portion of the candle’s range, adjustable via Hammer Body Limit ).
Customizable Display :
Toggle visibility of bullish/bearish patterns and customize their colors.
Adjust the Show Last parameter to limit plotted labels to recent bars.
Alerts Integration :
Separate Bullish/Bearish Alerts : Generate independent alerts for bullish and bearish patterns. Traders can selectively enable one or both alerts via TradingView’s alert system.
Real-time notifications ensure you never miss a potential reversal signal.
█ CONCLUSION
The Three Bar Reversal Pattern Indicator streamlines the identification of reversal setups by combining candlestick patterns, volume analysis, and customizable filters. Its focus on price action dynamics makes it invaluable for traders seeking to capitalize on trend exhaustion or market sentiment shifts.
█ IMPORTANT NOTES
⚠ Use with Confluence : Reversal signals should be validated with additional tools like support/resistance levels, trendlines, or momentum oscillators.
⚠ Adapt Parameters : Adjust Volume SMA Length , Show Last , and body limits ( Shooting Star Body Limit and Hammer Body Limit ) to suit your timeframe and asset volatility.
█ RISK DISCLAIMER
Trading involves significant risk, and you may lose capital. Past performance is not indicative of future results. This tool provides informational signals only and does not constitute financial advice. Use it at your own risk and consult a qualified financial professional before making trading decisions.
Incorporate this indicator into your strategy to refine reversal entries, manage risk, and align with market momentum.
📈 Happy trading! 🚀
Ultimate Signal Pro (USP)This Pine Script v6 indicator combines EMA, RSI, ADX, MACD, and Heikin-Ashi trends to generate high-accuracy buy & sell signals.
🔹 How It Works:
✅ EMA & MACD Crossovers – Detects trend shifts.
✅ RSI & ADX Filters – Confirms strength & momentum.
✅ Heikin-Ashi Trend – Smooths price action.
✅ Buy Signal: Bullish crossovers, RSI > 45, ADX > 15, HA trend up.
✅ Sell Signal: Bearish crossovers, RSI < 55, ADX > 15, HA trend down.
✅ Plots Green (Buy) & Red (Sell) Arrows for easy trading.
📌 Purpose: Helps traders identify strong trend reversals with multi-indicator confirmation. 🚀
EMA ivis Breakout StrategyA proven strategy combines exponential moving averages (EMAs) with a breakout filter to trade only in clear market trends. I originally developed this for BTCUSD, but it also works well with other assets.
Exit Rules:
Stop-Loss: 1.5 times the ATR below/above the entry price.
Take-Profit: 2 times the ATR above/below the entry point.
Time Filter:
The indicator provides signals only during the defined trading hours. You can adjust these settings manually.
This strategy is best applied in the 15-minute timeframe.
Eine bewährte Strategie kombiniert gleitende Durchschnitte (EMAs) mit einem Breakout-Filter, um nur bei klaren Markttrends zu handeln. Entwickelt habe ich diese für BTCUSD, funktioniert aber auch in anderen Assets.
Ausstiegsregeln:
Für den Stop-Loss: 1,5-fache ATR unterhalb/oberhalb des Einstiegskurses.
Für den Take-Profit: 2-fache ATR über/unter dem Einstiegspunkt
Zeit Filter:
Der Indikator liefert nur in der definierten Handelszeit Signale. Diese können SIe selbstständig in den Einstellungen verändern.
Die Strategie kann man bestens in 15min anwenden. :-)