ICT + RSI + EMA Strategy with Buy/Sell SignalsKey Changes:
Plotchar for Debugging: We use plotchar to visualize whether the long and short conditions are being met. These will print an upward arrow (↑) for buy signals and a downward arrow (↓) for sell signals right on the bars.
Buy condition: If the condition is true, a green arrow (↑) will appear below the bar.
Sell condition: If the condition is true, a red arrow (↓) will appear above the bar.
This allows us to visually confirm whether the conditions are being met and help debug if the signals aren't showing up.
Simplified Entry Conditions: To help identify whether the signals are too strict, the entry conditions are kept the same, but with plotchar, you can now track when they are met. If you still don't see signals, you can simplify the conditions further for testing (e.g., only using the EMA and RSI without ICT components initially).
Debugging: The plotchar will display arrows on the chart where the conditions are true, allowing you to see if the logic for generating the signals is working.
Next Steps:
Check the Debug Arrows: Once you add this script, look for the ↑ (buy) and ↓ (sell) arrows on the chart. If you don't see them, it means the conditions might not be met frequently. You can tweak the logic accordingly.
Look at the Debug Values: If the arrows are too rare, you can adjust the logic by reducing the strictness of the conditions. For example, temporarily remove the FVG or market structure conditions to see if the basic RSI and EMA signals are working.
Adjust the Conditions: If the signals are still not showing, you may need to relax the conditions (e.g., using different RSI thresholds or simpler price actions).
Conclusion:
The key modification here is the use of plotchar to visually debug whether the buy and sell conditions are being met.
If this works, you can remove the plotchar and keep only the plotshape for the final signals.
Let me know if this helps or if you need further clarification!
Bandes et canaux
SMA+BB+PSAR+GOLDEN AND DEATH CROSSSMA 5-8-13-21-34-55-89-144-233-377-610
BB 20-2
PSAR Parabolik SAR, alış satış analizini güçlendiren bir indikatördür. Bu gösterge temelde durdurma ve tersine çevirme sinyalleri için kullanılır. Teknik yatırımcılar trendleri ve geri dönüşleri tespit etmek için bu indikatörden faydalanır.
GOLDEN AND DEATH CROSS 50X200 KESİŞİMİ YADA NE İSTERSENİZ
SUPRA BERSERKER CAPITAL CA & NFLEste indicador combina herramientas técnicas avanzadas para identificar tendencias clave, niveles dinámicos de soporte y resistencia, así como oportunidades de trading basadas en acción del precio. Diseñado para traders que buscan precisión en su análisis, incluye las siguientes características:
1. Medias Móviles Exponenciales (EMAs):
Dos EMAs ajustables (100 y 200 períodos) para identificar la dirección principal de la tendencia.
Configuraciones personalizables de color y fuente para adaptarse a tus necesidades.
2. VWMA (Media Ponderada por Volumen):
Una VWMA de 250 períodos que actúa como indicador principal para determinar la dirección general del mercado, ponderando el volumen de cada vela para una visión más precisa.
Opciones de desplazamiento y ajustes de color para una mejor visualización en el gráfico.
3. Filtro Gaussiano y GMA (Gaussian Moving Average):
Un filtro Gaussiano avanzado que suaviza los datos de precios para destacar la tendencia predominante.
La media móvil Gaussiana cambia de color según la relación entre el precio de cierre y su valor, proporcionando una guía visual clara de la dirección del mercado.
Incluye límites superiores e inferiores basados en el ATR para identificar zonas de alta volatilidad.
Beneficios clave para la estrategia:
Identificación de Soportes Técnicos: Utiliza la combinación de EMAs y VWMA para detectar áreas de interés crítico donde podrían darse rebotes o rupturas.
Confirmación de Volumen y Dirección: La VWMA junto con el filtro Gaussiano validan la fortaleza de una tendencia y ayudan a identificar si el volumen está alineado con el movimiento.
Análisis Visual Intuitivo: Cambios de color en el filtro Gaussiano y límites de volatilidad facilitan decisiones rápidas y fundamentadas.
Este indicador es ideal para estrategias intradiarias o de swing trading en índices como el US30 o el S&P 500, alineado con nuestra filosofía de análisis técnico en Berserker Capital. ¡Optimízalo según tu estilo y comparte tus resultados con la comunidad!
CCI & BB with DivergenceCCI İndikatörü, yeni bir trendi belirlemek veya aşırı alım-satım bölgelerine gelmiş hisse emtia veya menkul kıymetlerin piyasa koşullarını belirlemek için kullanılabilecek çok taraflı bir göstergedir.
Bollinger Bandı, teknik analizde fiyat hareketlerini yorumlamanıza yardımcı olan çok yönlü bir göstergedir. 1980'lerde John Bollinger tarafından geliştirilen bu teknik, bir finansal varlığın fiyat oynaklığını ve potansiyel fiyat hareketlerini anlamak için kullanılır.
Düzenli uyumsuzluk ve gizli uyumsuzluk olmak üzere iki tür uyumsuzluk vardır. Onlarda kendi aralarında boğa uyumsuzluğu ve ayı uyumsuzluğu olmak üzere ikiye ayrılır. Boğa uyumsuzluklarına pozitif, ayı uyumsuzluklarına negatif uyumsuzluk adı da verilir.
Tüm bu indikatörler birleştirildi
Bollinger Bands With GradientEnhanced (by @QubitKernel) to add gradients to the upper and and bottom lines.
Scalping Strategy - 70% Accuracy//@version=5
indicator("Scalping Strategy - 70% Accuracy", overlay=true)
// Input for moving averages and RSI
shortEMA = input.int(50, title="Short Period EMA", minval=1)
longEMA = input.int(200, title="Long Period EMA", minval=1)
rsiPeriod = input.int(14, title="RSI Period", minval=1)
rsiOverbought = input.int(70, title="RSI Overbought", minval=1)
rsiOversold = input.int(30, title="RSI Oversold", minval=1)
// Calculate exponential moving averages
shortEMAValue = ta.ema(close, shortEMA)
longEMAValue = ta.ema(close, longEMA)
// Calculate RSI
rsiValue = ta.rsi(close, rsiPeriod)
// Define buy and sell conditions
buyCondition = ta.crossover(shortEMAValue, longEMAValue) and rsiValue < rsiOversold
sellCondition = ta.crossunder(shortEMAValue, longEMAValue) and rsiValue > rsiOverbought
// Plot buy and sell signals
plotshape(buyCondition, color=color.green, style=shape.labelup, location=location.belowbar, text="BUY")
plotshape(sellCondition, color=color.red, style=shape.labeldown, location=location.abovebar, text="SELL")
// Plot exponential moving averages
plot(shortEMAValue, color=color.blue, linewidth=2, title="50-period EMA")
plot(longEMAValue, color=color.orange, linewidth=2, title="200-period EMA")
// Add RSI to the chart
plot(rsiValue, color=color.purple, title="RSI", linewidth=2, offset=-20)
hline(rsiOverbought, "Overbought", color=color.red)
hline(rsiOversold, "Oversold", color=color.green)
Bot de Trading Avancé avec Scalping et Indicateurs VisuelsCe script permet d'afficher clairement les points d'achat et de vente sur le graphique, facilitant ainsi les décisions de trading. Vous pouvez ajuster les paramètres et les styles en fonction de vos préférences. Assurez-vous de tester ce script dans un environnement de démonstration avant de l'utiliser en temps réel.
Lord Loren Strategy//@version=6
indicator("Lord Loren Strategy", overlay=true)
// EMA calculations
ema9 = ta.ema(close, 9)
ema21 = ta.ema(close, 21)
ema50 = ta.ema(close, 50)
// Plotting EMAs
plot(ema9, color=color.blue, title="EMA 9")
plot(ema21, color=color.orange, title="EMA 21")
plot(ema50, color=color.red, title="EMA 50")
// RSI calculation
rsiPeriod = 14
rsi = ta.rsi(close, rsiPeriod)
// Buy/Sell Conditions based on EMA Cross and RSI
buyCondition = ta.crossover(ema9, ema21) and rsi < 70
sellCondition = ta.crossunder(ema9, ema21) and rsi > 30
// Plot Buy/Sell signals
plotshape(series=buyCondition, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(series=sellCondition, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// RSI plotting in the same script but with a secondary scale
plot(rsi, color=color.purple, title="RSI", offset=0)
hline(70, "Overbought", color=color.red, linestyle=hline.style_dotted)
hline(30, "Oversold", color=color.green, linestyle=hline.style_dotted)
Bank Nifty Weighted IndicatorThe Bank Nifty Weighted Indicator is a comprehensive trading tool designed to analyze the performance of the Bank Nifty Index using its constituent stocks' weighted prices. It combines advanced technical analysis tools, including Bollinger Bands, to provide highly accurate buy and sell signals, especially for intraday traders and scalpers.
Combined EMA, RSI, VI//@version=6
indicator("Combined EMA, RSI, VI", overlay=true)
// EMA calculations
ema9 = ta.ema(close, 9)
ema15 = ta.ema(close, 15)
// Plotting EMA
plot(ema9, color=color.blue, title="EMA 9")
plot(ema15, color=color.orange, title="EMA 15")
// RSI calculation
rsiPeriod = 14
rsi = ta.rsi(close, rsiPeriod)
// Plotting RSI in a separate pane
plot(rsi, color=color.purple, title="RSI")
hline(70, "Overbought", color=color.red, linestyle=hline.style_dotted)
hline(30, "Oversold", color=color.green, linestyle=hline.style_dotted)
// Volatility Index (VI) calculations
viLength = 14
highLow = high - low
highPrevClose = math.abs(high - close )
lowPrevClose = math.abs(low - close )
trueRange = math.max(highLow, math.max(highPrevClose, lowPrevClose))
smoothedTrueRange = ta.rma(trueRange, viLength)
viPlus = ta.rma(high - low, viLength) / smoothedTrueRange
viMinus = ta.rma(close - low, viLength) / smoothedTrueRange
// Plotting VI in the same pane as RSI for demonstration
plot(viPlus, color=color.green, title="VI+")
plot(viMinus, color=color.red, title="VI-")
The Game of MomentumThe horizontal line, which is indicating the risk in that stock. Max risk is till it closes below the horizontal line.
Vortex & ADX DIL'indicateur Vortex se compose de deux lignes qui indiquent une tendance haussière (VI+), généralement représentée en vert, et une tendance baissière (VI-), généralement représentée en rouge. Cet indicateur est spécifiquement utilisé pour déterminer les renversements de tendance et confirmer les tendances et la direction actuelles.
Historique
Développé par Etienne Botes et Douglas Siepman, l'indicateur Vortex a été présenté pour la première fois dans l'édition de janvier 2020 du magazine "Technical Analysis of Stocks & Commodities".
Calculs
Le calcul de l'indicateur Vortex s'articule autour de quatre parties principales. Nous examinons ces parties plus en détail ci-dessous.
La plage réelle (TR) est la plus grande des valeurs suivantes :
Haut actuel - bas actuel
Haut actuel - clôture précédente
Plus bas actuel - clôture précédente
Les mouvements haussiers et baissiers peuvent être déterminés à l'aide des calculs de lignes de tendance suivants. Il convient également de noter qu'elles sont généralement affichées sous un graphique en chandelier.
VM+ = valeur absolue du plus haut actuel - plus bas précédent
VM- = valeur absolue du plus bas actuel - plus haut précédent
La longueur du paramètre (n) est le résultat de la préférence du trader. Les traders choisissent généralement des paramètres entre 14 et 30 jours. Les calculs pour la longueur du paramètre sont les suivants :
Somme de la fourchette réelle des n dernières périodes (VM+ et VM-)
Somme de la fourchette réelle des n dernières périodes = SUM TRn
Somme des VM+ des n dernières périodes = SUM VMn+
Somme des VM- des n dernières périodes = SOMME VMn-
Création des lignes de tendance VI+ et VI-. Enfin, les traders devront utiliser les formules suivantes pour calculer les deux lignes de tendance de l'indicateur Vortex. En répétant ce processus quotidiennement, les lignes de tendance se formeront.
VIn+ = SOMME VMn+ / SOMME TRn
VIn- = SOMME VMn- / SOMME TRn
A retenir et à observer
Il est préférable d'utiliser l'indicateur Vortex avec d'autres indicateurs, outils et modèles de tendances inversées qui aident à soutenir un signal d'inversion.
Les tendances haussières, ou signaux d'achat, se produisent lorsque la ligne VI+ est inférieure à la ligne VI- et qu'elle se croise ensuite au-dessus de la ligne VI- pour former la ligne de tendance supérieure.
Les tendances baissières, ou signaux de vente, se produisent lorsque la ligne VI- est inférieure à la ligne VI+ et qu'elle se croise ensuite au-dessus de la ligne VI+ pour former la ligne de tendance supérieure.
En règle générale, c'est la ligne de tendance supérieure qui détermine la position d'un titre (tendance haussière ou baissière).
Limites
Les traders doivent être vigilants lorsqu'ils utilisent l'indicateur Vortex, car les croisements VI+ et VI- peuvent parfois entraîner le déclenchement d'un certain nombre de faux signaux d'achat ou de vente. C'est particulièrement le cas lorsque l'action des prix est agitée et n'est pas compensée par des indicateurs ou des outils de lissage. Pour remédier à ce problème, de nombreux traders ont trouvé utile d'ajuster les périodes utilisées afin de réduire le nombre de faux signaux. Si c'est votre cas, essayez de modifier les paramètres de votre indicateur et d'ajuster la période pour voir si vous obtenez un meilleur résultat.
Résumé
L'indicateur Vortex est basé sur deux lignes de tendance, VI+ et VI-, qui indiquent respectivement une tendance haussière et une tendance baissière sur le marché actuel. Cet indicateur peut aider à déterminer les renversements de tendance et à confirmer les tendances et la direction actuelles, en mettant en évidence la position des lignes de tendance l'une par rapport à l'autre.
---------------------------------------------------------------------------------------------------------------------
Average Directional Index (ADX)
See stockcharts.com/school/doku.php?st=adx&id=chart_school:technical_indicators:average_directional_index_adx for detail.
--------------------------------------------------------------------------------------------------------------------
Je mettrai à jour le script par la suite
EWMA Volatility Bands
The EWMA Volatility Bands indicator combines an Exponential Moving Average (EMA) and Exponentially Weighted Moving Average (EWMA) of volatility to create dynamic upper and lower price bands. It helps traders identify trends, measure market volatility, and spot extreme conditions. Key features include:
Centerline (EMA): Tracks the trend based on a user-defined period.
Volatility Bands: Adjusted by the square root of volatility, representing potential price ranges.
Percentile Rank: Highlights extreme volatility (e.g., >99% or <1%) with shaded areas between the bands.
This tool is useful for trend-following, risk assessment, and identifying overbought/oversold conditions.
Trend Direction with Trend Name_BacNQTrendline
Mô tả về nhận định xu hướng đang diễn ra tại thị trường hiện tại
Các bạn tham khảo nhé
Keltner + Ichimoku StrategyScript generates buy and sell signal based on Keltner & Ichimoku indicators.
Multi Function 5MAMulti Function 5MA has covered about all the functions that you would generally want to MA.
The functions that can be displayed with this indicator are as follows.
1 Up to 5 MA and Signal lines can be displayed as desired.
2 MA lines change color according to the following conditions. Fixed color can also be selected
1. Up/Down with the source of calculation (e.g., closing price)
2. Up/Down with the Signal
3. MA line up or down
3 MA and Signal lines can be selected from the following 6 types
1.SMA (Simple Moving Average)
2.EMA (Exponential Moving Average)
3.RMA (Running Moving Average)
4.WMA (Weighted Moving Average)
5.HMA (Hull Moving Average)
6.LSMA (Least Squares Moving Average)
4 The following can be set individually for both MA and Signal lines
1.Type
2.Period
3.Offset value
5 Ribbon backgrounds can be displayed on MA lines with the following information
1.4 Ribbons can be displayed simultaneously for MA1/2 MA2/3 MA3/4 MA4/5
2.Ribbon color can be set individually for all four ribbons
3.Ribbon color changes depending on MAs Condition. Fixed colors can also be set and selected.
6 BB (Bollinger Bands) and KC (Keltner Channels) can be set for MAs as follows
1.BB and KC can be set for the same MA or for different MA
2.Up to 3 BB line and 3 KC line can be displayed each
3.Standard deviation period and sigma value for BB and ATR value and multiplier for KC can be set
4.Colors can be set for each BB line and KC line
5.Background can be displayed in any range for both BB and KC
7 MA, Signal, Ribbon, BB, KC, and background can all be set individually for color, density, and thickness
AI indicatorThis script is a trading indicator designed for future trading signals on the TradingView platform. It uses a combination of the Relative Strength Index (RSI) and a Simple Moving Average (SMA) to generate buy and sell signals. Here's a breakdown of its components and logic:
1. Inputs
The script includes configurable inputs to make it adaptable for different market conditions:
RSI Length: Determines the number of periods for calculating RSI. Default is 14.
RSI Overbought Level: Signals when RSI is above this level (default 70), indicating potential overbought conditions.
RSI Oversold Level: Signals when RSI is below this level (default 30), indicating potential oversold conditions.
Moving Average Length: Defines the SMA length used to confirm price trends (default 50).
2. Indicators Used
RSI (Relative Strength Index):
Measures the speed and change of price movements.
A value above 70 typically indicates overbought conditions.
A value below 30 typically indicates oversold conditions.
SMA (Simple Moving Average):
Used to smooth price data and identify trends.
Price above the SMA suggests an uptrend, while price below suggests a downtrend.
3. Buy and Sell Signal Logic
Buy Condition:
The RSI value is below the oversold level (e.g., 30), indicating the market might be undervalued.
The current price is above the SMA, confirming an uptrend.
Sell Condition:
The RSI value is above the overbought level (e.g., 70), indicating the market might be overvalued.
The current price is below the SMA, confirming a downtrend.
These conditions ensure that trades align with market trends, reducing false signals.
4. Visual Features
Buy Signals: Displayed as green labels (plotshape) below the price bars when the buy condition is met.
Sell Signals: Displayed as red labels (plotshape) above the price bars when the sell condition is met.
Moving Average Line: A blue line (plot) added to the chart to visualize the SMA trend.
5. How It Works
When the buy condition is true (RSI < 30 and price > SMA), a green label appears below the corresponding price bar.
When the sell condition is true (RSI > 70 and price < SMA), a red label appears above the corresponding price bar.
The blue SMA line helps to visualize the overall trend and acts as confirmation for signals.
6. Advantages
Combines Momentum and Trend Analysis:
RSI identifies overbought/oversold conditions.
SMA confirms whether the market is trending up or down.
Simple Yet Effective:
Reduces noise by using well-established indicators.
Easy to interpret for beginners and experienced traders alike.
Customizable:
Parameters like RSI length, oversold/overbought levels, and SMA length can be adjusted to fit different assets or timeframes.
7. Limitations
Lagging Indicator: SMA is a lagging indicator, so it may not capture rapid market reversals quickly.
Not Foolproof: No trading indicator can guarantee 100% accuracy. False signals can occur in choppy or sideways markets.
Needs Volume Confirmation: The script does not consider trading volume, which could enhance signal reliability.
8. How to Use It
Copy the script into TradingView's Pine Editor.
Save and add it to your chart.
Adjust the RSI and SMA parameters to suit your preferred asset and timeframe.
Look for buy signals (green labels) in uptrends and sell signals (red labels) in downtrends.
Dirección del Mercado y Bloques de Ordendireccion del mercado
Apareceran etiquetas que indican si la tendencia es alcista o bajista en los mercados de tiempo diari H4 y H1
zonas de liquidez
Lineas horizontales en el grafico resaltan los maximos y minimos de las ultimas 50 velas
EMA 50 200 BandThis indicator displays the Exponential Moving Averages (EMA) with periods of 50 and 200 and visually highlights the areas between the two lines. The color coding helps to quickly identify trends:
Green: EMA 50 is above EMA 200 (bullish signal).
Red: EMA 50 is below EMA 200 (bearish signal).
This tool is especially useful for trend analysis and can act as a filter for buy and sell signals. It is suitable for day trading or swing trading across various timeframes.
mVWAp and PDL PDH bar coloringBars are colored based on where they close relatively to PDL PDH and mVWAP
RSI + BB (All Combined)RSI + BB (All Combined)
В скрипте представлены полосы боллинджера + стохастик RSI