Gelişmiş RSI ve Trend TablosuGelişmiş RSI ve Trend Tablosu
Bu indikatör, fiyatın farklı zaman dilimlerinde (5 dakika, 15 dakika, 30 dakika, 1 saat, 4 saat, ve 1 gün) trend yönünü ve stokastik RSI değerlerini, ayrıca günlük, haftalık ve aylık RSI seviyelerini takip etmenizi sağlar. Kullanıcıya görsel olarak etkili ve hızlı bir bakış sunan bir tablo yerleşimi ile tasarlanmıştır.
Özellikler:
RSI Tablosu (Sağ Üst Köşe): Günlük, haftalık ve aylık RSI değerlerini tek bir tabloda gösterir.
RSI değeri 70'in üzerinde ise hücre kırmızı, 30'un altında ise yeşil, arada ise gri renkte gösterilir. Bu, aşırı alım ve aşırı satım bölgelerini hızlıca görmenizi sağlar.
Trend ve Stoch RSI Tablosu (Sağ Alt Köşe): Farklı zaman dilimlerinde trend yönünü ve stokastik RSI değerlerini tek bir tablo halinde sunar.
Trend Yönü: Fiyata göre hareketli ortalamayı kıyaslayarak yön belirler. Yukarı trend için yeşil, aşağı trend için kırmızı, yatay seyir için ise gri renkte gösterilir.
Stoch RSI: 80'in üzerinde kırmızı (aşırı alım), 20'nin altında yeşil (aşırı satım) renkte ve arada gri renkte gösterilir. Böylece farklı zaman dilimlerinde osilatör durumunu görebilirsiniz.
Kullanım Amacı:
Bu indikatör, kısa, orta ve uzun vadeli trendleri ve aşırı alım-satım bölgelerini görselleştirerek kullanıcıya hızlı bir bakış sunar. Özellikle çok zaman diliminde işlem yapan kullanıcılar için idealdir.
Uyarılar:
Bu indikatör, mevcut fiyat hareketini göz önüne alarak bir yön eğilimi belirler. Ancak, işlem kararları verirken diğer analiz araçlarıyla birlikte kullanılmalıdır.
Indicadores y estrategias
Premium Intraday//@version=5
// DISCLAIMER: This script is for educational purposes only.
// It is not intended as financial advice or a recommendation to trade any specific assets.
// Trading involves risk, and you should conduct your own research and consult with a financial advisor before making any trading decisions.
strategy("Premium Intraday", overlay=true, default_qty_type=strategy.fixed, default_qty_value=100, initial_capital=100000)
// Non-editable inputs
atrPeriod = 4
factor = 3.83
stopLossATR = 3.6
targetProfitATR = 7
// Non-editable intraday trading times
startHour = 9
startMinute = 30
endHour = 15
endMinute = 15
// Calculate Supertrend
= ta.supertrend(factor, atrPeriod)
// Get ATR value
atrValue = ta.atr(atrPeriod)
// Reverse long and short conditions
longCondition = ta.change(direction) > 0
shortCondition = ta.change(direction) < 0
// Get current time
currentHour = hour(time)
currentMinute = minute(time)
startTime = timestamp(year(time), month(time), dayofmonth(time), startHour, startMinute)
endTime = timestamp(year(time), month(time), dayofmonth(time), endHour, endMinute)
// Entry and exit logic with stop loss and take profit
if (time >= startTime and time <= endTime)
if (longCondition)
longStopPrice = close - (stopLossATR * atrValue)
longTargetPrice = close + (targetProfitATR * atrValue)
strategy.entry("My Long Entry Id", strategy.long)
strategy.exit("Long Take Profit/Stop Loss", from_entry="My Long Entry Id", limit=longTargetPrice, stop=longStopPrice)
if (shortCondition)
shortStopPrice = close + (stopLossATR * atrValue)
shortTargetPrice = close - (targetProfitATR * atrValue)
strategy.entry("My Short Entry Id", strategy.short)
strategy.exit("Short Take Profit/Stop Loss", from_entry="My Short Entry Id", limit=shortTargetPrice, stop=shortStopPrice)
// Close all positions at the end of the day
if (time > endTime and strategy.opentrades > 0)
strategy.close_all()
// Ichimoku Cloud for visual purposes only
conversionPeriods = 9
basePeriods = 26
laggingSpan2Periods = 52
displacement = 26
donchian(len) => math.avg(ta.lowest(len), ta.highest(len))
conversionLine = donchian(conversionPeriods)
baseLine = donchian(basePeriods)
leadLine1 = math.avg(conversionLine, baseLine)
leadLine2 = donchian(laggingSpan2Periods)
plot(conversionLine, color=#2962FF, title="Conversion Line")
plot(baseLine, color=#B71C1C, title="Base Line")
plot(close, offset=-displacement + 1, color=#43A047, title="Lagging Span")
p1 = plot(leadLine1, offset=displacement - 1, color=#A5D6A7, title="Leading Span A")
p2 = plot(leadLine2, offset=displacement - 1, color=#EF9A9A, title="Leading Span B")
plot(leadLine1 > leadLine2 ? leadLine1 : leadLine2, offset=displacement - 1, title="Kumo Cloud Upper Line", display=display.none)
plot(leadLine1 < leadLine2 ? leadLine1 : leadLine2, offset=displacement - 1, title="Kumo Cloud Lower Line", display=display.none)
fill(p1, p2, color=leadLine1 > leadLine2 ? color.rgb(67, 160, 71, 90) : color.rgb(244, 67, 54, 90))
Jackson Volume breaker Indication# Jackson Volume Breaker Beta
### Advanced Volume Analysis Indicator
## Description
The Jackson Volume Breaker Beta is a sophisticated volume analysis tool that helps traders identify buying and selling pressure by analyzing price action and volume distribution. This indicator separates and visualizes buying and selling volume based on where the price closes within each candle's range, providing clear insights into market participation and potential trend strength.
## Key Features
1. **Smart Volume Distribution**
- Automatically separates buying and selling volume
- Color-coded volume bars (Green for buying, Red for selling)
- Winning volume always displayed on top for quick visual reference
2. **Real-time Volume Analysis**
- Shows current candle's buy/sell ratio
- Displays total volume with smart number formatting (K, M, B)
- Percentage-based volume distribution
3. **Technical Overlays**
- 20-period Volume Moving Average
- Dynamic scaling relative to price action
- Clean, uncluttered visual design
## How to Use
### Installation
1. Add the indicator to your chart
2. Adjust the Volume Scale input based on your preference (default: 0.08)
3. Toggle the Moving Average display if desired
### Reading the Indicator
#### Volume Bars
- **Green Bars**: Represent buying volume
- **Red Bars**: Represent selling volume
- **Stacking**: The larger volume (winning side) is always displayed on top
- **Height**: Relative to the actual volume, scaled for chart visibility
#### Information Table
The top-right table shows three key pieces of information:
1. **Left Percentage**: Winning side's volume percentage
2. **Middle Percentage**: Losing side's volume percentage
3. **Right Number**: Total volume (abbreviated)
### Trading Applications
1. **Trend Confirmation**
- Strong buying volume in uptrends confirms bullish pressure
- High selling volume in downtrends confirms bearish pressure
- Volume divergence from price can signal potential reversals
2. **Support/Resistance Breaks**
- High volume on breakouts suggests stronger moves
- Low volume on breaks might indicate false breakouts
- Monitor volume distribution for break direction confirmation
3. **Reversal Identification**
- Volume shift from selling to buying can signal potential bottoms
- Shift from buying to selling can indicate potential tops
- Use with price action for better entry/exit points
## Input Parameters
1. **Volume Scale (0.01 to 1.0)**
- Controls the height of volume bars
- Default: 0.08
- Adjust based on your chart size and preference
2. **Show MA (True/False)**
- Toggles 20-period volume moving average
- Useful for identifying volume trends
- Default: True
3. **MA Length (1+)**
- Changes the moving average period
- Default: 20
- Higher values for longer-term volume trends
## Best Practices
1. **Multiple Timeframe Analysis**
- Compare volume patterns across different timeframes
- Look for volume convergence/divergence
- Use higher timeframes for major trend confirmation
2. **Combine with Other Indicators**
- Price action patterns
- Support/resistance levels
- Momentum indicators
- Trend indicators
3. **Volume Pattern Recognition**
- Monitor for unusual volume spikes
- Watch for volume climax patterns
- Identify volume dry-ups
## Tips for Optimization
1. Adjust the Volume Scale based on your chart size
2. Use smaller timeframes for detailed volume analysis
3. Compare current volume bars to historical patterns
4. Watch for volume/price divergences
5. Monitor volume distribution changes near key price levels
## Note
This indicator works best when combined with proper price action analysis and risk management strategies. It should not be used as a standalone trading system but rather as part of a comprehensive trading approach.
## Version History
- Beta Release: Initial public version
- Features buy/sell volume separation, moving average, and real-time analysis
- Optimized for both intraday and swing trading timeframes
## Credits
Developed by Jackson based on other script creators
Special thanks to the trading community for feedback and suggestions
Long and Short Strategy1Long and Short
Этот базовый скрипт можно модифицировать, добавляя дополнительные индикаторы, фильтры и правила управления рисками для улучшения эффективности стратегии.
*random37* Al-Sat İndikatörüAl-Sat noktalarının gösterildiği, karma indikatörlerden oluşan ve uyulduğunda %90 kazanç getiren özel bir indikatör kodlamasıdır.
It is a special indicator coding consisting of mixed indicators and making 90 %profit when followed. Buy and sell shows.
Delta Volume-ATR ChangeDelta Volume-ATR Change Indicator
The Delta Volume-ATR Change Indicator is designed to analyze the effectiveness of volume in relation to price volatility by comparing the percentage change in volume with the percentage change in ATR over the last two bars. This indicator provides insights into how volume changes impact price movement, allowing traders to gauge the strength or weakness of market momentum based on volume efficiency.
Formula:
% Volume Change = (Volume - Volume ) / Volume * 100
% ATR Change = (ATR - ATR ) / ATR * 100
Delta = % Volume Change - % ATR Change
The result, Delta, shows the difference between the volume change and ATR change, with positive delta indicating a stronger volume impact and negative delta suggesting weaker volume support relative to price movement.
Features:
Multiple Display Styles: Choose from three visualization styles — Histogram, Line, or Columns — to display delta values in a way that best fits your analysis style.
Delta Smoothing: The smoothed Delta line (using an SMA with customizable length) provides a clearer trend of volume efficiency over time.
Color Coding: Delta bars change color based on direction — green for positive values and red for negative, allowing for quick visual assessment of volume effectiveness.
Applications:
Identify market conditions where high volume is driving price effectively (positive Delta).
Detect instances of low volume efficiency, where price changes may not be fully supported by volume (negative Delta).
Useful for short-term and swing traders looking to understand volume patterns in relation to volatility.
This indicator is a valuable tool for traders seeking to gain insights into volume and volatility interplay, helping improve timing and reliability in market entries and exits.
Adaptive MA Crossover with ATR-Based Risk MarkersDescription:
The Cross MA Entry Indicator with ATR-Based Stop-Loss and Take-Profit Markers is a powerful tool designed to help traders identify trend-following opportunities while managing risk effectively. By combining customizable moving average (MA) crossovers with ATR-based stop-loss (SL) and take-profit (TP) markers, this indicator provides a complete entry and risk management framework in a single script.
Unique Features:
1. Versatile Moving Average Combinations: The indicator allows users to select from four types of moving averages—SMA, EMA, DEMA, and TEMA—for both fast and slow lines, enabling a variety of crossover configurations. This flexibility helps traders tailor entry signals to specific trading strategies, asset types, or market conditions, enhancing the adaptability of the indicator across different styles and preferences.
2. ATR-Based Dynamic Risk Management: Leveraging the Average True Range (ATR), the indicator dynamically calculates stop-loss and take-profit levels based on market volatility. This approach adjusts to changing market conditions, making it more responsive and reliable for setting realistic, volatility-based risk parameters.
3. Customizable Risk/Reward Ratio: Users can define their preferred risk/reward ratio (e.g., 2:1, 3:1) to tailor take-profit levels relative to stop-loss distances. This feature empowers traders to align trades with their individual risk management strategies and objectives, while maintaining consistency and discipline in execution.
4. Streamlined Visualization of Entry and Risk Levels: Upon a crossover, the indicator places discrete markers at the calculated SL and TP levels, avoiding clutter while providing traders with an immediate view of potential risk and reward. Small dots represent SL and TP levels, offering a clean, clear display of critical decision points.
How to Use:
1. Entry Signals from MA Crossovers: This indicator generates entry signals when the selected moving averages cross, with green markers indicating long entries and red markers indicating short entries. The customizable MA selection enables traders to optimize crossover signals for various timeframes and asset classes.
2. Integrated Risk Markers: SL and TP levels are shown as small dots at the crossover point, based on the ATR multiplier and risk/reward ratio settings. These markers allow traders to quickly visualize the defined risk and potential reward for each entry.
This indicator offers a comprehensive solution for trend-following strategies by combining entry signals with adaptive risk management. Suitable for multiple timeframes, it allows for backtesting and adjustments to ATR and risk/reward parameters for improved alignment with individual trading goals. As with all strategies, thorough testing is recommended to ensure compatibility with your trading approach.
ATR-Based Trend Oscillator with Donchian ChannelsThis script, my Magnum Opus, combines the best elements of trend detection into a powerful ATR-based trend strength oscillator. It has been meticulously engineered to give traders a consistent edge in trend analysis across any asset, including highly volatile markets like crypto and forex. The oscillator normalizes trend strength as a percentage of ATR, smoothing out noise and allowing the oscillator to remain highly responsive while adapting to varying asset volatility.
Key Features:
ATR-Based Oscillator: Measures trend strength in relation to Average True Range, which enhances accuracy and consistency across different assets. By normalizing to ATR, the oscillator produces stable and reliable values that capture shifts in trend momentum effectively.
Dual Moving Averages for Smoothing: This script features two customizable moving averages to help confirm trend direction and strength, making it adaptable for short- and long-term analysis alike.
Donchian Channels for Strength Bounds: A Donchian Channel over the smoothed trend strength oscillator visually bounds strength levels, enabling traders to spot breakout points or reversals quickly.
Ideal for Multi-Asset Trading: The versatility of this indicator makes it a perfect choice across various asset classes, from stocks to forex and cryptocurrencies, maintaining consistency in signals and reliability.
Suggested Pairing: Use this oscillator alongside a directional indicator, such as the Vortex Indicator, to confirm trend direction. This pairing allows traders to understand not only the strength but also the direction of the trend for optimized entry and exit points.
Why This Indicator Will Elevate Your Trading: This trend strength oscillator has been refined to provide clarity and edge for any trader. By incorporating ATR-based normalization, it maintains accuracy in volatile and steady markets alike. The Donchian Channels add structure to trend strength, giving clear overbought and oversold signals, while the two moving averages ensure that lag is minimized without sacrificing accuracy.
Whether you're scalping or trend-trading, this oscillator will enhance your ability to detect and interpret trend strength, making it an essential tool in any trading arsenal.
Cruce Medias RSI - SISTEMASTRADING.ioEstrategia Combinada: Cruce de Medias y RSI
Sistema avanzado que combina el poder del seguimiento de tendencia de las medias móviles con la detección de momentum del RSI.
Componentes Técnicos:
Media Móvil Corta (20 períodos)
Media Móvil Larga (200 períodos)
RSI (14 períodos)
Niveles de sobrecompra/sobreventa personalizables
Lógica de Trading:
Medias móviles: Identifican la dirección de la tendencia
RSI: Confirma momentum y reversiones potenciales
Combinación: Proporciona señales más robustas
기간별 최고점/최저점/중간점 박스 표시 및 매수 신호코드 설명
기존 기능 유지:a
최고점, 최저점, 중간점을 라인으로 표시합니다.
박스를 사용하여 지정된 기간 동안의 최고점과 최저점을 시각화합니다.
매수 조건 추가:
wma120: 120일 가중 이동 평균선을 계산합니다.
macdLine: MACD 라인을 계산하여 0보다 큰지를 확인합니다.
cci: CCI(Commodity Channel Index)를 계산하여 100 이상인지 확인합니다.
rsi: RSI(Relative Strength Index)를 계산하여 50 이상인지 확인합니다.
매수 신호 박스:
buySignal 조건이 충족되면 buyBox라는 녹색 박스를 생성하여 매수 시점을 시각적으로 표시합니다.
plotshape를 사용하여 매수 신호가 발생한 곳에 "매수"라는 텍스트를 표시합니다.
이 코드를 사용하면 설정된 매수 조건을 만족할 때마다 차트에 녹색 박스와 함께 매수 신호가 표시됩니다.
Gelişmiş RSI ve Trend TablosuGelişmiş RSI ve Trend Tablosu
Bu indikatör, fiyatın farklı zaman dilimlerinde (5 dakika, 15 dakika, 30 dakika, 1 saat, 4 saat, ve 1 gün) trend yönünü ve stokastik RSI değerlerini, ayrıca günlük, haftalık ve aylık RSI seviyelerini takip etmenizi sağlar. Kullanıcıya görsel olarak etkili ve hızlı bir bakış sunan bir tablo yerleşimi ile tasarlanmıştır.
Özellikler:
RSI Tablosu (Sağ Üst Köşe): Günlük, haftalık ve aylık RSI değerlerini tek bir tabloda gösterir.
RSI değeri 70'in üzerinde ise hücre kırmızı, 30'un altında ise yeşil, arada ise gri renkte gösterilir. Bu, aşırı alım ve aşırı satım bölgelerini hızlıca görmenizi sağlar.
Trend ve Stoch RSI Tablosu (Sağ Alt Köşe): Farklı zaman dilimlerinde trend yönünü ve stokastik RSI değerlerini tek bir tablo halinde sunar.
Trend Yönü: Fiyata göre hareketli ortalamayı kıyaslayarak yön belirler. Yukarı trend için yeşil, aşağı trend için kırmızı, yatay seyir için ise gri renkte gösterilir.
Stoch RSI: 80'in üzerinde kırmızı (aşırı alım), 20'nin altında yeşil (aşırı satım) renkte ve arada gri renkte gösterilir. Böylece farklı zaman dilimlerinde osilatör durumunu görebilirsiniz.
Kullanım Amacı:
Bu indikatör, kısa, orta ve uzun vadeli trendleri ve aşırı alım-satım bölgelerini görselleştirerek kullanıcıya hızlı bir bakış sunar. Özellikle çok zaman diliminde işlem yapan kullanıcılar için idealdir.
Uyarılar:
Bu indikatör, mevcut fiyat hareketini göz önüne alarak bir yön eğilimi belirler. Ancak, işlem kararları verirken diğer analiz araçlarıyla birlikte kullanılmalıdır.
MA Touch Alert SystemThis is a alert system This Pine Script creates an alert system in TradingView to notify you whenever the price touches a specified moving average. With adjustable settings, you can set your preferred moving average period, such as 50 or 200. The script calculates this moving average and triggers an alert if the price crosses it from above or below, enabling you to stay informed about important trend reversals. A visual on-chart label marks these points, and the alert condition ensures you receive notifications through TradingView. Perfect for traders looking to automate key level monitoring, this script supports trend-following and reversal strategies.
London breakIndicador de London break con Señales de Compra/Venta y Personalización de Horarios
Este indicador de Pine Script dibuja un rectángulo en el gráfico que representa el rango de precios diario en un horario específico, con opciones de personalización avanzadas. Es ideal para traders que buscan visualizar y operar en rangos definidos de alta y baja dentro de una sesión particular.
Características:
Dibujado de Rango Diario Personalizable: Define un rango entre dos horarios seleccionables, por defecto de 03:00 AM a 09:00 AM, que se ajusta automáticamente cada día para mostrar el máximo y mínimo de precio en ese periodo.
Señales de Compra y Venta Automáticas: El indicador genera señales de compra y venta basadas en el cruce de precios con el rango definido. Solo se activan entre las 09:30 y las 14:00, ayudando a filtrar operaciones fuera de esta ventana.
Opciones de Personalización:
Colores: Ajusta el color de relleno y borde del rectángulo según tu preferencia.
Horarios: Configura las horas de inicio y fin del rango a intervalos de 30 minutos, adaptándose a diferentes sesiones de trading.
Días en el Pasado: Permite ver el rango de días anteriores, lo cual facilita el análisis histórico.
¿Cómo Utilizarlo?
Configura el horario de inicio y fin del rango según tus preferencias.
Observa las señales de compra y venta al cruzarse los precios con el rango establecido.
Utiliza el rango de precios diarios para visualizar niveles clave en cada sesión y optimizar tus decisiones de trading.
Este indicador te ayudará a seguir la tendencia en un marco horario específico y a identificar oportunidades de compra y venta de manera eficiente. ¡Perfecto para traders intradía que buscan consistencia y claridad en sus gráficos!
Custom Volume for scalping### **Indicator Summary: Custom Volume with Arrow Highlight**
#### **Purpose:**
This indicator visualizes volume bars in a chart, highlighting specific conditions based on volume trends. It displays arrows above the volume bars to indicate potential bullish or bearish market conditions.
#### **Key Features:**
1. **Volume Bars**:
- The indicator plots volume as columns on the chart.
- Volume bars are colored:
- **White** for bullish volume (when the closing price is higher than the opening price).
- **Blue** for bearish volume (when the closing price is lower than the opening price).
2. **Highlight Conditions**:
- The indicator identifies a sequence of three consecutive volume bars:
- The first two bars must be of the same direction (either both bullish or both bearish).
- The third bar must be of the opposite direction.
- Additionally, the third bar's volume must be greater than the previous bar's volume.
3. **Arrow Indicators**:
- When the highlight conditions are met:
- An **upward arrow** ("▲") is placed above the third volume bar for bullish conditions (when the third bar is bullish).
- A **downward arrow** ("▼") is placed above the third volume bar for bearish conditions (when the third bar is bearish).
- The arrows are colored to match the respective volume bar: white for bullish and blue for bearish.
4. **Adjustable Size**:
- The arrows are sized appropriately to ensure visibility without cluttering the chart.
#### **Use Cases:**
- This indicator can help traders identify potential reversals or continuation patterns based on volume behavior.
- It is particularly useful for traders focusing on volume analysis to confirm market trends and make informed trading decisions.
#### **Customization:**
- Users can modify the conditions and visual attributes according to their preferences, such as changing colors, sizes, and label positions.
### **Conclusion:**
The "Custom Volume with Arrow Highlight" indicator provides a straightforward and effective way to visualize volume trends and identify key market conditions, aiding traders in their decision-making processes. It combines the power of volume analysis with clear visual cues, making it a valuable tool for technical analysis in trading.
If you need any further modifications or details, let me know!
ChikouTradeIndicatorndicator Title: ChikouTradeIndicator
Short Title: CTI
Description:
The ChikouTradeIndicator (CTI) is designed to help traders identify potential trend reversals by analyzing short-term and long-term price ranges. It calculates the midpoint of the highest high and lowest low over two customizable lengths – the Turning Length (TL) and the Kumo Length (KL) – and determines market momentum by plotting the difference between these midpoints.
How It Works:
- Positive values (above the zero line) indicate bullish momentum, suggesting potential buying opportunities.
- Negative values (below the zero line) indicate bearish momentum, suggesting potential selling opportunities.
Features:
- Two customizable inputs:
- TL (Turning Length): Period used to calculate the short-term high/low midpoint.
- KL (Kumo Length): Period used to calculate the longer-term high/low midpoint.
Disclaimer:
This indicator is intended as a supportive tool to enhance trading analysis. It does not guarantee profitability and should be used with caution. Trading involves risk, and users should perform their own research before making any trading decisions. The developer is not responsible for any losses incurred through the use of this indicator.
Daily MAs with Crossover SignalsThis is a swing trading indicator with three key moving averages (MAs): a 20-day EMA for short-term trends, a 50-day SMA for mid-term trends, and a 200-day SMA for long-term trend context. It plots these MAs in different colors, helping traders quickly identify trend directions.
Additionally, it includes crossover signals between the 20-day EMA and the 50-day SMA, marking bullish and bearish signals directly on the chart with green and red arrows when these crossovers occur. This makes it easy to spot potential entry and exit points.
It’s designed to dynamically update with the chart timeframe for smoother, real-time tracking.
30 Minute Price Change30 Min Price Change - designed to use as an alert should price move 50 points in 30 minutes.
Order Block Price Action Strategyfor a strategy that trades based off the price action using the high vol area that are located using weekly, daily and 4hr time frame order blocks that would tell you to enter after it retest
Trend Continuation RatioThis TradingView indicator calculates the likelihood of consecutive bullish or bearish days over a specified period, giving insights into day-to-day continuation patterns within the market.
How It Works
Period Length Input:
The user sets the period length (e.g., 20 days) to analyze.
After each period, the counts reset, allowing fresh data for each new interval.
Bullish and Bearish Day Definitions:
A day is considered bullish if the closing price is higher than the opening price.
A day is considered bearish if the closing price is lower than the opening price.
Count Tracking:
Within each specified period, the indicator tracks:
Total Bullish Days: The number of days where the close is greater than the open.
Total Bearish Days: The number of days where the close is less than the open.
Bullish to Bullish Continuations: Counts each instance where a bullish day is followed by another bullish day.
Bearish to Bearish Continuations: Counts each instance where a bearish day is followed by another bearish day.
Calculating Continuation Ratios:
The Bullish Continuation Ratio is calculated as the percentage of bullish days that were followed by another bullish day:
Bullish Continuation Ratio = (Bullish to Bullish Continuations /Total Bullish Days)×100
Bullish Continuation Ratio=( Total Bullish Days/Bullish to Bullish Continuations )×100
The Bearish Continuation Ratio is the percentage of bearish days followed by another bearish day:
Bearish Continuation Ratio = (Bearish to Bearish Continuations/Total Bearish Days)×100
Bearish Continuation Ratio=( Total Bearish Days/Bearish to Bearish Continuations )×100
Display on Chart:
The indicator displays a table in the top-right corner of the chart with:
Bullish Continuation Ratio (%): Percentage of bullish days that led to another bullish day within the period.
Bearish Continuation Ratio (%): Percentage of bearish days that led to another bearish day within the period.
Usage Insights
High Ratios: If the bullish or bearish continuation ratio is high, it suggests a trend where bullish/bearish days often lead to similar days, indicating possible momentum.
Low Ratios: Low continuation ratios indicate frequent reversals, which could suggest a range-bound or volatile market.
This indicator is helpful for assessing short-term trend continuation tendencies, allowing traders to gauge whether they are more likely to see follow-through on bullish or bearish days within a chosen timeframe.
M2 Money Supply vs SPY SpreadSpread between M2 Money Supply and SPY, with Bollinger bands to see when it has become overextended in either direction.
Average Up and Down Candles Streak with Predicted Next CandleThis indicator is designed to analyze price trends by examining the patterns of up and down streaks (consecutive bullish or bearish candles) over a defined period. It uses this data to provide insights on whether the next candle is likely to be bullish or bearish, and it visually displays relevant information on the chart.
Here’s a breakdown of what the indicator does:
1. Inputs and Parameters
Period (Candles): Defines the number of candles used to calculate the average length of bullish and bearish streaks. For example, if the period is set to 20, the indicator will analyze the past 20 candles to determine average up and down streak lengths.
Bullish/Bearish Bias Signal Toggle: These options allow users to show or hide visual signals (green or red circles) when there’s a bullish or bearish bias in the trend based on the indicator’s calculations.
2. Streak Calculation
The indicator looks at each candle within the period to identify if it closed up (bullish) or down (bearish).
Up Streak: The indicator counts consecutive bullish candles. When there’s a bearish candle, it resets the up streak count.
Down Streak: Similarly, it counts consecutive bearish candles and resets when a bullish candle appears.
Averages: Over the defined period, the indicator calculates the average length of up streaks and average length of down streaks. This provides a baseline to assess whether the current streak is typical or extended.
3. Current and Average Streak Display
The indicator displays the current up and down streak lengths alongside the average streak lengths for comparison. This data appears in a table on the chart, allowing you to see at a glance:
The current streak length (for both up and down trends)
The average streak length for up and down trends over the chosen period
4. Trend Prediction for the Next Candle
Next Candle Prediction: Based on the current streak and its comparison to the average, the indicator predicts the likely direction of the next candle:
Bullish: If the current up streak is shorter than the average up streak, suggesting that the bullish trend could continue.
Bearish: If the current down streak is shorter than the average down streak, indicating that the bearish trend may continue.
Neutral: If the current streak length is near the average, which could signal an upcoming reversal.
This prediction appears in a table on the chart, labeled as “Next Candle.”
5. Previous Candle Analysis
The Previous Candle entry in the table reflects the last completed candle (directly before the current candle) to show whether it was bullish, bearish, or neutral.
This data gives a reference point for recent price action and helps validate the next candle prediction.
6. Visual Signals and Reversal Zones
Bullish/Bearish Bias Signals: The indicator can plot green circles on bullish bias and red circles on bearish bias to highlight points where the trend is likely to continue.
Reversal Zones: If the current streak length reaches or exceeds the average, it suggests the trend may be overextended, indicating a potential reversal zone. The indicator highlights these zones with shaded backgrounds (green for possible bullish reversal, red for bearish) on the chart.
Summary of What You See on the Chart
Bullish and Bearish Bias Signals: Green or red circles mark areas of expected continuation in the trend.
Reversal Zones: Shaded areas in red or green suggest that the trend might be about to reverse.
Tables:
The Next Candle prediction table displays the trend direction of the previous candle and the likely trend of the next candle.
The Streak Information table shows the current up and down streak lengths, along with their averages for easy comparison.
Practical Use
This indicator is helpful for traders aiming to understand trend momentum and potential reversals based on historical patterns. It’s particularly useful for swing trading, where knowing the typical length of bullish or bearish trends can help in timing entries and exits.
Distance Indicator:52W H/L,MA,ADR%Description:
This indicator provides key metrics for analyzing the market's distance from significant levels. It includes options to display the distance in percentage terms from:
52-Week High and Low: Shows how far the current close price is from the highest and lowest price over the past 52 weeks.
Selected Moving Averages (MA): Tracks the distance of the current close from multiple moving averages (10, 21, 30, 50 periods), with an option to choose either EMA or SMA. This allows traders to quickly gauge momentum relative to short and long-term trends.
Average Daily Range (ADR%): Calculates the average daily range (high minus low) over the past 14 days as a percentage of the current close, helping to understand recent volatility.
3-Month Move: Tracks the percentage distance from the lowest price of the past 3 months to the current close.
Customization Options:
Include/Exclude Plots: Turn each indicator on or off as needed.
Color and Transparency: Customizable colors and transparency levels for each plot for easy visualization.
MA Type Selection: Choose between SMA or EMA for moving averages to suit trading preferences.
Note: All calculations are based on the daily timeframe, ensuring consistent and reliable values regardless of the chart’s selected timeframe.