Скальпинг-сигналы (VWAP, EMA, Stoch RSI)📌 Описание:
Этот индикатор автоматически определяет сигналы LONG и SHORT на основе:
• RSI (14)
• MACD (12,26,9)
• ADX (14)
• Стохастика (14)
• VWAP
📊 Как работает?
🔹 LONG: когда тренд усиливается вверх
🔹 SHORT: когда тренд усиливается вниз
💡 Подходит для скальпинга и интрадей-трейдинга
Analisi trend
MA Spectrum Fill# MA Spectrum Fill
This indicator creates a visually intuitive spectrum-filled zone between two moving averages, offering a unique way to visualize price momentum and potential trading zones.
## Key Features
- Displays two customizable moving averages (Fast and Slow MA)
- Creates a smooth, multi-layered spectrum fill between the MAs
- Supports multiple MA types: SMA, EMA, WMA, VWMA, HMA, and RMA
- Fully customizable colors for both MAs and the spectrum fill
- Adjustable transparency settings for a cleaner chart view
- Option to use custom fill color or gradient based on the MA colors
## How It Works
The indicator plots a fast-moving average and a slow-moving average of your choice, then fills the space between them with a spectrum that transitions smoothly from one MA to the other. The spectrum visualization helps traders:
- Identify trend direction at a glance
- Visualize the strength of price momentum based on the width of the filled area
- Spot potential support and resistance zones where price interacts with the spectrum
- Recognize trend changes when price moves through the spectrum zone
## Practical Applications
- Trend following: Trade in the direction of the spectrum's expansion
- Mean reversion: Look for price to return to the spectrum zone after extending away
- Support/Resistance: Use the spectrum edges as dynamic support and resistance levels
- Volatility assessment: Wider spectrum areas indicate higher volatility
- Filter signals: Combine with other indicators and only take signals when price is on the favorable side of the spectrum
This indicator provides both analytical value and aesthetic appeal, making your charts more informative while keeping them visually clean with the adjustable transparency settings.
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")
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.
Monthly & Weekly Separators with High, Low, CloseThis indicator shows previous Monthly and weekly high and low with their closing prices.
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.
ADX Crypto StrategiesПокупка: когда DI+ пересекает DI- снизу вверх при ADX > 35
Продажа: когда DI- пересекает DI+ снизу вверх при ADX > 35
Визуализация: треугольники под/над свечами
Ç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.
Advanced BTC/USDT Strategy//@version=6
strategy("Advanced BTC/USDT Strategy", overlay=true, default_qty_type=strategy.percent_of_equity, default_qty_value=10)
// ==== INPUT PARAMETERS ====
emaShortLength = input.int(50, title="Short EMA Length")
emaLongLength = input.int(200, title="Long EMA Length")
rsiLength = input.int(14, title="RSI Length")
atrLength = input.int(14, title="ATR Length")
supertrendFactor = input.float(2.0, title="Supertrend Factor")
supertrendATRLength = input.int(10, title="Supertrend ATR Length")
riskRewardRatio = input.float(2.0, title="Risk-Reward Ratio")
// ==== TECHNICAL INDICATORS ====
// Exponential Moving Averages (EMA)
emaShort = ta.ema(close, emaShortLength)
emaLong = ta.ema(close, emaLongLength)
// Relative Strength Index (RSI)
rsi = ta.rsi(close, rsiLength)
// Supertrend Indicator
= ta.supertrend(supertrendFactor, supertrendATRLength)
// Average True Range (ATR) for Stop Loss Calculation
atr = ta.atr(atrLength)
stopLossDistance = atr * 1.5 // ATR-based stop-loss
takeProfitDistance = stopLossDistance * riskRewardRatio
// Volume Weighted Average Price (VWAP)
vwap = ta.vwap(close)
// ==== ENTRY CONDITIONS ====
// Long Entry: Golden Cross + RSI Confirmation + VWAP Support + Supertrend Uptrend
longCondition = ta.crossover(emaShort, emaLong) and rsi > 40 and rsi < 65 and close > vwap and supertrendDirection == 1
// Short Entry: Death Cross + RSI Confirmation + VWAP Resistance + Supertrend Downtrend
shortCondition = ta.crossunder(emaShort, emaLong) and rsi > 60 and rsi < 80 and close < vwap and supertrendDirection == -1
// ==== EXIT CONDITIONS ====
// Stop-Loss and Take-Profit Levels for Long Positions
longStopLoss = close - stopLossDistance
longTakeProfit = close + takeProfitDistance
// Stop-Loss and Take-Profit Levels for Short Positions
shortStopLoss = close + stopLossDistance
shortTakeProfit = close - takeProfitDistance
// ==== TRADE EXECUTION ====
// Open Long Trade
if (longCondition)
strategy.entry("Long", strategy.long)
strategy.exit("Long Exit", from_entry="Long", limit=longTakeProfit, stop=longStopLoss)
// Open Short Trade
if (shortCondition)
strategy.entry("Short", strategy.short)
strategy.exit("Short Exit", from_entry="Short", limit=shortTakeProfit, stop=shortStopLoss)
// ==== ALERT SYSTEM (OPTIONAL) ====
// Send real-time alerts for buy/sell signals
alertcondition(longCondition, title="BUY Alert 🚀", message="BTC Buy Signal! 📈")
alertcondition(shortCondition, title="SELL Alert 🔻", message="BTC Sell Signal! 📉")
// ==== PLOTTING ====
// Plot Moving Averages
plot(emaShort, color=color.blue, title="50 EMA")
plot(emaLong, color=color.red, title="200 EMA")
// Plot Supertrend
plot(supertrend, color=supertrendDirection == 1 ? color.green : color.red, title="Supertrend")
// Plot VWAP
plot(vwap, color=color.orange, title="VWAP")
// Plot Buy/Sell Signals
plotshape(series=longCondition, location=location.belowbar, color=color.green, style=shape.labelup, title="Buy Signal")
plotshape(series=shortCondition, location=location.abovebar, color=color.red, style=shape.labeldown, title="Sell Signal")
EMA + MACD Entry SignalsEMA + MACD Entry Signals Indicator
This indicator combines Exponential Moving Averages (EMAs) and the Moving Average Convergence Divergence (MACD) to identify potential trading entry points for both long and short positions.
Key Features
Displays three EMA lines (9, 20, and 200 periods) for trend identification
Generates entry signals based on EMA alignment and MACD confirmation
Shows alternating signals (long/short) to prevent signal clustering
Provides clear visual cues with green up-arrows for long entries and red down-arrows for short entries
Signal Conditions
Long Entry (Green Arrow)
A green up-arrow appears when all these conditions are met:
9 EMA > 20 EMA and 9 EMA > 200 EMA
MACD histogram > 0
MACD line > Signal line and MACD line > 0
No previous long signal is active (signals alternate)
Short Entry (Red Arrow)
A red down-arrow appears when all these conditions are met:
20 EMA > 9 EMA and 20 EMA > 200 EMA
MACD histogram < 0
Signal line > MACD line and MACD line < 0
No previous short signal is active (signals alternate)
Trading Application
This indicator is designed to help traders identify potential trend-following entry points with multiple confirmations, reducing false signals through both EMA and MACD alignment requirements.
Extreme Points + 100 EMA StrategyThis strategy uses extreme points to give signal buy and sells. it also uses a 100ema to assist with the trading position. In backtesting it performs well in Ethereum/ tetherUS on the 5 minute timeframe. feel free to adjust the setting to see how it works. changing the CCI to volume works best. I am going to paper test the strategy and will update results.
Economic Crises by @zeusbottradingEconomic Crises Indicator by @zeusbottrading
Description and Use Case
Overview
The Economic Crises Highlight Indicator is designed to visually mark major economic crises on a TradingView chart by shading these periods in red. It provides a historical context for financial analysis by indicating when major recessions occurred, helping traders and analysts assess the performance of assets before, during, and after these crises.
What This Indicator Shows
This indicator highlights the following major economic crises (from 1953 to 2020), which significantly impacted global markets:
• 1953 Korean War Recession
• 1957 Monetary Tightening Recession
• 1960 Investment Decline Recession
• 1969 Employment Crisis
• 1973 Oil Crisis
• 1980 Inflation Crisis
• 1981 Fed Monetary Policy Recession
• 1990 Oil Crisis and Gulf War Recession
• 2001 Dot-Com Bubble Crash
• 2008 Global Financial Crisis (Great Recession)
• 2020 COVID-19 Recession
Each of these periods is shaded in red with 80% transparency, allowing you to clearly see the impact of economic downturns on various financial assets.
How This Indicator is Useful
This indicator is particularly valuable for:
✅ Comparative Performance Analysis – It allows traders and investors to compare how different assets (e.g., Gold, Silver, S&P 500, Bitcoin) performed before, during, and after major economic crises.
✅ Identifying Market Trends – Helps recognize recurring patterns in asset price movements during times of financial distress.
✅ Risk Management & Strategy Development – Understanding how markets reacted in the past can assist in making better-informed investment decisions for future downturns.
✅ Gold, Silver & Bitcoin as Safe Havens – Comparing precious metals and cryptocurrencies against traditional stocks (e.g., SPY) to analyze their performance as hedges during economic turmoil.
How to Use It in Your Analysis
By overlaying this indicator on your Gold, Silver, SPY, and Bitcoin chart (for example), you can quickly spot historical market reactions and use that insight to predict possible behaviors in future downturns.
⸻
How to Apply This in TradingView?
1. Click on Use on chart under the image.
2. Overlay it with Gold ( OANDA:XAUUSD ), Silver ( OANDA:XAGUSD ), SPY ( AMEX:SPY ), and Bitcoin ( COINBASE:BTCUSD ) for comparative analysis.
⸻
Conclusion
This indicator serves as a powerful historical reference for traders analyzing asset performance during economic downturns. By studying past crises, you can develop a data-driven investment strategy and improve your market insights. 🚀📈
Let me know if you need any modifications or enhancements!
6-Month High/Low Percentagesdisplays the percentage down from the 6-month high and the percentage up from the 6-month low
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.
DMM Face-Melter ProThe DMM Face-Melter Pro is a FREE full-featured stock and crypto indicator package based on tried-and-true trading and analysis methodologies (and looks super cool).
Uses highly-reactive moving averages
The 9 ma (SMA or EMA), Fibonacci moving averages, 200 days moving averages
200 day moving average cloud
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.
Death Metal 9
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.
Death Metal 89
A Fibonacci 89 moving average (either SMA or EMA) that is wrapped in a standard MACD histogram.
The MACD is great for identifying the overall trend in price action momentum, while the Fibonacci 89 moving average provides a useful support/resistance level and medium-term trend direction.
Death Metal 144
A Fibonacci 144 moving average (either SMA or EMA) that displays as a double-smoothed Heikin-Ashi candle pattern or as direct copies of Heiken-Ashi candles.
Heikin-Ashi candles were created in the 1700s by Munehisa Homma, who also created the standard candles.
Heikin-Ashi candles are widely used for interpreting the overall trend of price action, while the Fibonacci 89 moving average provides a useful support/resistance level and medium-term trend direction.
Death Metal Bands
Uses standard Bolinger Bands (visible or invisible) to color-code the candles, indicating price action extremes without the annoying clutter of additional lines on your chart.
Candles get sequentially brighter or darker as they close above or below the bounds of Bolinger Bands. When a candle closes within the bands, the sequence resets.
Available in Standard Candle Colors or Low-Stress Candle Colors.
Cool 9
A 9 period moving average (either SMA or EMA) with a cool gradient extending to the Fibonacci 34 moving average.
Easily enable the Cool 21 and Cool 55 Fibonacci moving averages to complete your setup of highly useful indicators while maintaining aesthetic glory.
Pair it with Low-Stress Bollinger Bands Candle Coloration for the ultimate in cool, clutter-free styling.
Boring 9
A simple 9 period moving average (either SMA or EMA), and options to enable the Boring 21 and Boring 55 Fibonacci moving averages.
Easy-to-read default colors (customizable) without any of the fancy do-dads.
Still pairs well with either the Standard or Low-Stress Bolinger Bands Candle Coloration features, as they give useful information but without any added chart clutter.
Múltiplos Timeframes Como Funciona:
O sinal de compra só será gerado quando todas as condições para os 4 timeframes forem atendidas (preço acima da EMA 13 e da SMA 26).
O sinal de venda só será gerado quando todas as condições para os 4 timeframes forem atendidas (preço abaixo da EMA 13 e da SMA 26).
Isso garante que você só receba sinais quando houver uma tendência de alta ou baixa consistente em todos os timeframes que você está monitorando.
FELIPE MENDONCA
Momentum Candle Identifier # Momentum Candle Identifier
This indicator helps traders identify significant momentum candles by analyzing candle body size relative to recent price action (think after consolidation periods). Unlike traditional volatility indicators, this tool specifically focuses on price movement captured by the candle body (open to close distance), filtering out potentially misleading wicks.
## How It Works
- The indicator calculates the average candle body size over a user-defined lookback period
- Momentum candles are identified when their body size exceeds the average by a customizable threshold multiplier
- Bullish momentum candles (close > open) are highlighted in a user defined color
- Bearish momentum candles (close < open) are highlighted in a user defined color
- A real-time information panel displays key metrics including current average body size and threshold values
## Key Features
- Focus on candle body size rather than full range (high to low)
- Custom lookback period to adapt to different timeframes
- Adjustable threshold multiplier to fine-tune sensitivity
- Customizable colors for bullish and bearish momentum candles
- Optional labels for momentum candles
- Information panel showing lookback settings, average size, and momentum candle count
## Usage Tips
- Use shorter lookback periods (3-5) for more signals in choppy markets
- Use longer lookback periods (8-20) to identify only the most significant momentum moves
- Higher threshold multipliers (2.0+) will identify only the strongest momentum candles
- Combine with trend indicators to find potential reversal or continuation signals
- Look for clusters of momentum candles to identify strong shifts in market sentiment
This indicator helps identify candles that represent significant price movement relative to recent activity, potentially signaling changes in market momentum, sentiment shifts, or the beginning of new trends.
Облегчённые авто-сигналы 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.
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.}}
$$
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!