Death Metal 9A part of the DMM Face-Melter Pro indicator suite, available as a standalone package.
A 9 period moving average (either SMA or EMA) that is wrapped in a 3-10-16 oscillator histogram.
The 3-10-16 oscillator is a MACD variant popularized by famed trader Linda Raschke and used since 1981.
This oscillator is great for identifying shorter-term trend shifts in price action momentum, especially when paired with a 9 period moving average.
Includes the 200 day moving average cloud feature.
200 Day SMA and EMA moving averages displayed together to create a highly reliable cloud of support and resistance.
The 200 day moving averages are gold standard for serious traders. Price action nearly always reacts to them, whether on the way down or back up.
Utilizing both the 200 day SMA and EMA together provides a logical range (or cloud) to work with, rather than a cut-and-dry single line.
Trend Analysis
Simple Gap IndicatorThe Simple Gap Indicator is a powerful tool designed to detect and visualize price gaps in the market, helping traders identify key levels of support and resistance. Whether you're analyzing gap-up or gap-down scenarios, this indicator provides clear visual cues to enhance your trading decisions.
Key Features:
Gap Detection: Automatically identifies gap-up and gap-down events based on user-defined sensitivity.
Customizable Display Styles: Choose between lines or boxes to represent gaps visually, depending on your preference.
Extend Options: Control how far the lines or boxes extend on the chart (None, Right, Left, Both).
User-Friendly Inputs: Adjust the number of bars to examine and sensitivity to gap size for precise customization.
Dynamic Visualization:
Gap-Up Events: Highlighted in green for easy identification of bullish gaps.
Gap-Down Events: Highlighted in red for bearish gaps.
RSI Strategy//@version=6
indicator("Billy's RSI Strategy", shorttitle="RSI Strategy", overlay=true)
// Parameters
overbought = 70
oversold = 30
rsi_period = 14
min_duration = 4
max_duration = 100
// Calculate RSI
rsiValue = ta.rsi(close, rsi_period)
// Check if RSI is overbought or oversold for the specified duration
longOverbought = math.sum(rsiValue > overbought ? 1 : 0, max_duration) >= min_duration
longOversold = math.sum(rsiValue < oversold ? 1 : 0, max_duration) >= min_duration
// Generate signals
buySignal = ta.crossover(rsiValue, oversold) and longOversold
sellSignal = ta.crossunder(rsiValue, overbought) and longOverbought
// Calculate RSI divergence
priceDelta = close - close
rsiDelta = rsiValue - rsiValue
divergence = priceDelta * rsiDelta < 0
strongBuySignal = buySignal and divergence
strongSellSignal = sellSignal and divergence
// Plotting
plotshape(series=buySignal and not strongBuySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="Buy")
plotshape(series=sellSignal and not strongSellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="Sell")
plotshape(series=strongBuySignal, title="Strong Buy Signal", location=location.belowbar, color=color.green, style=shape.triangleup, text="Strong Buy")
plotshape(series=strongSellSignal, title="Strong Sell Signal", location=location.abovebar, color=color.red, style=shape.triangledown, text="Strong Sell")
WSRSimple Crypto (Pre) Weekly Support / Resistance
Inspired by ICT: NWOG - CME Futures Gap Theory
Based on sbtnc - Previous Day Week Highs & Lows
X Ergotsalad
Mehmet Sert & investor_coin Combined//@version=5
indicator(title='Mehmet Sert & investor_coin Combined', shorttitle='Combined Indicator', overlay=true)
// Mehmet Sert's Original Code
src = input.source(close, title='Source', group='MA', inline='source')
matype = input.string('EMA', title='Type', group='MA', inline='Period1', options= )
mafast = input.int(5, title='Fast', group='MA', inline='Period1')
maslow = input.int(10, title='Slow', group='MA', inline='Period1')
matypesafety = input.string('EMA', title='Safety', group='MA', inline='Period2', options= )
masafety = input.int(55, title='Prd', group='MA', inline='Period2')
shw_crs = input.bool(true, title='Flags', group='MA', inline='flag')
matype_htf = input.string('SMA', title='HTF', group='MA', inline='Period3', options= )
ma_htf = input.int(9, title='Prd', group='MA', inline='Period3')
avgma_fast = matype == 'SMA' ? ta.sma(src, mafast) : matype == 'EMA' ? ta.ema(src, mafast) : matype == 'WMA' ? ta.wma(src, mafast) : na
avgma_slow = matype == 'SMA' ? ta.sma(src, maslow) : matype == 'EMA' ? ta.ema(src, maslow) : matype == 'WMA' ? ta.wma(src, maslow) : na
avgma_safety = matypesafety == 'SMA' ? ta.sma(src, masafety) : matypesafety == 'EMA' ? ta.ema(src, masafety) : matype == 'WMA' ? ta.wma(src, masafety) : na
crs_buy = ta.crossover(avgma_fast, avgma_safety)
crs_sell = ta.crossunder(avgma_fast, avgma_safety)
res_htf = input.string('W', title="Fixed TF", options= , group='MA', inline="Period3 MTF")
mode_htf = input.string('Auto', title="Mode Level", options= , group='MA', inline="Period3 MTF")
HTF = timeframe.period == '1' ? 'W' :
timeframe.period == '3' ? 'W' :
timeframe.period == '5' ? 'W' :
timeframe.period == '15' ? 'W' :
timeframe.period == '30' ? 'W' :
timeframe.period == '45' ? 'W' :
timeframe.period == '60' ? 'W' :
timeframe.period == '120' ? 'W' :
timeframe.period == '180' ? 'W' :
timeframe.period == '240' ? 'W' :
timeframe.period == 'D' ? 'W' :
timeframe.period == 'W' ? 'W' :
'6M'
vTF_htf = mode_htf == 'Auto' ? HTF : mode_htf == 'Current' ? timeframe.period : mode_htf == 'User Defined' ? res_htf : na
src_htf = request.security(syminfo.tickerid, vTF_htf, src, barmerge.gaps_off, barmerge.lookahead_on)
sma_htf = request.security(syminfo.tickerid, vTF_htf, ta.sma(src_htf, ma_htf), barmerge.gaps_off, barmerge.lookahead_off)
ema_htf = request.security(syminfo.tickerid, vTF_htf, ta.ema(src_htf, ma_htf), barmerge.gaps_off, barmerge.lookahead_off)
wma_htf = request.security(syminfo.tickerid, vTF_htf, ta.wma(src_htf, ma_htf), barmerge.gaps_off, barmerge.lookahead_off)
avgma_htf = matype_htf == 'SMA' ? sma_htf : matype_htf == 'EMA' ? ema_htf : matype_htf == 'WMA' ? wma_htf : na
plot(avgma_fast, title='Fast MA', style=plot.style_line, color=avgma_fast > avgma_slow ? color.lime : color.red, linewidth=1)
plot(avgma_slow, title='Slow MA', style=plot.style_line, color=avgma_slow > avgma_safety ? color.lime : color.red, linewidth=2)
plot(avgma_safety, title='Safety MA', style=plot.style_line, color=avgma_safety < avgma_slow ? color.blue : color.orange, linewidth=3)
plot(avgma_htf, title='HTF MA', style=plot.style_line, color=color.new(color.yellow, 0), linewidth=4)
var bool safety_zone = na
safety_zone := avgma_fast >= avgma_slow and avgma_slow >= avgma_safety
var bool blue_zone = na
blue_zone := avgma_fast >= avgma_slow
var bool unsafety_zone = na
unsafety_zone := avgma_fast <= avgma_slow and avgma_slow <= avgma_safety
var bool yellow_zone = na
yellow_zone := avgma_fast <= avgma_slow
bgcolor(safety_zone ? color.new(color.green, 85) : blue_zone ? color.new(color.blue, 85) : unsafety_zone ? color.new(color.red, 85) : yellow_zone ? color.new(color.yellow, 85) : color.new(color.orange, 75), title='(Un)Safety Zone')
blue_buy = ta.crossover(avgma_fast, avgma_slow)
green_buy = avgma_fast >= avgma_slow and ta.crossover(avgma_slow, avgma_safety)
blue_buy2 = ta.crossover(avgma_fast, avgma_slow) and avgma_slow >= avgma_safety
yellow_sell = ta.crossunder(avgma_fast, avgma_slow)
red_sell = avgma_fast <= avgma_slow and ta.crossunder(avgma_slow, avgma_safety)
plotshape(shw_crs ? crs_buy : na, title='Buy Flag', style=shape.triangleup, location=location.belowbar, color=color.new(color.lime, 0), text='YEŞİL ALAN', textcolor=color.new(color.lime, 0), size=size.tiny)
plotshape(shw_crs ? crs_sell : na, title='Sell kırmızı', style=shape.triangledown, location=location.abovebar, color=color.new(color.red, 0), text='KIRMIZI ALAN', textcolor=color.new(color.red, 0), size=size.tiny)
plotshape(shw_crs ? blue_buy : na, title='Buy mavi', style=shape.triangleup, location=location.belowbar, color=color.new(color.blue, 0), text='MAVİ ALAN', textcolor=color.new(color.blue, 0), size=size.tiny)
plotshape(shw_crs ? blue_buy2 : na, title='Buy yeşil', style=shape.triangleup, location=location.belowbar, color=color.new(color.green, 0), text='YEŞİL ALAN ', textcolor=color.new(color.blue, 0), size=size.tiny)
plotshape(shw_crs ? yellow_sell : na, title='Sell sarı', style=shape.triangledown, location=location.abovebar, color=color.new(color.red, 0), text='SARI ALAN', textcolor=color.new(color.red, 0), size=size.tiny)
alertcondition(blue_buy, title="Buy Blue", message="Buy %20")
alertcondition(green_buy, title="Buy Green", message="Buy %80")
alertcondition(blue_buy2, title="Buy Again", message="Buy %80 Again")
alertcondition(yellow_sell, title="Sell yellow", message="Sell %80")
alertcondition(red_sell, title="Close Position", message="Close Position")
// investor_coin's Code
MA_SMA = input(false, "========= MAs SMA ==========")
src_sma = input(title="Source SMA", defval=close)
length_sma1 = input(9, "MA 9")
plot(MA_SMA ? ta.sma(src_sma, length_sma1) : na, color=color.green, linewidth=1, transp=0, title="SMA9")
length_sma2 = input(20, "MA 20")
plot(MA_SMA ? ta.sma(src_sma, length_sma2) : na, color=color.orange, linewidth=2, transp=0, title="MA 20")
length_sma3 = input(50, "MA 50")
plot(MA_SMA ? ta.sma(src_sma, length_sma3) : na, color=color.purple, linewidth=3, transp=0, title="MA 50")
length_sma4 = input(100, "MA 100")
plot(MA_SMA ? ta.sma(src_sma, length_sma4) : na, color=color.red, linewidth=3, transp=0, title="MA 100")
length_sma5 = input(200, "MA 200")
plot(MA_SMA ? ta.sma(src_sma, length_sma5) : na, color=color.maroon, linewidth=4, transp=0, title="MA 200")
MA_EMA = input(false, "========= MAs EMA ==========")
src_ema = input(title="Source EMA", defval=close)
length_ema1 = input(5, "EMA 5")
plot(MA_EMA ? ta.ema(src_ema, length_ema1) : na, color=color.green, linewidth=1, title="EMA 5")
length_ema2 = input(10, "EMA 10")
plot(MA_EMA ? ta.ema(src_ema, length_ema2) : na, color=color.orange, linewidth=2, title="EMA 10")
length_ema3 = input(55, "EMA 55")
plot(MA_EMA ? ta.ema(src_ema, length_ema3) : na, color=color.purple, linewidth=3, title="EMA 55")
length_ema4 = input(100, "EMA 100")
plot(MA_EMA ? ta.ema(src_ema, length_ema4) : na, color=color.red, linewidth=4, title="EMA 100")
length_ema5 = input(200, "EMA 200")
plot(MA_EMA ? ta.ema(src_ema, length_ema5) : na, color=color.maroon, linewidth=5, title="EMA 200")
MA_WMA = input(false, "========= MAs WMA ==========")
src_wma = input(title="Source WMA", defval=close)
length_wma1 = input(5, "WMA 5")
plot(MA_WMA ? ta.wma(src_wma, length_wma1) : na, color=color.green, linewidth=1, title="WMA 5")
length_wma2 = input(22, "WMA 22")
plot(MA_WMA ? ta.wma(src_wma, length_wma2) : na, color=color.orange, linewidth=2, title="WMA 22")
length_wma3 = input(50, "WMA 50")
plot(MA_WMA ? ta.wma(src_wma, length_wma3) : na, color=color.purple, linewidth=3, title="WMA 50")
length_wma4 = input(100, "WMA 100")
plot(MA_WMA ? ta.wma(src_wma, length_wma4) : na, color=color.red, linewidth=4, title="WMA 100")
length_wma5 = input(200, "WMA 200")
plot(MA_WMA ? ta.wma(src_wma, length_wma5) : na, color=color.maroon, linewidth=5, title="WMA 200")
Commitment of Traders: Dual Currency with Change SummaryCommitment of Traders: Dual Currency with Change Summary
Übersicht
Der Commitment of Traders: Dual Currency with Change Summary ist ein leistungsstarker Indikator, der die Commitment of Traders (COT)-Daten für zwei Währungen (Base und Quote) in Echtzeit analysiert und visualisiert. Er bietet eine detaillierte Zusammenfassung der Positionen großer Händler, kleiner Händler und kommerzieller Hedger sowie deren prozentuale Veränderungen im Vergleich zum Vorwochenwert. Mit diesem Indikator können Trader fundierte Entscheidungen auf der Grundlage von COT-Daten treffen und Markttrends besser verstehen.
Hauptfunktionen
Dual Currency Analysis:
Zeigt COT-Daten für Base Currency und Quote Currency an.
Unterstützt verschiedene Währungsmodi (Auto, Root, Base Currency, Currency).
Change Summary Table:
Zeigt die aktuellen und vorherigen Werte für große Händler, kleine Händler und kommerzielle Hedger.
Berechnet die prozentuale Veränderung und die absolute Differenz im Vergleich zum Vorwochenwert.
Flexible Anzeigeoptionen:
Wähle zwischen Long, Short, Long + Short, Long - Short und Long %.
Entscheide, ob Futures, Optionen oder beides angezeigt werden sollen.
Farbliche Hervorhebungen:
Base Currency-Zeilen werden in Grün hinterlegt.
Quote Currency-Zeilen werden in Rot hinterlegt.
Positive prozentuale Veränderungen werden in Grün hervorgehoben, negative in Rot.
Benutzerfreundliche Steuerung:
Einfache Aktivierung/Deaktivierung von Metriken über Checkboxen.
Möglichkeit, den CFTC-Code manuell zu überschreiben.
Anwendungsfälle
Trendbestätigung: Nutze die COT-Daten, um langfristige Markttrends zu bestätigen oder zu widerlegen.
Sentiment-Analyse: Analysiere das Marktsentiment großer Händler und kommerzieller Hedger.
Handelsentscheidungen: Treffe fundierte Entscheidungen basierend auf den Positionen und Veränderungen der Marktteilnehmer.
Vergleiche: Vergleiche die COT-Daten zweier Währungen, um relative Stärken und Schwächen zu identifizieren.
Warum dieser Indikator?
Echtzeit-Daten: Zugriff auf aktuelle COT-Daten direkt in TradingView.
Benutzerfreundlich: Einfache Konfiguration und intuitive Bedienung.
Visuell ansprechend: Klare farbliche Hervorhebungen für schnelle Interpretation.
Flexibel: Anpassbar an verschiedene Handelsstile und Strategien.
Einstellungen
Base Currency Mode: Wähle den Modus für die Base Currency (Auto, Root, Base Currency, Currency).
Quote Currency Mode: Wähle den Modus für die Quote Currency (Auto, Root, Base Currency, Currency).
Futures/Options: Entscheide, ob Futures, Optionen oder beide angezeigt werden sollen.
Display: Wähle die Anzeigeoption (Long, Short, Long + Short, Long - Short, Long %).
CFTC Code: Überschreibe den automatisch ermittelten CFTC-Code manuell.
Show Change Summary Table: Aktiviere oder deaktiviere die Zusammenfassungstabelle.
Beispiel
Base Currency: EUR (Euro)
Quote Currency: USD (US-Dollar)
Change Summary:
Base Large Traders: Vorheriger Wert = -56, Aktueller Wert = -46, Veränderung = +17.86% (Grün)
Quote Commercial Hedgers: Vorheriger Wert = 120, Aktueller Wert = 110, Veränderung = -8.33% (Rot)
Hinweise
Die COT-Daten werden wöchentlich von der CFTC veröffentlicht und sind mit einer Verzögerung von einigen Tagen verfügbar.
Der Indikator ist ideal für langfristige Trader und Investoren, die fundierte Entscheidungen auf der Grundlage von Marktsentiment-Daten treffen möchten.
Viel Spaß beim Trading!
Nutze den Commitment of Traders: Dual Currency with Change Summary, um deine Trading-Strategien zu verbessern und fundierte Entscheidungen auf der Grundlage von COT-Daten zu treffen. Bei Fragen oder Feedback kannst du mich gerne kontaktieren!
Liquidity Location Detector [BigBeluga]
This indicator helps traders identify potential liquidity zones by detecting significant volume levels at key highs and lows. By using color intensity and scoring numbers, it visually highlights areas where liquidity concentration may be highest while incorporating trend analysis through EMAs.
🔵Key Features:
Liquidity Zone Detection: Automatically detects and marks areas where significant volume has accumulated at swing highs and lows.
Dynamic Box Plotting: Draws liquidity boxes at key highs and lows, updating based on market conditions.
Volume Strength Scaling: Uses a scoring system to rank liquidity zones, helping traders identify the strongest areas.
Color Intensity for Volume Strength: More transperent color indicate less liquidity, while less transperent represent stronger volume concentrations.
Customizable Display: Users can adjust the number of displayed liquidity zones and modify colors to suit their trading style.
Real-Time Liquidity Adaptation: As price interacts with liquidity zones, the indicator updates dynamically to reflect changing market conditions.
Auto-Stopping Liquidity Zones: Liquidity boxes automatically stop extending to the right once price crosses them, preventing outdated zones from interfering with live market action.
Trend Analysis with EMAs: Includes two optional EMAs (fast and slow) to help traders analyze market trends. Users can enable or disable these EMAs in the settings and use crossover signals for trend confirmation.
🔵Usage:
Identify Key Liquidity Areas: Use color intensity and transparency levels to determine high-impact liquidity zones.
Support & Resistance Confirmation: Liquidity zones can act as potential support and resistance levels, enhancing trade decision-making.
Market Structure Analysis: Observe how price interacts with liquidity to anticipate breakout or reversal points.
Scalping & Swing Trading: Works for both short-term and long-term traders looking for liquidity-based trade setups.
Liquidation Map Insight: A liquidity map highlights areas where large amounts of leveraged positions (both long and short) are likely to get liquidated. Since many traders use leverage, sharp price movements can trigger a cascade of liquidations, leading to rapid price surges or drops. Monitoring these liquidity zones and trends helps traders anticipate where price might react strongly.
Liquidity Location Detector is an essential tool for traders seeking to map out potential liquidity zones, providing deeper insights into market structure and trading volume dynamics.
Buy Sell SetupThis buy sell indicator is designed to identify an existing trend or to determine the change in trend quickly. wait for the bar to close and if the bar is GREEN Go Bullish and if the bar is RED go bearish. if the bar comes with your default colour then wait for the bar to catch a direction.
For More confirmation you can use other indicators like RSI, MACD etc along with it.
Thank You.
Monthly & Weekly Separators with High, Low, CloseThis indicator shows previous Monthly and weekly high and low with their closing prices.
Облегчённые авто-сигналы AVAX & WIFНазвание скрипта:
“Облегчённые авто-сигналы AVAX & WIF”
Описание скрипта:
Этот скрипт предназначен для автоматического выявления оптимальных точек входа в LONG и SHORT для криптовалют AVAX и WIF.
🔹 Основные индикаторы:
✔️ RSI (14) – анализ перекупленности/перепроданности
✔️ MACD (12, 26, 9) – пересечение сигнальной линии
✔️ ADX (14) – определение силы тренда
✔️ Стохастик (14) – дополнительный фильтр динамики
✔️ VWAP – контроль цены относительно среднего объёма
🔹 Облегчённые условия входа:
✅ LONG – при развороте вверх и подтверждении индикаторами.
✅ SHORT – при развороте вниз и подтверждении индикаторами.
🔹 Особенности:
⚡ Адаптирован для коротких таймфреймов (1м, 3м, 5м).
⚡ Упрощённые условия для более частых сигналов.
⚡ Совместим с оповещениями TradingView.
📢 Как использовать:
🔸 Добавьте индикатор на график.
🔸 Включите оповещения для LONG и SHORT.
🔸 Используйте с риск-менеджментом!
📊 Идеально для трейдеров, торгующих AVAX и WIF на Binance.
BTC-USDT Liquidity Trend [Ajit Pandit]his script helps traders visualize trend direction and identify liquidity zones where price might react due to past pivot levels. The color-coded candles and extended pivot lines make it easier to spot support/resistance levels and potential breakout points.
Key Features:
1. Trend Detection Using EMA
Uses two EMA calculations to determine the trend:
emaValue: Standard EMA based on length1
correction: Adjusted price movement relative to EMA
Trend: Another EMA of the corrected value
Determines bullish (signalUp) and bearish (signalDn) signals when Trend crosses emaValue.
2. Candlestick Coloring Based on Trend
Candlesticks are colored:
Uptrend → Blue (up color)
Downtrend → Pink (dn color)
Neutral → No color
3. Liquidity Zones (Pivot Highs & Lows)
Identifies pivot highs and lows using a customizable pivot length.
Draws liquidity lines:
High pivot lines (Blue, adjustable width)
Low pivot lines (Pink, adjustable width)
Extends lines indefinitely until price breaks above/below the level.
Removes broken pivot levels dynamically.
Moving Average + SuperTrend Strategy
---
### **1. Concept of EMA 200:**
- **EMA 200** is an exponential moving average that represents the average closing price over the last 200 candles. It is widely used to identify the long-term trend.
- If the price is above the EMA 200 line, the market is considered to be in a long-term uptrend.
- If the price is below the EMA 200 line, the market is considered to be in a long-term downtrend.
---
### **2. Combining EMA 200 with SuperTrend:**
#### **Indicator Settings:**
1. **EMA 200:**
- Use EMA 200 as the primary reference for identifying the long-term trend.
2. **SuperTrend:**
- Set the **ATR (Average True Range)** period to **10**.
- Set the **Multiplier** to **3**.
#### **How to Use Both Indicators:**
- **EMA 200:** Determines the overall trend (long-term direction).
- **SuperTrend:** Provides precise entry and exit signals based on volatility.
---
### **3. Entry and Exit Rules:**
#### **Buy Signal:**
1. The price must be above the EMA 200 line (indicating a long-term uptrend).
2. The SuperTrend indicator must turn **green** (confirming a short-term uptrend).
3. The entry point is when the price breaks above the SuperTrend line.
4. **Stop Loss:**
- Place it below the nearest support level or below the lowest point of the SuperTrend line.
5. **Take Profit:**
- Use a risk-to-reward ratio (e.g., 1:2). For example, if your stop loss is 50 pips, aim for a 100-pip profit.
- Alternatively, target the next significant resistance level.
#### **Sell Signal:**
1. The price must be below the EMA 200 line (indicating a long-term downtrend).
2. The SuperTrend indicator must turn **red** (confirming a short-term downtrend).
3. The entry point is when the price breaks below the SuperTrend line.
4. **Stop Loss:**
- Place it above the nearest resistance level or above the highest point of the SuperTrend line.
5. **Take Profit:**
- Use a risk-to-reward ratio (e.g., 1:2). For example, if your stop loss is 50 pips, aim for a 100-pip profit.
- Alternatively, target the next significant support level.
---
### **4. Practical Example on USD/JPY:**
#### **Trend Analysis Using EMA 200:**
- If the price is above the EMA 200 line, the market is in a long-term uptrend.
- If the price is below the EMA 200 line, the market is in a long-term downtrend.
#### **Signal Confirmation Using SuperTrend:**
- If the SuperTrend is green and the price is above the EMA 200, this reinforces a **buy signal**.
- If the SuperTrend is red and the price is below the EMA 200, this reinforces a **sell signal**.
#### **Trade Management:**
- Always place a stop loss carefully to avoid large losses.
- Aim for a minimum risk-to-reward ratio of **1:2** (e.g., risking 50 pips to gain 100 pips).
---
### **5. Additional Tips:**
1. **Monitor Economic News:**
- The USD/JPY pair is highly sensitive to economic news such as U.S. Non-Farm Payroll (NFP) data, Bank of Japan monetary policy decisions, and geopolitical events.
2. **Use Additional Indicators:**
- You can add indicators like **RSI** or **MACD** to confirm signals and reduce false signals.
3. **Practice on a Demo Account:**
- Before trading with real money, test the strategy on a demo account to evaluate its performance and ensure it aligns with your trading style.
---
### **6. Summary of the Strategy:**
- **EMA 200:** Identifies the long-term trend (uptrend or downtrend).
- **SuperTrend:** Provides precise entry and exit signals based on volatility.
- **Timeframe:** H2 (2-hour).
- **Currency Pair:** USD/JPY.
---
### **Conclusion:**
This strategy combines the power of **EMA 200** for long-term trend identification and **SuperTrend** for precise entry and exit signals. When applied to the **H2 timeframe** for the **USD/JPY** pair, it can be highly effective if executed with discipline and proper risk management.
**Final Answer:**
$$
\boxed{\text{The strategy combines EMA 200 for long-term trend analysis and SuperTrend for precise entry/exit signals on the H2 timeframe for USD/JPY.}}
$$
Çift Taraflı Mum FormasyonuGrok denemeleri - buradaki amac engulf mumlarına göre işleme girmek.
Bir önceki günün likitini alıp altında kapatma yapma durumlarına göre islem stratejisi hazırlanacak.
Median Volume Weighted DeviationMVWD (Median Volume Weighted Deviation)
The Median Volume-Weighted Deviation is a technical trend following indicator that overlays dynamic bands on the price chart, centered around a Volume Weighted Average Price (VWAP). By incorporating volume-weighted standard deviation and its median, it identifies potential overbought and oversold conditions, generating buy and sell signals based on price interactions with the bands. The fill color between the bands visually reflects the current signal, enhancing market sentiment analysis.
How it Works
VWAP Calculation: Computes the Volume-Weighted Average Price over a specific lookback period (n), emphasizing price levels with higher volume.
Volume Weighted Standard Deviation: Measures price dispersion around the VWAP, weighted by volume, over the same period.
Median Standard Deviation: Applies a median filter over (m) periods to smooth the stand deviation, reducing noise in volatility estimates.
Bands: Constructs upper and lower bands by adding and subtracting a multiplier (k) times the median standard deviation from the VWAP
Signals:
Buy Signal: Triggers when the closing price crosses above the upper band.
Sell Signal: Triggers when the closing price crosses below the lower band.
Inputs
Lookback (n): Number of periods for the VWAP and standard deviation calculations. Default is set to 14.
Median Standard Deviation (m): Periods for the median standard deviation. Default is set to 2.
Standard Deviation Multiplier (k): Multiplier to adjust band width. Default is set to 1.7 with a step of 0.1.
Customization
Increase the Lookback (n) for a smoother VWAP and broader perspective, or decrease the value for higher sensitivity.
Adjust Median Standard Deviation (m) to control the smoothness of the standard deviation filter.
Modify the multiplier (k) to widen or narrow the bands based on the market volatility preferences.
Zen R Targets V14Zen R Targets – Precision 2R Profit Calculation
📊 Plan trades with clear risk-reward targets – this tool calculates 2R profit targets based on Stop Entry or Close Entry strategies.
### Features & Settings:
✔ Entry Type – Choose between:
- Stop Entry (above/below bar, requires breakout fill)
- Close Entry (instant fill at bar close)
✔ 2R Target Calculation – Projects twice the risk from your chosen entry
✔ IBS Filtering for Stop Entries – Avoid weak setups!
- Bull Stop Entry requires IBS above threshold (default 60%)
- Bear Stop Entry requires IBS below threshold (default 40%)
✔ Customizable Visibility – Toggle Close & Stop entries separately
✔ Optimized Display –
- Entry/stop markers = gray
- 2R targets = blue (bull) & red (bear)
✔ Lightweight & Efficient – Keeps charts clean while providing clear trade visuals
📺 Live trading streams for the Brooks Trading Course
Watch me trade live on YouTube:
(www.youtube.com)
🌎 More tools & strategies: (zentradingtech.com)
Built by a professional trader & price action expert – Level up your execution today!
25% Autoin this script you can take trade on basis of retest on 25% of higher high, higher low, lower high, lower low.
Supertrend Trading✨ Supertrend Trading by Mars ✨
This indicator is an extension to the popular Supertrend indicator, adding trading information (long only) and a built-in backtest feature that helps you find the best stocks to trade using the Supertrend strategy.
Core Features
Clear entry signals (🟢) when trend turns bullish (with alert)
Clear exit signals (🔴) when trend reverses or stop loss is hit (with alert)
Built-in statistics table showing win rate, profit factor, and more
Risk:Reward visualization with target levels
Stop loss guidance with distance percentage
Active trade tracking with current P/L
How It Works
This indicator uses standard Supertrend calculation (ATR-based) to determine trend direction, but adds entry and exit rules with visual markers:
Entry Rules:
Enter long when Supertrend flips from bearish to bullish (red to green)
Entry marked with green circle (🟢)
Exit Rules:
Exit when Supertrend flips from bullish to bearish
Exit when price touches/crosses below the Supertrend line during uptrend
Exit when price gaps down below stop loss level
Exit marked with red circle (🔴)
Finding The Best Stocks
The built-in statistics table helps identify which stocks work best with the Supertrend strategy:
Look for win rates above 50%
Target profit factors above 2.0
Check for reasonable drawdowns (under 15-20%)
Review the automatic performance rating (Strong ✨, Good ✅, Mixed 📋, Poor ⚠️)
The ATR multiple used will significantly impact the trades performance, try 1.5, 2 or 3.
Risk Management Tools
The indicator provides multiple risk management features:
Stop loss line with percentage distance
R-multiple levels to visualize potential reward (1R, 2R, 3R)
Maximum drawdown tracking
Current position status with P/L percentage
Statistics Table
The backtest results display key metrics:
Total trades and win rate
Average win/loss percentages
Profit factor (total gains divided by total losses)
Maximum drawdown during trades
Average days held per trade
Usage Tips
Apply to multiple timeframes (daily/weekly recommended)
Compare backtest results across different stocks/instruments
Use R-multiple levels to set realistic profit targets
The statistics table helps identify which market environments work best
Default settings (10, 1.5) should work well for daily charts
This indicator provides a complete trading system based on Supertrend - from entry to exit, with performance tracking. The backtest feature lets you quickly test different stocks to find those that respond best to Supertrend strategy.
I welcome your feedback and suggestions!
Heikin-Ashi Reversals with Region & DotsIf you want to use Heiken Ashi candles as a way to screen for bullish and bearish reversal.
Green background is stay long and strong. Red background = potential top or bearish continuation.
Yellow dots show strong red heiken ashi candles with small upside wicks. The next candle determines whether it should be green or red. If next heiken ashi candle closes above the current candle = green, bull trend still in line. If next heiken ashi candle closes below, then time to sell
Simple Moving Averages MTFSimple Moving Averages MTF
This indicator plots Simple Moving Averages (SMAs) from multiple timeframes—intraday, daily, weekly, and monthly—right on your chart. It’s built for traders who want a clear, adaptable way to spot trends, whether trading short-term or holding long-term positions.
Key Features:
- Multi-Timeframe SMAs: View intraday, daily, weekly, and monthly SMAs in one place.
- Fully Customizable: Set lengths and colors for each SMA.
- Toggle On/Off: Show or hide SMAs to keep your chart clean.
- Quick Setup: Adjust settings inline with ease.
How to Use:
Add the indicator to your chart.
Open settings and pick a timeframe group (e.g., "Intraday Timeframes").
Enable/disable SMAs, tweak lengths and colors.
Hit "OK" to see it in action.
Interpretation:
- Support/Resistance: SMAs serve as dynamic levels for price reactions.
- Trend Signals: Rising SMAs indicate bullish momentum; falling SMAs suggest bearish.
- Crossovers: Short SMA crossing above a long SMA may signal a buy; below, a sell.
- Divergence: Price diverging from SMAs can hint at reversals.
Why Use It?
"Simple Moving Averages MTF" is a versatile, no-fuss tool for trend analysis. Use it solo or pair it with other indicators to match your trading style. Get multi-timeframe insights, simplified.
Milan's Enhanced Price VisualizationThis versatile indicator transforms your TradingView charts with multiple visualization options and advanced coloring techniques. Switch between different chart types while maintaining powerful analytical features.
Key Features:
Multiple Chart Types: Choose from Candles, Hollow Candles, Bars, Line, Area, Baseline, or Columns with a single click
Customizable Appearance: Control colors, transparency, borders, and wicks to create your perfect visual setup
Smart Coloring Options:
Volume-based coloring highlights high-volume price movements
Trend-based coloring shows price position relative to EMA
Doji detection highlights potential reversal patterns
Advanced Options:
Volume Analysis: Automatically highlight candles with volume exceeding your specified threshold
Trend Detection: Color candles based on their position relative to a customizable EMA
Pattern Recognition: Identify and highlight Doji patterns with adjustable sensitivity
Perfect for both day traders and swing traders looking for a cleaner, more informative price visualization that adapts to different market conditions and trading styles.
How to Use:
Apply the indicator to any chart
Select your preferred chart type from the settings
Customize colors and appearance options
Enable advanced coloring features as needed
Elevate your technical analysis with this all-in-one visualization tool that combines flexibility with powerful analytical features.
ATR14 Predictions with TSI and RSI LabelsI'm just starting to learn/experiment with PineScript and admittedly used AI to help me get this far. I came up with this handy little script (that I like anyway). I'm not very good at this yet so the display is still kind of sloppy. As I learn this language and process I'll update. Tips, suggestions and criticism are all welcome.
This script gives the High and Low values of the ATR14 based on the selected time frame. It can give you an idea of how high or low the price might go during that time frame.
It also lists the TSI and RSI for the time frame with color-coded assist.
The TSI value will be green if the value is positive and red if it's negative. This is to give you a quick, general idea if the price might be going up or down respectfully.
The RSI value has three color possibilities.
* If the value is between 45 and 55 it will display in yellow. These values (and color) means the stock price might not fluctuate much.
* If the value is above 55 the text will be green and the price could be going up.
* If the value is below 45 the text will be red and the price could be coming down.
The chance of the price going or down are greater if both text colors are the same color.
[GYTS] Ultimate Smoother (3-poles + 2 poles)Ultimate Smoother (3-pole)
🌸 Part of GoemonYae Trading System (GYTS) 🌸
🌸 --------- INTRODUCTION --------- 🌸
💮 Release of 3-Pole Ultimate Smoother
This indicator presents a new 3-pole version of John Ehlers' Ultimate Smoother (2024) . This results in an unconventional filter that exhibits effectively zero lag in practical trading applications, regardless of the set period. By using a 2-pole high-pass filter in its design, it responds to price direction changes on the same bar, while still allowing the user to control smoothness.
💮 What is the Ultimate Smoother?
The original Ultimate Smoother is a revolutionary filter designed by John Ehlers (2024) that smooths price data with virtually zero lag in the pass band. While conventional filters always introduce lag when removing market noise, the Ultimate Smoother maintains phase alignment at low frequencies while still providing excellent noise reduction.
💮 Mathematical Foundation
The Ultimate Smoother achieves its remarkable properties through a clever mathematical approach:
1. Instead of directly designing a low-pass filter (like traditional moving averages), it subtracts a high-pass filter from an all-pass filter (the original input data).
2. At very low frequencies, the high-pass filter contributes almost nothing, so the output closely matches the input in both amplitude and phase.
3. At higher frequencies, the high-pass filter's response increasingly matches the input data, resulting in cancellation through subtraction.
The 3-pole version extends this principle by using a higher-order high-pass filter, requiring additional coefficients and handling more terms in the numerator of the transfer function.
🌸 --------- USAGE GUIDE --------- 🌸
💮 Period Parameter Behaviour
The period parameter in the 3-pole Ultimate Smoother works somewhat counterintuitively:
- Longer periods: Result in less smooth, but more responsive following of the price. The filter output more closely tracks the input data.
- Shorter periods: Produce smoother output but may exhibit overshooting (extrapolating price movement) for larger movements.
This is different from most filters where longer periods typically produce smoother outputs with more lag.
💮 When to Choose 3-Pole vs. 2-Pole
- Choose the 3-pole version when you need zero-lag but want to control the smoothness
- Choose the 2-pole version when you are okay with some lag with the benefit of more smoothness.
🌸 --------- ACKNOWLEDGEMENTS --------- 🌸
This indicator builds upon the pioneering work of John Ehlers, particularly from his article April 2024 edition of TASC's Traders' Tips . The original version is published on TradingView by @PineCodersTASC .
This 3-pole extension was developed by @GoemonYae . Feedback is highly appreciated!
FinFluential Global M2 Money Supply // Days Offset =The "Global M2 Money Supply" indicator calculates and visualizes the combined M2 money supply from multiple countries and regions worldwide, expressed in trillions of USD.
M2 is a measure of the money supply that includes cash, checking deposits, and easily convertible near-money assets. This indicator aggregates daily M2 data from various economies, converts them into a common USD base using forex exchange rates, and plots the total as a single line on the chart.
It is designed as an overlay indicator aligned to the right scale, making it ideal for comparing global money supply trends with price action or other market data.
Key Features
Customizable Time Offset: Users can adjust the number of days to shift the M2 data forward or backward (from -1000 to +1000 days) via the indicator settings. This allows for alignment with historical events or forward-looking analysis.
Global Coverage Includes:
Eurozone: Eurozone M2 (converted via EUR/USD)
North America: United States, Canada
Non-EU Europe: Switzerland, United Kingdom, Finland, Russia
Pacific: New Zealand
Asia: China, Taiwan, Hong Kong, India, Japan, Philippines, Singapore
Latin America: Brazil, Colombia, Mexico
Middle East: United Arab Emirates, Turkey
Africa: South Africa