CME Crude Oil 15-Min Multi-Unified Entry Zones (Dot Signals)//@version=6
indicator("CME Crude Oil 15-Min Multi-Unified Entry Zones (Dot Signals)", overlay=true)
// --- Input Parameters ---
emaLength = input.int(11, title="EMA Length", minval=1)
// Ichimoku Cloud Inputs (Adjusted for higher sensitivity)
conversionLineLength = input.int(7, title="Ichimoku Conversion Line Length (Sensitive)", minval=1)
baseLineLength = input.int(20, title="Ichimoku Base Line Length (Sensitive)", minval=1)
laggingSpanLength = input.int(40, title="Ichimoku Lagging Span Length (Sensitive)", minval=1)
displacement = input.int(26, title="Ichimoku Displacement", minval=1)
// MACD Inputs (Adjusted for higher sensitivity)
fastLength = input.int(9, title="MACD Fast Length (Sensitive)", minval=1)
slowLength = input.int(21, title="MACD Slow Length (Sensitive)", minval=1)
signalLength = input.int(6, title="MACD Signal Length (Sensitive)", minval=1)
// RSI Inputs
rsiLength = input.int(8, title="RSI Length", minval=1)
rsiOverbought = input.int(70, title="RSI Overbought Level", minval=50, maxval=90)
rsiOversold = input.int(30, title="RSI Oversold Level", minval=10, maxval=50)
// ADX Inputs
adxLength = input.int(14, title="ADX Length", minval=1)
adxTrendStrengthThreshold = input.int(20, title="ADX Trend Strength Threshold", minval=10, maxval=50)
// Weak Entry Threshold (50 ticks for Crude Oil, where 1 tick = $0.01)
// 50 ticks = $0.50
weakEntryTickThreshold = input.float(0.50, title="Weak Entry Threshold (in $)", minval=0.01)
// --- Indicator Calculations ---
// 1. EMA 11
ema11 = ta.ema(close, emaLength)
// 2. Ichimoku Cloud
donchian(len) => math.avg(ta.lowest(len), ta.highest(len))
tenkanSen = donchian(conversionLineLength)
kijunSen = donchian(baseLineLength)
senkouSpanA = math.avg(tenkanSen, kijunSen)
senkouSpanB = donchian(laggingSpanLength)
// Shifted for plotting (future projection)
senkouSpanA_plot = senkouSpanA
senkouSpanB_plot = senkouSpanB
// Chikou Span (lagging span, plotted 26 periods back)
chikouSpan = close
// 3. MACD
= ta.macd(close, fastLength, slowLength, signalLength)
// 4. RSI
rsi = ta.rsi(close, rsiLength)
// 5. ADX
= ta.dmi(adxLength, adxLength)
// --- Price Volume Pattern Logic ---
// Simplified volume confirmation:
isVolumeIncreasing = volume > volume
isVolumeDecreasing = volume < volume
isPriceUp = close > close
isPriceDown = close < close
bullishVolumeConfirmation = (isPriceUp and isVolumeIncreasing) or (isPriceDown and isVolumeDecreasing)
bearishVolumeConfirmation = (isPriceDown and isVolumeIncreasing) or (isPriceUp and isVolumeDecreasing)
// --- Daily Pivot Point Calculation (Critical Support/Resistance) ---
// Request daily High, Low, Close for pivot calculation
= request.security(syminfo.tickerid, "D", [high , low , close ])
// Classic Pivot Point Formula
dailyPP = (dailyHigh + dailyLow + dailyClose) / 3
dailyR1 = (2 * dailyPP) - dailyLow
dailyS1 = (2 * dailyPP) - dailyHigh
dailyR2 = dailyPP + (dailyHigh - dailyLow)
dailyS2 = dailyPP - (dailyHigh - dailyLow)
// --- Crosses and States for Unified Entry 1 (EMA & MACD) ---
// Moved ta.cross() calls outside of conditional blocks for consistent calculation.
emaGoldenCrossCondition = ta.cross(close, ema11)
emaDeathCrossCondition = ta.cross(ema11, close)
macdGoldenCrossCondition = ta.cross(macdLine, signalLine)
macdDeathCrossCondition = ta.cross(signalLine, macdLine)
emaIsBullish = close > ema11
emaIsBearish = close < ema11
macdIsBullishStrong = macdLine > signalLine and macdLine > 0
macdIsBearishStrong = macdLine < signalLine and macdLine < 0
// --- Unified Entry 1 Logic (EMA & MACD) ---
unifiedLongEntry1 = false
unifiedShortEntry1 = false
if (emaGoldenCrossCondition and macdIsBullishStrong )
unifiedLongEntry1 := true
else if (macdGoldenCrossCondition and emaIsBullish )
unifiedLongEntry1 := true
if (emaDeathCrossCondition and macdIsBearishStrong )
unifiedShortEntry1 := true
else if (macdDeathCrossCondition and emaIsBearish )
unifiedShortEntry1 := true
// --- Unified Entry 2 Logic (Ichimoku & EMA/Volume) ---
unifiedLongEntry2 = false
unifiedShortEntry2 = false
ichimokuCloudBullish = close > senkouSpanA_plot and close > senkouSpanB_plot and
senkouSpanA_plot > senkouSpanB_plot and
tenkanSen > kijunSen and
chikouSpan > close
ichimokuCloudBearish = close < senkouSpanA_plot and close < senkouSpanB_plot and
senkouSpanB_plot > senkouSpanA_plot and
tenkanSen < kijunSen and
chikouSpan < close
// Moved ta.cross() calls outside of conditional blocks for consistent calculation.
ichimokuBullishTriggerCondition = ta.cross(tenkanSen, kijunSen)
ichimokuBearishTriggerCondition = ta.cross(kijunSen, tenkanSen)
priceCrossAboveSenkouA = ta.cross(close, senkouSpanA_plot)
priceCrossBelowSenkouA = ta.cross(senkouSpanA_plot, close)
if (ichimokuBullishTriggerCondition or (priceCrossAboveSenkouA and close > senkouSpanB_plot)) and
emaIsBullish and
bullishVolumeConfirmation
unifiedLongEntry2 := true
if (ichimokuBearishTriggerCondition or (priceCrossBelowSenkouA and close < senkouSpanB_plot)) and
emaIsBearish and
bearishVolumeConfirmation
unifiedShortEntry2 := true
// --- Weak Entry Logic ---
weakLongEntry = false
weakShortEntry = false
// Function to check for weak long entry
// Checks if the distance to the nearest resistance (R1 or R2) is less than the threshold
f_isWeakLongEntry(currentPrice) =>
bool isWeak = false
// Check R1 if it's above current price and within threshold
if dailyR1 > currentPrice and (dailyR1 - currentPrice < weakEntryTickThreshold)
isWeak := true
// Check R2 if it's above current price and within threshold (only if not already weak by R1)
else if dailyR2 > currentPrice and (dailyR2 - currentPrice < weakEntryTickThreshold)
isWeak := true
isWeak
// Function to check for weak short entry
// Checks if the distance to the nearest support (S1 or S2) is less than the threshold
f_isWeakShortEntry(currentPrice) =>
bool isWeak = false
// Check S1 if it's below current price and within threshold
if dailyS1 < currentPrice and (currentPrice - dailyS1 < weakEntryTickThreshold)
isWeak := true
// Check S2 if it's below current price and within threshold (only if not already weak by S1)
else if dailyS2 < currentPrice and (currentPrice - dailyS2 < weakEntryTickThreshold)
isWeak := true
isWeak
// Apply weak entry check to Unified Entry 1
if unifiedLongEntry1 and f_isWeakLongEntry(close)
weakLongEntry := true
if unifiedShortEntry1 and f_isWeakShortEntry(close)
weakShortEntry := true
// Apply weak entry check to Unified Entry 2
if unifiedLongEntry2 and f_isWeakLongEntry(close)
weakLongEntry := true
if unifiedShortEntry2 and f_isWeakShortEntry(close)
weakShortEntry := true
// --- Enhanced Entry Conditions with RSI and ADX ---
// Removed candlestick pattern requirement.
// Only consider an entry if RSI is not overbought/oversold AND ADX indicates trend strength.
// Enhanced Long Entry Condition
enhancedLongEntry = (unifiedLongEntry1 or unifiedLongEntry2) and
(rsi < rsiOverbought) and // RSI not overbought
(adx > adxTrendStrengthThreshold) // ADX shows trend strength
// Enhanced Short Entry Condition
enhancedShortEntry = (unifiedShortEntry1 or unifiedShortEntry2) and
(rsi > rsiOversold) and // RSI not oversold
(adx > adxTrendStrengthThreshold) // ADX shows trend strength
// --- Define colors as variables for clarity and to potentially resolve parsing issues ---
// Changed named color constants to hexadecimal values
var color strongBuyDotColor = #FFD700 // Gold
var color weakBuyDotColor = #008000 // Green
var color strongSellDotColor = #FFFFFF // White
var color weakSellDotColor = #FF0000 // Red
// --- Plotting Entry Dots on Candlesticks ---
// Define conditions for plotting only on the *first* occurrence of a signal
isNewStrongBuy = enhancedLongEntry and not weakLongEntry and not (enhancedLongEntry and not weakLongEntry )
isNewWeakBuy = enhancedLongEntry and weakLongEntry and not (enhancedLongEntry and weakLongEntry )
isNewStrongSell = enhancedShortEntry and not weakShortEntry and not (enhancedShortEntry and not weakShortEntry )
isNewWeakSell = enhancedShortEntry and weakShortEntry and not (enhancedShortEntry and weakShortEntry )
// Helper functions to check candlestick type
isCurrentCandleBullish = close > open
isCurrentCandleBearish = close < open
// Strong Buy: Gold dot (only on bullish candles)
plotshape(isNewStrongBuy and isCurrentCandleBullish ? close : na, title="Strong B", location=location.absolute, color=strongBuyDotColor, style=shape.circle, size=size.tiny)
// Weak Buy: Solid Green dot (no candlestick filter for weak buys)
// Changed text to "" and style to shape.triangleup for symbol only
plotshape(isNewWeakBuy ? close : na, title="Weak B", location=location.absolute, color=weakBuyDotColor, style=shape.triangleup, size=size.tiny)
// Strong Sell: White dot (only on bearish candles)
plotshape(isNewStrongSell and isCurrentCandleBearish ? close : na, title="Strong S", location=location.absolute, color=strongSellDotColor, style=shape.circle, size=size.tiny)
// Weak Sell: Red dot (no candlestick filter for weak sells)
// Changed text to "" and style to shape.triangledown for symbol only
plotshape(isNewWeakSell ? close : na, title="Weak S", location=location.absolute, color=weakSellDotColor, style=shape.triangledown, size=size.tiny)
// --- Plotting Indicators (Optional, for visual confirmation) ---
// All indicator plots have been removed as requested.
// plot(ema11, title="EMA 11", color=emaColor)
// plot(tenkanSen, title="Tenkan-Sen", color=tenkanColor)
// plot(kijunSen, title="Kijun-Sen", color=kijunColor)
// plot(senkouSpanA_plot, title="Senkou Span A", color=senkouAColor, offset=displacement)
// plot(senkouSpanB_plot, title="Senkou Span B", color=senkouBColor, offset=displacement)
// fill(plot(senkouSpanA_plot, offset=displacement), plot(senkouSpanB_plot, offset=displacement), color=cloudFillBullishColor, title="Cloud Fill Bullish")
// fill(plot(senkouSpanA_plot, offset=displacement), plot(senkouSpanB_plot, offset=displacement), color=cloudFillBearishColor, title="Cloud Fill Bearish")
// plot(chikouSpan, title="Chikou Span", color=chikouColor, offset=-displacement)
// plot(macdLine, title="MACD Line", color=macdLineColor, display=display.pane)
// plot(signalLine, title="Signal Line", color=signalLineColor, display=display.pane)
// plot(hist, title="Histogram", color=hist >= 0 ? histGreenColor : histRedColor, style=plot.style_columns, display=display.pane)
// plot(rsi, title="RSI", color=rsiPlotColor, display=display.pane)
// hline(rsiOverbought, "RSI Overbought", color=rsiHlineRedColor, linestyle=hline.style_dashed, display=display.all)
// hline(rsiOversold, "RSI Oversold", color=rsiHlineGreenColor, linestyle=hline.style_dashed, display=display.all)
// plot(adx, title="ADX", color=adxPlotColor, display=display.pane)
// hline(adxTrendStrengthThreshold, "ADX Threshold", color=adxHlineColor, linestyle=hline.style_dashed, display=display.all)
// plot(diPlus, title="+DI", color=diPlusColor, display=display.pane)
// plot(diMinus, title="-DI", color=diMinusColor, display=display.pane)
// plot(dailyPP, title="Daily PP", color=dailyPPColor, style=plot.style_line, linewidth=1)
// plot(dailyR1, title="Daily R1", color=dailyRColor, style=plot.style_line, linewidth=1)
// plot(dailyR2, title="Daily R2", color=dailyRColor, style=plot.style_line, linewidth=1)
// plot(dailyS1, title="Daily S1", color=dailySColor, style=plot.style_line, linewidth=1)
// plot(dailyS2, title="Daily S2", color=dailySColor, style=plot.style_line, linewidth=1)
// --- Alerts (Optional) ---
alertcondition(enhancedLongEntry and not weakLongEntry, title="Strong Buy Alert", message="CME Crude Oil: Strong Buy Entry!")
alertcondition(enhancedLongEntry and weakLongEntry, title="Weak Buy Alert", message="CME Crude Oil: Weak Buy Entry Detected!")
alertcondition(enhancedShortEntry and not weakShortEntry, title="Strong Sell Alert", message="CME Crude Oil: Strong Sell Entry!")
alertcondition(enhancedShortEntry and weakShortEntry, title="Weak Sell Alert", message="CME Crude Oil: Weak Sell Entry Detected!")
Göstergeler ve stratejiler
WT-FLOW: MTF WaveTrend Trend-Follower📘 Strategy Introduction: WT-FLOW (WaveTrend Trend-Follower)
WT-FLOW is a multi-timeframe trend-following strategy specifically **optimized for the 15-minute timeframe** on the BTC/USDT trading pair. It is designed to help professional users follow buy/sell trends with high precision.
The strategy utilizes a three-tiered time alignment:
- **240min WaveTrend**: Macro trend filter (determines high-timeframe direction)
- **30min WaveTrend**: Momentum confirmation (validates trend continuation)
- **15min WaveTrend**: Signal generation (entries and exits are executed here)
It features an advanced **Trailing Stop** mechanism that includes maximum gain-based tracking logic and percentage-based fallback tolerance. Entry and exit points are marked on the chart with colored labels (🟢🔴❅❄), including bar index information.
⚙️ Technical Features:
- Compatible with Pine Script v5
- Backtestable via the `strategy()` block
- Supports both Long and Short position tracking
- Trailing Stop and Marginal Stop systems work in tandem
⚠️ Disclaimer:
This strategy is based on historical data. It should not be used in live markets without manual confirmation and appropriate risk management. Use is at your own risk.
AriezuFx Golden EntryThe AzurieFX Gold Entry Premium indicator is designed to help traders identify high-probability trade entries based on Smart Money Concepts (SMC) and price action strategies. This tool aims to visually assist in planning trade setups such as entries, stop-loss levels, and take-profit zones, making it ideal for traders who value structure and precision.
⚠️ DISCLAIMER:
This indicator is provided for educational and informational purposes only. It does not constitute financial advice or a recommendation to buy or sell any financial instruments. Trading involves risk and may result in loss of capital. Always do your own research and consult with a licensed financial advisor before making trading decisions. The developer of this tool is not responsible for any losses incurred from its use.
Price x Vol RSIAn enhanced RSI indicator that integrates the RSI of volume as a conviction amplifier.
This script modifies the RSI to range from −1 to +1, allowing it to express directional momentum. Volume RSI remains in the range of 0 to +1, serving as a direction-neutral amplifier.
The result is a bi-directional composite RSI that:
>> Emphasizes congruent signals (e.g., strong price direction with strong volume).
>> Minimizes misleading signals from high volume paired with neutral or conflicting price movement.
Ideal for identifying high-conviction breakouts and momentum divergences with volume support.
the plot fill increases in color when the plot approaches zero, then reverses away from zero, and resets on a zero-cross.
check out my other script, the PXVS, which is what this RSI script was based on. it uses similar logic as this script, but with FSTO %K instead of RSI
Quarterly Revenue & Growthinspired by TrendSpider. Monitoring a company's earning revenue quarter by quarter.
Hour-Stats v2cHour-Stats Indicator
The Hour-Stats indicator is a powerful, data-driven tool designed specifically for NQ futures traders who rely on statistically significant hourly price action probabilities. While traditional indicators typically focus only on the likelihood of prices returning to the opening price, Hour-Stats distinguishes itself by offering detailed statistical analysis across multiple critical price points.
Leveraging over 15 years of historical data, this indicator provides traders with robust probabilities for three unique hourly metrics:
Return to Hourly Open – The percentage likelihood of price revisiting the hourly open after breaking the high or low.
Return to Previous Hour Midpoint (PHM) – Offers clear probabilities of price returning to the midpoint (50%) of the previous hour’s range, a valuable metric for gauging reversals and continuations.
Opposite Extreme Targeting – Calculates the statistical likelihood of price moving to the opposite end (high or low) of the previous hour’s candle range, offering actionable insights for range trading strategies.
Additionally, Hour-Stats presents the historical probabilities of hourly highs and lows forming within three distinct 20-minute segments of each trading hour. This breakdown gives traders a precise understanding of when peaks or troughs are most likely, enhancing entry and exit timing.
The indicator’s settings are highly customizable, allowing traders to personalize visuals such as vertical and horizontal line colors, line styles (dotted, dashed, solid), and line thickness. Further customization includes label sizing, label positioning, and the ability to adjust visual dimming of swept price levels, providing clarity and ease of use during live market conditions.
Inspired by NQ Stats' concept (details available at nqstats, Hour-Stats expands significantly upon the original idea, delivering a uniquely comprehensive suite of hourly probability analytics for informed decision-making in futures trading.
Disclaimer: Futures trading involves significant risk. Traders should conduct their own due diligence and are responsible for their trading outcomes. Historical probabilities do not guarantee future results.
SMA Crossing Background Color (Multi-Timeframe)When day trading or scalping on lower timeframes, it’s often difficult to determine whether the broader market trend is moving upward or downward. To address this, I usually check higher timeframes. However, splitting the layout makes the charts too small and hard to read.
To solve this issue, I created an indicator that uses the background color to show whether the current price is above or below a moving average from a higher timeframe.
For example, if you set the SMA Length to 200 and the MT Timeframe to 5 minutes, the indicator will display a red background on the 1-minute chart when the price drops below the 200 SMA on the 5-minute chart. This helps you quickly recognize that the trend on the higher timeframe has turned bearish—without having to open a separate chart.
デイトレード、スキャルピングで短いタイムフレームでトレードをするときに、大きな動きは上に向いているのか下に向いているのかトレンドがわからなくなることがあります。
その時に上位足を確認するのですが、レイアウトをスプリットすると画面が小さくて見えにくくなるので、バックグラウンドの色で上位足の移動平均線では価格が上なのか下なのかを表示させるインジケーターを作りました。
例えば、SMA Length で200を選び、MT Timeframeで5分を選べば、1分足タイムフレームでトレードしていて雲行きが怪しくなってくるとBGが赤になり、5分足では200線以下に突入しているようだと把握することができます。
BCX - BioCryptoXBioCryptoX LLC-FZ providing trading services to there members and for good daily intraday trading and long term trading this chart help others to trade best and max as they can.
Enhanced Roof & Floors with SignalsThis indicator identifies dynamic support and resistance levels across multiple timeframes using a unique material-based metaphor. Each timeframe represents a different "material strength" from weakest to strongest, helping traders visualize the hierarchy of key price levels.
Key Features
🏗️ Multi-Timeframe Levels:
💎 Crystal (5-minute) - Most reactive levels
📄 Paper (30-minute) - Short-term levels
🧊 Plastic (1-hour) - Intraday levels
🪵 Wooden (4-hour) - Swing levels
🏔️ Metal (Daily) - Strongest structural levels
⚡ Smart Trading Signals:
Hierarchical signal filtering based on timeframe strength
Customizable signal modes (Long Only, Short Only, Both)
Three sensitivity levels (Low, Medium, High)
Visual signal arrows with breakout detection
🎨 Visual Enhancements:
Clean, modern interface with customizable colors
Toggleable timeframe levels and labels
Real-time market status table
Breakout notifications with "Broken Roof/Floor" alerts
How It Works
The indicator calculates the highest and lowest prices over a configurable period (default 220 bars) for each timeframe. These levels act as dynamic support (floors) and resistance (roofs).
Signal Logic:
Long signals trigger when price bounces off support levels
Short signals trigger when price rejects resistance levels
Hierarchical filtering prevents false signals by requiring confirmation from stronger timeframes when weaker levels break
Settings
Analysis Period: Lookback period for level calculation
Timeframe Selection: Toggle individual timeframe levels
Signal Configuration: Choose signal direction and sensitivity
Visual Customization: Colors, transparency, and label options
Use Cases
Scalping: Use Crystal and Paper levels for quick entries
Day Trading: Focus on Plastic and Wooden levels
Swing Trading: Prioritize Wooden and Metal levels
Risk Management: Use multiple timeframe confirmation
Educational Purpose
This indicator is designed for educational purposes and market analysis. It helps traders understand multi-timeframe analysis and the concept of support/resistance hierarchy.
⚠️ Risk Disclaimer: This indicator is for educational and informational purposes only. Trading involves substantial risk of loss. Past performance is not indicative of future results. Always conduct your own research and consider your risk tolerance before trading.
EMA Shadow Trading_TixThis TradingView indicator, named "EMA Shadow Trading_Tix", combines Exponential Moving Averages (EMAs) with VWAP (Volume-Weighted Average Price) and a shadow fill between EMAs to help traders identify trends, momentum, and potential reversal zones. Below is a breakdown of its key functions:
1. EMA (Exponential Moving Average) Settings
The indicator allows customization of four EMAs with different lengths and colors:
EMA 1 (Default: 9, Green) – Short-term trend filter.
EMA 2 (Default: 21, Red) – Medium-term trend filter.
EMA 3 (Default: 50, Blue) – Mid-to-long-term trend filter.
EMA 4 (Default: 200, Orange) – Long-term trend filter (often used as a "bull/bear market" indicator).
Key Features:
Global EMA Source: All EMAs use the same source (default: close), ensuring consistency.
Toggle Visibility: Each EMA can be independently shown/hidden.
Precision Calculation: EMAs are rounded to the minimum tick size for accuracy.
Customizable Colors & Widths: Helps in distinguishing different EMAs easily.
How Traders Use EMAs:
Trend Identification:
If price is above all EMAs, the trend is bullish.
If price is below all EMAs, the trend is bearish.
Crossovers:
A shorter EMA crossing above a longer EMA (e.g., EMA 9 > EMA 21) suggests bullish momentum.
A shorter EMA crossing below a longer EMA (e.g., EMA 9 < EMA 21) suggests bearish momentum.
Dynamic Support/Resistance:
EMAs often act as support in uptrends and resistance in downtrends.
2. Shadow Fill Between EMA 1 & EMA 2
The indicator includes a colored fill (shadow) between EMA 1 (9-period) and EMA 2 (21-period) to enhance trend visualization.
How It Works:
Bullish Shadow (Green): Applies when EMA 1 > EMA 2, indicating a bullish trend.
Bearish Shadow (Red): Applies when EMA 1 < EMA 2, indicating a bearish trend.
Why It’s Useful:
Trend Confirmation: The shadow helps traders quickly assess whether the short-term trend is bullish or bearish.
Visual Clarity: The fill makes it easier to spot EMA crossovers and trend shifts.
3. VWAP (Volume-Weighted Average Price) Integration
The indicator includes an optional VWAP overlay, which is useful for intraday traders.
Key Features:
Customizable Anchor Periods: Options include Session, Week, Month, Quarter, Year, Decade, Century, Earnings, Dividends, Splits.
Hide on Higher Timeframes: Can be disabled on 1D or higher charts to avoid clutter.
Adjustable Color & Width: Default is purple, but users can change it.
How Traders Use VWAP:
Mean Reversion: Price tends to revert to VWAP.
Trend Confirmation:
Price above VWAP = Bullish bias.
Price below VWAP = Bearish bias.
Breakout/Rejection Signals: Strong moves away from VWAP may indicate continuation or exhaustion.
4. Practical Trading Applications
Trend-Following Strategy:
Long Entry: Price above all EMAs + EMA 1 > EMA 2 (green shadow). Optional: Price above VWAP for intraday trades.
Short Entry: Price below all EMAs + EMA 1 < EMA 2 (red shadow). Optional: Price below VWAP for intraday trades.
Mean Reversion Strategy:
Pullback to EMA 9/21/VWAP: Look for bounces near EMAs or VWAP in a strong trend.
Multi-Timeframe Confirmation:
Higher timeframe EMAs (50, 200) can be used to filter trades (e.g., only trade longs if price is above EMA 200).
Conclusion
This EMA Shadow Trading Indicator is a versatile tool that combines:
✔ Multiple EMAs for trend analysis
✔ Shadow fill for quick trend visualization
✔ VWAP integration for intraday trading
It is useful for swing traders, day traders, and investors looking for trend confirmation, momentum shifts, and dynamic support/resistance levels.
VMATOR v1VMATOR
Originally based on a personal strategy that i designed as i'm not familiar with every candlestick pattern and other strategies. This indicator is a something i created for my self trying to get better entries with lower risk. In my research and test back i found out that the lowest risk is found when entering to a position when price is close to VWAP and EMA 50 and 200. Hence the name of this indicator: VMATOR.
The indicator looks for the closest price to VWAP and those EMAs and generates a signal. It also makes an attempt to estimate exits based on the amount of times price retracts to the closest EMA.
This indicator works best if there are defined uptrends or downtrends. It may not work well during consolidations or accumulations.
If you trade Options consider that when the market opens you may have already a signal before. If by the time market opens price has not retracted to EMA 50 is safe to enter but it's up to you to define your risk.
Contact me if you have any questions.
Midas v1.0 by G-Track**MIDAS v1.0: See the market, simplified.**
This is a paid, invite-only script designed to turn complex market data into simple, intuitive signals.
For subscription details, please see the Author's instructions below.
---
*Disclaimer: This indicator is provided for informational and educational purposes only. It is not financial advice. All investment decisions and responsibility lie solely with the user. Past performance does not guarantee future results.*
EMAREVEX: Adaptive Multi-Timeframe Mean Reversion
📘 Strategy Overview: EMAREVEX
EMAREVEX (EMA Reversion Expert) is a professionally engineered mean-reversion strategy tailored for BTC/USDT, optimized specifically for the 15-minute and 30-minute timeframes.
It combines:
- Multi-timeframe EMA200 trend filtering (15m & 30m)
- Bollinger Band lower/upper breaches as reversion anchors
- RSI-based confirmation for oversold/overbought conditions
- A trailing stop-loss mechanism that activates only after volatility surpasses a configurable ATR threshold, then dynamically tracks price
This setup targets short-term pullback opportunities in volatile intraday environments.
🔬 Designed for quant-informed traders who seek precision entries and dynamic exit control.
⚠️ Warning:
This strategy is optimized on historical data. It should not be used without discretionary confirmation, appropriate risk management, and forward-testing under live market conditions.
XAUUSD Smart Liquidity Strategyndicator Description (EN): "XAUUSD Smart Liquidity Strategy"
This script is a comprehensive smart money-based indicator designed for trading XAUUSD on the 15-minute timeframe. It combines key institutional concepts such as liquidity grabs, market structure shifts, Fair Value Gaps (FVGs), Order Blocks, and volume spikes. It's optimized for use during high-volume sessions like London and New York.
Key Features:
Liquidity Levels: Automatically plots previous daily, weekly, and monthly highs and lows – the core zones for external liquidity grabs.
Session Boxes: Highlights highs and lows of London and New York sessions to frame institutional trading ranges.
Fair Value Gaps (FVG): Identifies unbalanced candles between current and 2 bars back, a signal of inefficient price delivery.
Order Blocks: Detects the last bullish or bearish candle before a sharp reversal or impulsive move.
Volume Spikes: Marks when current volume exceeds the 20-bar SMA by 1.5x or more – indicating potential smart money interest.
Market Structure Logic: Filters setups using three-leg pullback logic and structure shifts after a liquidity grab.
Risk-Based Lot Calculation: Calculates position size per trade based on ATR stop loss, account balance, and custom risk % (e.g. 0.2%).
Telegram Alerts Ready: Emits JSON-formatted webhook alerts (buy/sell) ready for Telegram bot integration.
Buy Setup:
Liquidity grab below previous day's low
Bullish structure (higher lows)
During London or New York session
Sell Setup:
Liquidity grab above previous day's high
Bearish structure (lower highs)
During London or New York session
Stop Loss and Take Profit are based on ATR(14) and a default Risk:Reward = 1:2 ratio.
Solana Entrées / SL / TP - 5msol 5min tp sl avec points d'entrées et sorties et points d'achats et de ventes
Vasyl Ivanov | Volatility with MAThis indicator calculates and displays the volatility value for each bar.
The main line shows the relative range (spread) of the current bar compared to its closing price.
This allows you to quickly assess how much the price fluctuated within the bar relative to where it closed.
The Simple Moving Average (SMA) with a length of 9 smooths the main indicator values, helping to identify volatility trends and filter out random spikes.
Practical Application:
The indicator can be useful for assessing current market volatility and identifying periods with unusually wide or narrow ranges.
The smoothed line helps track medium-term changes in volatility and can be used to confirm trading signals related to range expansion or contraction.
John M Oscillator with Zero-Cross Range Scaling## John M Oscillator with Zero-Cross Range Scaling - How It Works
### Core Concept
This oscillator measures momentum by comparing the current closing price to a smoothed opening price (calculated as the average of the previous candle's opening and closing prices), then scales that signal based on recent market volatility. This makes the strength readings relative to recent price action rather than absolute values.
### How It Calculates
**Step 1: Modified Opening Price**
- Takes the previous candle's opening and closing prices and averages them together
- This creates a smoother reference point that reduces noise compared to using raw opening prices
**Step 2: Basic Oscillator Value**
- Subtracts this smoothed opening price from the current closing price
- If close is above the smoothed open = positive momentum
- If close is below the smoothed open = negative momentum
**Step 3: Smoothing**
- Applies an Exponential Moving Average (default 5 periods) to reduce noise and false signals
**Step 4: Dynamic Scaling**
- Finds the last two times the oscillator crossed above/below zero
- Identifies the largest price range (high to low) of any candle between those zero crossings
- Scales the oscillator as a percentage of this largest range, multiplied by 100
### How to Use It
**Signal Interpretation:**
- **Zero Line Crosses**: When the oscillator crosses above/below zero, it suggests potential trend changes
- **Magnitude**: The percentage reading shows strength relative to recent volatility
- Values near +/-100 indicate extreme moves relative to recent price action
- Values near +/-50-70 suggest moderate momentum
- Values near zero suggest weak momentum or consolidation
**Key Levels:**
- **±80-100**: Potential overbought/oversold zones (relative to recent volatility)
- **±70**: Strong momentum zones
- **±50**: Moderate momentum zones
- **Zero**: Trend transition zone
**Trading Applications:**
- **Trend Entries**: Look for zero line crosses in the direction of the broader trend
- **Reversals**: Watch for extreme readings (±80-100) followed by divergence with price
- **Momentum Confirmation**: Higher percentage readings confirm stronger moves
- **Avoiding Fakeouts**: The scaling helps distinguish between significant moves and normal noise
**Advantages of the Scaling Method:**
Unlike traditional oscillators that use fixed overbought/oversold levels, this indicator adapts to current market conditions. A reading of +80 means the current momentum is 80% as strong as the biggest price move since the last trend change, making it more contextually relevant than absolute price comparisons.
MTF Market Structure Pivots/Dealing Ranges | InvrsROBINHOODMulti-Timeframe Advanced Market Structure Pivots - Dealing Ranges | InvrsROBINHOOD
This indicator provides a sophisticated framework for analyzing market structure by identifying and classifying key pivot points on the user defined higher timeframes. It automatically draws the most relevant bullish and bearish dealing ranges based on this structure, equipping traders with a clear and objective view of the market's flow and potential areas of interest whilst on the lower timeframes.
Understanding Market Structure
At its core, market structure is the sequence of highs and lows that form the trend. This indicator demystifies market structure by categorizing pivots into a three-tiered hierarchy, allowing you to instantly gauge the significance of a swing point.
The Hierarchy of Pivots
Short Term Highs (H) & Lows (L)
These are the most basic swing points in price action, representing minor, localized turning points. They are the fundamental building blocks of all larger trends and structures. While common, they help define the immediate price action and short-term directional bias.
Intermediate Highs (ITH) & Lows (ITL)
An Intermediate High (ITH) is a short-term high that is higher than the short-term highs immediately preceding and succeeding it. Similarly, an Intermediate Low (ITL) is a short-term low that is lower than its neighboring lows.
Importance: These pivots are significantly more important than standard H/L points. They represent a more substantial shift in supply and demand and often mark the beginning or end of a corrective wave within a larger trend. A break of an ITH or ITL suggests a potential change in the intermediate-term trend.
Long Term Highs (LTH) & Lows (LTL)
These are the most critical pivots identified by the indicator. A Long Term High (LTH) is an intermediate high that is higher than the intermediate highs on either side of it. A Long Term Low (LTL) is an intermediate low that is lower than its neighboring intermediate lows.
Importance: LTH and LTL points represent major structural anchors. They often define the boundaries of long-term trading ranges, mark the conclusion of major market cycles, or signal a significant trend reversal. A price break beyond an LTH or LTL is a powerful confirmation that the long-term market structure has shifted.
By understanding this hierarchy, a trader can better assess the strength of a trend. For example, in a strong uptrend, price will consistently form higher L's, IPL's, and LTL's. A break of a key ITL would be the first major warning sign that the dominant bullish structure is in jeopardy.
The Dealing Range: Fibonacci Analysis
Beyond identifying pivots, the indicator's primary function is to establish the current Dealing Range. A dealing range is the price zone between a significant structural pivot and the subsequent impulse move away from it. The indicator uses a proprietary scoring system to objectively identify the most probable and "protected" high or low to anchor these ranges.
How to Use the Dealing Ranges
The indicator will plot two potential dealing ranges, one bullish and one bearish, complete with key Fibonacci retracement levels.
Bullish Dealing Range (Black):
This range is drawn from a significant low (the anchor) up to the highest high formed after that low.
Application: This range highlights potential "discount" buying opportunities. When price pulls back from the high, the Fibonacci levels (e.g., 50%, 61.8%, 78.6%) serve as high-probability zones where buyers may step in to resume the upward trend. The original low of the range is the ultimate invalidation point for this bullish idea.
Invalidation: The bullish range is considered complete and will be removed if the price breaks above the high of the range, as the market has shown its intention to continue higher. The indicator will then seek to establish a new range.
Bearish Dealing Range (White):
This range is drawn from a significant high (the anchor) down to the lowest low formed after that high.
Application: This range identifies potential "premium" selling opportunities. As price rallies from the low, the Fibonacci levels act as potential resistance zones where sellers may re-emerge to continue the downward trend. The original high of the range is the ultimate invalidation for this bearish scenario.
Invalidation: The bearish range is considered complete and will be removed if the price breaks below the low of the range, signaling a continuation of the downtrend. The indicator will then await a new structure to form.
By combining a hierarchical understanding of market structure with automatically drawn Fibonacci dealing ranges, this tool helps traders to objectively identify the trend, frame high-probability trade ideas, and manage risk with clearly defined levels of interest and invalidation.
EMAsThis indicator plots five commonly used Exponential Moving Averages (EMAs) — 10, 20, 50, 100, and 200 periods — with clean, thin lines for a clutter-free chart experience. Each EMA line is color-coded for easy visual identification and can be customized in length and color via the input settings.
In addition, the indicator features a compact, toggleable mini table legend displayed at the bottom right of the chart. This mini table neatly lists the EMAs with their respective colors, helping you quickly reference which line corresponds to which EMA without overcrowding your chart.
Key Features:
Customizable EMA lengths and colors (10, 20, 50, 100, 200)
Thin EMA line plots for minimal chart distraction
Toggleable mini table legend showing EMA names and colors
Clean, modern design suitable for all chart styles
Lightweight and efficient for smooth performance
Use this indicator to enhance your chart readability and quickly identify multiple EMAs without the usual clutter of overlapping labels.
Sandy MTF Clouds07/04/2025 it uses Ripster MTF cloud and which will display labels of buy/sell signal on chart and send alerts to discord(private to my discord)
Sarim Breakout Strategy with Position Size and Stop LossThis strategy is based on breakouts using ATR with Position Size and Stop loss based upon risk
TUFFYCALLS EZ TRENDLINES
📈 Trendline Indicator – Classic Diagonal Support & Resistance
This indicator automatically draws **diagonal trendlines** based on pivot points, forming **accurate support and resistance** zones in real-time. Perfect for identifying classic technical patterns such as **triangles, wedges, channels**, and more.
🔹 **Key Features:**
* Dynamic trendlines based on pivot levels
* Works across all timeframes — even on **1-second charts**
* Real-time updates for responsive trading
* **Price labels** included on trendlines for quick reference
* Set **custom alerts** for support/resistance breaks using TradingView’s Alert menu
Ideal for scalpers, intraday, and swing traders looking for **precision trend-based zones** in fast or slow markets.
EMA, DEMA (x2), SMMA (x2) Combo [V6]The averages of one EMA, two DEMA, and two SMMA are combined. parameters can be adjusted. The transaction is entered and exited according to the intersections.