Multi-Timeframe Stochastic (4x) z PodświetlaniemStochastic z możliwością paru tfów gdzie jak są w danej strefie to podświetla
Chỉ báo và chiến lược
Directional Momentum VisualizerDescription
This script provides a color-coded column visualization of a classic momentum oscillator that measures relative strength and weakness. Instead of a single line, it uses conditional coloring to make directional changes easier to identify at a glance.
The tool is designed for clarity and adaptability, offering both column and line displays, with optional overbought, oversold, and midpoint guides.
How It Works
The script evaluates the oscillator’s value relative to a midpoint and its previous reading.
Depending on whether it’s above or below the midpoint — and whether it’s rising or falling — each column changes color:
Strong upward momentum (above midpoint and rising) → bright green
Fading upward momentum (above midpoint but falling) → pale green
Strong downward momentum (below midpoint and falling) → bright red
Fading downward momentum (below midpoint but rising) → pale red
Unchanged from the previous value → gray
This structure makes momentum shifts instantly visible without relying on line crossings or alerts.
Key Features
Color-coded momentum columns for instant visual interpretation
Adjustable midpoint, overbought, and oversold levels
Optional line overlay for smoother reference
Dynamic background highlighting in extreme zones
Works on any symbol or timeframe
Inputs Overview
Length: Controls the sensitivity of the oscillator calculation.
Source: Selects the price source (Close, HL2, etc.).
Midpoint Level: Defines the central reference level separating bullish and bearish momentum.
Show Line: Toggles visibility of the traditional line overlay.
Overbought / Oversold Levels: Define upper and lower boundaries for potential exhaustion zones.
How to Use
Add the script to your chart from the Indicators tab.
Adjust the midpoint and level settings to fit your preferred configuration.
Observe how column colors shift to reflect strength or weakness in momentum.
Use these transitions as visual context, not as trade signals.
How it Helps
This visual approach offers a clearer perspective on momentum dynamics by replacing the traditional single-line display with color-coded columns. The conditional coloring instantly reveals whether momentum is strengthening or weakening around a chosen midpoint, making trend shifts and fading pressure easier to interpret at a glance. It helps reduce visual noise and allows for quicker, more intuitive analysis of market behavior.
This tool is intended purely as a visual aid to help identify changing momentum conditions at a glance. It is not a buy or sell signal generator and should be used in combination with other forms of analysis and sound risk management.
⚠️ Disclaimer:
This script is provided for educational and informational purposes only. It is not financial advice and should not be considered a recommendation to buy, sell, or hold any financial instrument. Trading involves significant risk of loss and is not suitable for every investor. Users should perform their own due diligence and consult with a licensed financial advisor before making any trading decisions. The author does not guarantee any profits or results from using this script, and assumes no liability for any losses incurred. Use this script at your own risk.
Triple EMA strategy by kingtraderthis strategy is purely based on moving everages, ema5, ema50 and ema200, avoid ranging market. in 1 mint your tp should 15-20pips, in 3mint tp should be 25pips, in 5mint tp should not above 50pips, in 15mints make tp 60 to 80 pips, in 30 mints tp 150 and 1h and h4 ur tp above 200pips, when target achieves have partial closing and keep ur trade breakeven. this indicator is for educational purpose only any loss by using this indicator, the author will not be responsible.
Mythical EMAs + Dynamic VWAP BandThis indicator titled "Mythical EMAs + Dynamic VWAP Band." It overlays several volatility-adjusted Exponential Moving Averages (EMAs) on the chart, along with a Volume Weighted Average Price (VWAP) line and a dynamic band around it.
Additionally, it uses background coloring (clouds) to visualize bullish or bearish trends, with intensity modulated by the price's position relative to the VWAP.
The EMAs are themed with mythical names (e.g., Hermes for the 9-period EMA), but this is just stylistic flavoring and doesn't affect functionality.
I'll break it down section by section, explaining what each part does, how it works, and its purpose in the context of technical analysis. This indicator is designed for traders to identify trends, momentum, and price fairness relative to volume-weighted averages, with volatility adjustments to make the EMAs more responsive in volatile markets.
### 1. **Volatility Calculation (ATR)**
```pine
atrLength = 14
volatility = ta.atr(atrLength)
```
- **What it does**: Calculates the Average True Range (ATR) over 14 periods (a common default). ATR measures market volatility by averaging the true range (the greatest of: high-low, |high-previous close|, |low-previous close|).
- **Purpose**: This volatility value is used later to dynamically adjust the EMAs, making them more sensitive in high-volatility conditions (e.g., during market swings) and smoother in low-volatility periods. It helps the indicator adapt to changing market environments rather than using static EMAs.
### 2. **Custom Mythical EMA Function**
```pine
mythical_ema(src, length, base_alpha, vol_factor) =>
alpha = (2 / (length + 1)) * base_alpha * (1 + vol_factor * (volatility / src))
ema = 0.0
ema := na(ema ) ? src : alpha * src + (1 - alpha) * ema
ema
```
- **What it does**: Defines a custom function to compute a modified EMA.
- It starts with the standard EMA smoothing factor formula: `2 / (length + 1)`.
- Multiplies it by a `base_alpha` (a user-defined multiplier to tweak responsiveness).
- Adjusts further for volatility: Adds a term `(1 + vol_factor * (volatility / src))`, where `vol_factor` scales the impact, and `volatility / src` normalizes ATR relative to the source price (making it scale-invariant).
- The EMA is then calculated recursively: If the previous EMA is NA (e.g., at the start), it uses the current source value; otherwise, it weights the current source by `alpha` and the prior EMA by `(1 - alpha)`.
- **Purpose**: This creates "adaptive" EMAs that react faster in volatile markets (higher alpha when volatility is high relative to price) without overreacting in calm periods. It's an enhancement over standard EMAs, which use fixed alphas and can lag in choppy conditions. The mythical theme is just naming—functionally, it's a volatility-weighted EMA.
### 3. **Calculating the EMAs**
```pine
ema9 = mythical_ema(close, 9, 1.2, 0.5) // Hermes - quick & nimble
ema20 = mythical_ema(close, 20, 1.0, 0.3) // Apollo - short-term foresight
ema50 = mythical_ema(close, 50, 0.9, 0.2) // Athena - wise strategist
ema100 = mythical_ema(close, 100, 0.8, 0.1) // Zeus - powerful oversight
ema200 = mythical_ema(close, 200, 0.7, 0.05) // Kronos - long-term patience
```
- **What it does**: Applies the custom EMA function to the close price with varying lengths (9, 20, 50, 100, 200 periods), base alphas (decreasing from 1.2 to 0.7 for longer periods to make shorter ones more responsive), and volatility factors (decreasing from 0.5 to 0.05 to reduce volatility influence on longer-term EMAs).
- **Purpose**: These form a multi-timeframe EMA ribbon:
- Shorter EMAs (e.g., 9 and 20) capture short-term momentum.
- Longer ones (e.g., 200) show long-term trends.
- Crossovers (e.g., short EMA crossing above long EMA) can signal buy/sell opportunities. The volatility adjustment makes them "mythical" by adding dynamism, potentially improving signal quality in real markets.
### 4. **VWAP Calculation**
```pine
vwap_val = ta.vwap(close) // VWAP based on close price
```
- **What it does**: Computes the Volume Weighted Average Price (VWAP) using the built-in `ta.vwap` function, anchored to the close price. VWAP is the average price weighted by volume over the session (resets daily by default in Pine Script).
- **Purpose**: VWAP acts as a benchmark for "fair value." Prices above VWAP suggest bullishness (buyers in control), below indicate bearishness (sellers dominant). It's commonly used by institutional traders to assess entry/exit points.
### 5. **Plotting EMAs and VWAP**
```pine
plot(ema9, color=color.fuchsia, title='EMA 9 (Hermes)')
plot(ema20, color=color.red, title='EMA 20 (Apollo)')
plot(ema50, color=color.orange, title='EMA 50 (Athena)')
plot(ema100, color=color.aqua, title='EMA 100 (Zeus)')
plot(ema200, color=color.blue, title='EMA 200 (Kronos)')
plot(vwap_val, color=color.yellow, linewidth=2, title='VWAP')
```
- **What it does**: Overlays the EMAs and VWAP on the chart with distinct colors and titles for easy identification in TradingView's legend.
- **Purpose**: Visualizes the EMA ribbon and VWAP line. Traders can watch for EMA alignments (e.g., all sloping up for uptrend) or price interactions with VWAP.
### 6. **Dynamic VWAP Band**
```pine
band_pct = 0.005
vwap_upper = vwap_val * (1 + band_pct)
vwap_lower = vwap_val * (1 - band_pct)
p1 = plot(vwap_upper, color=color.new(color.yellow, 0), title="VWAP Upper Band")
p2 = plot(vwap_lower, color=color.new(color.yellow, 0), title="VWAP Lower Band")
fill_color = close >= vwap_val ? color.new(color.green, 80) : color.new(color.red, 80)
fill(p1, p2, color=fill_color, title="Dynamic VWAP Band")
```
- **What it does**: Creates a band ±0.5% around the VWAP.
- Plots the upper/lower bands with full transparency (color opacity 0, so lines are invisible).
- Fills the area between them dynamically: Semi-transparent green (opacity 80) if close ≥ VWAP (bullish bias), red if below (bearish bias).
- **Purpose**: Highlights deviations from VWAP visually. The color change provides an at-a-glance sentiment indicator—green for "above fair value" (potential strength), red for "below" (potential weakness). The narrow band (0.5%) focuses on short-term fairness, and the fill makes it easier to spot than just the line.
### 7. **Trend Clouds with VWAP Interaction**
```pine
bullish = ema9 > ema20 and ema20 > ema50
bearish = ema9 < ema20 and ema20 < ema50
bullish_above_vwap = bullish and close > vwap_val
bullish_below_vwap = bullish and close <= vwap_val
bearish_below_vwap = bearish and close < vwap_val
bearish_above_vwap = bearish and close >= vwap_val
bgcolor(bullish_above_vwap ? color.new(color.green, 50) : na, title="Bullish Above VWAP")
bgcolor(bullish_below_vwap ? color.new(color.green, 80) : na, title="Bullish Below VWAP")
bgcolor(bearish_below_vwap ? color.new(color.red, 50) : na, title="Bearish Below VWAP")
bgcolor(bearish_above_vwap ? color.new(color.red, 80) : na, title="Bearish Above VWAP")
```
- **What it does**: Defines trend conditions based on EMA alignments:
- Bullish: Shorter EMAs stacked above longer ones (9 > 20 > 50, indicating upward momentum).
- Bearish: The opposite (downward momentum).
- Sub-conditions combine with VWAP: E.g., bullish_above_vwap is true only if bullish and price > VWAP.
- Applies background colors (bgcolor) to the entire chart pane:
- Strong bullish (above VWAP): Green with opacity 50 (less transparent, more intense).
- Weak bullish (below VWAP): Green with opacity 80 (more transparent, less intense).
- Strong bearish (below VWAP): Red with opacity 50.
- Weak bearish (above VWAP): Red with opacity 80.
- If no condition matches, no color (na).
- **Purpose**: Creates "clouds" for trend visualization, enhanced by VWAP context. This helps traders confirm trends—e.g., a strong bullish cloud (darker green) suggests a high-conviction uptrend when price is above VWAP. The varying opacity differentiates signal strength: Darker for aligned conditions (trend + VWAP agreement), lighter for misaligned (potential weakening or reversal).
### Overall Indicator Usage and Limitations
- **How to use it**: Add this to a TradingView chart (e.g., stocks, crypto, forex). Look for EMA crossovers, price bouncing off EMAs/VWAP, or cloud color changes as signals. Bullish clouds with price above VWAP might signal buys; bearish below for sells.
- **Strengths**: Combines momentum (EMAs), volume (VWAP), and volatility adaptation for a multi-layered view. Dynamic colors make it intuitive.
- **Limitations**:
- EMAs lag in ranging markets; volatility adjustment helps but doesn't eliminate whipsaws.
- VWAP resets daily (standard behavior), so it's best for intraday/session trading.
- No alerts or inputs for customization (e.g., changeable lengths)—it's hardcoded.
- Performance depends on the asset/timeframe; backtest before using.
- **License**: Mozilla Public License 2.0, so it's open-source and modifiable.
O5 EMA Cloud 20/50 + Pullback Touch Alerts (Bull/Bear Filter)This indicator shows an EMA cloud that is set to Fast=20 and Slow=50 by default, but can be changed.
It features suggested entry signals when price pulls back to either EMA level in both uptrends and downtrends.
Buy signals print only when price pulls back to one of the EMA levels and closes up.
Bearish signals only print when price pulls back to one of the EMA levels and closes down.
Triple Impulsive Candle Detector (with Midpoint Lines)Triple Impulsive Candle Detector (with Midpoint Lines)
This script expands upon the original Triple Impulsive Candle Detector by adding anchored midpoint lines that visually project potential reaction levels following impulsive candles. Impulsive candles are detected systematically using three configurable detectors based on candle range, volume, and body-to-wick ratio.
Each detected impulsive candle anchors a horizontal midpoint line (either body midpoint or full candle midpoint) that can extend for a fixed number of bars or dynamically until price revisits it, with user-defined controls for both behavior and visual styling.
Credit: Original impulse candle logic by GreatestUsername and published by ProfMichaelG.
(Impulsive-Candle-Detector-Prof-Michael-G)
BiasByCryptxThis is a lightweight market-bias dashboard. For each selected timeframe, Prior Year, Month, Week, Day, H4, H1. It uses the previous completed period’s high and low to compute the 50% midpoint, then labels Bullish when the current bar is above it, otherwise, Bearish.
You can choose which timeframes contribute and how agreement is determined: Strict (all selected must agree) or Majority (≥ N). The dashboard shows the overall bias and per-timeframe status with green ▲ (Bull) and red ▼ (Bear). It relies only on completed prior periods (no look-ahead) for stable signals and suits both intraday (e.g., D + H4) and swing (e.g., W + D + H4) workflows.
**Disclaimer:** This tool is for educational purposes only and is not financial advice. Always validate signals with your own analysis and backtests. Market conditions, data feeds, time zones, slippage, fees, and liquidity can affect outcomes. Past performance does not guarantee future results.
Hypothetical (Swing Explorer)Hypothetical (Swing Explorer) V1
Overview
The Hypothetical (Swing Explorer) V1 is a Pine Script v6 indicator for TradingView, designed to analyze market structure and illustrate price movements. It combines a verified-pivot ZigZag (non-repainting), EMA-based trend context, pivot-anchored trail lines (with optional gradient fading and EMA/price color sync), an optional Zero-Lag guide from the last confirmed extreme, and illustrative “Hypothetical” marks (Next, Swing, Reversal, Forward Echo) with rough time estimates. A compact status table summarizes trend direction, trail state, and each hypothetical mark’s Pending/Verified status—useful when reviewing commonly watched swing scenarios.
How It Works
The indicator confirms swing highs/lows using ta.pivothigh/ta.pivotlow with a user-set lookback, then draws the ZigZag only from verified pivots to avoid repainting. Trend direction is derived from a fast (default: 8) versus slow (default: 21) EMA comparison. Hypothetical targets (Next, Swing, Reversal, Echo) are illustrated from recent swing distances, price velocity, and ATR context, with lightweight ETA labels. A pivot-anchored trail line follows price; you can sync its color to EMA trend or price change, and optionally fade opacity by relative ATR. A Zero-Lag reference line extends from the last verified extreme to the current bar. Optional custom candles mirror the current leg direction (illustrative or verified).
Key Features
• Verified-Pivot ZigZag: Visualizes swing highs/lows with configurable bull/bear colors and widths.
• Four Hypothetical Marks: Next, Swing, Reversal, and Forward Echo levels with simple ETAs.
• Trail Lines: Pivot-anchored, toggle between Hypothetical vs Verified-only, dashed/solid styles, width, opacity, and gradient fade by ATR.
• EMA/Price Color Sync: Choose whether trail color follows EMA trend or immediate price direction.
• Zero-Lag Line: Dashed guide projected from the last confirmed extreme.
• Custom Plot Candles (optional) : Candle overlay colored by leg direction (illustrative or verified).
• Status Table: Trend, trail driver, gradient state, and each hypothetical’s Pending/Verified.
• Per-Feature Toggles: Show/hide labels vs lines independently for Next/Pred/Rev/Echo, with per-type line caps.
What It Displays
This indicator integrates verified-pivot structure, illustrative hypothetical targets, and a readable trail/Zero-Lag scaffold into a cohesive view of swing development. Lightweight velocity/ATR cues help illustrate where a next move or reversal could land—handy for day trading, scalping, or swing review across stocks, forex, futures, or crypto.
Originality
Implemented in Pine v6 using TradingView’s built-ins: ta.ema, ta.atr, ta.pivothigh, ta.pivotlow, and standard plotting APIs (lines, labels, table).
Configuration Notes
Set Pivot Lookback (default 10) and EMAs (default 8/21). Toggle Hypothetical vs Verified-only trail behavior, gradient fade, and Zero-Lag. For hypotheticals, choose labels and/or lines per feature (Next/Pred/Rev/Echo) and set max line history. Customize ZigZag colors, trail colors, opacity, and widths. Enable Custom Candles if you want bar coloring tied to leg direction.
Legal Disclaimer
This indicator is for informational and educational purposes only—not investment, financial, or trading advice. Past performance does not guarantee future results; trading involves risk of loss. Provided “as is” with no warranties. Consult a qualified professional before decisions. By using it, you assume all risk and agree to this disclaimer.
VWAP Entry Assistant (v1.0)Description:
Anchored VWAP with a lightweight assistant for VWAP reversion trades.
It shows the distance to VWAP, an estimated hit probability for the current bar, the expected number of bars to reach VWAP, and a recommended entry price.
If the chance of touching VWAP is low, the script suggests an adjusted limit using a fraction of ATR.
The VWAP line is white by default, and a compact summary table appears at the bottom-left.
Educational tool. Not financial advice. Not affiliated with TradingView or any exchange. Always backtest before use.
Trading Sessions with 15 minute ORBA working copy of the original Tradingview trading sessions indicator with the addition of horizontal lines marking the 15 minute opening range for your ORB strategy. The lines reset with each session start.
Multi-Timeframe SFP (Swing Failure Pattern)How to Use
1. Set Pivot Timeframe: Choose the timeframe for identifying major swing points (e.g., 'D' for Daily pivots).
2. Set SFP Timeframe: Choose the timeframe to find the SFP candle (e.g., '240' for the 4-Hour chart).
3. Set Confirmation Bars: Set how many SFP Timeframe bars must pass without invalidating the level. A value of '0' confirms immediately on the SFP bar's close. A value of '1' waits for one more bar to close.
4. Adjust Filters (Optional): Enable the 'Wick % Filter' to add a quality check for strong rejections.
5. Watch & Wait: The indicator will draw lines and labels and fire alerts for fully confirmed signals.
In-Depth Explanation
1. Overview
The Dynamic Pivot SFP Engine is a multi-timeframe tool designed to identify and validate Swing Failure Patterns (SFPs) at significant price levels.
An SFP is a common price action pattern where price briefly trades beyond a previous swing high or low (sweeping liquidity) but then fails to hold those new prices, closing back inside the previous range. This "failure" often signals a reversal.
This indicator enhances SFP detection by separating the Pivot (Liquidity) from the SFP (Rejection), allowing you to monitor them on different timeframes.
2. The Core Multi-Timeframe Logic
The indicator's power comes from two key inputs:
• Pivot Timeframe (Pivot Timeframe)
This is the "high timeframe" used to establish significant support and resistance levels. The script finds standard pivots (swing highs and lows) on this timeframe based on the Pivot Left Strength and Pivot Right Strength inputs. These pivots are the "liquidity" levels the SFP will target. The Pivot Lookback input controls how long (in Pivot Timeframe bars) a pivot remains active and monitored.
• SFP Timeframe (SFP Timeframe)
This is the "execution timeframe" where the script looks for the actual SFP. On every new bar of this timeframe, the script checks if price has swept and rejected any of the active pivots.
Example Setup:
You might set Pivot Timeframe to 'D' (Daily) to find major daily swing points. You then set SFP Timeframe to '240' (4-Hour) to find a 4-hour candle that sweeps a daily pivot and closes back below/above it.
3. The SFP Confirmation Process
An SFP is not confirmed instantly. It must pass a rigorous, multi-step validation process.
Step 1: The SFP Candle (The Sweep)
A potential SFP is identified when an SFP Timeframe bar does the following:
• Bearish SFP: The bar's high trades above an active pivot high, but the bar closes below that same pivot high.
• Bullish SFP: The bar's low trades below an active pivot low, but the bar closes above that same pivot low.
Step 2: The Wick Filter (Optional Quality Check)
If Enable Wick % Filter is checked, the SFP candle from Step 1 is also measured.
• For a bearish SFP, the upper wick (from the high to the open/close) must be at least Min. Wick % of the entire candle's range (high-to-low).
• For a bullish SFP, the lower wick (from the low to the open/close) must meet the same percentage requirement.
If the SFP candle fails this test, it is discarded, even if it met the sweep/close criteria.
Step 3: The Validation Window (The Confirmation)
This is the most critical feature, controlled by Confirmation Bars.
• If Confirmation Bars = 0: The SFP is confirmed immediately on the SFP candle's close (assuming it passed the optional wick check). The label, line, and alert are triggered at this moment.
• If Confirmation Bars > 0: The SFP enters a "pending" state. The script will wait for $N$ more SFP Timeframe bars to close.
o Invalidation: If, during this waiting period, any bar closes back across the pivot (e.g., a close above the pivot for a bearish SFP), the SFP is considered failed and invalidated. All pending plots are deleted.
o Confirmation: If the $N$ confirmation bars all complete without invalidating the level, the SFP is finally confirmed. The label, line, and alert are only triggered after this entire process is complete. This adds a significant layer of robustness, ensuring the rejection holds for a period of time.
4. Visuals & Alerts
• Lines: A horizontal line is drawn from the original pivot to the SFP bar, showing which level was targeted. Note: These lines will only be drawn on chart timeframes equal to or lower than the 'SFP Timeframe'.
• Labels: A label is placed at the SFP's extreme (the high/low of the SFP bar). The label text conveniently includes the Ticker, Pivot TF, SFP TF, and Confirmation bar settings (e.g., "Bearish SFP BTCUSD / Pivot: 1D / SFP: 4H | Conf: 1").
• MTF Boxes (Show SFP Box, Show Conf. Boxes): These boxes highlight the SFP and confirmation bars. Crucially, they are only visible when your chart timeframe is lower than the SFP Timeframe. For example, if your SFP Timeframe is '240' (4H), you will only see these boxes on the 1H, 15M, 5M, etc., charts. This allows you to see the higher-timeframe SFP unfolding on your lower-timeframe chart.
• Alerts (Enable Alerts): An alert is fired only when an SFP is fully confirmed (i.e., after the Confirmation Bars have passed successfully). For efficient, real-time monitoring, it is highly recommended to run this indicator server-side by creating an alert on TradingView set to trigger on "Any alert() function call".
ES OR DeviationES Opening Range Deviation target points. Used to find possible support or resistance.
NQ OR DeviationNQ Opening Range Deviation target points. Used to find possible support or resistance.
Market Sentiment Overlay: PCCE + VIX Zones📊 Market Sentiment Suite: PCCE + VIX
Track fear & greed in real time using Put/Call Ratio and VIX percentile.
Spot potential tops and bottoms before they form — ideal for SPX/SPY swing traders.Identify fear, greed, and turning points in the market.
This script combines the CBOE Put/Call Ratio (PCCE) with the VIX volatility index percentile to visualize crowd sentiment and highlight potential market tops and bottoms.
🔍 Key Features
Dual-indicator design: PCCE + normalized VIX percentile
Color-coded zones for Greed (<0.6) and Fear (>1.2)
Automatic alert signals when sentiment reaches extremes
Live sentiment table displaying real-time PCCE and VIX data
Works seamlessly on SPX, SPY, QQQ, or any major index
🧠 How to Use
When PCCE > 1.2 and VIX percentile > 80%, fear is extreme → possible market bottom
When PCCE < 0.6 and VIX percentile < 20%, greed is extreme → possible market top
Perfect for contrarian traders, sentiment analysts, and swing traders
✨ Best Timeframe: Daily
⚙️ Markets: SPX / SPY / QQQ / Global Indexes
📈 Type: Contrarian Sentiment Indicator
Tradebot Trend PowerSummary: Multi-indicator trend dashboard showing weighted Buy/Sell strength as percentage bars with a clean gradient panel.
What it does
Tradebot Trend Power aggregates multiple technical indicators into a Buy/Sell trend-power score and visualizes it as a compact on-chart panel with two bar columns (Buy / Sell).
You can enable/disable each component (RSI, StochRSI, MACD, ADX, CCI, Aroon, MFI, OBV, MA) and assign a weight (1 or 2 points).
The script converts the active signals into percentages of the total possible score and fills the bars with a gradient: green for Buy strength, red for Sell strength.
When a column reaches its maximum (normalized to 10 bars), a small “Strong” label appears for that side.
How it works (scoring logic)
Each selected component contributes to the Buy or Sell tally based on a simple binary condition:
RSI: Buy if RSI is rising (ΔRSI > 0); Sell if falling (ΔRSI < 0).
StochRSI: Buy if %K > %D; Sell if %K < %D.
MACD: Buy if MACD line > Signal; Sell if MACD line < Signal.
ADX (+DI/−DI): Active only when ADX > 20; Buy if +DI > −DI; Sell if −DI > +DI.
CCI: Buy if CCI > 0; Sell if CCI < 0.
Aroon: Buy if Aroon Up > Aroon Down; Sell if Down > Up.
MFI: Buy if MFI > 50; Sell if MFI < 50.
OBV: Buy if OBV is rising; Sell if OBV is falling.
Moving Average (EMA/SMA/WMA/HMA): Buy if close > MA; Sell if close < MA.
Each “true” condition adds its weight to the corresponding Buy or Sell score. Scores are divided by the sum of selected weights to produce Buy/Sell percentages (0–100%). The panel normalizes these into 10 bars per side for quick visual ranking.
Panel / display
Toggle the panel on/off and choose position (top/middle/bottom, left/center/right).
Header shows Buy % and Sell %; the footer shows how many components are currently signaling on each side (e.g., Buy (5/7) | Sell (2/7)).
Colors use a smooth gradient from the panel base color to green/red based on the percentage.
How to use
Enable the indicators you want to include and set their weights (1 = light impact, 2 = stronger impact).
Optionally adjust lookback lengths (e.g., RSI 14, MACD 12/26/9, MA 20).
Place the panel where you prefer.
Use the Buy/Sell percentages for context (trend bias, momentum alignment, confirmation layer) alongside your own entries, risk and management rules.
Defaults / conduct notes
No request.security(); calculations are done on the current chart only.
This is an indicator (not a strategy); it shows no backtests or orders.
The panel updates on the last bar; no forward-looking tricks are used.
Signals are simplified, binary forms of the underlying indicators and are intended for decision support, not standalone predictions.
Limits & disclaimers
Not intended for non-standard chart types (Heikin Ashi, Renko, Range, Kagi, Point & Figure).
Past results do not guarantee future performance.
Example view:
The chart shows the gradient Buy/Sell bars and the “Strong” label at full power.
UI wording (EN equivalents of panel labels)
“📉 Tradebot Strategies Trend Power” → Trend Power Panel
“Trend Power” → Panel On/Off
“Top/Bottom/Middle Left/Center/Right” → Panel position
“Panel Color / Buy gradient / Sell gradient / Text Color” → Style settings
“Text Size” → Panel text size
“RSI / StochRSI / MACD / ADX (+DI/−DI) / CCI / Aroon / MFI / OBV / Moving Average” → Component toggles & weights
“Length / Fast / Slow / Signal / %K / %D / DI Length / ADX Smoothing / MA Type” → Inputs