Líneas Verticales Automáticasvertical lines by samirlarafx puedes marcar lineas para identificar el high globex y low globex automaticamente en la apertura y cierre globex COL
Penunjuk dan strategi
KE THAM LAM ZONEÁDASDASSSDASDASDSDS
KHÔNG BIẾT NÓI GIt’s difficult to say without more information about what the code is supposed to do and what’s happening when it’s executed. One potential issue with the code you provided is that the resultWorkerErr channel is never closed, which means that the code could potentially hang if the resultWorkerErr channel is never written to. This could happen if b.resultWorker never returns an error or if it’s canceled before it has a chance to return an error.
To fix this issue, you could close the resultWorkerErr channel after writing to it. For example, you could add the following line of code after the line that sends the error on the channel:
Moving Average DifferenceThe indicator computes the difference between m-day MA and n-day MA. It can be used to tell the price trend.
Moving Average Exponential//@version=5
indicator("Liquidity-Based Buy/Sell Al", overlay=true)
// Inputs
emaShort = input(50, title="Short EMA Length")
emaLong = input(200, title="Long EMA Length")
rsiLength = input(14, title="RSI Length")
riskRewardRatio = input(2.0, title="Risk-Reward Ratio")
// Trend Filter
ema50 = ta.ema(close, emaShort)
ema200 = ta.ema(close, emaLong)
trendBullish = ema50 > ema200
trendBearish = ema50 < ema200
// RSI Filter
rsi = ta.rsi(close, rsiLength)
rsiBullish = rsi > 50
rsiBearish = rsi < 50
// Liquidity Zones (Recent Highs/Lows)
liquidityHigh = ta.highest(high, 20)
liquidityLow = ta.lowest(low, 20)
// Support and Resistance (Dynamic)
support = ta.lowest(low, 20)
resistance = ta.highest(high, 20)
// Buy Signal
buySignal = trendBullish and rsiBullish and close > support and low <= liquidityLow
// Sell Signal
sellSignal = trendBearish and rsiBearish and close < resistance and high >= liquidityHigh
// Plot Signals
plotshape(series=buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(series=sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// Risk-Reward Levels
if buySignal
stopLoss = liquidityLow
takeProfit = close + (close - stopLoss) * riskRewardRatio
line.new(x1=bar_index, y1=stopLoss, x2=bar_index, y2=takeProfit, color=color.green, width=2)
if sellSignal
stopLoss = liquidityHigh
takeProfit = close - (stopLoss - close) * riskRewardRatio
line.new(x1=bar_index, y1=stopLoss, x2=bar_index, y2=takeProfit, color=color.red, width=2)
Advanced Support and Resistance Levels[MAP]Advanced Support and Resistance Levels Indicator
Author
Developed by:
Overview
The "Advanced Support and Resistance Levels" indicator, created, is a sophisticated tool designed for TradingView's Pine Script v6 platform. It identifies and plots key support and resistance levels on a price chart, enhancing technical analysis by incorporating pivot strength, volume weighting, and level decay. The indicator overlays lines, zones, and labels on the chart, providing a visual representation of significant price levels where the market has historically reversed or consolidated.
Purpose
This indicator, authored by , aims to:
Detect significant pivot points (highs and lows) with customizable strength requirements.
Track and rank support/resistance levels based on their recency, volume, and number of touches.
Display these levels as lines and optional zones, with strength-based visual cues (e.g., line thickness and opacity).
Offer flexibility through user-configurable settings to adapt to different trading styles and market conditions.
Features
Pivot Detection:
Identifies high and low pivots using a strength parameter, requiring a specified number of bars on either side where no higher highs or lower lows occur.
Incorporates closing price checks and SMA-based trend confirmation to filter out noise and ensure pivots align with the broader market direction.
Level Management:
Maintains a dynamic array of levels with attributes: price, type (support/resistance), bars since last touch, strength, and volume.
Merges nearby levels within a tolerance percentage, updating prices with a strength-weighted average.
Prunes weaker or older levels when exceeding the maximum allowed, prioritizing those with higher calculated strength.
Strength Calculation:
Combines the number of touches (strength), volume (if enabled), and age decay (if enabled) into a single metric.
Volume weighting uses a logarithmic scale to emphasize high-volume pivots without over-amplifying extreme values.
Age decay reduces the importance of older levels over time, ensuring relevance to current price action.
Visualization:
Draws horizontal lines at each level, with thickness reflecting the number of touches (up to a user-defined maximum).
Optional price zones around levels, sized as a percentage of the price, to indicate areas of influence.
Labels display the level type (S for support, R for resistance), price, and strength score, with position (left or right) customizable.
Line opacity varies with strength, providing a visual hierarchy of level significance.
Plots small triangles at detected pivot points for reference.
Inputs
Lookback Period (lookback, default: 20): Number of bars to consider for trend confirmation via SMA. Range: 5–100.
Pivot Strength (strength, default: 2): Number of bars required on each side of a pivot to confirm it. Range: 1–10.
Price Tolerance % (tolerance, default: 0.5): Percentage range for merging similar levels. Range: 0.1–5.
Max Levels to Show (maxLevels, default: 10): Maximum number of levels displayed. Range: 2–50.
Zone Size % (zoneSizePercent, default: 0.1): Size of the S/R zone as a percentage of the price. Range: 0–1.
Line Width (lineWidth, default: 1): Maximum thickness of level lines. Range: 1–5.
Show Labels (showLabels, default: true): Toggle visibility of level labels.
Label Position (labelPos, default: "Right"): Position of labels ("Left" or "Right").
Level Strength Decay (levelDecay, default: true): Enable gradual reduction in strength for older levels.
Volume Weighting (volumeWeight, default: true): Incorporate volume into level strength calculations.
Support Color (supportColor, default: green): Color for support levels.
Resistance Color (resistColor, default: red): Color for resistance levels.
How It Works
Pivot Detection:
Checks for pivots only after enough bars (2 * strength) have passed.
A high pivot requires strength bars before and after with no higher highs or closes, and a short-term SMA above a long-term SMA.
A low pivot requires strength bars before and after with no lower lows or closes, and a short-term SMA below a long-term SMA.
Level Tracking:
New pivots create levels with initial strength and volume.
Existing levels within tolerance are updated: strength increases, volume takes the maximum value, and price adjusts via a weighted average.
Levels older than lookback * 4 bars with strength below 0.5 are removed.
If the number of levels exceeds maxLevels, the weakest (by calculated strength) are pruned using a selection sort algorithm.
Drawing:
Updates on the last confirmed bar or in real-time.
Lines extend lookback bars left and right from the current bar, with thickness based on touches.
Zones (if enabled) are drawn symmetrically around the level price.
Labels show detailed info, with opacity tied to strength.
Usage
Add to Chart: Apply the indicator to any TradingView chart via the Pine Script editor, as designed by .
Adjust Settings: Customize inputs to match your trading strategy (e.g., increase strength for stronger pivots, adjust tolerance for tighter level merging).
Interpret Levels: Focus on thicker, less transparent lines for stronger levels; use zones to identify potential reversal areas.
Combine with Other Tools: Pair with trend indicators or oscillators for confluence in trading decisions.
Notes
Performance: The indicator uses arrays and sorting, which may slow down on very long charts with many levels. Keep maxLevels reasonable for efficiency.
Accuracy: Enhanced by trend confirmation and volume weighting, making it more reliable than basic S/R indicators, thanks to 's design.
Limitations: Real-time updates may shift levels as new pivots form; historical levels are more stable.
Example Settings
For day trading: lookback=10, strength=1, tolerance=0.3, maxLevels=5.
For swing trading: lookback=50, strength=3, tolerance=0.7, maxLevels=10.
Credits
Author: – Creator of this advanced support and resistance tool, blending precision and customization for traders.
Musical Harmonics - Time BasedPlace on a recent price low. Identify the price and date of a 3 month price low, then input these values into the settings dialogue box.
This will provide you with a vertical harmonic grid which represents the path of least resistance for price to travel and indicates both reversal points and take profit points, essentially calculates the likely distance price will travel in any given direction.
The horizontal time indication is a comparable indicator with a date as an input, provides reference for how long price is likely to move in any one direction, and indicates points of reversal/take profit.
High and Low with Horizontal TableThis script is rudimentary, but it primarily intended to give the opening highs and lows of a time you specify in the Sydney Australian timezone (UTC+11). It is meant to give the high and low range of the opening market hours for markets opening sessions.
ADX +DI and -DI with FillModified DMI. Middle horizontal line value:25. white line indicates the trend strength.
Forex Power Indicator [FindBetterTrades]The Forex Power Indicator is designed to help traders quickly assess the relative strength and weakness of key forex pairs over a set period.
This tool calculates the percentage change in price over the last 5 days and highlights the strongest and weakest performing pairs in a simple table format.
Features:
Scans 10 major forex pairs (EURUSD, GBPUSD, USDJPY, AUDUSD, NZDUSD, USDCAD, CHFJPY, EURGBP, EURJPY, GBPJPY).
Calculates the percentage change over the last 5 days.
Identifies and labels the strongest and weakest pair based on performance.
Displays results in a customizable table, allowing traders to quickly interpret market trends.
How to Use:
The strongest pair (🟢) indicates the currency with the highest performance in the selected period.
The weakest pair (🔴) shows the currency that has lost the most value.
Alerts feature:
Once you add the script to your chart, go to "Create Alert"
Under "Condition", select "Forex Power Indicator ".
The system will use the messages set in the alert() function.
When triggered, the alert will display the message like:
"New strongest currency pair: USDJPY"
"New weakest currency pair: AUDUSD"
Use this information to spot momentum opportunities, potential reversals, or trend continuations in forex trading.
This indicator is for informational purposes only and should be used alongside other technical analysis tools to support trading decisions.
Estrategia Rentable de TradingDescripción de la Estrategia:
Medias Móviles: Utiliza una media móvil rápida y una lenta para identificar tendencias. Se generan señales de compra cuando la media rápida cruza por encima de la lenta y señales de venta cuando cruza por debajo.
RSI: Se utiliza el RSI para confirmar las entradas. Se busca comprar cuando el RSI está en sobreventa y vender cuando está en sobrecompra.
Gestión de Riesgos: Se establecen niveles de stop loss y take profit basados en porcentajes configurables.
Avi - TablesThe "Avi - Tables" indicator is a comprehensive tool designed to display a wealth of technical information directly on your TradingView chart using dynamic tables and visual elements. It combines multiple analysis techniques and multi-timeframe metrics into an easy-to-read layout. Key features include:
Moving Averages & VWMA:
The indicator calculates up to six user-configurable moving averages (with options for both SMA and EMA) and a 20-period Volume-Weighted Moving Average (VWMA). It plots these averages on the chart and computes the percentage difference between the current price and each moving average. It also checks if the price has touched these levels.
ATR and Volatility:
A 14-period Average True Range (ATR) is calculated and expressed as a percentage of the close price, providing a measure of market volatility.
Volume Analysis:
Using daily volume data and a user-defined volume period, the indicator computes the relative volume (RVOL) as a multiple compared to the average volume. It estimates the full-day volume based on the elapsed trading day and compares it with the previous day’s volume, applying conditional formatting based on these comparisons.
Pressure Metrics:
The script calculates buyer and seller pressure based on price movement and volume, determining the dominant pressure (BP or SP) and displaying the result with corresponding color cues.
Multi-Timeframe Analysis Table:
Users can select various timeframes (15-min, 1-hour, 4-hour, daily, weekly, and monthly) for additional indicators such as MACD, ADX, CCI, and RSI. Each timeframe’s data is displayed in a dedicated table cell, with colors and text dynamically indicating bullish, bearish, or neutral conditions.
Customizable Tables & Layout:
The indicator provides several inputs for table positioning, text size, and layout options—including an option to flip the table rows and columns—allowing you to customize the display to best suit your chart and analysis needs.
Pivot Points & Gap Analysis:
Beyond the tables, the script includes functionality for detecting pivot highs and lows as well as identifying chart gaps. It draws labels for pivot points and, in an optional section, detects and manages gaps (with partial or full closures) and triggers alerts when new gaps appear or are closed.
Overall, "Avi - Tables" is designed to deliver a multi-layered view of market data—from moving averages and volatility to volume dynamics and multi-timeframe indicator signals—all organized neatly into customizable tables. This makes it a powerful resource for traders seeking an integrated and visually intuitive technical analysis tool.
Avi - TrendlinesThe "Avi - Support Resistance Diagonal" indicator is designed to automatically detect and draw diagonal support and resistance lines on your TradingView chart. It uses recent price history to identify key pivot points, connecting them with dynamically extended lines. The script includes the following features:
Pivot Detection:
It identifies local minima and maxima using a configurable "Pivot Lookback Period (bars)" input, ensuring that only significant price extremes are used in forming the lines.
Dynamic Line Drawing:
The indicator calculates the price at any given point along a line connecting two pivot points. It then draws these lines with a right extension, updating them as new bars form.
Alerts:
Alerts are set up to notify you when the price crosses a drawn diagonal support (crossed down) or resistance (crossed up) level.
Line Management:
The script automatically removes outdated lines and labels whenever a new bar appears, ensuring that only current and relevant support and resistance levels are displayed.
Customization:
Users can adjust the history range for analysis, the pivot lookback period, and the visual properties (colors and styles) of the support and resistance lines.
Overall, this indicator is a powerful tool for visualizing dynamic support and resistance levels, providing traders with a clearer picture of potential price reversal zones and breakouts.
Bot de Trading: Soportes, Resistencias, SMA, RSI, MACDExplicación del Indicador:
Parámetros de los Indicadores:
sma_20_periodo, sma_50_periodo, sma_200_periodo: Periodos de las tres medias móviles (20, 50, y 200).
rsi_periodo: Periodo para calcular el RSI (por defecto 14).
macd_fast, macd_slow, macd_signal: Los parámetros del MACD (valores típicos: 12, 26, 9).
dias_soporte_resistencia: El periodo de 30 días para calcular los soportes y resistencias.
Cálculo de los Indicadores:
sma_20, sma_50, sma_200: Media móvil simple de 20, 50 y 200 periodos.
rsi: Índice de Fuerza Relativa (RSI) de 14 periodos.
macd_line, signal_line: Líneas del MACD y su línea de señal.
soporte: El mínimo de los últimos 30 días para identificar el soporte.
resistencia: El máximo de los últimos 30 días para identificar la resistencia.
Condiciones de Entrada y Salida:
Condición de compra:
El precio está por encima de las tres medias móviles (20, 50, 200).
El RSI está por debajo de 30 (sobreventa).
El MACD está por encima de su línea de señal.
El precio está cerca del soporte (menos o igual al mínimo de los últimos 30 días).
Condición de venta:
El precio está por debajo de las tres medias móviles (20, 50, 200).
El RSI está por encima de 70 (sobrecompra).
El MACD está por debajo de su línea de señal.
El precio está cerca de la resistencia (más o igual al máximo de los últimos 30 días).
Visualización en el Gráfico:
Se muestran las medias móviles (20, 50 y 200 periodos).
Se trazan las líneas de soporte (mínimo de los últimos 30 días) y resistencia (máximo de los últimos 30 días).
Se generan señales de compra (BUY) y venta (SELL) con flechas verdes y rojas, respectivamente.
Alertas:
Se configuran las alertas para las condiciones de compra y venta, lo que te permite recibir notificaciones cuando se cumplen las condiciones.
Avi - 8 MA Moving Averages (MA) Section
User Inputs:
The script lets you enable/disable and configure eight different moving averages. For each MA, you can choose:
The type: Simple Moving Average (SMA) or Exponential Moving Average (EMA)
The period (length)
The color used for plotting
Calculation:
A custom function (maFunc) calculates the MA value based on the selected type and length. Each moving average (from MA 1 to MA 8) is computed accordingly and then plotted on the chart.
2. EMA Cloud
Inputs:
There are inputs for a "Fast EMA" (default 8) and a "Slow EMA" (default 21).
Calculation & Plotting:
The script calculates the 8-period and 21-period EMAs. Although these EMAs are not directly plotted (they’re set with display.none), they are used to determine the market condition:
If the fast EMA is above the slow EMA, the area between them is filled with a greenish color.
If the fast EMA is below the slow EMA, the fill color turns reddish.
3. Buyer/Seller Pressure & ATR Calculations
Price Difference:
The script computes the difference between the close and open prices (as well as the percentage difference), which can be used as a measure of buyer vs. seller pressure.
ATR (Average True Range):
A 14-period ATR is calculated and then expressed as a percentage of the current close price. This gives a sense of volatility relative to the price level.
4. Volume Metrics & Relative Volume
Daily Volume & Averages:
The script retrieves daily volume data and computes a moving average for volume over a configurable length (default 20).
Relative Volume:
It calculates:
The average volume for the current period.
A relative volume multiplier comparing current volume to its moving average.
An estimated full-day volume based on the elapsed trading time, and checks if it will exceed the previous day’s volume.
The values are then formatted (e.g., converting to millions) for easier reading.
Conditional Formatting:
A background color is set based on whether the estimated relative volume is above or below a threshold.
5. Table Display
Purpose:
A table is created (position is configurable) to display key metrics:
14-day ATR percentage
Relative volume information (as a multiple and whether it exceeds the previous day)
Price difference (absolute and percentage change)
Style:
The table cells include conditional background and text colors to highlight different market conditions.
6. Pivot Points & Labels
Pivot Calculation:
The script calculates pivot highs and lows using user-defined left/right bar lengths.
Label Drawing:
When a pivot point is detected, a label is drawn on the chart to display its value. The style and colors for these labels are also configurable by the user.
Summary
This indicator script is quite comprehensive. It not only provides multiple moving averages and an EMA cloud to help visualize trend conditions but also includes features to assess market volatility, volume dynamics, and pivot levels—all of which are displayed neatly on the chart through plots and a customizable table. The commented-out gap detection code suggests that further features could be integrated if gap analysis is required.
If you have any specific questions or need further modifications, feel free to ask!
Market Participation Index [PhenLabs]📊 Market Participation Index
Version: PineScript™ v6
📌 Description
Market Participation Index is a well-evolved statistical oscillator that constantly learns to develop by adapting to changing market behavior through the intricate mathematical modeling process. MPI combines different statistical approaches and Bayes’ probability theory of analysis to provide extensive insight into market participation and building momentum. MPI combines diverse statistical thinking principles of physics and information and marries them for subtle changes to occur in markets, levels to become influential as important price targets, and pattern divergences to unveil before it is visible by analytical methods in an old-fashioned methodology.
🚀 Points of Innovation:
Automatic market condition detection system with intelligent preset selection
Multi-statistical approach combining classical and advanced metrics
Fractal-based divergence system with quality scoring
Adaptive threshold calculation using statistical properties of current market
🚨 Important🚨
The ‘Auto’ mode intelligently selects the optimal preset based on real-time market conditions, if the visualization does not appear to the best of your liking then select the option in parenthesis next to the auto mode on the label in the oscillator in the settings panel.
🔧 Core Components
Statistical Foundation: Multiple statistical measures combined with weighted approach
Market Condition Analysis: Real-time detection of market states (trending, ranging, volatile)
Change Point Detection: Bayesian analysis for finding significant market structure shifts
Divergence System: Fractal-based pattern detection with quality assessment
Adaptive Visualization: Dynamic color schemes with context-appropriate settings
🔥 Key Features
The indicator provides comprehensive market analysis through:
Multi-statistical Oscillator: Combines Z-score, MAD, and fractal dimensions
Advanced Statistical Components: Includes skewness, kurtosis, and entropy analysis
Auto-preset System: Automatically selects optimal settings for current conditions
Fractal Divergence Analysis: Detects and grades quality of divergence patterns
Adaptive Thresholds: Dynamically adjusts overbought/oversold levels
🎨 Visualization
Color-coded Oscillator: Gradient-filled oscillator line showing intensity
Divergence Markings: Clear visualization of bullish and bearish divergences
Threshold Lines: Dynamic or fixed overbought/oversold levels
Preset Information: On-chart display of current market conditions
Multiple Color Schemes: Modern, Classic, Monochrome, and Neon themes
Classic
Modern
Monochrome
Neon
📖 Usage Guidelines
The indicator offers several customization options:
Market Condition Settings:
Preset Mode: Choose between Auto-detection or specific market condition presets
Color Theme: Select visual theme matching your chart style
Divergence Labels: Choose whether or not you’d like to see the divergence
✅ Best Use Cases:
Identify potential market reversals through statistical divergences
Detect changes in market structure before price confirmation
Filter trades based on current market condition (trending vs. ranging)
Find optimal entry and exit points using adaptive thresholds
Monitor shifts in market participation and momentum
⚠️ Limitations
Requires sufficient historical data for accurate statistical analysis
Auto-detection may lag during rapid market condition changes
Advanced statistical calculations have higher computational requirements
Manual preset selection may be required in certain transitional markets
💡 What Makes This Unique
Statistical Depth: Goes beyond traditional indicators with advanced statistical measures
Adaptive Intelligence: Automatically adjusts to current market conditions
Bayesian Analysis: Identifies statistically significant change points in market structure
Multi-factor Approach: Combines multiple statistical dimensions for confirmation
Fractal Divergence System: More robust than traditional divergence detection methods
🔬 How It Works
The indicator processes market data through four main components:
Market Condition Analysis:
Evaluates trend strength, volatility, and price patterns
Automatically selects optimal preset parameters
Adapts sensitivity based on current conditions
Statistical Oscillator:
Combines multiple statistical measures with weights
Normalizes values to consistent scale
Applies adaptive smoothing
Advanced Statistical Analysis:
Calculates higher-order statistical moments
Applies information-theoretic measures
Detects distribution anomalies
Divergence Detection:
Uses fractal theory to identify pivot points
Detects and scores divergence quality
Filters signals based on current market phase
💡 Note:
The Market Participation Index performs optimally when used across multiple timeframes for confirmation. Its statistical foundation makes it particularly valuable during market transitions and periods of changing volatility, where traditional indicators often fail to provide clear signals.
E9 RSI3M3 by Bressert (MFT)E9 RSI3M3 by W.Bressert (MFT) indicator is designed to identify cycle tops and bottoms using a dual-timeframe approach against Walter Bressert Cycle trading Theory.
This chart displayed combines the 15-minute chart and 60-minute RSI3M3 values to filter and confirm cycle reversals within the context of the broader trend also known as 'DeTrend'.
Key Functions:
RSI3M3 Calculation:
RSI Period: 3 periods.
Smoothing Period: 3-period Simple Moving Average (SMA).
Dual-Timeframe Analysis:
Primary Trend (60-minute): Determines the overall market trend.
Bullish Trend: RSI3M3 ≥ 0 (green background).
Bearish Trend: RSI3M3 < 0 (red background).
Cycle Timing (15-minute): Identifies cycle reversals within the broader trend.
Cycle Bottom: RSI3M3 < -20 (oversold) or < -40 (extreme oversold).
Cycle Top: RSI3M3 > 20 (overbought) or > 40 (extreme overbought).
Plotting:
Centered RSI3M3 Line: Plots the centered RSI3M3 values.
Key Levels:
Zero Line (0): Midline indicating no significant trend.
Overbought (20): Potential bearish opportunity.
Oversold (-20): Potential bullish opportunity.
High Overbought (40): Extreme overbought; potential for a pullback.
High Oversold (-40): Extreme oversold; potential for a rebound.
Bar Coloring:
Red Bars: RSI3M3 > 40 (high overbought).
Green Bars: RSI3M3 < -40 (high oversold).
Alerts:
Overbought Signal: RSI3M3 crosses above 20.
Oversold Signal: RSI3M3 crosses below -20.
High Overbought Signal: RSI3M3 above 40.
High Oversold Signal: RSI3M3 below -40.
Usage:
Primary Trend (60-minute):
Use the 60-minute RSI3M3 to determine the overall market trend.
Green Background: Indicates a bullish trend; consider long trades.
Red Background: Indicates a bearish trend; consider short trades.
Cycle Timing (15-minute):
Use the 15-minute RSI3M3 to identify potential cycle tops and bottoms.
Cycle Bottom: RSI3M3 < -20 (oversold) or < -40 (extreme oversold) within a bullish trend.
Cycle Top: RSI3M3 > 20 (overbought) or > 40 (extreme overbought) within a bearish trend.
Bar Coloring: Red bars signal high overbought conditions; green bars signal high oversold conditions.
Liquidity + Fearzone + GreedZone [Combined]The Liquidity-Based Fear and Greed Indicator is a market sentiment tool designed to gauge investor behavior by analyzing liquidity trends. It tracks the balance between fear (low liquidity, risk aversion, and selling pressure) and greed (high liquidity, risk appetite, and buying momentum) in financial markets. By assessing factors such as trading volume, cash flow, and asset availability, the indicator provides a dynamic snapshot of whether market participants are driven by caution or exuberance, helping investors make informed decisions.
Xtudo CCAIndicador com 5 ma, 5 ema, banda de Bollinger, nuvens Ichimoku, SuperTrend, vwma, ADX, MFI, RSI, MACD
Engulfing Sweeps - Milana TradesEngulfing Sweeps
The Engulfing Sweeps Candle is a candlestick pattern that:
1)Takes liquidity from the previous candle’s high or low.
2)Fully engulfs previous candles upon closing.
3)Indicates strong buying or selling pressure.
4)Helps determine the bias of the next candle.
Logic Behind Engulfing Sweeps
If you analyze this candle on a lower timeframe, you’ll often see popular models like PO3 (Power of Three) or AMD (Accumulation – Manipulation – Distribution).
Once the candle closes, the goal is to enter a position on the retracement of the distribution phase.
How to Use Engulfing Sweeps?
Recommended Timeframes:
4H, Daily, Weekly – these levels hold significant liquidity.
Personally, I prefer 4H, as it provides a solid view of mid-term market moves.
Step1 - Identify Engulfing Sweep Candle
Step 2-Switch to a lower timeframe (15m or 5m).And you task identify optimal trade entry
Look for an entry pattern based on:
FVG (Fair Value Gap)
OB (Order Block)
FIB levels (0/0.25/0.5/ 0.75/ 1)
Wait for confirmation and take the trade.
Automating with TradingView Alerts
To avoid missing the pattern, you can set up alerts using a custom script. Once the pattern forms, TradingView will notify you so you can analyze the chart and take action. This approch helps me be more freedom