ORB Lines - Opening Range Breakout [GC Trading Systems]A simple indicator that draws your opening range + custom fib extension targets.
Bands and Channels
Range Detector [PQ_MOD]This multi-functional Range Detector indicator dynamically identifies and visualizes significant price ranges and predictive zones by combining traditional range analysis with advanced market structure concepts. Initially, it computes a baseline range using a moving average and an ATR-derived threshold over a user-defined period; if the price remains within this range for the specified number of bars, the indicator draws and continuously updates a range box and corresponding average line. Simultaneously, it calculates predictive range levels—upper and lower bounds derived from an extended ATR window and multiplier—to project potential future price boundaries. Beyond simple range detection, the script incorporates a comprehensive suite of market structure tools by detecting swing highs/lows, order blocks, fair value gaps, and premium/discount zones, and it supports multi-timeframe analysis with customizable visual styles, labels, and alerts. This robust design enables traders to monitor real-time market structure and range dynamics, providing clear visual cues and automated alerts for significant breakout or reversal events.
Up/Down Volume Up/Down Vol Price Breaks High of Previous Candlehorizontal line create and alert crossover and crossbelow
EMA Channel Key K-LinesEMA Channel Setup :
Three 32-period EMAs (high, low, close prices)
Visually distinct colors (red, blue, green)
Gray background between high and low EMAs
Key K-line Identification :
For buy signals: Close > highest EMA, K-line height ≥ channel height, body ≥ 2/3 of range
For sell signals: Close < lowest EMA, K-line height ≥ channel height, body ≥ 2/3 of range
Alternating signals only (no consecutive buy/sell signals)
Visual Markers :
Green "BUY" labels below key buy K-lines
Red "SELL" labels above key sell K-lines
Clear channel visualization
Logic Flow :
Tracks last signal direction to prevent consecutive same-type signals
Strict conditions ensure only significant breakouts are marked
All calculations based on your exact specifications
Heikin Ashi + Supertrend SSR SMART-BNFOREXThis indicator combines HEIKIN ASHI candles with a SUPER TREND calculated from HEIKIN ASHI data (BNFOREX version), specifically created for SSR SMART strategy backtesting.
Sigma Expected Movement)Okay, here's a brief description of what the final Pine Script code achieves:
Indicator Description:
This indicator calculates and plots expected price movement ranges based on the VIX index for daily, weekly, or monthly periods. It uses user-selectable VIX data (Today's Open / Previous Close) and a center price source (Today's Open / Previous Close).
Key features include:
Up to three customizable deviation levels, based on user-defined percentages of the calculated expected move.
Configurable visibility, color, opacity (default 50%), line style, and width (default 1) for each deviation level.
Optional filled area boxes between the 1st and 2nd deviation levels (enabled by default), with customizable fill color/opacity.
An optional center price line with configurable visibility (disabled by default), color, opacity, style, and width.
All drawings appear only within a user-defined time window (e.g., specific market hours).
Does not display price labels on the lines.
Optional rounding of calculated price levels.
erb.KAMA ChannelsKaufman channels. Period 21. Bands show fill and values between 0.89 and 1 upwards and downwards. I took the multiplier as 4. I used ohlc4 as the source.
HTF Support & Resistance Zones📌 English Description:
HTF Support & Resistance Zones is a powerful indicator designed to auto-detect key support and resistance levels from higher timeframes (Daily, Weekly, Monthly, Yearly).
It displays the number of touches for each level and automatically classifies its strength (Weak – Strong – Very Strong) with full customization options.
✅ Features:
Auto-detection of support/resistance from HTFs
Strength calculation based on touch count
Clean visual display with color, size, and label customization
Ideal for scalping and intraday trading
📌 الوصف العربي:
مؤشر "HTF Support & Resistance Zones" يساعد المتداولين على تحديد أهم مناطق الدعم والمقاومة المستخرجة تلقائيًا من الفريمات الكبيرة (اليومي، الأسبوعي، الشهري، السنوي).
يعرض المؤشر عدد اللمسات لكل مستوى ويقيّم قوته تلقائيًا (ضعيف – قوي – قوي جدًا)، مع خيارات تخصيص كاملة للعرض.
✅ ميزات المؤشر:
دعم/مقاومة تلقائية من الفريمات الكبيرة
تقييم تلقائي لقوة المستويات بناءً على عدد اللمسات
عرض مرئي مرن مع تحكم بالألوان، الحجم، الشكل، والخلفية
مناسب للتداولات اليومية والسكالبينج
VWAP with Bank/Psychological Levels by TBTPH V.2This Pine Script defines a custom VWAP (Volume Weighted Average Price) indicator with several additional features, such as dynamic bands, bank levels, session tracking, and price-crossing detection. Here's a breakdown of the main elements and logic:
Key Components:
VWAP Settings:
The VWAP calculation is based on a source (e.g., hlc3), with an option to hide the VWAP on daily (1D) or higher timeframes.
You can choose the VWAP "anchor period" (Session, Week, Month, etc.) for adjusting the VWAP calculation to different time scales.
VWAP Bands:
The script allows you to plot bands above and below the VWAP line.
You can choose the calculation mode for the bands (Standard Deviation or Percentage), and the bands' width can be adjusted with a multiplier.
These bands are drawn using a gray color and can be filled to create a shaded area.
Bank Level Calculation:
The concept of bank levels is added as horizontal levels spaced by a user-defined multiplier.
These levels are drawn as dotted lines, and price labels are added to indicate each level.
You can define how many bank levels are drawn above and below the base level.
Session Indicators (LSE/NYSE):
The script identifies the open and close times of the London Stock Exchange (LSE) and the New York Stock Exchange (NYSE) sessions.
It limits the signals to only appear during these sessions.
VWAP Crossing Logic:
If the price crosses the VWAP, the script colors the candle body white to highlight this event.
Additional Plot Elements:
A background color is applied based on whether the price is above or below the 50-period Simple Moving Average (SMA).
The VWAP line dynamically changes color based on whether the price is above or below it (green if above, red if below).
Explanation of Key Sections:
1. VWAP and Band Calculation:
pinescript
Copy
= ta.vwap(src, isNewPeriod, 1)
vwapValue := _vwap
stdevAbs = _stdevUpper - _vwap
bandBasis = calcModeInput == "Standard Deviation" ? stdevAbs : _vwap * 0.01
upperBandValue1 := _vwap + bandBasis * bandMult_1
lowerBandValue1 := _vwap - bandBasis * bandMult_1
This code calculates the VWAP value (vwapValue) and standard deviation-based bands (upperBandValue1 and lowerBandValue1).
2. Bank Levels:
pinescript
Copy
baseLevel = math.floor(currentPrice / bankLevelMultiplier) * bankLevelMultiplier
The base level for the bank levels is calculated by rounding the current price to the nearest multiple of the bank level multiplier.
Then, a loop creates multiple bank levels:
pinescript
Copy
for i = -bankLevelRange to bankLevelRange
level = baseLevel + i * bankLevelMultiplier
line.new(x1=bar_index - 50, y1=level, x2=bar_index + 50, y2=level, color=highlightColor, width=2, style=line.style_dotted)
label.new(bar_index, level, text=str.tostring(level), style=label.style_label_left, color=labelBackgroundColor, textcolor=labelTextColor, size=size.small)
3. Session Logic (LSE/NYSE):
pinescript
Copy
lse_open = timestamp("GMT", year, month, dayofmonth, 8, 0)
lse_close = timestamp("GMT", year, month, dayofmonth, 16, 30)
nyse_open = timestamp("GMT-5", year, month, dayofmonth, 9, 30)
nyse_close = timestamp("GMT-5", year, month, dayofmonth, 16, 0)
The script tracks session times and filters the signals based on whether the current time falls within the LSE or NYSE session.
4. VWAP Crossing Detection:
pinescript
Copy
candleCrossedVWAP = (close > vwapValue and close <= vwapValue) or (close < vwapValue and close >= vwapValue)
barcolor(candleCrossedVWAP ? color.white : na)
If the price crosses the VWAP, the candle's body is colored white to highlight the cross.
Heikin Ashi + Supertrend + EMA + Bollinger Bands BN FOREX"This custom BN FOREX indicator combines Heikin Ashi price action with Supertrend (HA-based), moving averages and Bollinger Bands for enhanced market analysis."
The translation preserves:
All technical components (Heikin Ashi, Supertrend, EMA, Bollinger Bands)
The BN FOREX branding
The combined/customized nature of the indicator
Proper technical terminology
[francrypto®] Heikin Ashi Supertrend + Multi-Indicator v6This indicator combines HEIKIN ASHI candles with a SUPER TREND calculated from HEIKIN ASHI data (BNFOREX version), specifically created for SSR SMART strategy backtesting.
Scalp Momentum1. EMA + Volume Scalping
Setup:
5-minute chart
8 EMA (fast) and 21 EMA (slow)
Volume > 1.5x average volume
Entry:
Buy when price crosses above 8 EMA with surging volume.
Sell when price crosses below 8 EMA with rising volume.
Exit:
Target: 0.5-1% profit (e.g., ₹5-10 for ₹1,000 stock)
Stop-loss: 0.3-0.5% below entry.
Kase Permission StochasticOverview
The Kase Permission Stochastic indicator is an advanced momentum oscillator developed from Kase's trading methodology. It offers enhanced signal smoothing and filtering compared to traditional stochastic oscillators, providing clearer entry and exit signals with fewer false triggers.
How It Works
This indicator calculates a specialized stochastic using a multi-stage smoothing process:
Initial stochastic calculation based on high, low, and close prices
Application of weighted moving averages (WMA) for short-term smoothing
Progressive smoothing through differential factors
Final smoothing to reduce noise and highlight significant trend changes
The indicator oscillates between 0 and 100, with two main components:
Main Line (Green): The smoothed stochastic value
Signal Line (Yellow): A further smoothed version of the main line
Signal Generation
Trading signals are generated when the main line crosses the signal line:
Buy Signal (Green Triangle): When the main line crosses above the signal line
Sell Signal (Red Triangle): When the main line crosses below the signal line
Key Features
Multiple Smoothing Algorithms: Uses a combination of weighted and exponential moving averages for superior noise reduction
Clear Visualization: Color-coded lines and background filling
Reference Levels: Horizontal lines at 25, 50, and 75 for context
Customizable Colors: All visual elements can be color-customized
Customization Options
PST Length: Base period for the stochastic calculation (default: 9)
PST X: Multiplier for the lookback period (default: 5)
PST Smooth: Smoothing factor for progressive calculations (default: 3)
Smooth Period: Final smoothing period (default: 10)
Trading Applications
Trend Confirmation: Use crossovers to confirm entries in the direction of the prevailing trend
Reversal Detection: Identify potential market reversals when crossovers occur at extreme levels
Range-Bound Markets: Look for oscillations between overbought and oversold levels
Filter for Other Indicators: Use as a confirmation tool alongside other technical indicators
Best Practices
Most effective in trending markets or during well-defined ranges
Combine with price action analysis for better context
Consider the overall market environment before taking signals
Use longer settings for fewer but higher-quality signals
The Kase Permission Stochastic delivers a sophisticated approach to momentum analysis, offering a refined perspective on market conditions while filtering out much of the noise that affects standard oscillators.
EMA CloudIt's provide the area of value between 2 EMA. Additional 1 EMA long term for determine the market status.
Enhanced RSI, VWAP, Pivot Points,BB, Supertrend & SAREnhanced Adaptive RSI with VWAP, Pivots, Bollinger Bands, Supertrend & SAR
This comprehensive trading indicator offers a multi-faceted approach to market analysis, combining multiple adaptive and traditional technical indicators to enhance decision-making. It is ideal for traders looking to gain insights into price momentum, support and resistance levels, and potential trend reversals.
Key Features and Benefits
Adaptive RSI (ARSI)
Tracks market momentum using an adaptive Relative Strength Index, which responds to changing market conditions.
Smoothed with a Simple Moving Average for better clarity.
Provides buy and sell signals with clear visual markers.
VWAP (Volume Weighted Average Price)
Displays Daily, Weekly, Monthly, and Approximate Quarterly VWAP levels.
Useful for identifying fair market value and institutional activity.
Pivot Points with Camarilla S3 and R3
Calculates dynamic support and resistance levels.
Helps traders set effective entry and exit points.
Adaptive Bollinger Bands
Adjusts dynamically to market volatility.
Helps traders identify overbought and oversold conditions.
Adaptive Supertrend
Generates trend-following signals based on volatility-adjusted values.
Provides clear buy and sell markers with color-coded trend identification.
Adaptive Parabolic SAR
Assists in trailing stop-loss placement and identifying trend reversals.
Particularly useful in trending markets.
How to Use
Trend Identification: Follow the Supertrend and SAR for clear directional bias.
Support and Resistance: Use Pivot Points and VWAP levels to gauge market sentiment.
Volatility Management: Monitor Bollinger Bands for breakout or reversal opportunities.
Momentum Analysis: Track ARSI movements for early signals of trend continuation or reversal.
This indicator is a powerful all-in-one solution for day traders, swing traders, and even longer-term investors who want to optimize their trading strategy.
Quadruple Supertrend HTF FilterMultiple supertrend each with distinct TF, ART,& MULTIPLIER for multitimeframe analysis.
Optimize Head-Touch and Bottom-GuessUniquely developed to empower your predictions with smart alerts and analysis using Moving Averages, Bollinger Bands, and VWAP.
TLP Swing Chart V2 + EMA Crosssự kết của swin ema 8 21 200 và tín hiệu nến isb osb giúp nhận diện trade tốt hơn.
Ahmed Mo3Ty - Bollinger Bands 1Buy:
Enter long when price closes above upper Bollinger Band (plot green arrow)
Close long when price closes below lower Bollinger Band
Sell:
Enter short when price closes below lower Bollinger Band (plot red arrow)
Close short when price closes above upper Bollinger Band
Important: For successful investment in the financial markets, I advise you to use the following combination and not rely solely on technical analysis tools (experience + risk management plan + psychological control + combining technical analysis with fundamental analysis).
Risk Warning: This indicator is not a buy or sell recommendation. Rather, it is for educational purposes and should be combined with the previous combination. Any buy or sell order is yours alone, and you are responsible for it.
Médias Móveis Personalizadas por TipoContains 9, 20, 50, and 200 moving averages and a VWAP, allowing selection between simple and exponential with different colors and more!
Contem medias de 9 20 50 e 200 e uma vwap podendo escolher entre simples e exponencial com diferentes cores e etc!
Bollinger Bands with EMAsHere's a TradingView Pine Script indicator that includes:
Bollinger Bands with default settings (20-period SMA and 2 standard deviations).
Three EMA lines with default values of 10, 20, and 50.
Settings and style options to adjust any parameter.