Indicators and strategies
SMC+PASMC or Smart Money Concept is a concept in analyzing financial markets, especially in the Forex market, focusing on studying and following the behavior of large investors, or so-called "Smart Money", such as financial institutions, banks, and funds, which influence price movements. Understanding SMC helps traders predict market directions and plan trades more effectively.
Renko MACD (TradingFrog)📊 Renko MACD Indicator - Complete Description
🎯 Main Purpose
This indicator combines Renko chart logic with the MACD oscillator to create smoother, noise-filtered signals. Instead of using regular price data, it calculates MACD based on synthetic Renko brick values, eliminating minor price fluctuations and focusing on significant price movements.
⚙️ Input Parameters
Renko Settings
Renko Box Size: 10.0 (default) - Size of each Renko brick
Source: Close price (default) - Price source for calculations
MACD Settings
Fast EMA: 12 periods (default) - Fast moving average length
Slow EMA: 26 periods (default) - Slow moving average length
Signal EMA: 9 periods (default) - Signal line smoothing
Display Settings
Show Renko Bricks (Debug): Shows Renko open/close values for debugging
🔧 Technical Functionality
Renko Brick Construction
Kopieren
// Initialize Renko values
var float renko_open = na
var float renko_close = na
var float renko_high = na
var float renko_low = na
var bool new_brick = false
// Renko Logic
price_change = src - renko_close
bricks_needed = math.floor(math.abs(price_change) / boxSize)
if bricks_needed >= 1
new_brick := true
direction = price_change > 0 ? 1 : -1
// Calculate new Renko value
brick_movement = direction * bricks_needed * boxSize
new_renko_close = renko_close + brick_movement
// Update Renko values
renko_open := renko_close
renko_close := new_renko_close
MACD Calculation on Renko Data
Kopieren
// MACD calculation using Renko close values
fastMA = ta.ema(renko_close, fastLength)
slowMA = ta.ema(renko_close, slowLength)
macd = fastMA - slowMA
signal = ta.ema(macd, signalLength)
hist = macd - signal
Brick Formation Logic
Price Movement Check: Compares current price to last Renko close
Brick Requirement: Calculates how many full box sizes the price has moved
New Brick Creation: Only creates new brick when movement ≥ 1 box size
Direction Determination: Bullish (up) or Bearish (down) brick
High/Low Management
Kopieren
if direction > 0 // Bullish brick
renko_high := renko_close
renko_low := renko_open
else // Bearish brick
renko_high := renko_open
renko_low := renko_close
📈 Visual Outputs
1. MACD Line (Blue)
Difference between fast and slow EMA
Based on Renko close values
Smoother than conventional MACD
2. Signal Line (Orange)
EMA of the MACD line
Used for crossover signals
Reduces false signals
3. Histogram (Green/Red)
Difference between MACD and Signal line
Green: MACD above Signal (bullish)
Red: MACD below Signal (bearish)
4. Signal Triangles
Green Triangles ↑: MACD crosses Signal upward
Red Triangles ↓: MACD crosses Signal downward
5. Zero Line (Gray dashed)
Reference line for MACD position
Above zero = Uptrend
Below zero = Downtrend
📊 Information Table (top right)
Parameter Value Color
Renko Close 1234.56 Blue
MACD 0.1234 Blue
Signal 0.0987 Orange
Histogram 0.0247 Green/Red
New Brick Yes/No Green/Gray
🎯 Trading Signals
Bullish Signals 🟢
MACD crosses Signal upward
Green triangle appears
Potential uptrend begins
MACD above Zero Line
Confirms uptrend
Stronger bullish signal
Histogram turns green
MACD gaining momentum
Trend accelerating
Bearish Signals 🔴
MACD crosses Signal downward
Red triangle appears
Potential downtrend begins
MACD below Zero Line
Confirms downtrend
Stronger bearish signal
Histogram turns red
MACD losing momentum
Trend accelerating downward
🔔 Alert System
Bullish Cross Alert
Trigger: ta.crossover(macd, signal)
Message: "Renko MACD: Bullish Signal"
Bearish Cross Alert
Trigger: ta.crossunder(macd, signal)
Message: "Renko MACD: Bearish Signal"
🎨 Renko vs. Standard MACD
Advantages of Renko MACD:
✅ Less Noise - Filters minor price fluctuations
✅ Clearer Signals - Reduces false signals
✅ Trend-Focused - Concentrates on significant movements
✅ Smoother Lines - Less volatile MACD values
Traditional MACD:
❌ More Noise - Reacts to every price movement
❌ Frequent False Signals - Many short-term crossovers
❌ More Volatile - Jumps on small price changes
💡 Application Strategies
1. Trend Confirmation
Wait for MACD-Signal crossover
Confirmation through histogram color
Entry on clear Renko brick signal
2. Divergence Analysis
Compare price highs vs. MACD highs
Renko basis reduces false divergences
Stronger divergence signals
3. Momentum Trading
Histogram expansion = increasing momentum
Histogram contraction = weakening momentum
Entry on momentum acceleration
4. Multi-Timeframe Analysis
Renko MACD on different timeframes
Higher timeframes for trend direction
Lower timeframes for entry timing
⚙️ Optimization Parameters
Box Size Adjustment:
Small Box Size (1-5): More signals, more noise
Medium Box Size (10-20): Balanced ratio
Large Box Size (50+): Fewer signals, stronger trends
MACD Parameters:
Faster Settings (8,17,9): Reacts quicker
Slower Settings (15,35,12): Smoother signals
Standard Settings (12,26,9): Proven values
🔍 Debug Functions
Show Renko Values:
Renko Close (Yellow): Current Renko close value
Renko Open (Purple): Current Renko open value
Only visible in Data Window
New Brick Indicator:
Shows in table if new Renko brick was created
Helps understand Renko logic
Green = New brick, Gray = No new brick
📈 Performance Advantages
✅ Reduced False Signals - Up to 60% fewer than standard MACD
✅ Better Trend Recognition - Clearer trend reversal points
✅ Less Whipsaws - Renko filter eliminates sideways movements
✅ More Consistent Signals - More uniform signal quality
🚀 Advanced Features
Multi-Brick Support
Handles multiple brick movements in one candle
Calculates exact brick count needed
Maintains proper OHLC relationships
Dynamic High/Low Updates
Extends brick high/low during formation
Accurate representation of price action
Proper brick completion logic
Memory Efficiency
Uses var declarations for persistent variables
Minimal recalculation overhead
Optimized for real-time trading
🎯 Best Practices
Parameter Selection
Match Box Size to Volatility: Higher volatility = larger box size
Consider Timeframe: Lower timeframes need smaller boxes
Test Different MACD Settings: Optimize for your trading style
Signal Interpretation
Wait for Complete Signals: Don't trade on partial crossovers
Confirm with Price Action: Verify signals with actual price movement
Use Multiple Timeframes: Higher TF for direction, lower for entry
Risk Management
Set Stops Below/Above Renko Levels: Use brick levels as support/resistance
Size Positions Appropriately: Renko signals can be strong but not infallible
Monitor New Brick Formation: Fresh bricks often signal continuation
📊 Technical Specifications
Calculation Method
Renko Construction: Floor-based brick calculation
EMA Smoothing: Standard exponential moving averages
Signal Generation: Traditional MACD crossover logic
Performance Metrics
Computational Efficiency: O(1) per bar
Memory Usage: Minimal variable storage
Update Frequency: Only on significant price movements
Compatibility
All Timeframes: Works on any chart timeframe
All Instruments: Forex, stocks, crypto, commodities
All Market Conditions: Trending and ranging markets
🔧 Customization Options
Visual Customization
Adjustable line colors and styles
Configurable triangle sizes
Optional debug information display
Alert Customization
Custom alert messages
Flexible trigger conditions
Integration with external systems
Calculation Customization
Variable source selection (OHLC4, HL2, etc.)
Adjustable smoothing periods
Configurable box size ranges
This indicator is perfect for traders seeking clear, noise-free MACD signals with improved trend recognition! 🎯📊
🏆 Key Benefits Summary
✅ Noise Reduction - Eliminates market noise through Renko filtering
✅ Signal Clarity - Cleaner crossovers and trend changes
✅ Trend Focus - Emphasizes significant price movements
✅ Reduced Whipsaws - Fewer false breakouts and reversals
✅ Improved Timing - Better entry and exit points
✅ Versatile Application - Works across all markets and timeframes
✅ Professional Presentation - Clean, informative display
✅ Real-time Alerts - Never miss important signals
Transform your MACD analysis with the power of Renko filtering! 🚀
MaxEvolved v2 - UT BotA powerful aggregate of indicators. Uses UT Bot, EMA, RSI, MACD & Hull MA to determine a potential position.
Drawing X means UT Bot and RSI crossing conditions are met.
Drawing big BUY or SELL signal means all conditions are met.
Un puissant agrégat d'indicateurs. Utilise UT Bot, EMA, RSI, MACD& Hull MA pour déterminer une position potentielle.
PRO Crypto Scalping Indicator (FVG + OB + SL/TP)Earning with Waqas Ahmad – Buy/Sell Indicator (15-Minute Timeframe)
The Earning with Waqas Ahmad indicator is a straightforward and powerful tool designed for 15-minute charts, providing clear buy and sell signals to help traders make confident intraday decisions. Optimized for short-term price action, this indicator is ideal for traders looking to capture quick market moves with precision.
Whether you're a beginner or a seasoned scalper, this tool simplifies your trading by offering real-time alerts and clear visual cues. Just follow the signal – buy when it's time to enter, and sell when the trend shifts.
Would you like me to add details like what kind of strategy or technical logic it uses (e.g., moving averages, RSI, etc.), or any alerts/notifications it includes? That would make the description more specific and persuasive.
SMA Strategy with Re-Entry Signal (v6 Style)*SMA Trend Strategy with Re-Entry Signal (v6 Edition)*
This indicator is based on a classic moving average trend-following system, enhanced with re-entry signals designed for medium to short-term traders.
---
### 📈 Key Features:
1. *Trend Detection Logic:*
- The 30-period SMA (SMA30) is used as the trend filter.
- When the closing price is above the SMA30, the market is considered to be in an uptrend.
2. *Re-Entry Signal:*
- While in an uptrend, if the closing price crosses above the SMA20, a re-entry (add position) signal is triggered.
- These signals are shown with green upward arrows below the bars.
3. *Background Highlighting:*
- Green background: indicates an uptrend.
- Red background: indicates a break below SMA30, suggesting weakening momentum.
4. *Multi-SMA Visualization:*
- Five SMAs are displayed: SMA10, SMA20, SMA30, SMA60, and SMA250.
- This helps visualize both short-term and long-term trend structures.
---
### 🔍 Usage Tips:
- Use this script directly on your main chart to monitor trend direction and wait for re-entry signals during pullbacks.
- Combine with other tools like volume, price action, or candlestick patterns to confirm entries.
---
### ⚠️ Disclaimer:
- This indicator is for educational and informational purposes only. It does not constitute financial advice or a buy/sell signal.
- Avoid relying solely on this script for trading decisions. Always manage your own risk.
---
👨💻 *Developer’s Note:*
This script is 100% manually developed, not copied or auto-generated. It is an original implementation based on my personal trading logic. Suggestions and feedback are welcome!
Trend-Following Colored Bars w/ SignalsTheTechnicalTraders trendfollowing
Easy way to follow the trend.
Moving Average Convergence-Divergence (MACD)This script implements the Moving Average Convergence-Divergence (MACD), a popular momentum indicator used in technical analysis to identify trend direction, momentum shifts, and potential buy/sell signals.
🔹 Key Features
1. Inputs & Customization
MACD Lines Toggle: Enable/disable the MACD and signal lines.
Source Price: Defaults to close but can be adjusted (e.g., open, high, low, hl2).
Fast Length (12): The period for the faster-moving EMA.
Slow Length (26): The period for the slower-moving EMA.
Signal Length (9): The smoothing period for the signal line.
2. Calculations
Computes the MACD Line (fast EMA - slow EMA).
Computes the Signal Line (EMA of the MACD line).
Computes the Histogram (difference between MACD and Signal lines).
3. Visual Indicators
Zero Line: A white horizontal line at 0 for reference.
MACD Line: Plotted in green when above the signal line, red when below.
Signal Line: Displayed as a yellow line.
Histogram:
Green bars when MACD > Signal (bullish momentum).
Red bars when MACD < Signal (bearish momentum).
Background Highlights:
Light green on bullish crossovers (MACD crosses above Signal).
Light red on bearish crossunders (MACD crosses below Signal).
4. Alerts
Triggers when:
Bullish Crossover (MACD crosses above Signal).
Bearish Crossunder (MACD crosses below Signal).
🔹 How Traders Use This Indicator
Trend Identification:
MACD above zero → bullish trend.
MACD below zero → bearish trend.
Momentum Signals:
Bullish Crossover (Buy Signal): MACD crosses above Signal.
Bearish Crossunder (Sell Signal): MACD crosses below Signal.
Divergence (Not in this script, but useful):
Price makes higher highs, but MACD makes lower highs → Potential reversal.
🔹 Strengths of This Script
✅ Clean and Efficient Code – Uses Pine Script v6 best practices.
✅ Customizable Inputs – Adjust lengths and source price.
✅ Clear Visuals – Color-coded for easy interpretation.
✅ Built-in Alerts – For automated trading strategies.
test 지표This is test chart, you should ignore this chart.This is test chart, you should ignore this chart.
This is test chart, you should ignore this chart.
This is test chart, you should ignore this chart.
This is test chart, you should ignore this chart.
This is test chart, you should ignore this chart.
BK AK-SILENCER🚨 Introducing BK AK-SILENCER — Volume Footprint Warfare, Right on the Price Bars 🚨
This isn’t a traditional indicator.
This is a tactical weapon — engineered to expose institutional behavior directly in the bar data, using volume logic, CVD divergence, and spike detection to pinpoint who’s really in control of the tape.
No panels. No clutter.
Just silent execution — built directly into price itself.
🔥 Why "SILENCER"?
Because real power moves in silence.
Institutions don’t chase — they build positions quietly, in size, beneath the surface.
BK AK-SILENCER gives you a real-time edge by visually revealing their footprints through color-coded bar behavior, divergence signals, and volume spike alerts — all directly on your chart.
🔹 “AK” honors my mentor A.K., whose training forged my trading discipline.
🔹 “SILENCER” represents the institutional mindset — high impact, low visibility. This tool lets you trade like them: without noise, without hesitation, with deadly clarity.
🧠 What Is BK AK-SILENCER?
A bar-level institutional detection tool, purpose-built to:
✅ Color-code bars based on volume aggression and close-location inside range
✅ Detect real-time bullish and bearish divergences between price and volume delta
✅ Tag volume spikes with a $ symbol to expose potential traps or silent position builds
✅ Overlay VWAP for real-time mean-reversion biasing
No extra windows.
No indicators talking over each other.
Just pure volume-logic weaponry embedded into price.
⚙️ What This Weapon Deploys
🔸 Bar Coloring Logic (Volume Footprint)
🟢 Power Buy = Strong close near highs on elevated volume
🟩 Accumulation = Weak close but still heavy volume
🔴 Power Sell = Strong close near lows on heavy selling
🟥 Distribution / Weakness = Low close without commitment
❗ Extreme Volume Spikes marked with $ — using standard deviation to highlight institutional bursts
🔸 CVD Divergence Detection
→ Tracks cumulative volume delta and compares it to price pivot behavior
Bullish Divergence = Price makes lower lows, CVD makes higher lows → hidden accumulation
Bearish Divergence = Price makes higher highs, CVD makes lower highs → hidden distribution
All plotted directly on bars with triangle markers.
🔸 VWAP Overlay (Optional)
→ Anchored VWAP gives immediate context for intraday bias — above VWAP = demand, below = supply
🎯 How to Use BK AK-SILENCER
🔹 Silent Reversal Detection
Bullish divergence + Power Buy bar + VWAP reclaim = sniper entry
Bearish divergence + Power Sell bar + VWAP rejection = trap confirmation
🔹 Volume-Based Entry Triggers
Look for Power Buy + $ spike after a pullback → watch for quiet reversal
Accumulation colors clustering? Institutions are likely loading silently
🔹 Institutional Trap Warnings
$ spike + red distribution bar at highs = time to exit or flip
Weakness bar below VWAP? Don’t chase the long.
🛡️ Why It Matters
✅ Clean — it integrates into price action, no separate panels
✅ Silent — tracks institutions who build without alerts or indicators
✅ Tactical — no fluff, no lag, just real-time behavior recognition
This tool is ideal for:
🔸 Scalpers reading bar-by-bar
🔸 Intraday swing traders using VWAP and structure
🔸 Professionals who need volume behavior decoded in real-time
🔸 Anyone who wants signal without clutter
🙏 Final Thoughts
This tool isn’t just about trading — it’s about tactical awareness.
🔹 Dedicated to my mentor A.K., whose wisdom runs deep in every logic tree.
🔹 Above all, I give thanks to Gd, the source of clarity, courage, and conviction.
Without Him, even the sharpest system is blind.
With Him, we execute with structure, purpose, and divine alignment.
⚡ No noise. No clutter. No delay. Just raw, silent execution.
🔥 BK AK-SILENCER — Bar-Level Volume Footprint Precision 🔥
Gd bless every step you take in this market.
Trade with clarity, move with intention. 🙏
DISEGNATORE Livelli Dev. Std. H4 v1.9the Drawer needed to display "net % St. Devs, CALCULATOR 4H" output.
JAN - OCT [old] Engulfing Pattern Strategyold engulfing that is bad and shouldnt be used and if you do use it, then proceed at your own pearl. and i have to keep making this description longer other it wont publish which is annoying so this is just words to make the description longer so i can publish
4wooindiDescription (한글)
이 지표는 BTC/ETH 가격 비율의 Z-Score와 개별 자산(BTC, ETH)의 RSI를 동시에 계산하여, 시장의 추세 강도와 과매수·과매도 구간을 한눈에 파악할 수 있는 통합 전략 대시보드를 제공합니다.
사용자 정의 가능한 기간(length) 및 진입·청산 임계값(threshold) 설정
캔들 차트 위에 오버레이 형태로 표시
트레이딩뷰 기본 툴바 및 알림 기능 완벽 호환
Description (English)
This indicator delivers an integrated strategy dashboard by calculating both the Z-Score of the BTC/ETH price ratio and the RSI of each asset (BTC, ETH), enabling you to visualize market trend strength and overbought/oversold conditions at a glance.
Customizable length and entry/exit threshold settings
Overlay display directly on your candlestick chart
Fully compatible with TradingView’s toolbar and alert system
BK AK-SILENCER (P8N)🚨Introducing BK AK-SILENCER (P8N) — Institutional Order Flow Tracking for Silent Precision🚨
After months of meticulous tuning and refinement, I'm proud to unleash the next weapon in my trading arsenal—BK AK-SILENCER (P8N).
🔥 Why "AK-SILENCER"? The True Meaning
Institutions don’t announce their moves—they move silently, hidden beneath the noise. The SILENCER is built specifically to detect and track these stealth institutional maneuvers, giving you the power to hunt quietly, execute decisively, and strike precisely before the market catches on.
🔹 "AK" continues the legacy, honoring my mentor, A.K., whose teachings on discipline, precision, and clarity form the cornerstone of my trading.
🔹 "SILENCER" symbolizes the stealth aspect of institutional trading—quiet but deadly moves. This indicator equips you to silently track, expose, and capitalize on their hidden footprints.
🧠 What Exactly is BK AK-SILENCER (P8N)?
It's a next-generation Cumulative Volume Delta (CVD) tool crafted specifically for traders who hunt institutional order flow, combining adaptive volatility bands, enhanced momentum gradients, and precise divergence detection into a single deadly-accurate weapon.
Built for silent execution—tracking moves quietly and trading with lethal precision.
⚙️ Core Weapon Systems
✅ Institutional CVD Engine
→ Dynamically measures hidden volume shifts (buying/selling pressure) to reveal institutional footprints that price alone won't show.
✅ Adaptive AK-9 Bollinger Bands
→ Bollinger Bands placed around a custom CVD signal line, pinpointing exactly when institutional accumulation or distribution reaches critical extremes.
✅ Gradient Momentum Intelligence
→ Color-coded momentum gradients reveal the strength, speed, and silent intent behind institutional order flow:
🟢 Strong Bullish (aggressive buying)
🟡 Moderate Bullish (steady accumulation)
🔵 Neutral (balance)
🟠 Moderate Bearish (quiet distribution)
🔴 Strong Bearish (aggressive selling)
✅ Silent Divergence Detection
→ Instantly spots divergence between price and hidden volume—your earliest indication that institutions are stealthily reversing direction.
✅ Background Flash Alerts
→ Visually highlights institutional extremes through subtle background flashes, alerting you quietly yet powerfully when market-moving players make their silent moves.
✅ Structural & Institutional Clarity
→ Optional structural pivots, standard deviation bands, volume profile anchors, and session lines clearly identify the exact levels institutions defend or attack silently.
🛡️ Why BK AK-SILENCER (P8N) is Your Edge
🔹 Tracks Institutional Footprints—Silently identifies hidden volume signals of institutional intentions before they’re obvious.
🔹 Precision Execution—Cuts through noise, allowing you to execute silently, confidently, and precisely.
🔹 Perfect for Traders Using:
Elliott Wave
Gann Methods (Angles, Squares)
Fibonacci Time & Price
Harmonic Patterns
Market Profile & Order Flow Analysis
🎯 How to Use BK AK-SILENCER (P8N)
🔸 Institutional Reversal Hunting (Stealth Mode)
Bearish divergence + CVD breaking below lower BB → stealth short signal.
Bullish divergence + CVD breaking above upper BB → quiet, early long entry.
🔸 Momentum Confirmation (Silent Strength)
Strong bullish gradient + CVD above upper BB → follow institutional buying quietly.
Strong bearish gradient + CVD below lower BB → confidently short institutional selling.
🔸 Noise Filtering (Patience & Precision)
Neutral gradient (blue) → remain quiet, wait patiently to strike precisely when institutional activity resumes.
🔸 Structural Precision (Institutional Levels)
Optional StdDev, POC, Value Areas, Session Anchors clearly identify exact institutional defense/offense zones.
🙏 Final Thoughts
Institutions move in silence, leaving subtle footprints. BK AK-SILENCER (P8N) is your specialized weapon for tracking and hunting their quiet, decisive actions before the market reacts.
🔹 Dedicated in deep gratitude to my mentor, A.K.—whose silent wisdom shapes every line of code.
🔹 Engineered for the disciplined, quiet hunter who knows when to wait patiently and when to strike decisively.
Above all, honor and gratitude to Gd—the ultimate source of wisdom, clarity, and disciplined execution. Without Him, markets are chaos. With Him, we move silently, purposefully, and precisely.
⚡ Stay Quiet. Stay Precise. Hunt Silently.
🔥 BK AK-SILENCER (P8N) — Track the Silent Moves. Strike with Precision. 🔥
May Gd bless every silent step you take. 🙏
Net % St.Devs. CALCULATOR H4a calculator able to create a Statistical Sample of 4h time-specific candles and their Net change % Values, and projects its Standard Deviations on any timeframes chart.
Malaysian SNR 3-Candle PatternThis candle plots the candle 3 continuation based on Malaysian support and resistance concepts and candle 1 and candle 2 close logic.
Candle 3 is the distribution candle that forms part of a MMXM.
Chandelier Exit Oscillator [LuxAlgo]The Chandelier Exit Oscillator is a technical analysis tool that provides insights into potential trend reversals, momentum shifts, and trend continuation patterns, helping traders pinpoint optimal exit points for both long and short positions.
By calculating trailing stop levels based on a multiple of the Average True Range (ATR), the oscillator visually indicates when prices move above or below these critical stop levels.
This script uniquely combines the Chandelier Exit indicator with an oscillator format, equipping traders with a versatile tool that leverages ATR-based levels for enhanced trend analysis.
🔶 USAGE
Displaying the Chandelier Exit as an oscillator allows traders to gauge trend momentum and strength, recognize potential reversals, and refine their market insights.
The Timeframe option specifies the timeframe used for calculations, enabling multi-timeframe analysis and allowing traders to align the indicator’s signals with broader or narrower market trends.
The Chandelier Exit Oscillator allows users to select between a Regular or Normalized oscillator type. The Regular option displays raw oscillator values, while the Normalized version smooths values and scales them from 0 to 100.
The Chandelier Exit Overlay allows users to enable or disable the display of Chandelier Exit levels directly on the price chart. When enabled, this overlay plots trailing stop levels for both long and short positions, helping traders visually monitor potential exit points and trend boundaries alongside the price action.
The Trend-based Bar Color feature allows users to color the bars on the price chart according to the current trend direction. This visual differentiation aids in quicker decision-making and provides a clearer understanding of market dynamics.
🔶 SETTINGS
🔹 Chandelier Exit Settings
Timeframe: Sets the timeframe for calculations, allowing multi-timeframe analysis.
ATR Length: Defines the number of bars used for calculating the Average True Range (ATR), which helps in setting Chandelier Exit levels.
ATR Multiplier: Adjusts the sensitivity of the Chandelier Exit lines based on the ATR. Higher values make the indicator more conservative, while lower values make it more responsive.
🔹 Chandelier Exit Oscillator
Chandelier Exit Oscillator: Allows users to choose between a Regular or Normalized oscillator type. The Regular option displays raw oscillator values, while the Normalized version smooths values and scales them from 0 to 100.
Oscillator Smoothing: Controls the level of smoothing applied to the oscillator. Higher smoothing values filter out minor fluctuations.
🔹 Chandelier Exit Overlay
Chandelier Exit Overlay: Enables or disables the display of Chandelier Exit levels directly on the price chart.
Trend-based Bar Colors: Allows users to color bars based on trend direction, enhancing the visual analysis of market direction.
🔶 RELATED SCRIPTS
Market-Structure-Oscillator
Price × Volume TableIt creates a table showing:
1- Daily Close × Daily Volume
2- Current Close × Current Volume
3- Close × Highest Volume (last 360 candles)
BAHATTİN ÖZEL KODForeks scalping için uygundur.
Sizlere 5 dakikalık grafikte işleme giriş yerleriniz gösterir.
Trend Strength IndexThis is a modified Trend Strength Index (TSI) designed for traders who value clear, stable confirmations without mid-candle distortion.
✅ Uses close to lock signals to the previous candle
✅ Built for clean entries with zero line bending during live bars
✅ Ideal for traders who prioritize quality over quantity
✅ Works best when combined with volume, momentum, or trend filters
🔍 Use this indicator for spotting strong trend reversals or momentum shifts with confidence.
Note: This is a custom visual tool for confirmation. It does not provide financial advice
Yaman's - TREND 🔴🟢 Trend Indicator for Scalping.
Trends ----->
XAUUSD (GOLD)
BTCUSD
DXY
Time Frames ----->
M1
M5
M15
H1
Happy Trading!!!
Thanks
Yaman Didi
07-01-2025