Rsi & Ema Optimization Buy-Sell Signal Cuneyt UgurThis indicator is a beta version indicator that aims to generate trading signals by optimizing the RSI (Relative Strength Index) and EMA (Exponential Moving Average) indicators.
Short and long exponential moving averages catch the breaks by following the trends of the bottom and top values of price movements in a certain period, cleared of contradictions. In addition, for RSI, it optimizes the bottom and top points of the RSI and creates buy and sell signals where there are parallels with the price breakdowns.
Recommendation for use: It is recommended to use it for at least 1 hour.d: At least 1 hour.
Penunjuk Breadth
Order Block Finder//@version=5
indicator("Order Block Finder", overlay=true)
// Input settings
blockLookback = input(20, title="Lookback Period")
minBlockSize = input(5, title="Minimum Block Size (Pips)") * syminfo.mintick
maxBlockAge = input(50, title="Maximum Block Age (Bars)")
combineCloseBlocks = input(true, title="Combine Close Blocks")
topSwingHigh = ta.highest(high, blockLookback)
topSwingLow = ta.lowest(low, blockLookback)
// Identifying Order Blocks
bullishBlock = ta.crossover(close, topSwingLow)
bearishBlock = ta.crossunder(close, topSwingHigh)
var float blockHigh = na
var float blockLow = na
var int blockAge = 0
if bullishBlock
blockHigh := high
blockLow := low
blockAge := 0
if bearishBlock
blockHigh := high
blockLow := low
blockAge := 0
blockAge := blockAge + 1
validBlock = blockAge < maxBlockAge
// Display Order Blocks
blockColor = bullishBlock ? color.green : bearishBlock ? color.red : na
if validBlock and not na(blockHigh) and not na(blockLow)
bgColor = color.new(blockColor, 80)
box.new(left=bar_index, right=bar_index + maxBlockAge, top=blockHigh, bottom=blockLow, border_color=blockColor, bgcolor=bgColor)
// Display Block Information Label
if validBlock
label.new(x=bar_index, y=blockHigh, text="Order Block", color=blockColor, textcolor=color.white, style=label.style_label_down)
Raj-ADRraj adr
ADR for past 5 Days
Upper Range = Day Open + Absolute value of ((5 days ago High - 5 days ago Low + 4 days ago High - 4 days ago Low + 3 days ago High - 3 days ago Low + 2 days ago High - 2 days ago Low + 1 day ago High - 1 day ago Low)/5)/2
Lower Range = Day Open - Absolute value of ((5 days ago High - 5 days ago Low + 4 days ago High - 4 days ago Low + 3 days ago High - 3 days ago Low + 2 days ago High - 2 days ago Low + 1 day ago High - 1 day ago Low)/5)/2
Session Boxes//@version=6
indicator("Session Boxes", overlay=true)
// Sessions Definitionen
tokyo_start = timestamp(year(time), month(time), dayofmonth(time), 0, 0)
tokyo_end = timestamp(year(time), month(time), dayofmonth(time), 9, 0)
london_start = timestamp(year(time), month(time), dayofmonth(time), 7, 0)
london_end = timestamp(year(time), month(time), dayofmonth(time), 16, 0)
newyork_start = timestamp(year(time), month(time), dayofmonth(time), 12, 0)
newyork_end = timestamp(year(time), month(time), dayofmonth(time), 21, 0)
// Farben (dezent)
color_tokyo = color.rgb(204, 204, 204, 50)
color_london = color.rgb(170, 170, 170, 50)
color_newyork = color.rgb(136, 136, 136, 50)
// Funktion zum Zeichnen der Session-Boxen
sessionBox(startTime, endTime, sessionColor) =>
var int startIndex = na
var int endIndex = na
var float sessionHigh = na
var float sessionLow = na
isSession = (time >= startTime and time <= endTime)
if isSession
if na(startIndex)
startIndex := bar_index
sessionHigh := high
sessionLow := low
endIndex := bar_index
sessionHigh := math.max(sessionHigh, high)
sessionLow := math.min(sessionLow, low)
if not na(startIndex) and not na(endIndex)
box.new(left=int(startIndex), right=int(endIndex), top=sessionHigh, bottom=sessionLow, bgcolor=sessionColor, border_color=sessionColor)
// Sessions auf dem Chart zeichnen
sessionBox(tokyo_start, tokyo_end, color_tokyo)
sessionBox(london_start, london_end, color_london)
sessionBox(newyork_start, newyork_end, color_newyork)
Ichimoku Cloud - Colored TrendsIchimoku Cloud Indicator for Cryptocurrencies: A Comprehensive Market View
Unleash the power of the Ichimoku Cloud, reimagined for the dynamic world of cryptocurrencies. This technical indicator combines multiple elements into a single chart, offering a clear and deep perspective on market trends, key support and resistance levels, and potential entry and exit points.
Key Features:
Tenkan-sen (Conversion Line): Captures short-term movements with a moving average of the past 9 periods.
Kijun-sen (Base Line): Establishes market direction with a 26-period moving average.
Senkou Span A and B (Cloud Lines): Projects future support and resistance levels, forming the iconic "cloud" that predicts bullish or bearish trends.
Chikou Span (Lagging Line): Provides historical perspective by reflecting the current price 26 periods back.
Optimized for the volatility and unpredictable nature of cryptocurrencies, this indicator not only identifies trends but also helps traders navigate complex markets with confidence. Whether you’re looking to confirm a bullish trend or spot an imminent reversal, the Ichimoku Cloud for cryptocurrencies is your compass in the trading world.
-
Indicador de la Nube de Ichimoku para Criptomonedas: Una Visión Integral del Mercado
Descubre el poder de la Nube de Ichimoku, reinventada para el dinámico mundo de las criptomonedas. Este indicador técnico combina múltiples elementos en un solo gráfico, proporcionando una perspectiva clara y profunda de las tendencias del mercado, niveles clave de soporte y resistencia, y posibles puntos de entrada y salida.
Características principales:
Tenkan-sen (Línea de Conversión): Captura movimientos a corto plazo con un promedio móvil de los últimos 9 períodos.
Kijun-sen (Línea Base): Establece la dirección del mercado con un promedio móvil de 26 períodos.
Senkou Span A y B (Líneas de la Nube): Proyectan niveles futuros de soporte y resistencia, formando la icónica "nube" que predice tendencias alcistas o bajistas.
Chikou Span (Línea de Retraso): Ofrece una perspectiva histórica al reflejar el precio actual 26 períodos atrás.
Optimizado para la volatilidad y la naturaleza impredecible de las criptomonedas, este indicador no solo identifica tendencias, sino que también ayuda a los traders a navegar con confianza en mercados complejos. Ya sea que busques confirmar una tendencia alcista o detectar una reversión inminente, la Nube de Ichimoku para criptomonedas es tu brújula en el mundo del trading.
ForexMasterStochastic//@version=5
indicator(title="ForexMasterStochastic", shorttitle="Stoch", format=format.price, precision=2, timeframe="", timeframe_gaps=true)
periodK = input.int(14, title="%K Length", minval=1)
smoothK = input.int(3, title="%K Smoothing", minval=1)
periodD = input.int(3, title="%D Smoothing", minval=1)
k = ta.sma(ta.stoch(close, high, low, periodK), smoothK)
d = ta.sma(k, periodD)
plot(k, title="%K", color=#2962FF)
plot(d, title="%D", color=#FF6D00)
h0 = hline(80, "Upper Band", color=#787B86)
hline(50, "Middle Band", color=color.new(#787B86, 50))
h1 = hline(20, "Lower Band", color=#787B86)
fill(h0, h1, color=color.rgb(33, 150, 243, 90), title="Background")
RSI Buy & Sell Signalgenerates Buy and Sell signals using the Relative Strength Index (RSI) indicator on TradingView. The indicator allows users to customize the RSI period length, overbought level (default 70), and oversold level (default 30). A Buy signal is triggered when the RSI crosses above the oversold level, indicating a potential price reversal from a bearish trend, marked by a green triangle below the candlestick with the label BUY. Conversely, a Sell signal is generated when the RSI crosses below the overbought level, signaling a potential price reversal from a bullish trend, marked by a red triangle above the candlestick with the label SELL. The script also includes automatic alert notifications through the alertcondition() function, helping traders receive instant updates without constant chart monitoring.
Rolling VWAPRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name PhucRolling vwap Name Phuc
OHLC & OLHC 2 Breakoutsndicator
This indicator detects OHLC and OLHC 2 Breakouts based on price action. It helps traders identify valid and invalid breakouts by marking them on the chart.
Features:
✅ Detects valid & invalid OHLC and OLHC 2 breakouts
✅ Plots signals for breakout confirmations
✅ Alerts for valid breakout opportunities
✅ Works on any timeframe, optimized for XAU/USD (Gold) 30m & 1H
How to Use:
1. Add this indicator to your TradingView chart.
2. Watch for green & blue signals (valid breakouts).
3. Use alerts to get notified of breakout opportunities.
4. Combine with other trading strategies for higher accuracy.
Recommended Markets: XAU/USD (Gold), Forex, Indices
Hedge timesIndicates Market phases, where its a good idea to hedge stock portfolios against index futures.
Used on ES or NQ, red phases should indicate fully hedged phases which, should preserve capital.
Hedges should be closed on entering green phases the latest
PSAR with AO and RSIThis script is a Parabolic SAR-based trading strategy enhanced with Awesome Oscillator (AO) confirmation and sideways market detection using RSI. It generates Buy and Sell signals based on the following conditions:
tread plusHow It Works:
The script now includes a 15-period SMA line on the chart.
The Mother Candle and Baby Candle logic remains unchanged.
Buy and Sell signals are still generated based on the Mother Candle's high and low levels.
Example Use Case:
You can use the 15-period SMA as an additional filter for your signals. For example:
Only take Buy Signals if the price is above the 15-period SMA.
Only take Sell Signals if the price is below the 15-period SMA.
If you'd like to add such a filter, let me know, and I can update the script further!
Volume ClueThis is a test
Volume clues :
Within volume there are hints given when volume has massive increases and also when volume is low i will reffer to low volume as volume stalls.
A High volume bar with the color Red followed by some yellow and white volume bars signal seller exhaustion.
SQC These indicator will help you to find out quantity of stock based on your risk per trade divide by difference of high and low of candle.
EMA Cross CounterEMA Cross Counter – Trend & Crossover Analyzer
🔥 Description
The EMA Cross Counter is an advanced indicator designed to detect price crossovers with the EMA 200 and provide insightful trend analysis. It highlights valid signals and displays success statistics directly on the chart.
🎯 Key Features
✅ Crossover Detection: Identifies moments when the price crosses the EMA 200 upward or downward.
✅ Signal Filtering: Valid signals (leading to sustained trends) are shown in blue, while invalid signals are faded.
✅ Performance Analysis: A statistics table shows the number of crossovers and their success rate.
✅ Dynamic EMA Coloring:
🟢 Green when the trend is bullish
🔴 Red when the trend is bearish
⚪ Gray when the market is in a range
✅ Range Detection: If the price remains within a narrow range for 30 candles, the EMA turns gray to indicate trend uncertainty.
✅ Stop-Loss (SL) Display: A dashed red line appears below sell signals and above buy signals (adjustable in pips).
✅ Automatic Alerts: Get notified when a significant crossover occurs.
📈 How to Use It?
1️⃣ Look for blue signals as potential trade entries.
2️⃣ Avoid trading when the EMA is gray (ranging market).
3️⃣ Use success rate statistics to evaluate crossover reliability.
4️⃣ Adjust SL distance in the settings to match your risk management strategy.
🛠 Customization Options
Adjustable EMA period
Configurable range threshold
SL distance customizable in pips
Enable/Disable alerts
💡 Ideal for scalping and swing trading, this indicator offers clear trend insights to enhance your decision-making process!
💬 Try it out and share your feedback! 🚀
Volume Pressure Histogram (Normalized)Overview
The Volume Pressure Histogram is designed to help traders analyze buying and selling pressure using real volume data.
Unlike traditional momentum indicators that rely solely on price movements, VPH measures the strength of bullish and bearish volume, providing insights into market participation.
How It Works
The histogram represents the difference between buying and selling volume over a selected period.
Green bars indicate strong buying pressure, while red bars signal strong selling pressure.
Lime and orange bars (if enabled) represent moderate buying and selling activity.
A white signal line smooths volume data to track momentum shifts over time.
How to Use It
Trend Confirmation: When price is rising and green bars increase, the trend is supported by real buying pressure.
Reversal Detection: If price makes a new high but green bars shrink, buyers may be losing strength.
Breakout Strength: A breakout with rising volume pressure confirms strong participation, while weak volume pressure suggests a potential fake move.
Divergence Signals: If price moves higher, but volume pressure declines, the move may lack conviction and could reverse.
Customization Options
Threshold Multiplier (default = 20) controls when green and red bars appear, filtering out weaker signals.
Log Scale Option helps normalize extreme volume spikes.
Adjustable Smoothing Length for both the histogram and signal line.
Why Use This Indicator
Provides a volume-based approach to analyzing market trends.
Can confirm or contradict price movements, helping identify strong or weak trends.
Works across multiple markets, including stocks, forex, crypto, and indices.
This indicator is designed for educational and informational purposes only and does not provide financial advice.
Consecutive Close Tracker (CCT)Consecutive Close Tracker (CCT) Indicator
The Consecutive Close Tracker (CCT) is a powerful momentum and breakout detection tool designed to identify consecutive bullish and bearish closes, potential reversals, and breakout points. By tracking consecutive candle closes and plotting key levels, this indicator provides traders with visual cues to recognize trend continuations, reversals, and breakout opportunities effectively.
🔹 Key Features of CCT
1️⃣ Consecutive Move Lines (Green/Red/Yellow Lines)
Tracks three consecutive bullish or bearish closes.
If the fourth candle confirms the trend, a green line (bullish) or red line (bearish) is drawn.
If the fourth candle fails to confirm, a yellow line is drawn, signaling potential indecision.
Helps traders spot trend continuations and exhaustion points.
2️⃣ Reversal Detection Lines (Cyan & Light Red)
Identifies bullish and bearish reversals based on three higher/lower closes followed by a reversal.
A cyan line indicates a bullish reversal, while a light red line signals a bearish reversal.
Useful for traders looking for trend reversals and key turning points.
3️⃣ Breakout Line (Dynamic Resistance/Support Level)
Automatically calculates a breakout level based on the previous timeframe’s open and close.
Can be customized to use different timeframes (e.g., hourly, daily, weekly).
Acts as a dynamic resistance or support level, helping traders determine breakout opportunities.
🔍 How to Use the Indicator?
✅ 1. Spotting Trend Continuations with Consecutive Move Lines
Green Line: Three consecutive bullish closes followed by a fourth higher close.
🚀 Indicates strong buying pressure & potential uptrend continuation.
Red Line: Three consecutive bearish closes followed by a fourth lower close.
📉 Indicates strong selling pressure & potential downtrend continuation.
Yellow Line: Three consecutive closes, but the fourth candle fails to confirm.
⚠️ Signals possible indecision or trend exhaustion.
🔥 Best Strategy:
If a green line appears near support, consider long entries.
If a red line appears near resistance, consider short entries.
If a yellow line appears, wait for further confirmation before entering a trade.
✅ 2. Identifying Trend Reversals with Reversal Lines
Cyan Line: A bearish trend with three consecutive lower closes, followed by a bullish candle → Possible uptrend reversal.
Light Red Line: A bullish trend with three consecutive higher closes, followed by a bearish candle → Possible downtrend reversal.
🔥 Best Strategy:
If a cyan line appears near a major support level, look for long entry opportunities.
If a light red line appears near resistance, prepare for a potential short entry.
Use these lines in combination with candlestick patterns (e.g., bullish engulfing, pin bars) for confirmation.
✅ 3. Using the Breakout Line for Key Entry & Exit Points
The breakout line represents a key dynamic level (midpoint of the previous timeframe’s open & close).
If price breaks above the breakout line, it suggests bullish momentum → Consider long trades.
If price breaks below the breakout line, it suggests bearish momentum → Consider short trades.
🔥 Best Strategy:
Use the breakout line in combination with support & resistance levels.
When price approaches the breakout line, watch for confirmation candles before entering a trade.
The breakout line can also act as a stop-loss or take-profit level.
🎯 How to Utilize CCT Effectively?
✅ For Intraday Traders
Use the consecutive close tracker on a 5M or 15M chart to catch short-term trends.
Watch for reversal lines near major intraday support/resistance for quick scalping opportunities.
Use the breakout line from the hourly chart to identify potential trend shifts.
✅ For Swing Traders
Apply the indicator on 1H, 4H, or daily charts to track medium-term trends.
Look for green/red lines near key Fibonacci retracement or pivot levels.
Use reversal lines to detect early trend reversals before bigger moves occur.
✅ For Breakout Traders
Focus on the breakout line on higher timeframes (e.g., 1H, 4H, Daily) to identify strong momentum shifts.
If price crosses the breakout line with strong volume, enter trades with trend confirmation.
Place stop-loss just below the breakout level for controlled risk management.
🏆 Final Thoughts
The Consecutive Close Tracker (CCT) is a powerful momentum and reversal indicator that helps traders:
✅ Identify strong trend continuations (green/red lines).
✅ Detect early reversal points (cyan/light red lines).
✅ Use a dynamic breakout line for better trade entries & exits.
Whether you’re an intraday trader, swing trader, or breakout trader, this tool can enhance your market insights and improve your trading decisions. 📈🔥
🚀 Try it out, and integrate it with your strategy to maximize its potential! 🚀
IMMU TRADERthis is orb indicator for open range breakout you can use in stock or make a rule and enjoy
ATR Table with Average [filatovlx]ATR indicator with advanced analytics
Description:
The ATR (Average True Range) indicator is a powerful tool for analyzing market volatility. Our indicator not only calculates the classic ATR, but also provides additional metrics that will help traders make more informed decisions. The indicator displays key values in a convenient table, which makes it ideal for trading in any market: stocks, forex, cryptocurrencies and others.
Main functions:
Current ATR value:
Current ATR (Points) — the current ATR value in points. It shows the absolute level of volatility.
Current ATR (%) — the current ATR value as a percentage of the price. It helps to estimate the volatility relative to the current price of an asset.
The ATR value on the previous bar:
ATR 1 Bar Ago (Points) — the ATR value on the previous bar in points. Allows you to compare the current volatility with the previous one.
ATR 1 Bar Ago (%) — the ATR value on the previous bar as a percentage. It is convenient for analyzing changes in volatility
Индикатор ATR с расширенной аналитикой
Описание:
Индикатор ATR (Average True Range) — это мощный инструмент для анализа волатильности рынка. Наш индикатор не только рассчитывает классический ATR, но и предоставляет дополнительные метрики, которые помогут трейдерам принимать более обоснованные решения. Индикатор отображает ключевые значения в удобной таблице, что делает его идеальным для использования в торговле на любых рынках: акции, форекс, криптовалюты и другие.
Основные функции:
Текущее значение ATR:
Current ATR (Points) — текущее значение ATR в пунктах. Показывает абсолютный уровень волатильности.
Current ATR (%) — текущее значение ATR в процентах от цены. Помогает оценить волатильность относительно текущей цены актива.
Значение ATR на предыдущем баре:
ATR 1 Bar Ago (Points) — значение ATR на предыдущем баре в пунктах. Позволяет сравнить текущую волатильность с предыдущей.
ATR 1 Bar Ago (%) — значение ATR на предыдущем баре в процентах. Удобно для анализа изменения волатильности.
Среднее значение ATR за последние 5 баров:
ATR Avg (5 Bars) (Points) — среднее значение ATR за последние 5 баров в пунктах. Показывает сглаженный уровень волатильности.
ATR Avg (5 Bars) (%) — среднее значение ATR за последние 5 баров в процентах. Помогает оценить общий тренд волатильности.
Преимущества индикатора:
Удобство использования: Все ключевые значения выводятся в компактной таблице, что экономит время на анализ.
Гибкость: Возможность настройки периода ATR и длины скользящего среднего под ваши торговые стратегии.
Универсальность: Подходит для любых рынков и таймфреймов.
Наглядность: Процентные значения ATR помогают быстро оценить уровень волатильности относительно цены актива.
Повышение точности: Дополнительные метрики (например, среднее значение ATR) позволяют лучше понимать текущую рыночную ситуацию.
Для кого этот индикатор?
Трейдеры, которые хотят лучше понимать волатильность рынка.
Скальперы и внутридневные трейдеры, которым важно быстро оценивать изменения волатильности.
Инвесторы, которые используют ATR для определения стоп-лоссов и тейк-профитов.
Разработчики торговых стратегий, которым нужны точные данные для тестирования и оптимизации.
Как это работает?
Индикатор автоматически рассчитывает все значения и выводит их в таблицу на графике. Вам не нужно вручную считать или анализировать данные — просто добавьте индикатор на график, и вся информация будет перед вами.