ORB + Fib ZoneAllows user to adjust range of ORB. The box in the middle is the Fibonacci range between 38.2% and 61.8% designed for pullbacks into the ORB as confirmation before entry. Alerts can be set if the candle closes above or below the ORB.
Chart patterns
FOREX Strength Matrix PRO | Auto·Scalp·Swing·ManualStrategy type
Multi-session FX divergence engine (long/short) designed for scalping, day-trading, swing-automation on any major/cross.
What it does
The script hunts for moments when one currency is clearly dominating another and converts that edge into trades on the selected pair.
Four strength factors (-100→+100 each)
• Price Return (STR) – raw 1-bar % change.
• Relative Volume (RVOL) – today’s volume ÷ 30-bar SMA.
• Relative Volatility (VOL) – ATR% ÷ 30-bar SMA of ATR%.
• Normalised Momentum (MOM) – price momentum / ATR%.
Matrix build
• Values from 21 symbols roll up to the 7 G-7 currencies.
• Each factor crowns a strongest & weakest currency; weights
(40 / 30 / 20 / 10 %) turn those into ± contributions.
• Result = TOTAL % score per currency.
EDGE gap trigger
• EDGE = TOTAL_base − TOTAL_quote (range −200…+200).
• Long when EDGE ≥ threshold; Short when EDGE ≤ −threshold.
• Default threshold 150 % ⇒ only act on wide divergences.
Timing rails
• Session filter: London, New-York, Tokyo, Sydney boxes.
• Optional contrarian mode: flips all entries.
Risk engine
• Stop & target = ATR × inputs (default 3×).
• Hard flat when EDGE flips sign (dominance lost).
Visual aids
• One-glance strength “Matrix” table.
• Live best-pair suggestion (strongest vs. weakest currency).
• Technical-Rating overlay (All / MA / Osc).
All request.security() calls use lookahead_off → no repaint.
Default inputs (1H template)
Reference TF = Chart
ATR length = 14
Momentum length = 10
RVOL window = 30
VOL window = 10
Factor weights = 40 / 30 / 20 / 10
Trade when EDGE ≥ = 150 %
Stop ATR× / Target ATR× = 3 / 3
Back-test properties used in screenshots
Initial capital 100 000 (quote currency)
Order size 5 % of equity
Pyramiding 1
Commission 0.01 per lot
Slippage 3 ticks
Fills Bar magnifier ✔ · On bar close ✔ · Standard OHLC ✔
How to use
Add to any major/cross chart (default set = USDJPY 1 H).
In Inputs set Pair to trade equal to chart symbol.
Tick the sessions that suit your style.
Leave threshold 150 % or tighten/loosen as desired (50–200 %).
Adjust ATR stops if your broker’s spreads are wider/narrower.
Forward-test on demo; tune commission/slippage to reality.
Important notes
Built exclusively with TradingView built-in data; no external feeds.
No look-ahead, no intrabar repaint, open-source for audit.
Works on any timeframe.
Long/short symmetric; set Reverse logic to fade extremes instead.
Historical results never guarantee future performance; markets evolve.
Credits
TradingView for their technical analysis rating script.
Trade smart, manage risk, and may the strongest currency be with you!
Previous Daily High/LowUnderstanding Previous Daily High and Low in Trading
The previous day’s high and low are critical price levels that traders use to identify potential support, resistance, and intraday trading opportunities. These levels represent the highest and lowest prices reached during the prior trading session and often act as reference points for future price action.
Why Are Previous Daily High/Low Important?
Support & Resistance Zones
The previous day’s low often acts as support (buyers defend this level).
The previous day’s high often acts as resistance (sellers defend this level).
Breakout Trading
A move above the previous high suggests bullish momentum.
A move below the previous low suggests bearish momentum.
Mean Reversion Trading
Traders fade moves toward these levels, expecting reversals.
Example: Buying near the previous low in an uptrend.
Institutional Order Flow
Market makers and algos often reference these levels for liquidity.
How to Use Previous Daily High/Low in Trading
1. Breakout Strategy
Long Entry: Price breaks & closes above previous high → bullish continuation.
Short Entry: Price breaks & closes below previous low → bearish continuation.
2. Reversal Strategy
Long at Previous Low: If price pulls back to the prior day’s low in an uptrend.
Short at Previous High: If price rallies to the prior day’s high in a downtrend.
3. Range-Bound Markets
Buy near previous low, sell near previous high if price oscillates between them.
Candlestick Pattern DetectorAll main Candlestick Pattern are available in this
Candlestick patterns are visual representations of price movements that help traders identify potential trend continuations and reversals in financial markets. Each candlestick displays four key price points: open, high, low, and close for a specific time period.
In trending markets, several patterns prove particularly valuable. **Continuation patterns** signal that the existing trend will likely persist. The bullish engulfing pattern occurs when a large green candle completely engulfs the previous red candle, indicating strong upward momentum. Conversely, a bearish engulfing pattern suggests continued downward movement.
**Hammer and doji patterns** often appear at trend extremes, potentially signaling reversals. A hammer features a small body with a long lower wick, suggesting buyers stepped in after initial selling pressure. Doji candles, where open and close prices are nearly identical, indicate market indecision and possible trend changes.
**Three-candle patterns** like morning and evening stars provide stronger reversal signals. A morning star consists of a bearish candle, followed by a small-bodied candle, then a strong bullish candle, suggesting a potential uptrend reversal.
Successful traders combine candlestick analysis with volume indicators and support/resistance levels for confirmation. While these patterns offer valuable insights into market psychology and potential price movements, they should never be used in isolation for trading decisions.
FMT by C.ball [XAUUSD Version]// This Pine Script® code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © 2025 Ball Goldricher - For XAUUSD
//@version=5
indicator("FMT by C.ball ", shorttitle="FMT-XAU", overlay=true)
// === Moving Averages ===
ema20 = ta.ema(close, 20)
ema50 = ta.ema(close, 50)
// === Cross Logic ===
crossUp = ta.crossover(close, ema20)
crossDown = ta.crossunder(close, ema20)
// === Persistent Counters ===
var int upCount = 0
var int downCount = 0
// === Count Crosses ===
if crossUp
upCount := upCount + 1
if crossDown
downCount := downCount + 1
// === Entry Signals on 2nd Cross + EMA50 Filter ===
buySignal = crossUp and upCount == 2 and close > ema50
sellSignal = crossDown and downCount == 2 and close < ema50
// === Show Buy/Sell Labels on Chart ===
plotshape(buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// === Reset Counters after Entry ===
if buySignal or sellSignal
upCount := 0
downCount := 0
// === Show EMA Lines for Reference ===
plot(ema20, color=color.orange, title="EMA 20")
plot(ema50, color=color.blue, title="EMA 50")
Quantum Reversal# 🧠 Quantum Reversal
## **Quantitative Mean Reversion Framework**
This algorithmic trading system employs **statistical mean reversion theory** combined with **adaptive volatility modeling** to capitalize on Bitcoin's inherent price oscillations around its statistical mean. The strategy integrates multiple technical indicators through a **multi-layered signal processing architecture**.
---
## ⚡ **Core Technical Architecture**
### 📊 **Statistical Foundation**
- **Bollinger Band Mean Reversion Model**: Utilizes 20-period moving average with 2.2 standard deviation bands for volatility-adjusted entry signals
- **Adaptive Volatility Threshold**: Dynamic standard deviation multiplier accounts for Bitcoin's heteroscedastic volatility patterns
- **Price Action Confluence**: Entry triggered when price breaches lower volatility band, indicating statistical oversold conditions
### 🔬 **Momentum Analysis Layer**
- **RSI Oscillator Integration**: 14-period Relative Strength Index with modified oversold threshold at 45
- **Signal Smoothing Algorithm**: 5-period simple moving average applied to RSI reduces noise and false signals
- **Momentum Divergence Detection**: Captures mean reversion opportunities when momentum indicators show oversold readings
### ⚙️ **Entry Logic Architecture**
```
Entry Condition = (Price ≤ Lower_BB) OR (Smoothed_RSI < 45)
```
- **Dual-Condition Framework**: Either statistical price deviation OR momentum oversold condition triggers entry
- **Boolean Logic Gate**: OR-based entry system increases signal frequency while maintaining statistical validity
- **Position Sizing**: Fixed 10% equity allocation per trade for consistent risk exposure
### 🎯 **Exit Strategy Optimization**
- **Profit-Lock Mechanism**: Positions only closed when showing positive unrealized P&L
- **Trend Continuation Logic**: Allows winning trades to run until momentum exhaustion
- **Dynamic Exit Timing**: No fixed profit targets - exits based on profitability state rather than arbitrary levels
---
## 📈 **Statistical Properties**
### **Risk Management Framework**
- **Long-Only Exposure**: Eliminates short-squeeze risk inherent in cryptocurrency markets
- **Mean Reversion Bias**: Exploits Bitcoin's tendency to revert to statistical mean after extreme moves
- **Position Management**: Single position limit prevents over-leveraging
### **Signal Processing Characteristics**
- **Noise Reduction**: SMA smoothing on RSI eliminates high-frequency oscillations
- **Volatility Adaptation**: Bollinger Bands automatically adjust to changing market volatility
- **Multi-Timeframe Coherence**: Indicators operate on consistent timeframe for signal alignment
---
## 🔧 **Parameter Configuration**
| Technical Parameter | Value | Statistical Significance |
|-------------------|-------|-------------------------|
| Bollinger Period | 20 | Standard statistical lookback for volatility calculation |
| Std Dev Multiplier | 2.2 | Optimized for Bitcoin's volatility distribution (95.4% confidence interval) |
| RSI Period | 14 | Traditional momentum oscillator period |
| RSI Threshold | 45 | Modified oversold level accounting for Bitcoin's momentum characteristics |
| Smoothing Period | 5 | Noise reduction filter for momentum signals |
---
## 📊 **Algorithmic Advantages**
✅ **Statistical Edge**: Exploits documented mean reversion tendency in Bitcoin markets
✅ **Volatility Adaptation**: Dynamic bands adjust to changing market conditions
✅ **Signal Confluence**: Multiple indicator confirmation reduces false positives
✅ **Momentum Integration**: RSI smoothing improves signal quality and timing
✅ **Risk-Controlled Exposure**: Systematic position sizing and long-only bias
---
## 🔬 **Mathematical Foundation**
The strategy leverages **Bollinger Band theory** (developed by John Bollinger) which assumes that prices tend to revert to the mean after extreme deviations. The RSI component adds **momentum confirmation** to the statistical price deviation signal.
**Statistical Basis:**
- Mean reversion follows the principle that extreme price deviations from the moving average are temporary
- The 2.2 standard deviation multiplier captures approximately 97.2% of price movements under normal distribution
- RSI momentum smoothing reduces noise inherent in oscillator calculations
---
## ⚠️ **Risk Considerations**
This algorithm is designed for traders with understanding of **quantitative finance principles** and **cryptocurrency market dynamics**. The strategy assumes mean-reverting behavior which may not persist during trending market phases. Proper risk management and position sizing are essential.
---
## 🎯 **Implementation Notes**
- **Market Regime Awareness**: Most effective in ranging/consolidating markets
- **Volatility Sensitivity**: Performance may vary during extreme volatility events
- **Backtesting Recommended**: Historical performance analysis advised before live implementation
- **Capital Allocation**: 10% per trade sizing assumes diversified portfolio approach
---
**Engineered for quantitative traders seeking systematic mean reversion exposure in Bitcoin markets through statistically-grounded technical analysis.**
Double Bottom Strategy (Long Only, ATR Trailing Stop + Alerts)Updated chart script:
This script implements a long-only breakout strategy based on the recognition of a Double Bottom price pattern, enhanced with a 50 EMA trend filter and a dynamic ATR-based trailing stop. It is suitable for traders looking to capture reversals in trending markets using a structured pattern-based entry system.
🧠 Key Features:
Double Bottom Detection: Identifies double bottom structures using pivot lows with configurable tolerance.
ATR-Based Trailing Stop: Manages exits using a trailing stop calculated from Average True Range (ATR), dynamically adjusting to market volatility.
EMA Filter (Optional): Filters trades to only go long when price is above the 50 EMA (trend confirmation).
Alerts: Real-time alerts on entry and exit, formatted in JSON for webhook compatibility.
Backtest Range Controls: Customize historical testing period with start and end dates.
✅ Recommended Markets:
Gold (XAUUSD)
S&P 500 (SPX, ES)
Nasdaq (NDX, NQ)
Stocks (Equities)
⚠️ Not recommended for Forex due to differing behavior and noise levels in currency markets.
🛠️ User Guidance:
Tune the pivot period, tolerance, and ATR settings for best performance on your chosen asset.
Backtest thoroughly over your selected date range to assess historical effectiveness.
Use small position sizes initially to test viability in live or simulated environments.
5 MAsTitle: 5 MAs — Key Moving Averages + 2h Trend Filter
Description:
This indicator plots five essential moving averages used for identifying market structure, momentum shifts, and trend confirmation across multiple timeframes. It’s designed for traders who blend intraday price action with higher-timeframe context.
Included Averages:
200 SMA (red): Long-term trend direction and dynamic support/resistance.
50 SMA (blue): Medium-term trend guide, often used for pullbacks or structure shifts.
21 EMA (purple): Shorter-term momentum guide — commonly used in trending strategies.
10 EMA (green): Fast momentum line for scalping, intraday setups, or crossover signals.
2h 20 EMA (orange): Higher-timeframe trend filter pulled from the 2-hour chart — adds confluence when trading lower timeframes (e.g., 5m, 15m).
How to Use:
Use the alignment of these MAs to confirm market bias (e.g., all pointing up = strong bullish structure).
Watch for crossovers, price interaction, or dynamic support/resistance at key levels.
The 2h 20 EMA adds a higher timeframe filter to avoid counter-trend trades and spot reversals early.
Best Used For:
Scalping, intraday trading, swing entries, or trend-following systems.
Check OAS of EMAsThis script checks the Optimal Alignment and Slope of the EMA's and prints a label if it finds one.
🔍 1. Optimal Alignment
This refers to the order of EMAs on the chart, which should reflect the trend.
In an uptrend, the alignment might be:
10 EMA above 20 EMA above 50 EMA
In a downtrend:
10 EMA below 20 EMA below 50 EMA
This "stacked" alignment confirms trend strength and direction.
📈 2. Slope
The angle or slope of the EMAs shows momentum.
A steep upward slope = strong bullish momentum.
A steep downward slope = strong bearish momentum.
Flat or sideways slope = weak or no trend (ranging market).
Buy Signal Above 1/3 Candle1 hr candle buy on engulfing candle, basically sends buy signals if 1hr candle closes above 1/3 of its size
Gold Mini Strategy: EMA | RSI | MACD | VWAP | BB | PAGood Script to view all the important indicator into one
Gann Support and Resistance LevelsThis indicator plots dynamic Gann Degree Levels as potential support and resistance zones around the current market price. You can fully customize the Gann degree step (e.g., 45°, 30°, 90°), the number of levels above and below the price, and the price movement per degree to fine-tune the levels to your strategy.
Key Features:
✅ Dynamic levels update automatically with the live price
✅ Adjustable degree intervals (Gann steps)
✅ User control over how many levels to display above and below
✅ Fully customizable label size, label color, and text color for mobile-friendly visibility
✅ Clean visual design for easy chart analysis
How to Use:
Gann levels can act as potential support and resistance zones.
Watch for price reactions at major degrees like 0°, 90°, 180°, and 270°.
Can be combined with other technical tools like price action, trendlines, or Gann fans for deeper analysis.
📌 This tool is perfect for traders using Gann theory, grid-based strategies, or those looking to enhance their visual trading setups with structured levels.
ALMA Trend-boxALMA Trend-box — an innovative indicator for detecting trend and consolidation based on the ALMA moving average
This indicator combines the Adaptive Laguerre Moving Average (ALMA) with unique visual representations of trend and consolidation zones, providing traders with clearer and deeper insight into current market conditions.
Originality and Usefulness
Unlike classic indicators based on simple moving averages, ALMA uses a Gaussian weighting function and an offset parameter to reduce lag, resulting in smoother and more accurate trend signals. This indicator not only plots the ALMA but also analyzes the slope angle of the ALMA line, combining it with the price’s position relative to the moving average to identify three key market states:
Uptrend (bullish): when the ALMA slope angle is above a defined threshold and the price is above ALMA,
Downtrend (bearish): when the slope angle is below a negative threshold and the price is below ALMA,
Consolidation or sideways trend: when neither of the above conditions is met.
A special contribution is the automatic identification of consolidation zones (periods of weak trend or transition between bullish and bearish phases), visually represented by blue-colored candlesticks on the chart. This feature can help traders better recognize moments when the market is indecisive and adjust their strategies accordingly.
How the Indicator Works
ALMA is calculated using user-defined parameters — length, offset, and sigma — which can be adjusted for different timeframes and instruments.
The slope angle of the ALMA line is calculated based on the difference between the current and previous ALMA values, converted into degrees.
Based on the slope angle and the relative price position to ALMA, the indicator determines the trend type and changes the candle colors accordingly:
Green for bullish (uptrend),
Red for bearish (downtrend),
Blue for sideways trend (consolidation).
When the slope angle falls within a certain range and the price behavior contradicts the trend, the indicator detects consolidation and displays it graphically through semi-transparent boxes and background color.
How to Use This Indicator
Use candle colors for quick identification of the current trend and potential trend reversals.
Pay attention to consolidation zones marked by boxes (blue candles), as these are potential signals for trend breaks or preparation for stronger price moves.
ALMA parameters can be adjusted depending on the timeframe and market volatility, providing flexibility in analysis.
The indicator is useful for both short-term scalping strategies and longer-term trend monitoring and position management.
Why This Indicator is Useful
Many existing trend indicators do not consider the slope angle of the moving average as a quantitative measure of trend strength, nor do they automatically detect consolidations as separate zones. ALMA Trend-box fills this gap by combining sophisticated mathematical processing with simple and intuitive visual representation. This way, users get a tool that helps make decisions based on more objective criteria of trend and consolidation rather than just price location relative to averages.
Refined Order Block StrategyThis strategy combines Order Blocks and Fair Value Gaps (FVG) to identify potential high-probability trading opportunities. It is designed for trend-following traders and uses the EMA 200 as a trend filter to ensure trades are aligned with the overall market direction.
The strategy provides:
Entry Signals:
BUY: Triggered when the price breaks above a bullish order block during an uptrend.
SELL: Triggered when the price breaks below a bearish order block during a downtrend.
Exit Points:
Take Profit (TP): Based on a configurable Risk-Reward Ratio (e.g., 1:2).
Stop Loss (SL): Placed slightly above/below the order block to minimize risk.
Visual Highlights:
Order Blocks: Highlighted zones where institutional traders are likely active.
Fair Value Gaps (FVG): Marked areas of price inefficiency, often acting as targets.
Fisher Transform Background StripesA simple indicator to provide the user with background stripes on the candle chart showing Fisher Transform Oversold and Overbought Levels.
DD_ORBORB STRATEGY OR OPEN RANGE BREAKOUT STRATEGY
The Opening Range Breakout (ORB) Strategy is a time-based intraday trading method where traders define a specific opening time window—usually the first 5, 15, or 30 minutes after market open to mark the high and low of that range.
A trade is triggered when price breaks out of this range:
📈 Buy when price breaks and closes above the opening range high
📉 Sell when price breaks and closes below the opening range low
This strategy works best on highly volatile instruments and is ideal for capturing early directional momentum. It’s commonly used by intraday traders to catch big moves that often occur after the market establishes its initial trend.
THIS INDICATOR PLOTS THE RANGE AUTOMATICALLY.
Ema-Wma-RsiRSI x EMA x WMA Crossover Signals — Clean Entry Points
This indicator combines RSI with EMA and WMA to generate Buy/Sell signals. A Buy signal appears when RSI crosses above both EMA and WMA after being below them. A Sell signal occurs when RSI crosses below both EMA and WMA after being above them. It helps filter out noise and confirm momentum.
+ Visual triangle markers for clarity
+ No repainting
+ Great for confirmation and trend filtering
Enhanced S/D Boring-Explosive [Visual Clean]**Enhanced S/D Boring-Explosive \ **
The Enhanced S/D Boring-Explosive Indicator uniquely combines Supply and Demand zones with volatility-based candle detection ("boring" and "explosive" candles), visually highlighting precise market reversals and breakout opportunities clearly on your chart.
= Key Features:
* **Dynamic Supply/Demand Zones**: Automatically detects recent significant pivot highs and lows, creating clearly defined Supply (red) and Demand (green) zones, aiding traders in pinpointing potential reversal areas.
* **Volatility-Based Candle Classification**:
* **Boring Candles (Yellow Dot)**: Identifies low-volatility candles using Adaptive Average True Range (ATR), signaling potential market indecision or accumulation phases.
* **Explosive Candles (Orange Arrow)**: Highlights candles with significant breakouts immediately following a "boring" candle, suggesting strong directional momentum.
* **Multi-Timeframe (MTF) Analysis Panel**: Provides clear visual feedback of higher timeframe sentiment directly on your chart, improving context and confirmation of trading signals.
* **Clean Visual Interface**: Designed to reduce clutter and enhance readability with clearly distinguishable symbols and zones.
- How it Works (Conceptual Overview):
This indicator uses:
* **Adaptive ATR** to determine candle volatility, categorizing them into two types:
* **Boring candles**: Marked when the candle’s total range and body size are significantly lower than typical volatility (customizable via input).
* **Explosive candles**: Identified when a candle dramatically breaks the high or low of a previously marked "boring candle," indicating strong breakout momentum.
* **Supply/Demand Zones**: Calculated dynamically by locating pivot highs and lows, defining areas of likely institutional order accumulation and distribution, which are prime reversal or breakout zones.
- Practical Use Cases & Examples:
* **Timeframes and Markets**: Ideal for intraday trading (5-minute to 1-hour charts) and swing trading (4-hour to Daily charts), particularly effective on volatile markets such as Forex (EUR/USD, GBP/USD), commodities (Gold - XAU/USD), and major cryptocurrencies.
* **Trading Signals**:
* **Reversal Trading**: Enter trades near identified Supply (sell) or Demand (buy) zones upon confirmation by an explosive candle.
* **Breakout Trading**: Explosive candles breaking above/below Supply/Demand zones indicate potential breakout trades.
* **MTF Confirmation**: Higher timeframe status (MTF panel) strengthens trade confidence. For example, a lower timeframe explosive candle aligning with a higher timeframe "Explosive" status enhances trade conviction.
- Alerts Included:
* Immediate alerts for both "Boring Candles" (anticipating possible breakouts) and "Explosive Breakouts" (clear entry signals), allowing efficient and timely market entry.
- Why Closed-Source?
The indicator employs an optimized proprietary volatility-based algorithm combined with advanced pivot detection logic. Keeping it closed-source protects this unique intellectual property, ensuring its continued effectiveness and exclusivity for our user base.
---
Use this comprehensive tool to enhance your technical analysis and gain clearer insights into market sentiment, volatility shifts, and critical trade entry points.
Devils MarkThe Devil’s Mark Indicator identifies bullish or bearish candlesticks with no opposing wick, plotting a horizontal line at the open/low (bullish) or open/high (bearish) price to mark the inefficiency.
This line highlights the level where price is expected to retrace to form the missing wick, serving as a visual cue.
The line is automatically removed from the chart once price crosses it, confirming the inefficiency has been rebalanced.
对数通道选股器 - 5分15分绿色筛选🎯 Log Channel Multi-Timeframe Screener
A powerful screening tool that identifies stocks with bullish logarithmic regression channels across multiple timeframes. This indicator helps traders find high-quality opportunities by filtering stocks where both 5-minute and 15-minute log channels show upward trends.
🔍 KEY FEATURES:
• Multi-timeframe analysis (1m, 5m, 10m, 15m, 30m, 1D, 1W)
• Logarithmic regression channel calculation
• Real-time green/red channel status detection
• Built-in screening conditions for stock selection
• Visual table showing all timeframe statuses
📊 SCREENING CONDITIONS:
• "5min_green" = 1 (5-minute channel is bullish)
• "15min_green" = 1 (15-minute channel is bullish)
• "both_green" = 1 (Both 5m and 15m channels are bullish)
• "strict_qualified" = 1 (5m, 15m, and 30m all bullish)
• "very_strict" = 1 (All timeframes bullish)
🎨 VISUAL ELEMENTS:
• Color-coded status table (Green = Bullish, Red = Bearish)
• Signal labels when channels turn green
• Real-time status updates
⚡ HOW TO USE:
1. Add indicator to any chart
2. Use in TradingView Stock Screener
3. Set condition: "both_green = 1" for basic screening
4. Combine with volume and price filters for better results
🎯 BEST FOR:
• Swing trading setups
• Multi-timeframe trend confirmation
• Stock screening and watchlist building
• Trend following strategies
📈 ALGORITHM:
Based on logarithmic regression analysis where:
• Green Channel: end > start (upward trend)
• Red Channel: end ≤ start (downward trend)
Perfect for traders who want to identify stocks with aligned bullish momentum across multiple timeframes.
#StockScreener #LogarithmicRegression #MultiTimeframe #TrendAnalysis #SwingTrading
Heiken Ashi Colors - Classic Candles ModificationDo you want to use Heiken Ashi candles but you prefer seeing the true prices and range of the normal candles? Here's the fix.
This simple indicator recolors the body of the bars to match the Heiken Ashi calculations. The borders and wicks will remain the same as the classic candles, but the body will reflect the Heiken Ashi trend.
As a bonus, I have added "Bullish" and "Bearish" candle identifiers, currently using aqua and purple, to show Heiken Ashi bullish candles with no lower shadow (aqua) and Heiken Ashi bearish candles with no upper shadow (purple).
I hope you find this useful.