Cyril//@version=6
indicator("Signaux BB (Réintégration) avec RSI", overlay=true)
// Paramètres des Bandes de Bollinger
bb_length = 20 // Période des Bandes de Bollinger
bb_dev = 1.6 // Déviation standard
// Calcul des Bandes de Bollinger
basis = ta.sma(close, bb_length) // Moyenne mobile simple
dev = bb_dev * ta.stdev(close, bb_length) // Déviation standard
upper_bb = basis + dev // Bande supérieure
lower_bb = basis - dev // Bande inférieure
// Tracer les Bandes de Bollinger
plot(upper_bb, color=color.orange, linewidth=1, title="Bande Supérieure")
plot(basis, color=color.blue, linewidth=1, title="Moyenne Mobile")
plot(lower_bb, color=color.orange, linewidth=1, title="Bande Inférieure")
// Paramètres du RSI
rsi_length = 14 // Période du RSI
rsi_overbought = 60 // Niveau RSI pour les ventes
rsi_oversold = 35 // Niveau RSI pour les achats
// Calcul du RSI
rsi = ta.rsi(close, rsi_length)
// Conditions pour les signaux d'achat et de vente
buy_signal = (open < lower_bb and close < lower_bb and close > lower_bb and rsi < rsi_oversold)
sell_signal = (open > upper_bb and close > upper_bb and close < upper_bb and rsi > rsi_overbought)
// Afficher les signaux UNIQUEMENT si la condition RSI est respectée
plotshape(buy_signal, style=shape.triangleup, location=location.belowbar, color=color.green, size=size.small, title="Achat")
plotshape(sell_signal, style=shape.triangledown, location=location.abovebar, color=color.red, size=size.small, title="Vente")
Pita dan Kanal
Scorpion [SCPteam]this is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for testthis is for test
Basit Renkli Trend Sistemi Sistemin Çalışma Mantığı:
Trend Çizgisi:
50 periyotluk basit hareketli ortalama (SMA) kullanır.
Çizgi rengi trend yönüne göre değişir:
Yeşil: Güçlü yukarı trend.
Kırmızı: Güçlü aşağı trend.
Gri: Yan piyasa (belirsiz trend).
Yan Piyasa Filtresi:
Hareketli ortalamanın eğimi belirli bir eşiğin altındaysa (threshold), sistem yan piyasa olarak kabul eder ve gri renge geçer.
Sinyal Onayı:
Trend değişimlerinde uyarı verir (opsiyonel).
Örnek Kullanım:
Uzun Pozisyon: Çizgi yeşil olduğunda.
Kısa Pozisyon: Çizgi kırmızı olduğunda.
Bekleme Modu: Çizgi gri olduğunda işlem yapmayın.
Optimizasyon İpuçları:
Daha Hızlı Trendler İçin:
length parametresini 20-30 aralığına düşürün.
Daha Kararlı Trendler İçin:
length parametresini 100 veya daha yüksek bir değere ayarlayın.
Yan Piyasa Hassasiyeti:
threshold değerini piyasa volatilitesine göre ayarlayın:
Düşük volatilite: 0.10
Yüksek volatilite: 0.20
Ekran Görüntüsü:
Yeşil Çizgi: Al bölgesi.
Kırmızı Çizgi: Sat bölgesi.
Gri Çizgi: Bekleme modu.
Range Oscillation Detector / Owl of ProfitRange Oscillation Detector
The Range Oscillation Detector is designed to identify periods where price movements consistently stay within a defined range over a specified lookback period.
Features
Range Detection
Monitors the price range between a specified low ($10) and high ($15).
Evaluates if all days within the lookback period are confined to the specified range.
Default lookback period: 30 days.
Visual Indicator
Highlights the chart's background in green when the range condition is met.
Alert System
Sends an alert when the price has been oscillating between the defined range for the entire lookback period.
Use Case
This tool is ideal for range-bound trading strategies, allowing traders to identify assets with consistent price oscillation between defined levels, potentially indicating sideways markets or consolidation zones.
Visit my website for more tools and strategies: bybitindicators.com
Happy trading!
TRP İndikatör SinyalleriTRP İndikatörü Sinyal Üretici:
- Düşüş sinyali: 8. ve 9. mumlar kırmızı ve 7. mumun altında kapanır.
- Yükseliş sinyali: M9 mumu yeşil ve 13 mum sonra yükseliş beklenir.
Bu kod, TradingView grafiklerinde otomatik olarak sinyalleri işaretler.
Keltner Channels with EMAs/sf/lsa;lgf;oa fluqwep9n vliwequtrl9uwet9o34qwo8uw3p9 uto9qw3475o9bb uto9q34w bno9qu32onqyo9
Best Buy/Sell Predictor with Labels//@version=5
indicator("Best Buy/Sell Predictor with Labels", overlay=true)
// Inputs
atrLength = input.int(10, title="ATR Length")
atrMultiplier = input.float(3.0, title="ATR Multiplier")
rsiPeriod = input.int(14, title="RSI Period")
rsiOverbought = input.int(70, title="RSI Overbought Level")
rsiOversold = input.int(30, title="RSI Oversold Level")
// Supertrend Calculation
atr = ta.atr(atrLength)
upTrend = close - (atrMultiplier * atr)
downTrend = close + (atrMultiplier * atr)
trendUp = ta.valuewhen(ta.crossover(close, upTrend), upTrend, 0)
trendDown = ta.valuewhen(ta.crossunder(close, downTrend), downTrend, 0)
supertrend = close > trendUp ? trendUp : close < trendDown ? trendDown : na
supertrendDirection = close > supertrend ? 1 : close < supertrend ? -1 : na
// RSI Calculation
rsi = ta.rsi(close, rsiPeriod)
// Buy/Sell Conditions
buySignal = supertrendDirection == 1 and rsi < rsiOversold
sellSignal = supertrendDirection == -1 and rsi > rsiOverbought
// Plot Supertrend
plot(supertrendDirection == 1 ? trendUp : na, title="Supertrend Up", color=color.green, linewidth=2)
plot(supertrendDirection == -1 ? trendDown : na, title="Supertrend Down", color=color.red, linewidth=2)
// Plot Buy/Sell Shapes with Labels
plotshape(series=buySignal, location=location.belowbar, color=color.green, style=shape.labelup, text="BUY", title="Buy Signal")
plotshape(series=sellSignal, location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL", title="Sell Signal")
// Alert Conditions
alertcondition(buySignal, title="Buy Alert", message="BUY Signal: Supertrend is bullish and RSI is oversold")
alertcondition(sellSignal, title="Sell Alert", message="SELL Signal: Supertrend is bearish and RSI is overbought")
GOLDMASK Indicator (SO + Days Break)//@version=6
indicator("GOLDMASK Indicator (SO + Days Break)", overlay=true)
// Vstupy pro přizpůsobení stylu čar
lineStyleInput = input.string(title="Styl čáry", defval="Dashed", options= )
lineWidthInput = input.int(title="Šířka čáry", defval=1, minval=1)
sundayLineColor = input.color(title="Nedělní vertikální otevírací čára", defval=color.new(#00BFFF, 50)) // Světle modrá barva pro neděli
dayBreakColor = input.color(title="Čára přerušení dne", defval=color.new(#ADD8E6, 50)) // Světle modrá barva pro přerušení dne
weekStartColor = input.color(title="Čára začátku týdne", defval=color.new(#FF8C00, 50)) // Tmavě oranžová barva pro nový týden
// Definice funkce getLineStyle
getLineStyle(style) =>
switch style
"Dotted" => line.style_dotted
"Dashed" => line.style_dashed
"Solid" => line.style_solid
// Proměnná pro uložení ceny otevření v neděli
var float sundayOpenPrice = na
// Určení a vykreslení ceny otevření v neděli
if (dayofweek == dayofweek.sunday and hour == (syminfo.ticker == "XAUUSD" ? 18 : 17) and minute == 0)
sundayOpenPrice := open
// Vykreslení ceny otevření v neděli s 50% průhledností
plot(sundayOpenPrice, title="Sunday Open", style=plot.style_linebr, linewidth=lineWidthInput, color=sundayLineColor, trackprice=true)
// Funkce pro vykreslení vertikálních čar pro přerušení dne
drawVerticalLineForDay(dayOffset, isSunday) =>
int dayTimestamp = na(time) ? na : time - dayOffset * 86400000 + ((syminfo.ticker == "XAUUSD" ? 18 : 17) - 5) * 3600000
if not na(dayTimestamp) and hour(time ) < (syminfo.ticker == "XAUUSD" ? 18 : 17) and hour >= (syminfo.ticker == "XAUUSD" ? 18 : 17)
lineColor = isSunday ? weekStartColor : dayBreakColor
line.new(x1=bar_index, y1=low, x2=bar_index, y2=high, width=lineWidthInput, color=lineColor, style=line.style_dotted, extend=extend.both)
// Vykreslení čar pro poslední čtyři dny a použití jiné barvy pro neděli
for dayOffset = 0 to 3 by 1
isSunday = dayOffset == 0 and dayofweek == dayofweek.sunday
drawVerticalLineForDay(dayOffset, isSunday)
Buy/Sell Volume OscillatorBuy volume
Sell volume
will assist with market trend, showing the trend strength
🚀 Traderz h3lp3r - Combined Trend and ReversalThe " Traderz Helper " is a comprehensive trading indicator designed for trading in multi time frame, integrating several powerful analytical tools into one seamless overlay.
This indicator combines H4 EMA trend analysis, Bollinger Bands for reversal detection, and precise candlestick pattern identification to provide traders with a robust tool for identifying potential market movements.
Features:
H4 EMA Trend Lines:
Displays the H4 EMA (Exponential Moving Average) to identify the overall market trend. It uses a 240-minute timeframe to reflect the H4 period across all charts.
The trend line is conditionally displayed based on the selected timeframe, ensuring relevance and clarity in trend analysis.
Bollinger Bands Reversal Signals:
Utilizes Bollinger Bands to spot potential bullish and bearish reversal points. The indicator highlights when the price wicks beyond the bands but closes within, signaling possible price rejections.
Includes both Bullish and Bearish reversal detections, marked with upward ("▲") and downward ("▼") arrows for quick visual cues.
Candlestick Pattern Detection:
Detects critical candlestick formations that indicate tops and bottoms in the market. This feature spots "Hammer" and "Shooting Star" patterns that can signify turning points.
Displays an orange "T" above bullish candles that form potential tops and a "B" below bearish candles indicating possible bottoms, providing traders with immediate visual insights into candlestick behavior.
Utility:
This indicator is tailored for traders who need a multi-faceted approach to technical analysis. Whether you are looking to confirm trend directions, anticipate market reversals, or identify key candlestick patterns, the "Traderz Helper" provides all necessary tools in a single, user-friendly format. Ideal for both novice and experienced traders, this indicator enhances decision-making by integrating essential trading metrics directly on your chart.
Usage Tips:
Monitor the H4 EMA for broader market trends. Use the trend lines to align your trades with the market direction.
Pay close attention to the reversal signals from Bollinger Bands. These can offer valuable entry and exit points.
Use the candlestick pattern detection to refine your trading strategy during key market movements. Look for "T" and "B" signals as confirmation of potential tops and bottoms.
=================
If this script is useful for you and permit to make great profit, you can make a donation :)
solana : Dot5dRkKXeAwgX7uYwyv2P1yvTN7gNM1GkNHQGaVt3Mu
eth : 0x1ff24cbB85297cFA930B386953aC8094745BE3dc
sui : 0x15c57b6088691ed338b3348fa63a0380126b4abd716fd2b09a4007ae00c58a99
SevenStar ConfluenceIntroducing HeptaConfluence, an all-in-one multi-indicator overlay that combines seven of the most commonly used technical tools into a single confluence system.
By uniting VWAP, RSI, MACD, Bollinger Bands, Stochastic, Ichimoku Cloud, and Parabolic SAR, HeptaConfluence identifies potential bullish or bearish setups based on a user-defined threshold of matching signals. This approach helps traders quickly gauge market sentiment and momentum from multiple angles, reducing noise and providing clear Buy/Sell signals.
Simply add it to your chart, adjust the parameters to suit your style, and let HeptaConfluence guide your decision-making with greater confidence.
MultiTool Indicator SuiteDescrizione Generale
Il MultiTool Indicator Suite è un indicatore completo e versatile pensato per i trader che vogliono integrare più strumenti di analisi tecnica in un'unica soluzione. Questo indicatore è progettato per migliorare la lettura dei mercati finanziari attraverso la combinazione di diverse metriche classiche e avanzate. Grazie alla sua struttura modulare e personalizzabile, il MultiTool Indicator Suite si adatta a ogni stile di trading, che tu sia un day trader, uno swing trader o un analista a lungo termine.
Componenti dell'Indicatore
Medie Mobili Semplici (SMA)
Configurazione personalizzabile: possibilità di scegliere il periodo per ogni media mobile.
Visualizzazione fino a 5 SMA simultanee: ideale per identificare trend, inversioni e punti di ingresso/uscita.
Colori dinamici: ogni SMA può avere un colore specifico per facilitare l'identificazione visiva.
Bande di Bollinger
Fino a 3 set personalizzabili: ogni set può avere un diverso periodo e deviazione standard.
Aree dinamiche: zone di ipercomprato e ipervenduto evidenziate automaticamente.
Supporto visivo migliorato : linee chiare e possibilità di regolare l'opacità per una migliore integrazione nel grafico.
Williams Fractals
Identificazione automatica dei punti di inversione: segnali visivi direttamente sul grafico.
Opzioni di personalizzazione: possibilità di scegliere la dimensione dei fractals e i colori delle frecce.
Supporto multi-timeframe: funziona sia su timeframe brevi che lunghi per una lettura completa.
Identificatore di Fair Value Gaps (FVG)
Rilevamento automatico: l'indicatore identifica le aree di gap tra candele, spesso utilizzate come livelli di supporto/resistenza o zone di potenziale ritracciamento.
Colorazione personalizzabile: ogni gap può essere evidenziato con un colore specifico.
Opzioni di filtro avanzate: possibilità di impostare criteri di rilevamento basati sulla volatilità o sulla dimensione delle candele.
Watermark Personalizzabile
Personalizzazione del testo: aggiungi il nome del tuo account, un messaggio motivazionale o altre informazioni.
Opzioni di stile: cambia dimensione, colore, opacità e posizione del watermark per integrarlo nel grafico senza ostruire la visuale.
Supporto multilingua: scrivi il testo in qualsiasi lingua per rendere il watermark unico e rilevante per il tuo pubblico.
Caratteristiche Aggiuntive
Compatibilità multi-timeframe: l'indicatore funziona su tutti i timeframe di TradingView, dal minuto al mensile.
Interfaccia intuitiva: tutte le impostazioni sono facilmente modificabili attraverso un pannello interattivo.
Ottimizzazione delle performance: l'indicatore è stato scritto per garantire un basso impatto sulle risorse, offrendo fluidità anche su grafici complessi.
Segnali visivi chiari : ogni componente è progettato per offrire un feedback visivo chiaro e immediato.
Esempi di Utilizzo
Trend Following : utilizza le SMA e le Bande di Bollinger per identificare trend di lungo termine e oscillazioni di breve periodo.
Zone di Interesse: sfrutta i FVG per individuare aree in cui il prezzo potrebbe tornare.
Conferma dei Movimenti: usa i Williams Fractals per confermare potenziali inversioni o continuazioni del trend.
Perché Scegliere il MultiTool Indicator Suite
Questo indicatore rappresenta una soluzione all-in-one per i trader che cercano efficienza e flessibilità. Con il MultiTool Indicator Suite, non è necessario utilizzare più indicatori separati: tutto ciò di cui hai bisogno è integrato in un unico strumento potente e facilmente configurabile.
Breakout Josip strategy is focused on analyzing price movements during specific time intervals (from 9:00 AM to 12:00 PM) each day. It tracks the highest and lowest prices in that period and uses them to set targets for potential trades, placing horizontal lines based on these levels. Additionally, you're interested in tracking the success and failure of trades based on whether price breaks certain levels during this time range. The strategy also calculates various metrics like the percentage of successful trades, failed trades, and total trades during a selected time range.
Long/Short - Juju & JojôFuncionalidades:
Sinais de Compra ("Long"): Gerados quando o RSI suavizado cruza acima da banda dinâmica de suporte.
Sinais de Venda ("Short"): Gerados quando o RSI suavizado cruza abaixo da banda dinâmica de resistência.
Alertas Integrados: Notificações automáticas ao identificar sinais de compra ou venda.
Personalização: Parâmetros ajustáveis para o RSI, suavização, sensibilidade do QQE e limiar de volatilidade.
3 buy FractionedDesigned to identify potential buying opportunities with high reliability, particularly on the daily timeframe. It combines multiple technical analysis tools to generate signals with enhanced accuracy and flexibility.
Key Features:
Multi-Condition Analysis:
RSI (<55) and Stochastic Oscillator (<55) to detect oversold conditions.
Bollinger Band proximity for price reversals.
Volume spikes to confirm market interest.
50-day Moving Average to ensure trend alignment.
Early Signal Detection:
Includes a 10-day and 20-day SMA crossover for additional confirmation.
Relaxed thresholds to capture trends earlier.
Customizable Parameters:
The thresholds for RSI, Stochastic, and volume are adjustable for different trading styles.
How to Use:
Use this indicator on daily timeframes for swing trading.
Look for the green 'BUY' label below the candles as the entry signal.
Combine with other tools (e.g., support/resistance levels, candlestick patterns) for additional confirmation.
WaveTrend Ignacio indicador de compra y venta simple, para mediano a largo plazo, con sobre compra y sobre venta como factor de explicacion
Global Trading Sessions [GLIDER]This Script is a marker of global trading session timings particularly Tokyo, London, Newyork
VWAP Bands Naya//@version=5
indicator("VWAP Bands", overlay=true)
// Inputs
deviation = input.float(1.0, "Deviation %", step=0.1) / 100
// VWAP Calculation
vwap = ta.vwap(close)
// Calculate Bands
upperBand = vwap * (1 + deviation)
lowerBand = vwap * (1 - deviation)
// Plot VWAP and Bands
plot(vwap, color=color.blue, linewidth=2, title="VWAP")
plot(upperBand, color=color.green, linewidth=1, title="Upper Band")
plot(lowerBand, color=color.red, linewidth=1, title="Lower Band")
// Background Color for Trend
bgcolor(close > vwap ? color.new(color.green, 90) : color.new(color.red, 90))
Donchian Breakout Indicator apthaTo trade using the Donchian Breakout Indicator, you can follow a trend-following approach, where the goal is to catch strong price movements as they break out of a consolidation range. Here's a step-by-step guide on how you can trade with this indicator:
1. Identifying Breakouts
The Donchian Channels display the highest high and the lowest low over a certain period (20 periods by default). When price breaks above the upper channel, it signals a potential bullish breakout, and when it breaks below the lower channel, it signals a potential bearish breakout.
2. Bullish Breakout (Buying)
Entry Signal: Look for a bullish breakout when the price closes above the upper channel. This indicates that the price is moving higher, breaking out of a recent range.
Confirmation: The middle channel acts as an additional confirmation. If the price is above the middle channel (or multiplied by the confirmation factor), it further strengthens the buy signal.
Exit: You can exit the position either when the price falls back inside the channel or based on other indicators like stop losses, take profits, or another price action signal.
3. Bearish Breakout (Selling/Shorting)
Entry Signal: Look for a bearish breakout when the price closes below the lower channel. This indicates a potential downward move, where the price is breaking below a recent support level.
Confirmation: Similarly, if the price is below the middle channel (or multiplied by the confirmation factor), it provides more confidence in the short position.
Exit: Exit the short position when the price breaks back above the lower channel or based on other indicators/price action.
4. Stop Loss and Take Profit Suggestions
Stop Loss:
For long positions, set the stop loss below the upper channel breakout point, or use a percentage-based stop from your entry price.
For short positions, set the stop loss above the lower channel breakout point.
Take Profit: Consider using a risk-reward ratio (like 2:1 or 3:1). Alternatively, you could exit when price closes back inside the channel or use trailing stops for dynamic exits.
5. Trade Example:
Bullish Example (Long Trade)
Signal: The price closes above the upper Donchian channel, indicating a potential breakout.
Confirmation: The price is above the middle channel (optional for stronger confirmation).
Action: Enter a long position.
Stop Loss: Place a stop loss just below the upper channel or a set percentage under the breakout point.
Take Profit: Set a profit target based on a risk-reward ratio or exit when the price shows signs of reversing.
Bearish Example (Short Trade)
Signal: The price closes below the lower Donchian channel, signaling a potential bearish breakout.
Confirmation: The price is below the middle channel (optional for added confidence).
Action: Enter a short position.
Stop Loss: Place a stop loss just above the lower channel or a set percentage above the breakout point.
Take Profit: Set a profit target based on a risk-reward ratio or exit when the price shows signs of reversing.
Things to Keep in Mind:
False Breakouts: Occasionally, price might break out temporarily and then reverse, which is a false breakout. To minimize this risk, use volume confirmation, momentum indicators (like RSI), or wait for a couple of candlesticks to confirm the breakout before entering.
Market Conditions: This strategy works best in trending markets. In ranging or consolidating markets, breakouts might not always follow through, leading to false signals.
Risk Management: Always apply good risk management techniques, such as defining your position size, setting stop losses, and using a proper risk-reward ratio.