RSI DivergenceMade the rsi divergence appear on the candle.
Look at the indicators and enter long and short after the signal comes out
Make it easier to see by showing up in overlay.
Indicators and strategies
Ichimoku Cloud with SL TPIndikatornya agak aneh titik harganya harus di pilih resolusi chart yang tepat
MACD Strategy//@version=5
strategy("MACD Strategy", overlay=true)
//Macd 参数
fastLength = input(12, title="快线长度")
slowLength = input(26, title="慢线长度")
MACDLength = input(9, title="MACD 信号线长度")
// 计算 MACD
MACD = ta.ema(close, fastLength) - ta.ema(close, slowLength)
aMACD = ta.ema(MACD, MACDLength)
delta = MACD - aMACD
// 计算 EMA(10) 和 MA(20)
ema10 = ta.ema(close, 10)
ma20 = ta.sma(close, 20)
// 在图表上绘制 EMA(10) 和 MA(20),用于调试
plot(ema10, title="EMA 10", color=color.blue, linewidth=2)
plot(ma20, title="MA 20", color=color.red, linewidth=2)
// 实时检查条件
// 检查 EMA(10) 是否高于 MA(20)
bool emaAboveMa = ema10 > ma20
// 检查 MACD 是否在信号线上方,且 MACD 和信号线均在 0 轴下方
bool macdCondition = (MACD > aMACD) and (MACD < 0) and (aMACD < 0)
// 添加调试信息 - 当条件满足时绘制图形
plotshape(emaAboveMa, title="EMA Above MA Condition", size=size.small, text="eam")
plotshape(macdCondition, title="MACD Condition", size=size.small, text="macd")
// 当两个条件都满足时,触发买入操作
if (emaAboveMa and macdCondition)
strategy.entry("多头", strategy.long, comment="买入信号")
// 显示买入信号的标签
label.new(bar_index, high, "买入", textcolor=color.white, style=label.style_label_up, size=size.normal)
// 平仓条件
if (ta.crossunder(delta, 0) and MACD > 0 and aMACD > 0)
strategy.close("MacdLE", comment="Close Long")
//if (ta.crossunder(delta, 0))
// strategy.entry("MacdSE", strategy.short, comment="MacdSE")
//plot(strategy.equity, title="equity", color=color.red, linewidth=2, style=plot.style_areabr)
Pi Cycle Top [maxty]For the Bitcoin Pi Cycle Top Indicator (using the 111DMA and 350DMA x 2), you should use the Daily (D) chart.
The Bitcoin Pi Cycle Top Indicator is a technical analysis tool used to predict potential market tops in Bitcoin’s price cycles. It was created by analyst Philip Swift and relies on the interaction between two specific moving averages: the 111-day moving average (111DMA) and a 2x multiple of the 350-day moving average (350DMA x 2). The indicator signals a possible peak when the shorter 111DMA crosses above the longer 350DMA x 2, suggesting that Bitcoin’s price has reached an overheated, unsustainable level relative to its historical trend.
It has accurately flagged Bitcoin cycle tops in past bull markets, typically within a few days of the peak.
Pullback Indicator with Trend, SMC Logic & Signals3Pullback Indicator with Trend, SMC Logic & Signals3
RSIOMA Quantum Vision Pro VD DUNG//@version=5
indicator(title="RSIOMA Quantum Vision Pro", shorttitle="QV-RSIOMA Pro", overlay=false, precision=2, max_lines_count=500)
// ======================
// 1. CORE CONFIGURATION
// ======================
rsi_len = input.int(21, "RSI Period", minval=1, group="Quantum Engine")
ema_smooth = input.int(9, "Primary Smoothing", minval=1, group="Quantum Engine")
wma_fast = input.int(45, "Momentum Wave", minval=1, group="Dynamic Filters")
wma_slow = input.int(89, "Trend Wave", minval=1, group="Dynamic Filters")
signal_len = input.int(5, "Signal Precision", minval=1, group="Signal Processor")
// ======================
// 2. QUANTUM CALCULATIONS
// ======================
raw_rsi = ta.rsi(close, rsi_len)
smooth_ema = ta.ema(raw_rsi, ema_smooth)
momentum_wave = ta.wma(smooth_ema, wma_fast)
trend_wave = ta.wma(smooth_ema, wma_slow)
signal_line = ta.ema(momentum_wave, signal_len)
// ======================
// 3. NEURAL VISUAL DESIGN
// ======================
// Professional Color Scheme
col_background = color.new(#12161D, 100)
col_primary = #6366F1
col_secondary = #10B981
col_tertiary = #F59E0B
col_signal = #EF4444
// Advanced Plot Styling
p1 = plot(momentum_wave, "Momentum Wave", col_primary, 2, style=plot.style_linebr)
p2 = plot(trend_wave, "Trend Wave", col_secondary, 2, style=plot.style_linebr)
p3 = plot(smooth_ema, "Alpha Smoothing", col_tertiary, 2, style=plot.style_linebr)
p4 = plot(signal_line, "Signal Core", col_signal, 3, style=plot.style_cross)
// 4. HOLOGRAPHIC FILL SYSTEM
fill(p1, p2, color.new(col_primary, 90), "Momentum/Trend Zone")
fill(p2, p3, color.new(col_secondary, 85), "Trend/Smooth Zone")
fill(p3, p4, color.new(col_tertiary, 80), "Smooth/Signal Zone")
// ======================
// 5. DYNAMIC SCALE OPTIMIZATION
// ======================
// Auto-Scaling Algorithm
upper_band = math.max(80, ta.highest(momentum_wave, 200))
lower_band = math.min(20, ta.lowest(momentum_wave, 200))
// ======================
// 6. INSTITUTIONAL LEVELS
// ======================
hline(80, "Overbought", color=color.new(#EF4444, 70), linestyle=hline.style_dotted)
hline(50, "Equilibrium", color=color.new(#64748B, 70), linestyle=hline.style_dashed)
hline(20, "Oversold", color=color.new(#10B981, 70), linestyle=hline.style_dotted)
// ======================
// 7. SIGNAL PROCESSOR
// ======================
alertcondition(ta.crossover(momentum_wave, signal_line), "Quantum Bullish", "QV: Long Signal Activated")
alertcondition(ta.crossunder(momentum_wave, signal_line), "Quantum Bearish", "QV: Short Signal Activated")
// ======================
// 8. VISUAL ANCHORS
// ======================
if barstate.islast
label.new(bar_index, 80, "RISK ZONE", yloc=yloc.price,
style=label.style_label_down, color=#EF4444, textcolor=color.white, size=size.normal)
label.new(bar_index, 20, "VALUE ZONE", yloc=yloc.price,
style=label.style_label_up, color=#10B981, textcolor=color.white, size=size.normal)
bgcolor(col_background)
KC+ST+FLI+EMAKC+ST+FLI+EMA
This indicator can be used for double confirmation of tend using super trend and follow line indicators. It also check ema crossover for confirmation. One can use this with volume and momentum indicator .
Keltner Channels (KC)
The Keltner Channels (KC) indicator is a banded indicator similar to Bollinger Bands and Moving Average Envelopes. They consist of an Upper Envelope above a Middle Line as well as a Lower Envelope below the Middle Line. The Middle Line is a moving average of price over a user-defined time period.
Basis = 20 Period EMA
Upper Envelope = 20 Period EMA + (2 X ATR)
Lower Envelope = 20 Period EMA - (2 X ATR)
What to look for
Trend Confirmation
During a Bullish Trend, a breakthrough above the upper envelope can be seen as a sign of strength and the uptrend is likely to continue.
During a Bearish Trend, a breakthrough below the lower envelope can be seen as a sign of strength and the downtrend is likely to continue.
Overbought and Oversold
When a market is choppy or trading sideways, Keltner Channels can be useful for identifying overbought and oversold conditions. These conditions can typically lead to price corrections where price moves back towards the moving average (Middle Line).
SuperTrend
Supertrend is ATR based tailing stop loss indicator.
It enters long whenever Supertrend changes its position from being above the chart to being below, and enters short when the opposite happens.
Follow Line Indicator
Follow Line Indicator is a trend following indicator. The blue or red lines are activated when price closes above the upper bollinger band and below lower one.
Exponential Moving Average (EMA)
The Exponential Moving Average (EMA) is a specific type of moving average that points towards the importance of the most recent data and information from the market. The Exponential Moving Average is just like it’s name says - it’s exponential, weighting the most recent prices more than the less recent prices. The EMA can be compared and contrasted with the simple moving average.
This can be used as crossover of triple ema or double ema. Like cross of 10ema and 50 ema as short term trend. and cross of 50 ema and 200 ema as long term trend.
Flowmatic LTF/HTF SpheresRSI 30-70 Sphere layer script
Pairs great with ML community script
Great for LTF scalping or rule based trading
myc 15min//@version=5
strategy("MultiSymbol Smart Money EA sin Lotes ni Pares", overlay=true)
// Parámetros de la estrategia RSI
RSI_Period = input.int(14, title="RSI Periodo", minval=1)
RSI_Overbought = input.float(70, title="RSI sobrecompra")
RSI_Oversold = input.float(30, title="RSI sobreventa")
// Valores fijos para Stop Loss y Take Profit en porcentaje
FIXED_SL = input.float(0.2, title="Stop Loss en %", minval=0.0) / 100
FIXED_TP = input.float(0.6, title="Take Profit en %", minval=0.0) / 100
// Cálculo del RSI
rsi = ta.rsi(close, RSI_Period)
// Condiciones de compra y venta basadas en el RSI
longCondition = rsi <= RSI_Oversold
shortCondition = rsi >= RSI_Overbought
// Precio de entrada
longPrice = close
shortPrice = close
// Ejecutar las operaciones
if (longCondition)
strategy.entry("Compra", strategy.long)
if (shortCondition)
strategy.entry("Venta", strategy.short)
// Fijar el Stop Loss y Take Profit en base al porcentaje de la entrada
if (strategy.position_size > 0) // Si hay una posición larga
longStopLoss = longPrice * (1 - FIXED_SL)
longTakeProfit = longPrice * (1 + FIXED_TP)
strategy.exit("Salir Compra", from_entry="Compra", stop=longStopLoss, limit=longTakeProfit)
if (strategy.position_size < 0) // Si hay una posición corta
shortStopLoss = shortPrice * (1 + FIXED_SL)
shortTakeProfit = shortPrice * (1 - FIXED_TP)
strategy.exit("Salir Venta", from_entry="Venta", stop=shortStopLoss, limit=shortTakeProfit)
Bull Bear Power VWAPThis is my version of bull/Bear Power based on VWAP, This measures how far the high price is above VWAP of the close price over a given period
𝐿
StochRSI 50 Overlay
Hello?
Hello, traders.
If you "Follow", you can always get new information quickly.
Please click "Boost".
Have a nice day today.
-------------------------------------
(1D chart)
This is a 1D chart that shows the StochRSI 50 point shown on the 1M, 1W chart above.
-
As a basic property of the chart, it has the property of regressing to the average value.
In that sense, if the StochRSI indicator rises based on the 50 point,
- the strength of the rise becomes stronger, and if it falls,
- the strength of the fall becomes stronger.
In particular, it can be seen that it shows the strongest rise/fall strength when entering the overbought or oversold zone.
I made it displayed on the price chart so that you can see this characteristic more intuitively.
It seems to play a good role as a support and resistance point.
-
Thank you for reading to the end.
I hope you have a successful transaction.
--------------------------------------------------
--------------------------------------------------
안녕하세요?
트레이더 여러분, 반갑습니다.
"팔로우"를 해 두시면, 언제나 빠르게 새로운 정보를 얻으실 수 있습니다.
"부스트" 클릭도 부탁드립니다.
오늘도 좋은 하루되세요.
-------------------------------------
(1D 차트)
위의 1M, 1W 차트에 표시된 StochRSI 50 지점을 표시하여 나타낸 1D 차트입니다.
-
차트의 기본적인 속성으로 평균값으로 회귀하려는 성질을 가지고 있습니다.
그러한 의미에서 볼 때, StochRSI 지표가 50 지점을 기준으로 하여
- 상승한다면 상승 강도가 강해지고,
- 하락한다면 하락 강도가 강해집니다.
특히, 과매수 구간이나 과매도 구간에 진입하였을 때 가장 강한 상승/하락 강도를 나타낸다고 볼 수 있습니다.
이러한 성질을 보다 직관적으로 알 수 있도록 가격 차트 부분에 표시되도록 만들었습니다.
지지와 저항 지점으로 역할을 잘 수행한다고 보여집니다.
-
끝까지 읽어주셔서 감사합니다.
성공적인 거래가 되기를 기원입니다.
--------------------------------------------------
ATR Levels and Zones with Signals📌 ATR Levels and Zones with Signals – User Guide Description
🔹 Overview
The ATR Levels and Zones with Signals indicator is a volatility-based trading tool that helps traders identify:
✔ Key support & resistance levels based on ATR (Average True Range)
✔ Buy & Sell signals triggered when price enters key ATR zones
✔ Breakout confirmations to detect high-momentum moves
✔ Dynamic Stop-Loss & Take-Profit suggestions
Unlike traditional ATR bands, this indicator creates layered ATR zones based on multiple ATR multipliers, allowing traders to gauge volatility and risk-adjust their trading strategies.
🔹 How It Works
🔸 The script calculates a baseline SMA (Simple Moving Average) of the price.
🔸 ATR (Average True Range) is then used to create six dynamic price levels above & below the baseline.
🔸 These levels define different risk zones—higher levels indicate increased volatility and potential trend exhaustion.
📈 ATR Zones Explained
🔹 Lower ATR Levels (Buying Opportunities)
📉 Lower Level 1-2 → Mild Oversold Zone (Potential trend continuation)
📉 Lower Level 3-4 → High Volatility Buy Zone (Aggressive traders start scaling in)
📉 Lower Level 5-6 → Extreme Oversold Zone (High-Risk Reversal Area)
🔹 If price enters these lower zones, it may indicate a potential buying opportunity, especially if combined with trend reversal confirmation.
🔹 Upper ATR Levels (Selling / Take Profit Zones)
📈 Upper Level 1-2 → Mild Overbought Zone (Potential pullback area)
📈 Upper Level 3-4 → High Volatility Sell Zone (Aggressive traders start scaling out)
📈 Upper Level 5-6 → Extreme Overbought Zone (High-Risk for Reversal)
🔹 If price enters these upper zones, it may indicate a potential selling opportunity or trend exhaustion, especially if momentum slows.
🔹 Sensitivity Modes
🔹 Aggressive Mode (More Frequent Signals) → Triggers buy/sell signals at Lower/Upper Level 3 & 4
🔹 Conservative Mode (Stronger Confirmation) → Triggers buy/sell signals at Lower/Upper Level 5 & 6
📌 Choose the mode based on your trading style:
✔ Scalpers & short-term traders → Use Aggressive Mode
✔ Swing & trend traders → Use Conservative Mode for stronger confirmations
🚀 How to Use the Indicator
🔹 For Trend Trading:
✅ Buy when price enters the lower ATR zones (especially in uptrends).
✅ Sell when price enters the upper ATR zones (especially in downtrends).
🔹 For Breakout Trading:
✅ Breakout Buy: Price breaks above Upper ATR Level 3 → Momentum entry for trend continuation
✅ Breakout Sell: Price breaks below Lower ATR Level 3 → Momentum short opportunity
🔹 Stop-Loss & Take-Profit Suggestions
🚨 Stop-Loss: Suggested at Lower ATR Level 6 (for longs) or Upper ATR Level 6 (for shorts)
🎯 Take-Profit: Suggested at Upper ATR Level 3 (for longs) or Lower ATR Level 3 (for shorts)
🔹 Why This Indicator is Unique
✔ Multiple ATR layers for better risk-adjusted trading decisions
✔ Combines ATR-based zones with SMA trend confirmation
✔ Both aggressive & conservative trading modes available
✔ Includes automatic stop-loss & take-profit suggestions
✔ Breakout signals for momentum traders
📢 Final Notes
✅ Free & open-source for the TradingView community!
⚠ Risk Warning: Always confirm signals with other confluences (trend, volume, support/resistance) before trading.
📌 Developed by: Maddog Blewitt
📩 Feedback & improvements are welcome! 🚀
Rainbow EMAs & 50/200 cross w/ alertsRainbow EMAs & 50/200 cross w/ alerts
This indicator provides a visually appealing and informative way to track key moving averages and identify potential trend reversals. It combines two powerful tools: a rainbow of Exponential Moving Averages (EMAs) and a 50/200 EMA cross detection system.
Key Features
Rainbow EMAs: The script plots seven EMAs with distinct, vibrant colors, creating a "rainbow" effect on your chart:
8-period EMA (Red)
13-period EMA (Orange)
21-period EMA (Yellow)
50-period EMA (Green)
100-period EMA (Aqua)
200-period EMA (Blue)
800-period EMA (Purple)
This rainbow visualization helps quickly assess the short, medium, and long-term trends. The order and spacing of the EMAs provide insights into the strength and direction of the current price action. Faster EMAs (8, 13, 21) react quickly to price changes, while slower EMAs (200, 800) represent longer-term trends.
50/200 EMA Cross Detection: The indicator specifically highlights the crucial crossover events between the 50-period EMA and the 200-period EMA. These crosses are widely recognized as significant signals:
50/200 EMA Cross Detection: The indicator specifically highlights the crucial crossover events between the 50-period EMA and the 200-period EMA. These crosses are widely recognized as significant signals:
Golden Cross (Bullish): When the 50 EMA crosses above the 200 EMA, it's considered a bullish signal, suggesting a potential uptrend. A green triangle is plotted below the bar to mark this event.
Death Cross (Bearish): When the 50 EMA crosses below the 200 EMA, it's considered a bearish signal, suggesting a potential downtrend. A red triangle is plotted above the bar to mark this event.
Alerts: Built in alerts that notify you when a Golden Cross or a Death Cross occurs.
Offset: All shapes for crosses are offset by -1.
How to Use:
Trend Identification: Observe the overall slope and order of the rainbow EMAs. An upward slope with faster EMAs above slower EMAs suggests an uptrend. A downward slope with faster EMAs below slower EMAs suggests a downtrend.
Support and Resistance: The EMAs can act as dynamic support and resistance levels. Look for price to bounce off or be rejected by these lines.
Cross Signals: Use the 50/200 EMA crosses as confirmation signals for potential trend changes. Consider other technical indicators and price action for further confirmation before making trading decisions.
Disclaimer: This indicator is for informational and educational purposes only and should not be considered financial advice. Trading involves risk, and 1 past performance is not indicative of future results. Always do your own research and consult with a qualified financial advisor before making any investment decision.
Grim SlashOverview:
The Touch Previous Candle Strategy is a simple yet effective trading approach designed for the 1-hour chart. It focuses on price action by placing trades when the current candle interacts with key levels from the previous candle. The strategy is fully automated and includes risk management with take profit and stop loss levels.
Entry Conditions:
Buy Signal: A buy order is triggered when the low of the current candle touches or drops below the previous candle's closing price.
Sell Signal: A position is closed when the high of the current candle reaches or exceeds the previous candle's highest price.
Risk Management:
Take Profit: The trade is exited automatically when the price increases by 15% from the entry point.
Stop Loss: A stop loss is set at 5% below the entry price to minimize risk.
Best Use Cases:
Works well in volatile markets where price frequently tests previous levels.
Suitable for traders who prefer price-action-based strategies over indicators.
Can be optimized for different assets or timeframes based on market behavior.
Weekend RangeWeekend Range Indicator – Customizable High/Low Zones
🔹 Overview
The Weekend Range Indicator marks the last 20 weekends on your chart, highlighting their highs and lows with fully customizable colors, transparency, and time settings. This tool helps traders identify key support and resistance levels from weekend price action.
🛠️ Features
✅ Custom Weekend Start & End – Choose the weekend days and time (UTC)
✅ Automatically Tracks the Last 20 Weekends (configurable up to 50)
✅ Custom Box Colors & Transparency – Adjust the fill and border colors easily
✅ Works on All Timeframes – Best viewed on 1H, 4H, or higher
✅ Efficient & Optimized Code – No lag, smooth performance
🎯 How to Use
1️⃣ Add the indicator to your chart.
2️⃣ Adjust the weekend start & end time in the settings.
3️⃣ Customize the box colors and transparency to match your style.
4️⃣ Watch how price reacts around the weekend high/low zones for trade opportunities.
💡 Trading Strategies
🔹 Breakout Trading – Look for price breaking above or below the weekend range.
🔹 Reversal Zones – Watch for rejections at weekend highs/lows.
🔹 Liquidity & Stop Hunts – Large players often target these levels.
📈 Recommended Markets
✔ Works best on Forex, Crypto, Indices, and Commodities
✔ Ideal for swing traders and intraday traders
🚀 Enjoy using the indicator! Let me know if you’d like any new features added! 🎯🔥
Sonarlab - Order Blocks (don't remove old blocks)A clone of the Sonarlab - Order Blocks script, but old order blocks are made transparent instead of being removed from the chart.
EMA-Based Net Volume Oscillator with Trend ChangeThis indicator calculates the net value change and tells the market mood in which direction it is planning to move. It is open to improvement if anyone wants to improve it and help me
Quantum Momentum FusionPurpose of the Indicator
"Quantum Momentum Fusion" aims to combine the strengths of RSI (Relative Strength Index) and Williams %R to create a hybrid momentum indicator tailored for volatile markets like crypto:
RSI: Measures the strength of price changes, great for understanding trend stability but can sometimes lag.
Williams %R: Assesses the position of the price relative to the highest and lowest levels over a period, offering faster responses but sensitive to noise.
Combination: By blending these two indicators with a weighted average (default 50%-50%), we achieve both speed and reliability.
Additionally, we use the indicator’s own SMA (Simple Moving Average) crossovers to filter out noise and generate more meaningful signals. The goal is to craft a simple yet effective tool, especially for short-term trading like scalping.
How Signals Are Generated
The indicator produces signals as follows:
Calculations:
RSI: Standard 14-period RSI based on closing prices.
Williams %R: Calculated over 14 periods using the highest high and lowest low, then normalized to a 0-100 scale.
Quantum Fusion: A weighted average of RSI and Williams %R (e.g., 50% RSI + 50% Williams %R).
Fusion SMA: 5-period Simple Moving Average of Quantum Fusion.
Signal Conditions:
Overbought Signal (Red Background):
Quantum Fusion crosses below Fusion SMA (indicating weakening momentum).
And Quantum Fusion is above 70 (in the overbought zone).
This is a sell signal.
Oversold Signal (Green Background):
Quantum Fusion crosses above Fusion SMA (indicating strengthening momentum).
And Quantum Fusion is below 30 (in the oversold zone).
This is a buy signal.
Filtering:
The background only changes color during crossovers, reducing “fake” signals.
The 70 and 30 thresholds ensure signals trigger only in extreme conditions.
On the chart:
Purple line: Quantum Fusion.
Yellow line: Fusion SMA.
Red background: Sell signal (overbought confirmation).
Green background: Buy signal (oversold confirmation).
Overall Assessment
This indicator can be a fast-reacting tool for scalping. However:
Volatility Warning: Sudden crypto pumps/dumps can disrupt signals.
Confirmation: Pair it with price action (candlestick patterns) or another indicator (e.g., volume) for validation.
Timeframe: Works best on 1-5 minute charts.
Suggested Settings for Long Timeframes
Here’s a practical configuration for, say, a 4-hour chart:
RSI Period: 20
Williams %R Period: 20
RSI Weight: 60%
Williams %R Weight: 40% (automatically calculated as 100 - RSI Weight)
SMA Period: 15
Overbought Level: 75
Oversold Level: 25
Volume Bars with NumbersAttached is a custom script I developed with intent to facilitate your trading endeavors. If you are like me utilize price action, volume and momentum trading, then this is the indicator that will greatly benefit your trading strategy. This indicator will help you capture momentum trades as they occur. Hope it helps.
-Don V
[TehThomas] - MA Cross with DisplacementThis TradingView script, "MA Cross with Displacement," is designed to detect potential long and short trade opportunities based on moving average (MA) crossovers combined with price displacement confirmation. The script utilizes two simple moving averages (SMA) and highlights potential trade signals when a crossover occurs alongside a strong price movement (displacement).
Why This Indicator is Useful
This indicator enhances the standard moving average crossover strategy by incorporating a displacement condition, making trade signals more reliable. Many traders rely on moving average crossovers to determine trend reversals, but false signals often occur due to minor price fluctuations. By requiring a significant price movement (displacement), this indicator helps filter out weak or insignificant crossovers, leading to more high-probability trade opportunities.
How It Works
Calculates Two Moving Averages (MA)
The user can set two different MA periods:
MA 1 (blue line): Default period is 9 (shorter-term trend).
MA 2 (red line): Default period is 21 (longer-term trend).
These moving averages smooth out price fluctuations to identify overall trends.
Detects Crossovers
Bullish crossover: The blue MA crosses above the red MA + displacement candle → Potential long signal.
Example of bullish cross with displacement:
Bearish crossover: The blue MA crosses below the red MA + displacement candle → Potential short signal.
Example of bearish cross with displacement:
Confirms Displacement (Strong Price Move)
A price displacement threshold is used (default: 1.1% of the previous candle size).
For a valid trade signal, a crossover must occur alongside a strong price movement.
Bullish Displacement Condition: Price increased by more than the threshold.
Bearish Displacement Condition: Price decreased by more than the threshold.
Visual Indicators on the Chart
Bars are colored green when there is a bullish displacement.
Bars are colored red when there is a bearish displacement.
These color changes help traders quickly identify potential trade setups.
How to Use the Indicator
Add the Script to Your Chart
Copy and paste the script into TradingView's Pine Script Editor.
Click "Add to Chart" to activate it.
Customize the Settings
Adjust the moving average periods to fit your trading strategy.
Modify the displacement threshold based on market volatility.
Change the bar colors for better visualization.
Look for Trade Signals
Long Trade (Buy Signal)
The blue MA crosses above the red MA (bullish crossover).
A green bar appears, confirming bullish displacement.
Short Trade (Sell Signal)
The blue MA crosses below the red MA (bearish crossover).
A red bar appears, confirming bearish displacement.
Use in Conjunction with Other Indicators
This indicator works best when combined with support & resistance levels, RSI, MACD, or volume analysis to improve trade accuracy.
Final Thoughts
The MA Cross with Displacement Indicator improves the reliability of moving average crossovers by requiring strong price movements to confirm a trade signal. This helps traders avoid false breakouts and weak trends, making it a powerful tool for identifying high-probability trades.
__________________________________________
Thanks for your support!
If you found this idea helpful or learned something new, drop a like 👍 and leave a comment—I’d love to hear your thoughts! 🚀
Make sure to follow me for more price action insights, free indicators, and trading strategies. Let’s grow and trade smarter together! 📈✨
WMA EMA RSI with Multi-Timeframe TrendRSI indicator combined with 2 EMA and WMA lines, with an additional table showing the trend considered by RSI in multiple time frames:
Trend determination conditions:
- Uptrend = RSI is above both EMA and WMA lines
- Downtrend = RSI is below both EMA and WMA lines
The default time frames considered are:
- 5m
- 15m
- 1h
- 4h
(Will be updated in the future)
- Vinh -