NISHITThis strategy is equal to the very popular "ANN Strategy" coded by sirolf2009 but without the Artificial Neural Network (ANN// Main difference besides stripping out the ANN is that I use close prices instead of OHLC4 prices
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.
ORB Lines - Opening Range Breakout [GC Trading Systems]A simple indicator that draws your opening range + custom fib extension targets.
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.
Up/Down Volume Up/Down Vol Price Breaks High of Previous Candlehorizontal line create and alert crossover and crossbelow
VWAP StrategyVWAP and volatility filters for structured intraday trades.
How the Strategy Works
1. VWAP Anchored to Session
VWAP is calculated from the start of each trading day.
Standard deviations are used to create bands above/below the VWAP.
2. Entry Triggers: Al Brooks H1/H2 and L1/L2
H1/H2 (Long Entry): Opens below 2nd lower deviation, closes above it.
L1/L2 (Short Entry): Opens above 2nd upper deviation, closes below it.
3. Volatility Filter (ATR)
Skips trades when deviation bands are too tight (< 3 ATRs).
4. Stop Loss
Based on the signal bar’s high/low ± stop buffer.
Longs: signalBarLow - stopBuffer
Shorts: signalBarHigh + stopBuffer
5. Take Profit / Exit Target
Exit logic is customizable per side:
VWAP, Deviation Band, or None
6. Safety Exit
Exits early if X consecutive bars go against the trade.
Longs: X red bars
Shorts: X green bars
Explanation of Strategy Inputs
- Stop Buffer: Distance from signal bar for stop-loss.
- Long/Short Exit Rule: VWAP, Deviation Band, or None
- Long/Short Target Deviation: Standard deviation for target exit.
- Enable Safety Exit: Toggle emergency exit.
- Opposing Bars: Number of opposing candles before safety exit.
- Allow Long/Short Trades: Enable or disable entry side.
- Show VWAP/Entry Bands: Toggle visual aids.
- Highlight Low Vol Zones: Orange shading for low volatility skips.
Tuning Tips
- Stop buffer: Use 1–5 points.
- Target deviation: Start with VWAP. In strong trends use 2nd deviation and turn off the counter-trend entry.
- Safety exit: 3 bars recommended.
- Disable short/long side to focus on one type of reversal.
Backtest Setup Suggestions
- initial_capital = 2000
- default_qty_value = 1 (fixed contracts or percent-of-equity)
[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.
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.
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.
Supertrend (7,3) with Trailing SLSupertrend (7,3) with Trailing SL Strategy for Bitcoin long and short future. Minumum loss, max profit.
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
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.
Estrategia 15 MINThe 50-EMA and 200-EMA are exponential moving averages (EMA) used in technical analysis to identify trends. The 50-EMA is used to analyze short- and medium-term trends, while the 200-EMA is used to analyze long-term trends.
50-EMA
Averaged over 50 periods
Allows for faster reaction to price changes
Used to analyze short- and medium-term trends
200-EMA
Averaged over 200 periods
Indicates an overall trend
Used to analyze long-term trends
MACD + SMA StrategyHow This Strategy Works:
Indicators Used:
MACD (Moving Average Convergence Divergence) with configurable fast, slow, and signal lengths
Simple Moving Average (SMA) with configurable length
Entry Signals:
Long position when:
MACD line is above the signal line (bullish crossover)
Price is above the SMA
Short position when:
MACD line is below the signal line (bearish crossover)
Price is below the SMA
Exit Signals:
Exit long position when either:
MACD shows bearish crossover
Price falls below SMA
Exit short position when either:
MACD shows bullish crossover
Price rises above SMA
Visualization:
SMA is plotted in blue
Price is colored green when above SMA and red when below
You can adjust the input parameters to suit different trading styles and timeframes. The default values (MACD 12/26/9 and SMA 50) are common settings, but you may want to experiment with other values.
Would you like me to modify any aspect of this strategy?
Range Filter Buy and Sell 5min## **Enhanced Range Filter Strategy: A Comprehensive Overview**
### **1. Introduction**
The **Enhanced Range Filter Strategy** is a powerful technical trading system designed to identify high-probability trading opportunities while filtering out market noise. It utilizes **range-based trend filtering**, **momentum confirmation**, and **volatility-based risk management** to generate precise entry and exit signals. This strategy is particularly useful for traders who aim to capitalize on trend-following setups while avoiding choppy, ranging market conditions.
---
### **2. Key Components of the Strategy**
#### **A. Range Filter (Trend Determination)**
- The **Range Filter** smooths price fluctuations and helps identify clear trends.
- It calculates an **adjusted price range** based on a **sampling period** and a **multiplier**, ensuring a dynamic trend-following approach.
- **Uptrends:** When the current price is above the range filter and the trend is strengthening.
- **Downtrends:** When the price falls below the range filter and momentum confirms the move.
#### **B. RSI (Relative Strength Index) as Momentum Confirmation**
- RSI is used to **filter out weak trades** and prevent entries during overbought/oversold conditions.
- **Buy Signals:** RSI is above a certain threshold (e.g., 50) in an uptrend.
- **Sell Signals:** RSI is below a certain threshold (e.g., 50) in a downtrend.
#### **C. ADX (Average Directional Index) for Trend Strength Confirmation**
- ADX ensures that trades are only taken when the trend has **sufficient strength**.
- Avoids trading in low-volatility, ranging markets.
- **Threshold (e.g., 25):** Only trade when ADX is above this value, indicating a strong trend.
#### **D. ATR (Average True Range) for Risk Management**
- **Stop Loss (SL):** Placed **one ATR below** (for long trades) or **one ATR above** (for short trades).
- **Take Profit (TP):** Set at a **3:1 reward-to-risk ratio**, using ATR to determine realistic price targets.
- Ensures volatility-adjusted risk management.
---
### **3. Entry and Exit Conditions**
#### **📈 Buy (Long) Entry Conditions:**
1. **Price is above the Range Filter** → Indicates an uptrend.
2. **Upward trend strength is positive** (confirmed via trend counter).
3. **RSI is above the buy threshold** (e.g., 50, to confirm momentum).
4. **ADX confirms trend strength** (e.g., above 25).
5. **Volatility is supportive** (using ATR analysis).
#### **📉 Sell (Short) Entry Conditions:**
1. **Price is below the Range Filter** → Indicates a downtrend.
2. **Downward trend strength is positive** (confirmed via trend counter).
3. **RSI is below the sell threshold** (e.g., 50, to confirm momentum).
4. **ADX confirms trend strength** (e.g., above 25).
5. **Volatility is supportive** (using ATR analysis).
#### **🚪 Exit Conditions:**
- **Stop Loss (SL):**
- **Long Trades:** 1 ATR below entry price.
- **Short Trades:** 1 ATR above entry price.
- **Take Profit (TP):**
- Set at **3x the risk distance** to achieve a favorable risk-reward ratio.
- **Ranging Market Exit:**
- If ADX falls below the threshold, indicating a weakening trend.
---
### **4. Visualization & Alerts**
- **Colored range filter line** changes based on trend direction.
- **Buy and Sell signals** appear as labels on the chart.
- **Stop Loss and Take Profit levels** are plotted as dashed lines.
- **Gray background highlights ranging markets** where trading is avoided.
- **Alerts trigger on Buy, Sell, and Ranging Market conditions** for automation.
---
### **5. Advantages of the Enhanced Range Filter Strategy**
✅ **Trend-Following with Noise Reduction** → Helps avoid false signals by filtering out weak trends.
✅ **Momentum Confirmation with RSI & ADX** → Ensures that only strong, valid trades are executed.
✅ **Volatility-Based Risk Management** → ATR ensures adaptive stop loss and take profit placements.
✅ **Works on Multiple Timeframes** → Effective for day trading, swing trading, and scalping.
✅ **Visually Intuitive** → Clearly displays trade signals, SL/TP levels, and trend conditions.
---
### **6. Who Should Use This Strategy?**
✔ **Trend Traders** who want to enter trades with momentum confirmation.
✔ **Swing Traders** looking for medium-term opportunities with a solid risk-reward ratio.
✔ **Scalpers** who need precise entries and exits to minimize false signals.
✔ **Algorithmic Traders** using alerts for automated execution.
---
### **7. Conclusion**
The **Enhanced Range Filter Strategy** is a powerful trading tool that combines **trend-following techniques, momentum indicators, and risk management** into a structured, rule-based system. By leveraging **Range Filters, RSI, ADX, and ATR**, traders can improve trade accuracy, manage risk effectively, and filter out unfavorable market conditions.
This strategy is **ideal for traders looking for a systematic, disciplined approach** to capturing trends while **avoiding market noise and false breakouts**. 🚀
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 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
EMA CloudIt's provide the area of value between 2 EMA. Additional 1 EMA long term for determine the market status.
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" يساعد المتداولين على تحديد أهم مناطق الدعم والمقاومة المستخرجة تلقائيًا من الفريمات الكبيرة (اليومي، الأسبوعي، الشهري، السنوي).
يعرض المؤشر عدد اللمسات لكل مستوى ويقيّم قوته تلقائيًا (ضعيف – قوي – قوي جدًا)، مع خيارات تخصيص كاملة للعرض.
✅ ميزات المؤشر:
دعم/مقاومة تلقائية من الفريمات الكبيرة
تقييم تلقائي لقوة المستويات بناءً على عدد اللمسات
عرض مرئي مرن مع تحكم بالألوان، الحجم، الشكل، والخلفية
مناسب للتداولات اليومية والسكالبينج
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!
Quadruple Supertrend HTF FilterMultiple supertrend each with distinct TF, ART,& MULTIPLIER for multitimeframe analysis.