RSI premium trend - CZ INDICATORSThe indicator draws swings on candlesticks based on price action and RSI.
You can also see in the labels whether the current swing is higher or lower relative to the previous swing.
Ideal for working together with premium structure -
HH stands for Higher High
LL stands for Lower Low
LH stands for Lower High
HL stands for Higher High
Индикатор рисует свинги на свечах, основываясь на ценовом действии и RSI.
Также в метках можно увидеть, выше или ниже текущий свинг по отношению к предыдущему.
Идеальный вариант для совместной работы с -
HH означает Higher High
LL означает Lower Low
LH означает Lower High
HL означает Higher High
相對強弱指標(RSI)
RSI + Volume - CZ INDICATORSRSI + VOLUME
This idea adds volume to the RSI indicator. Because volume offers one means of determining whether money is entering or leaving a market, this would provide additional information with which to make trading decisions.
Эта идея добавляет объем к индикатору RSI. Поскольку объем - это один из способов определить, входят ли деньги в рынок или покидают его, это даст дополнительную информацию для принятия торговых решений.
RSI + Divergences new look - CZ INDICATORSA new look at divergence
This indicator gives you the trend changes (Designed with the basics of Vash's RSI advanced and the Fikira divergence indicator)
This indicator will only give you regular divergences.
Please keep in mind that a trading plan is not only built with momentum but also with location and structure.
Новый взгляд на дивергенцию
Этот индикатор показывает изменения тренда (разработан с основами расширенного RSI Вэша и индикатора дивергенции Фикира).
Этот индикатор будет давать вам только регулярные дивергенции.
Помните, что торговый план строится не только на основе импульса, но и на основе местоположения и структуры.
RSI divergence signal BULL/BEAR - CZ INDICATORSRSI divergence signal BULL/BEAR - CZ INDICATORS: It automatically shows divergence, being much useful for detecting future changes in the tendency of the current stock, and weakness in the actual tendency.
Different timeframes can be set up to meet your needs.
RSI divergence signal BULL/BEAR - CZ INDICATORS: Автоматически показывает дивергенции, что очень полезно для обнаружения будущих изменений в тенденции текущей акции, а также слабости в фактической тенденции.
Различные таймфреймы могут быть настроены в соответствии с вашими потребностями.
RSI 50% planZ
RSI Settings:
RSI Length: The Relative Strength Index (RSI) is calculated using the specified length. In this code, the value 89 is set as the RSI length.
Level 50: Level 50 is considered a neutral level, representing a balance of momentum between bullish and bearish trends.
Buy and Sell Conditions:
Buy Signal: A buy signal is generated when the RSI crosses from below to above level 50.
Sell Signal: A sell signal is generated when the RSI crosses from above to below level 50.
Drawing on the Candle:
When a buy or sell signal occurs, a box is drawn around the candle that represents the signal.
A line is extended through the middle of the candle between the high and low values. This line is drawn through the midpoint of the candle to highlight the position.
Background Color Change:
The background color of the chart is changed based on the signal:
Green for a buy signal.
Red for a sell signal.
How the Indicator Works:
RSI is calculated using the 89-period length, and it watches for a crossover of the 50 level:
If RSI crosses above 50 from below, a buy signal is plotted below the candle.
If RSI crosses below 50 from above, a sell signal is plotted above the candle.
A box is drawn around the candle with the signal, and a line is extended across the middle of the candle to highlight the position.
The background of the chart changes based on the signal (green for buy, red for sell).
Adjustable Features:
You can adjust the RSI Length in the indicator settings to change the period for RSI calculation.
Usage:
This indicator is useful for identifying momentum shifts in the market.
Traders or investors can use it to determine buy and sell points based on RSI crossovers.
ReadyFor401ks Stoch + RSIThis indicator is a powerful tool that combines the classic Relative Strength Index (RSI) with a Stochastic RSI to provide traders with a more nuanced view of market momentum and potential reversal points. By blending these two techniques, the script offers a detailed insight into price action, highlighting when a market might be overbought or oversold. The RSI is calculated once and then used both for a traditional RSI plot and to derive the Stochastic RSI, ensuring consistency and efficiency in your analysis.
One of the standout features of this indicator is its dynamic visual presentation. A gradient color scheme is applied to the RSI line, which changes based on its position between customizable overbought and oversold levels. This visual cue allows traders to quickly identify critical zones without having to constantly monitor numerical values. Additionally, the background fill between these levels enhances clarity, making it easier to spot when conditions are ripe for a potential reversal.
The indicator is highly customizable, allowing you to adjust parameters such as the RSI period, Stochastic length, and smoothing factors. This flexibility means you can fine-tune the tool to suit different market conditions, whether you’re trading trending markets or range-bound environments. For example, an RSI crossover above the oversold level can signal an emerging upward trend, while a crossover below the overbought level may indicate a downturn, providing actionable alerts that can be integrated into your trading strategy.
Overall, the ReadyFor401k Stoch + RSI indicator is designed to offer a clear, concise, and visually engaging method for monitoring market momentum. It serves as an excellent complement to other technical analysis tools and can help improve your decision-making process by providing early warning signals for potential market reversals. Whether you’re a seasoned trader or just starting out, this indicator can be a valuable addition to your TradingView toolkit.
RSI Strategy//@version=6
indicator("Billy's RSI Strategy", shorttitle="RSI Strategy", overlay=true)
// Parameters
overbought = 70
oversold = 30
rsi_period = 14
min_duration = 4
max_duration = 100
// Calculate RSI
rsiValue = ta.rsi(close, rsi_period)
// Check if RSI is overbought or oversold for the specified duration
longOverbought = math.sum(rsiValue > overbought ? 1 : 0, max_duration) >= min_duration
longOversold = math.sum(rsiValue < oversold ? 1 : 0, max_duration) >= min_duration
// Generate signals
buySignal = ta.crossover(rsiValue, oversold) and longOversold
sellSignal = ta.crossunder(rsiValue, overbought) and longOverbought
// Calculate RSI divergence
priceDelta = close - close
rsiDelta = rsiValue - rsiValue
divergence = priceDelta * rsiDelta < 0
strongBuySignal = buySignal and divergence
strongSellSignal = sellSignal and divergence
// Plotting
plotshape(series=buySignal and not strongBuySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="Buy")
plotshape(series=sellSignal and not strongSellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="Sell")
plotshape(series=strongBuySignal, title="Strong Buy Signal", location=location.belowbar, color=color.green, style=shape.triangleup, text="Strong Buy")
plotshape(series=strongSellSignal, title="Strong Sell Signal", location=location.abovebar, color=color.red, style=shape.triangledown, text="Strong Sell")
Multi-Timeframe RSI with Table📌 Описание индикатора "Multi-Timeframe RSI with Table"
🔹 Краткое описание
Этот индикатор анализирует индикатор RSI (Relative Strength Index) на нескольких таймфреймах и отображает таблицу с RSI внутри окна индикатора.
Он помогает отслеживать перекупленность/перепроданность актива на разных временных промежутках, что полезно для скальпинга, среднесрочной и долгосрочной торговли.
📌 Основные функции
✅ График RSI (Relative Strength Index)
Текущий RSI отображается на стандартном графике индикатора.
Линии уровней:
🔴 70 – Перекупленность (возможен разворот вниз).
🟢 30 – Перепроданность (возможен разворот вверх).
⚪ 50 – Средний уровень (баланс между покупателями и продавцами).
✅ Мультифреймовая таблица RSI
Показывает RSI на 5 разных таймфреймах:
🕐 5m (5 минут)
🕐 15m (15 минут)
🕐 1h (1 час)
🕐 4h (4 часа)
🕐 1d (1 день)
Изменяет цвет фона:
🔴 Красный – RSI выше 60 (потенциальная перекупленность).
🟢 Зелёный – RSI ниже 60 (нормальное значение).
Обновляется раз в 5 баров для снижения нагрузки.
✅ Расположение таблицы
Таблица расположена в правой части окна RSI, чтобы не мешать графику.
📌 Как использовать индикатор?
Добавить в TradingView:
Скопировать код в Pine Editor.
Нажать Добавить на график.
Выбрать актив (например, HBAR/USDT).
Открыть нужный таймфрейм (например, 1h).
Оценить RSI на разных таймфреймах:
Если большинство RSI > 60 (🔴 красные ячейки) → возможен откат вниз.
Если большинство RSI < 40 (🟢 зелёные ячейки) → возможен рост.
📌 Как интерпретировать данные?
Когда RSI на всех таймфреймах высок (> 60) → актив перекуплен, может начаться коррекция вниз.
Когда RSI на всех таймфреймах низкий (< 40) → актив перепродан, возможен рост.
Если RSI на младших таймфреймах (5m, 15m) падает, а старшие (1h, 4h, 1d) высокие → возможен разворот вниз.
Если RSI на младших таймфреймах растёт, а старшие всё ещё низкие → возможен разворот вверх.
🔥 Этот индикатор даёт мощный инструмент для мультифреймового анализа RSI и помогает принимать более обоснованные торговые решения! 🚀
Fshariar_Enhanced Pattern Indicator with RSIThe Fshariar Enhanced Pattern Indicator with RSI is a versatile tool designed to identify key candlestick patterns combined with RSI-based filters and optional trend filtering using moving averages. This indicator is ideal for traders looking to enhance their technical analysis and improve signal accuracy.
Features:
Candlestick Pattern Detection:
Supports multiple candlestick patterns:
Bullish/Bearish Engulfing
Morning Star/Evening Star
Piercing/Dark Cloud Cover
Bullish Hammer
Bearish Shooting Star
Each pattern can be toggled on or off based on your trading preferences.
RSI-Based Filtering:
Includes an RSI filter to improve the reliability of signals:
Buy signals are validated when RSI is in oversold territory.
Sell signals are validated when RSI is in overbought territory.
Customizable settings for RSI length, overbought, and oversold levels.
Optional Trend Filter:
Integrates a moving average (SMA or EMA) as a trend filter:
Buy signals are only generated when the price is above the moving average.
Sell signals are only generated when the price is below the moving average.
Fully customizable moving average type and length.
Signal Alerts:
Built-in alerts for Buy and Sell signals to notify you in real-time.
Visual Output:
Buy signals are displayed as green triangles below candles.
Sell signals are displayed as red triangles above candles.
Optional moving average is plotted on the chart for trend filtering.
How It Works:
The indicator scans for specific candlestick patterns based on price action.
Signals are filtered using RSI conditions to ensure they align with momentum shifts.
If enabled, a trend filter ensures that signals align with the broader market direction.
Example Use Case:
Enable your desired candlestick patterns (e.g., Engulfing, Morning Star).
Configure RSI settings (e.g., length = 14, overbought = 70, oversold = 30).
Optionally enable the trend filter (e.g., SMA with a length of 50).
Add the indicator to your chart and monitor Buy/Sell signals along with alerts.
Inputs & Customization Options:
RSI Settings:
Source: Default = Close
Length: Default = 14
Overbought Level: Default = 70
Oversold Level: Default = 30
Pattern Toggles:
Enable/Disable specific candlestick patterns based on your strategy.
Trend Filter Settings:
Moving Average Type: SMA or EMA
Moving Average Length: Default = 50
Alerts:
Alerts for Buy and Sell signals can be activated through TradingView's alert system.
Why Use This Indicator?
The Fshariar Enhanced Pattern Indicator with RSI combines price action analysis with momentum and trend filtering to provide high-quality trading signals. It simplifies decision-making by visually highlighting key opportunities while reducing noise from false signals.
Important Notes:
The indicator is designed for educational purposes and should be used as part of a broader trading strategy.
Always backtest and validate the indicator's performance before applying it to live trading.
This script does not guarantee profitability; it is intended to assist in technical analysis.
FShariar
My Script//@version=6
strategy("My Script")
rsi = rsi(close, 14)
rsi_d = security(syminfo.tickerid, "D", rsi)
rsi_w = security(syminfo.tickerid, "W", rsi)
rsi_m = security(syminfo.tickerid, "M", rsi)
if crossover(rsi, 40) and rsi_d > 40 and rsi_w > 40 and rsi_m > 40
strategy.entry("buy", strategy.long)
if crossover(rsi, 60)
strategy.close("buy")
Gold Scalping Strategy (5min EMA, RSI, MACD, VPVR)//@version=5
indicator("Gold Scalping Strategy (5min EMA, RSI, MACD, VPVR)", overlay=true)
// 🔹 1. EMA 50 & EMA 200 sur un timeframe supérieur (15 min)
ema50 = ta.ema(request.security(syminfo.tickerid, "15", close), 50)
ema200 = ta.ema(request.security(syminfo.tickerid, "15", close), 200)
// Détection des croisements (Golden Cross & Death Cross)
goldenCross = ta.crossover(ema50, ema200)
deathCross = ta.crossunder(ema50, ema200)
plot(ema50, title="EMA 50 (15m)", color=color.blue, linewidth=2)
plot(ema200, title="EMA 200 (15m)", color=color.red, linewidth=2)
// 🔹 2. RSI (Relative Strength Index) sur 5 min
rsi = ta.rsi(close, 14)
rsiOverbought = 70
rsiOversold = 30
hline(rsiOverbought, "Surachat (70)", color=color.red)
hline(rsiOversold, "Survente (30)", color=color.green)
// Détection des signaux RSI
rsiBuySignal = ta.crossover(rsi, rsiOversold)
rsiSellSignal = ta.crossunder(rsi, rsiOverbought)
// 🔹 3. MACD (12,26,9) sur 5 min
= ta.macd(close, 12, 26, 9)
macdBuy = ta.crossover(macdLine, signalLine)
macdSell = ta.crossunder(macdLine, signalLine)
plot(macdLine, title="MACD Line", color=color.blue)
plot(signalLine, title="Signal Line", color=color.red)
// 🔹 4. Volume Profile basé sur 1H pour détecter les zones clés
vp = request.security(syminfo.tickerid, "60", ta.highest(close, 50))
plot(vp, title="Zone de volume", color=color.gray, style=plot.style_circles)
// ✅ Alertes automatiques adaptées au 5 min
alertcondition(goldenCross, title="Golden Cross (Achat)", message="EMA 50 a croisé EMA 200 à la hausse!")
alertcondition(deathCross, title="Death Cross (Vente)", message="EMA 50 a croisé EMA 200 à la baisse!")
alertcondition(rsiBuySignal, title="RSI Achat", message="RSI est en zone de survente (<30)!")
alertcondition(rsiSellSignal, title="RSI Vente", message="RSI est en zone de surachat (>70)!")
alertcondition(macdBuy, title="MACD Achat", message="MACD croise au-dessus du signal!")
alertcondition(macdSell, title="MACD Vente", message="MACD croise en dessous du signal!")
// Affichage des signaux sur le graphique
bgcolor(goldenCross ? color.green : na, transp=80)
bgcolor(deathCross ? color.red : na, transp=80)
Bearish Strategy Signal
Overview
This Bearish Strategy Signal Pine Script for TradingView helps traders identify potential sell opportunities based on a combination of multiple technical indicators, aiming to reduce false signals and increase the probability of successful trades. The script combines trend , momentum , breakout , and volume confirmation for generating high-confidence sell signals.
Technical Indicators Used
1. Moving Averages (50-period and 200-period):
- Determines whether the market is in a downtrend. A 50-period moving average below the 200-period moving average is a strong bearish trend confirmation.
2. MACD (Moving Average Convergence Divergence):
- Confirms bearish momentum when the MACD line crosses below the signal line .
3. RSI (Relative Strength Index):
- Indicates if the market is in a bearish zone (below 50 ) and confirms strength when RSI crosses under 50 .
4. Bollinger Bands:
- Confirms potential breakdowns when the price is below the middle Bollinger Band , suggesting a bearish continuation.
5. Volume:
- Confirms the bearish move when volume is greater than its 20-period moving average , indicating strong selling interest.
How the Script Works
This script generates red "SELL" labels above the bars whenever all of the following conditions are met:
1. The 50-day moving average is below the 200-day moving average , confirming a bearish trend.
2. The MACD line crosses below the signal line , signaling a momentum shift to the downside.
3. The RSI is below 50 and crosses under this level, signaling increasing bearish strength.
4. The price breaks below the middle Bollinger Band , confirming a breakdown in price.
5. The volume is above the 20-period average , supporting the bearish move with strong sell pressure.
User Configuration
- Moving Average Lengths : The 50-day and 200-day moving averages can be configured.
- MACD Settings : The Fast Length (12), Slow Length (26), and Signal Length (9) for the MACD can be adjusted.
- RSI Settings : The RSI Length (14) and RSI Threshold (default 50) are configurable.
- Bollinger Bands Settings : The Bollinger Bands Length (20) and Std Dev (2.0) can be adjusted.
- Volume Settings : The Volume SMA Length (20) can be adjusted to filter for strong volume spikes.
How to Use the Script
1. Open TradingView and go to the Pine Editor .
2. Paste the provided code into the editor.
3. Click Add to Chart to see the signals on your chart.
4. Adjust the settings to suit your preferences.
5. Watch for red "SELL" labels above the bars to identify bearish signals.
Combined RSI, CCI & Stoch Osc (Unified OB/OS)CCI, RSI and Stochastic Osc combined and normalized. identifies trend reversals.
RSI Early Signal Indicator(SO)
provides fast moving RSI SMA crossover signal only when price moves past an extended range to give infrequent but reliable correction signal
RSI Failure Swing Pattern (with Alerts & Targets)RSI Failure Swing Pattern Indicator – Detailed Description
Overview
The RSI Failure Swing Pattern Indicator is a trend reversal detection tool based on the principles of failure swings in the Relative Strength Index (RSI). This indicator identifies key reversal signals by analyzing RSI swings and confirming trend shifts using predefined overbought and oversold conditions.
Failure swing patterns are one of the strongest RSI-based reversal signals, initially introduced by J. Welles Wilder. This indicator detects these patterns and provides clear buy/sell signals with labeled entry, stop-loss, and profit target levels. The tool is designed to work across all timeframes and assets.
How the Indicator Works
The RSI Failure Swing Pattern consists of two key structures:
1. Bullish Failure Swing (Buy Signal)
Occurs when RSI enters oversold territory (below 30), recovers, forms a higher low above the oversold level, and finally breaks above the intermediate swing high in RSI.
Step 1: RSI dips below 30 (oversold condition).
Step 2: RSI rebounds and forms a local peak.
Step 3: RSI retraces but does not go below the previous low (higher low confirmation).
Step 4: RSI breaks above the previous peak, confirming a bullish trend reversal.
Buy signal is triggered at the breakout above the RSI peak.
2. Bearish Failure Swing (Sell Signal)
Occurs when RSI enters overbought territory (above 70), declines, forms a lower high below the overbought level, and then breaks below the intermediate swing low in RSI.
Step 1: RSI rises above 70 (overbought condition).
Step 2: RSI declines and forms a local trough.
Step 3: RSI bounces but fails to exceed the previous high (lower high confirmation).
Step 4: RSI breaks below the previous trough, confirming a bearish trend reversal.
Sell signal is triggered at the breakdown below the RSI trough.
Features of the Indicator
Custom RSI Settings: Adjustable RSI length (default 14), overbought/oversold levels.
Buy & Sell Signals: Buy/sell signals are plotted directly on the price chart.
Entry, Stop-Loss, and Profit Targets:
Entry: Price at the breakout of the RSI failure swing pattern.
Stop-Loss: Lowest low (for buy) or highest high (for sell) of the previous two bars.
Profit Targets: Two levels calculated based on Risk-Reward ratios (1:1 and 1:2 by default, customizable).
Labeled Price Levels:
Entry Price Line (Blue): Marks the point of trade entry.
Stop-Loss Line (Red): Shows the calculated stop-loss level.
Target 1 Line (Orange): Profit target at 1:1 risk-reward ratio.
Target 2 Line (Green): Profit target at 1:2 risk-reward ratio.
Alerts for Trade Execution:
Buy/Sell signals trigger alerts for real-time notifications.
Alerts fire when price reaches stop-loss or profit targets.
Works on Any Timeframe & Asset: Suitable for stocks, forex, crypto, indices, and commodities.
Why Use This Indicator?
Highly Reliable Reversal Signals: Unlike simple RSI overbought/oversold strategies, failure swings filter out false breakouts and provide strong confirmation of trend reversals.
Risk Management Built-In: Stop-loss and take-profit levels are automatically set based on historical price action and risk-reward considerations.
Easy-to-Use Visualization: Clearly marked entry, stop-loss, and profit target levels make it beginner-friendly while still being valuable for experienced traders.
How to Trade with the Indicator
Buy Trade Example (Bullish Failure Swing)
RSI drops below 30 and recovers.
RSI forms a higher low and then breaks above the previous peak.
Entry: Buy when RSI crosses above its previous peak.
Stop-Loss: Set below the lowest low of the previous two candles.
Profit Targets:
Target 1 (1:1 Risk-Reward Ratio)
Target 2 (1:2 Risk-Reward Ratio)
Sell Trade Example (Bearish Failure Swing)
RSI rises above 70 and then declines.
RSI forms a lower high and then breaks below the previous trough.
Entry: Sell when RSI crosses below its previous trough.
Stop-Loss: Set above the highest high of the previous two candles.
Profit Targets:
Target 1 (1:1 Risk-Reward Ratio)
Target 2 (1:2 Risk-Reward Ratio)
Final Thoughts
The RSI Failure Swing Pattern Indicator is a powerful tool for traders looking to identify high-probability trend reversals. By using the RSI failure swing concept along with built-in risk management tools, this indicator provides a structured approach to trading with clear entry and exit points. Whether you’re a day trader, swing trader, or long-term investor, this indicator helps in capturing momentum shifts while minimizing risk.
Would you like any modifications or additional features? 🚀
DataDoodles RSI Screener - ForexDataDoodles RSI Screener - Forex
📌 Overview
The DataDoodles RSI Screener is a powerful multi-symbol RSI analyzer designed for Forex traders. This script provides an intuitive visual representation of the Relative Strength Index (RSI) across multiple Forex pairs, allowing traders to quickly identify overbought/oversold conditions, trends, and momentum shifts.
📌 Key Features
✅ Multi-Symbol RSI Screener – Monitors RSI across 40 major Forex pairs in a single view.
✅ Custom RSI Source – Choose between Price, OBV, or Open Interest as the RSI calculation source.
✅ Multiple Timeframes Support – Customize RSI timeframe for a multi-timeframe analysis.
✅ Gradient Coloring & Heatmap – Dynamic color coding makes it easy to spot strong and weak RSI levels.
✅ RSI Change Lines – Tracks previous RSI values to show historical momentum shifts.
✅ Group Average RSI Mode – Aggregates RSI values to generate a market-wide sentiment index.
✅ Customizable Display Options – Adjust label spacing, offsets, and appearance settings for personalized visualization.
✅ Interactive Table Header – Displays timeframe, RSI length, and source information for quick reference.
✅ Support & Resistance Levels – Plots RSI-based support/resistance zones to highlight potential trading opportunities.
📌 How to Use
1️⃣ Add the script to your chart (select a Forex pair, but the screener will analyze multiple pairs).
2️⃣ Configure settings like RSI length, source, timeframe, and visualization preferences.
3️⃣ Observe RSI trends, heatmap colors, and screener labels to identify market opportunities.
4️⃣ Use the Group Average RSI mode to assess overall market strength.
📌 Ideal For
✔ Forex traders looking for a quick RSI screener across multiple pairs.
✔ Swing & day traders who use RSI-based strategies to time entries and exits.
✔ Anyone who wants a visual & easy-to-read RSI dashboard.
🔥 Upgrade your Forex trading with the DataDoodles RSI Screener! 🚀
RSI Signal with filters by S.Kodirov📌 English
RSI Signal with Multi-Timeframe Filters
This TradingView indicator generates RSI-based buy and sell signals on the 15-minute timeframe with additional filtering from other timeframes (5M, 30M, 1M).
🔹 Signal Types:
✅ 15/5B & 15/5S – RSI 15M filtered by 5M
✅ 15/30/1B & 15/30/1S – RSI 15M filtered by 30M & 1M
✅ 15B & 15S – RSI 15M without filters
🔹 How It Works:
Signals are displayed as colored triangles on the chart.
Labels indicate the type of signal (e.g., 15/5B, 15S).
Alerts notify users when a signal appears.
🚀 Best for short-term trading with RSI confirmation from multiple timeframes!
📌 Русский
Индикатор RSI с мульти-таймфрейм фильтрами
Этот индикатор для TradingView генерирует сигналы покупки и продажи на 15-минутном таймфрейме, используя фильтрацию с других таймфреймов (5M, 30M, 1M).
🔹 Типы сигналов:
✅ 15/5B & 15/5S – RSI 15M с фильтром 5M
✅ 15/30/1B & 15/30/1S – RSI 15M с фильтрами 30M и 1M
✅ 15B & 15S – RSI 15M без фильтров
🔹 Как это работает:
Сигналы отображаются как цветные треугольники на графике.
Подписи показывают тип сигнала (например, 15/5B, 15S).
Алерты уведомляют трейдера о появлении сигнала.
🚀 Идеально для краткосрочной торговли с подтверждением RSI на нескольких таймфреймах!
📌 O'zbekcha
Ko'p vaqt oralig‘idagi RSI signallari
Ushbu TradingView indikatori 15 daqiqalik vaqt oralig‘ida RSI asosida sotib olish va sotish signallarini yaratadi. Bundan tashqari, boshqa vaqt oralig‘idagi (5M, 30M, 1M) RSI filtrlarini ham hisobga oladi.
🔹 Signal turlari:
✅ 15/5B & 15/5S – 5M bilan filtrlangan RSI 15M
✅ 15/30/1B & 15/30/1S – 30M va 1M bilan filtrlangan RSI 15M
✅ 15B & 15S – Filtrsiz RSI 15M
🔹 Qanday ishlaydi?
Signallar rangli uchburchaklar shaklida ko‘rsatiladi.
Yozuvlar signal turini ko‘rsatadi (masalan, 15/5B, 15S).
Xabarnomalar yangi signal paydo bo‘lganda treyderni ogohlantiradi.
🚀 Ko‘p vaqt oralig‘ida RSI tasdig‘i bilan qisqa muddatli savdo uchun ideal!
Relative Strength Index 2 / StochasticCombined RSI 2 and Stochastic 5-3-3
You may want to fiddle with the colours.
TRENDOGRAPH-GenAIIntroduction
Unlock the power of early trend detection with TRENDOGRAPH! This flexible and customizable indicator, developed with unique logic and AI support, leverages advanced prediction methods to provide early buy/sell signals, setting it apart from traditional indicators.
Key Features
MACD Histogram: Measures momentum changes.
MACD Reversal: Detects potential trend reversals.
RSI: Identifies overbought or oversold conditions.
Ichimoku: Analyzes support and resistance levels.
Stochastic: Highlights potential price reversals.
Supertrend: Confirms trend direction.
Customization
Adjust the weights of each indicator to find the most accurate combination for your trading strategy. Experiment with different parameters to optimize performance for various assets.
Warnings!
Each chart has unique characteristics.
Use different parameters for crypto and stocks for maximum accuracy.
Validate parameter weights and threshold levels with historical data for each asset.
This tool is designed to help you create your own unique indicator, not as a standalone solution.
Disclaimer: Use at your own risk. This indicator is for testing and comparison purposes only.
RSI Divergence_v1This indicator detects RSI Divergences (both regular and reverse) to identify potential reversals and trend continuations. It integrates ADX & DI for trend strength confirmation, MACD from the weekly timeframe for momentum validation, and ATR-based stop loss levels for risk management.
Have back tested with Nifty50 with Positive returns and Drawdown %. TIA.
ترکیب اندیکاتورها برای سیگنالهای پیشرفته//@version=5
indicator("ترکیب اندیکاتورها برای سیگنالهای پیشرفته", overlay=true)
// تنظیمات پارامترهای اندیکاتورها
fast_length = input.int(9, title="طول دوره MA سریع")
slow_length = input.int(21, title="طول دوره MA کند")
rsi_length = input.int(14, title="طول دوره RSI")
macd_fast_length = input.int(12, title="طول دوره MACD سریع")
macd_slow_length = input.int(26, title="طول دوره MACD کند")
macd_signal_length = input.int(9, title="طول دوره سیگنال MACD")
// محاسبه میانگینهای متحرک
fast_ma = ta.sma(close, fast_length)
slow_ma = ta.sma(close, slow_length)
// محاسبه RSI
rsi = ta.rsi(close, rsi_length)
// محاسبه MACD
= ta.macd(close, macd_fast_length, macd_slow_length, macd_signal_length)
// شرایط برای سیگنالها
buy_condition = (ta.crossover(fast_ma, slow_ma)) and (rsi < 30) and (macd_line > signal_line)
sell_condition = (ta.crossunder(fast_ma, slow_ma)) and (rsi > 70) and (macd_line < signal_line)
// نمایش سیگنالها روی نمودار
plotshape(series=buy_condition, title="سیگنال خرید", location=location.belowbar, color=color.green, style=shape.labelup, text="خرید")
plotshape(series=sell_condition, title="سیگنال فروش", location=location.abovebar, color=color.red, style=shape.labeldown, text="فروش")
// هشدارها برای سیگنالها
alertcondition(buy_condition, title="سیگنال خرید", message="سیگنال خرید ایجاد شد!")
alertcondition(sell_condition, title="سیگنال فروش", message="سیگنال فروش ایجاد شد!")