VWAP Suite by Augur - Multi PeriodOverview
The Multi-Timeframe VWAP Suite revolutionizes price analysis by combining institutional-grade volume-weighted pricing with multi-period deviation analytics. This professional toolkit simultaneously tracks VWAP across 5 time horizons (Daily to Yearly) with smart deviation bands, offering traders unparalleled insight into market structure and volatility dynamics.
Key Features
Multi-Timeframe VWAP Matrix
Simultaneous Daily/Weekly/Monthly/Quarterly/Yearly VWAP tracking
Institutional-level volume-weighted calculations
Independent timeframe toggles for focused analysis
Smart Deviation Architecture
Dual-layer standard deviation bands (1σ & 2σ)
Separate colors for upper/lower deviation zones
Adaptive 95% transparency fills for layered visualization
Professional Visual Design
Strategic color coding per timeframe (FIXED palette)
Dark Blue/Yellow/Purple/Pink/Red VWAP hierarchy
Orange-Green-Red-Blue deviation band system
Advanced Calculation Engine
HLC3 price source integration
Cumulative volume-weighting algorithm
Real-time standard deviation updates
Indicadores e estratégias
ADX w 15 and 30 LinesThis takes the normal ADX with a 15 lookback period and adds horizontal lines at 15 and 30 no matter which ticker you are on. This saves you from having to add the lines to every single instrument.
When the ADX is between 15-30, it suggests that there’s a trend present but that it isn’t in full-blown momentum mode yet. This gives you the opportunity to enter before the trend becomes extremely strong, allowing for earlier entries in a fresh trend.
EMA Crossover + RSI Filter (1-Hour)//@version=5
strategy("EMA Crossover + RSI Filter (1-Hour)", overlay=true)
// Input parameters
fastLength = input.int(9, title="Fast EMA Length")
slowLength = input.int(21, title="Slow EMA Length")
rsiLength = input.int(14, title="RSI Length")
overbought = input.int(70, title="Overbought Level")
oversold = input.int(30, title="Oversold Level")
// Calculate EMAs
fastEMA = ta.ema(close, fastLength)
slowEMA = ta.ema(close, slowLength)
// Calculate RSI
rsi = ta.rsi(close, rsiLength)
// Buy Condition
buyCondition = ta.crossover(fastEMA, slowEMA) and rsi > 50 and rsi < overbought
// Sell Condition
sellCondition = ta.crossunder(fastEMA, slowEMA) and rsi < 50 and rsi > oversold
// Plot EMAs
plot(fastEMA, color=color.blue, title="Fast EMA")
plot(slowEMA, color=color.red, title="Slow EMA")
// Plot Buy/Sell Signals
plotshape(series=buyCondition, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(series=sellCondition, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// Execute Trades
if (buyCondition)
strategy.entry("Buy", strategy.long)
if (sellCondition)
strategy.entry("Sell", strategy.short)
Automatic Fibonacci retracement based on the highest high and loThe chart is fractal, meaning that what happens can always be broken down into smaller portions.
This is often seen in various AR (Algorithmic Rules) concepts, such as breakers, order blocks, etc., where the price reacts.
I’ve visualized this behavior with this indicator.
This indicator takes the highest high and the lowest low from the past 5 weeks, excluding the current week.
The lowest low will represent 0%, and the highest high will represent 100% (green lines).
It then divides this range into 25%, 50%, 75%, and 100% levels (red and blue lines).
The indicator works on all charts and all timeframes, automatically adjusting when you switch charts or timeframes. No manual input is required.
Additionally, above 100%, it will create levels at 125%, 150%, 175%, and 200%, while below 0%, it will create levels at -25%, -50%, -75%, and -100%.
Your chart will now be divided into these 25% levels, allowing you to observe how the price either respects or breaks through them.
Again, this isn’t something “groundbreaking,” but simply a visual aid to identify levels where the price finds support/resistance or breaks through.
It helps me gain a broader perspective and determine whether my trade is moving in the right direction or if I should remain cautious.
TREND CAPTURE - Signal Strategy [SRISTI]Its a simple strategy works to capture a small trends in intraday trading. basically built on combination of EMA, VWAP, RSI.
Test_NeoТестим свою стратегию. Суть в поиске разворота. Появлении трех последовательных свечей одного цвета, и поддержки третьей свечи скользящими средними.
Enhanced Crypto Master Indicator v6//@version=5
indicator("Enhanced Crypto Master Indicator v6", overlay=true, max_labels_count=500)
// ———— 1. Trend Filter (EMA Cross + ADX Trend Strength) ————
emaFast = ta.ema(close, 50)
emaSlow = ta.ema(close, 200)
emaBullish = ta.crossover(emaFast, emaSlow)
emaBearish = ta.crossunder(emaFast, emaSlow)
// ADX Trend Strength (Fixed DMI Parameters)
adxLength = input(14, "ADX Length")
adxSmoothing = input(14, "ADX Smoothing") // Added missing parameter
= ta.dmi(adxLength, adxSmoothing) // Corrected DMI syntax
strongTrend = adx > 25
// ———— 2. Momentum Filter (RSI Hidden Divergence) ————
rsiLength = input(14, "RSI Length")
rsi = ta.rsi(close, rsiLength)
// Bullish Divergence: Price Lower Low + RSI Higher Low
priceLL = ta.lowest(low, 5) < ta.lowest(low, 5)
rsiHL = ta.lowest(rsi, 5) > ta.lowest(rsi, 5)
bullishDivergence = priceLL and rsiHL
// Bearish Divergence: Price Higher High + RSI Lower High
priceHH = ta.highest(high, 5) > ta.highest(high, 5)
rsiLH = ta.highest(rsi, 5) < ta.highest(rsi, 5)
bearishDivergence = priceHH and rsiLH
// ———— 3. Volume Surge (2x Average) ————
volumeAvg = ta.sma(volume, 20)
volumeSpike = volume > volumeAvg * 2
// ———— 4. Volatility Filter (Bollinger Squeeze) ————
bbLength = input(20, "BB Length")
bbMult = input(2.0, "BB Multiplier")
= ta.bb(close, bbLength, bbMult)
kcLength = input(20, "KC Length")
kcMult = input(1.5, "KC Multiplier")
kcUpper = ta.ema(close, kcLength) + ta.atr(kcLength) * kcMult
kcLower = ta.ema(close, kcLength) - ta.atr(kcLength) * kcMult
squeeze = bbUpper < kcUpper and bbLower > kcLower
// ———— 5. Time-Based Confirmation ————
bullishConfirmation = close > emaFast and close > emaFast
bearishConfirmation = close < emaFast and close < emaFast
// ———— Final Signals ————
buySignal = emaBullish and bullishDivergence and volumeSpike and squeeze and bullishConfirmation and strongTrend
sellSignal = emaBearish and bearishDivergence and volumeSpike and squeeze and bearishConfirmation and strongTrend
// ———— Plots ————
plotshape(buySignal, style=shape.triangleup, location=location.belowbar, color=color.new(color.green, 0), size=size.small)
plotshape(sellSignal, style=shape.triangledown, location=location.abovebar, color=color.new(color.red, 0), size=size.small)
plot(emaFast, color=color.blue)
plot(emaSlow, color=color.red)
Ebuka Moving Average Crossover Strategy with Volume FilterThe provided Pine Script defines a trading strategy that can generate buy and sell signals on TradingView charts. If you'd like to automate the strategy to trade on Binance while you sleep, follow these steps:
EMA and Ichimoku Baseline StrategyBest for swing trading. this strategy is made up by Baseline of ichimoku indicator and moving averages of 5ema and 34ema. It is a crossover strategy.
High-Probability Crypto Indicator1//@version=5
indicator("High-Probability Crypto Indicator", overlay=true)
// Inputs
emaFastLength = input(50, "Fast EMA Length")
emaSlowLength = input(200, "Slow EMA Length")
rsiLength = input(14, "RSI Length")
volumeSpikeMultiplier = input(2.0, "Volume Spike Multiplier")
// EMAs
emaFast = ta.ema(close, emaFastLength)
emaSlow = ta.ema(close, emaSlowLength)
// RSI
rsi = ta.rsi(close, rsiLength)
// Volume Analysis
volumeAvg = ta.sma(volume, 20)
volumeSpike = volume > volumeAvg * volumeSpikeMultiplier
// Bullish Conditions
emaBullish = ta.crossover(emaFast, emaSlow) // Fast EMA crosses above Slow EMA
rsiBullish = rsi > 50 and rsi < 70 // RSI in bullish zone but not overbought
bullishSignal = emaBullish and rsiBullish and volumeSpike
// Bearish Conditions
emaBearish = ta.crossunder(emaFast, emaSlow) // Fast EMA crosses below Slow EMA
rsiBearish = rsi < 50 and rsi > 30 // RSI in bearish zone but not oversold
bearishSignal = emaBearish and rsiBearish and volumeSpike
// Plot Signals
plotshape(bullishSignal, style=shape.triangleup, location=location.belowbar, color=color.green, size=size.small, title="Buy Signal")
plotshape(bearishSignal, style=shape.triangledown, location=location.abovebar, color=color.red, size=size.small, title="Sell Signal")
// Plot EMAs
plot(emaFast, color=color.blue, title="Fast EMA")
plot(emaSlow, color=color.red, title="Slow EMA")
QT RSI [ W.ARITAS ]The QT RSI is an innovative technical analysis indicator designed to enhance precision in market trend identification and decision-making. Developed using advanced concepts in quantum mechanics, machine learning (LSTM), and signal processing, this indicator provides actionable insights for traders across multiple asset classes, including stocks, crypto, and forex.
Key Features:
Dynamic Color Gradient: Visualizes market conditions for intuitive interpretation:
Green: Strong buy signal indicating bullish momentum.
Blue: Neutral or observation zone, suggesting caution or lack of a clear trend.
Red: Strong sell signal indicating bearish momentum.
Quantum-Enhanced RSI: Integrates adaptive energy levels, dynamic smoothing, and quantum oscillators for precise trend detection.
Hybrid Machine Learning Model: Combines LSTM neural networks and wavelet transforms for accurate prediction and signal refinement.
Customizable Settings: Includes advanced parameters for dynamic thresholds, sensitivity adjustment, and noise reduction using Kalman and Jurik filters.
How to Use:
Interpret the Color Gradient:
Green Zone: Indicates bullish conditions and potential buy opportunities. Look for upward momentum in the RSI plot.
Blue Zone: Represents a neutral or consolidation phase. Monitor the market for trend confirmation.
Red Zone: Indicates bearish conditions and potential sell opportunities. Look for downward momentum in the RSI plot.
Follow Overbought/Oversold Boundaries:
Use the upper and lower RSI boundaries to identify overbought and oversold conditions.
Leverage Advanced Filtering:
The smoothed signals and quantum oscillator provide a robust framework for filtering false signals, making it suitable for volatile markets.
Application: Ideal for traders and analysts seeking high-precision tools for:
Identifying entry and exit points.
Detecting market reversals and momentum shifts.
Enhancing algorithmic trading strategies with cutting-edge analytics.
Tight Consolidation With Contracting Volume1. Price is above EMA20 by 0-3%
2. EMA20 is above EMA50 by 1%-3%
3. Latest close is positive
4. Latest volume is lower than 20 day average by at least 30%
5. Show signal as an arrow below the candle
Multi-Timeframe EMA/MA SignalBuy when prices more above 9EMA, 20 EMA AND 50 MA IN, FIVE MINUTE, 15 MINUTES AND ONE MINUTE CHAT
OctradingFxDétection de la session asiatique :
La session asiatique est définie entre 23h00 et 08h00 UTC (à ajuster selon votre fuseau horaire).
La variable asianSessionStart est utilisée pour identifier cette plage horaire.
Calcul des hauts et bas de la session asiatique :
Les variables asianHigh et asianLow stockent les plus hauts et plus bas de la session asiatique.
Ces valeurs sont réinitialisées à chaque nouvelle session.
Affichage de la zone de range :
La zone de range est affichée en arrière-plan avec bgcolor pour mettre en évidence la session asiatique.
Les lignes horizontales asianHigh et asianLow sont tracées pour visualiser les niveaux de range.
Intégration avec les cassages de la MA50 :
Les cassages de la MA50 sur H1 et H4 sont toujours affichés avec des flèches et des alertes.
MA Price BandsSeveral bands based on a moving average, a simple way of marking risk levels of an asset. Comes with many options.
YCLK Al-Sat İndikatörüRSI Period (RSI Periyodu): Adjustable RSI period (default is 14).
Overbought Level (RSI Aşırı Alım): Sets the RSI threshold for overbought conditions (default is 70).
Oversold Level (RSI Aşırı Satım): Sets the RSI threshold for oversold conditions (default is 30).
Take Profit Ratio (Kâr Alma Oranı): Percentage ratio for take-profit levels (default is 1.05 or 5% profit).
Stop Loss Ratio (Zarar Durdurma Oranı): Percentage ratio for stop-loss levels (default is 0.95 or 5% loss).
RSI Calculation: The script calculates the Relative Strength Index (RSI) using the defined period.
Buy Signal: Generated when RSI crosses above the oversold level.
Sell Signal: Generated when RSI crosses below the overbought level.
Buy/Sell Signal Visualization:
Buy Signal: Green upward arrow labeled as "BUY".
Sell Signal: Red downward arrow labeled as "SELL".
Dynamic Take Profit and Stop Loss Levels:
Entry Price: Tracks the price at which a Buy signal occurs.
Take Profit (TP): Automatically calculated as Entry Price * Take Profit Ratio.
Stop Loss (SL): Automatically calculated as Entry Price * Stop Loss Ratio.
These levels are plotted on the chart with:
Blue circles for TP levels.
Red circles for SL levels.
Fibonacci Targets: The script also calculates Fibonacci levels based on the entry price:
Fibonacci 1.236 Level: Shown in purple.
Fibonacci 1.618 Level: Shown in orange.
Additional Visual Details:
Displays the current RSI value at each bar as a yellow label above the chart.
How to Use:
Apply the indicator to your TradingView chart.
Adjust the input parameters (RSI period, overbought/oversold levels, profit/loss ratios) based on your strategy.
Use the Buy and Sell signals to identify potential trade entries.
Use the TP and SL levels to manage risk and lock in profits.
Refer to the Fibonacci levels for extended profit targets.