Marcel's Dynamic Profit / Loss Calculator for GoldThis Dynamic Profit / Loss Calculator for Gold is a custom-built Pine Script indicator designed to help gold traders plan their trades with precision by calculating and displaying critical risk and reward metrics directly on the chart. Here’s why it’s valuable for your trading strategy:
Key Features:
1. Visualize Trade Levels:
• Automatically plots Entry, Stop Loss (SL), and Take Profit (TP) levels on the chart, making it easy to identify your trade setup at a glance.
• Each level is color-coded:
• Blue for Entry.
• Red for Stop Loss.
• Green for Take Profit.
2. Dynamic Risk and Reward Calculation:
• Calculates your potential profit and loss in dollars based on the position size you set.
• These calculations are based on:
• Gold pip value (e.g., 1 pip = 0.01 in price).
• The number of lots you specify (customizable for precision).
• Ensures that you know the exact financial risk and reward for any trade.
3. Customizable Inputs:
• Allows you to input your account equity, leverage, and position size, so the calculations align perfectly with your unique trading parameters.
• Default values for Stop Loss and Take Profit are dynamically set relative to the entry price, but they can be adjusted to suit your specific strategy.
4. Position Summary Panel:
• A convenient summary panel, fixed to the bottom-right corner of the chart, displays:
• Your potential profit (reward).
• Your potential loss (risk).
• Updated dynamically, ensuring you always see the most relevant metrics for your current trade setup.
5. Tailored for Gold:
• Specifically calibrated for gold trading, taking into account gold’s pip value and position size conventions (e.g., 1 lot = 100 ounces of gold).
Benefits for Gold Traders:
1. Clarity in Trade Setup:
• Eliminates guesswork by visually aligning your SL, TP, and entry on the chart.
• Helps you quickly evaluate whether a trade aligns with your desired risk/reward ratio.
2. Risk Management Made Simple:
• Ensures you adhere to proper risk management by showing your maximum potential loss in real dollars.
• Reduces emotional trading by reinforcing disciplined trading practices.
3. Customizable and Efficient:
• Adapts to your unique account size, leverage, and position size preferences.
• Saves time by automating the process of calculating risk and reward.
4. Improves Decision-Making:
• By having all trade metrics visible directly on the chart, you can make more informed and confident trading decisions.
Why Use It?
Gold trading is fast-moving and volatile. This tool ensures you have a clear plan before entering a trade, helping you maximize profits while minimizing losses. Whether you’re a seasoned trader or new to gold, this script provides the precision, clarity, and discipline needed to succeed in the competitive gold market.
Summary
The Dynamic Profit / Loss Calculator for Gold is your go-to indicator for planning trades efficiently and trading gold with confidence. It empowers you to focus on execution, knowing your trade is already optimized for proper risk/reward.
อินดิเคเตอร์และกลยุทธ์
FluidTrades - SMC Lite with EMAs by ARANاین اندیکاتور هم تنظیمات EMA را دارد هم اوردر بلاک های معتبر را نشان میدهد
Supertrend with Bollinger BandsThe indicator combines Bollinger Bands and Supertrend.
Hope it helps traders make profits from the market.
Indicador de Coloração de Candles com Médias e PercentuaisIndicado para pegar início de grandes tendências, baseado em volumes agressão e média.
Custom Moving Averages (410, 130, 150, 770 Days)Custom Moving Averages (410, 130, 150, 770 Days)"
This TradingView script is designed to help traders visualize and analyze multiple time-frame moving averages for better decision-making. By plotting four distinct moving averages, it provides insights into both long-term and short-term market trends.
Features:
Four Customizable Moving Averages:
410-Day Moving Average (Red): Represents a long-term trend to gauge the broader market direction.
130-Day Moving Average (Blue): Acts as a mid-term trend line, capturing intermediate price movements.
150-Day Moving Average (Orange): Complements the 130-day moving average for additional confirmation of mid-term trends.
770-Day Moving Average (Green): Extremely long-term trend indicator, useful for identifying major market cycles.
Configurable Inputs:
The lengths of all moving averages can be adjusted in the indicator settings.
This allows traders to fine-tune the indicator to suit different trading strategies.
Clear and Distinct Visualization:
Each moving average is plotted in a unique color for easy differentiation:
410 Days (Red)
130 Days (Blue)
150 Days (Orange)
770 Days (Green)
Line thickness is set to 2 for enhanced visibility.
Optional Background Tint:
A light gray background tint is included to improve chart readability.
This feature is optional and can be toggled or customized via the script.
Use Cases:
Trend Identification:
Use the 410-day and 770-day moving averages to identify long-term market trends.
The 130-day and 150-day moving averages help spot mid-term corrections or trend changes.
Support and Resistance Levels:
Moving averages often act as dynamic support or resistance levels.
Monitor price interactions with the moving averages for potential entry/exit points.
Crossovers:
Observe crossovers between the moving averages for potential trend reversals or confirmation signals.
Benefits:
Provides a multi-timeframe view of the market in one indicator.
Customizable settings make it adaptable to different trading styles, whether you're a long-term investor or a short-term trader.
Enhances decision-making by combining long-term and mid-term trend analysis.
Instructions for Use:
Add to Chart: Copy and paste the script into the Pine Editor on TradingView, then add it to your chart.
Adjust Parameters: Open the indicator settings and modify the moving average lengths to fit your strategy.
Analyze Trends: Use the plotted moving averages to identify trend directions, support/resistance levels, and crossovers.
This script is ideal for traders seeking a clear, customizable, and multi-dimensional perspective on market trends.
SMA, EMA, WMA Customizable 5 Moving AveragesSMA, EMA, WMA Customizable 5 Moving Averages
Once this script is added to your TradingView chart, you can change the type, period, color, and width of each moving average using the settings in the script's input dialog.
This allows for great flexibility in analyzing different types of moving averages and how they interact with each other on the chart.
ARCANE BB E LITE //@version=5
indicator("Premium Bollinger Bands with RSI Candle Coloring", overlay=true)
// Bollinger Bands Inputs
length = input.int(20, title="SMA Length") // SMA ka period
mult = input.float(2.0, title="Standard Deviation Multiplier") // SD multiplier (default 2)
// RSI Inputs
rsi_length = input.int(14, title="RSI Length") // RSI ka period
overbought = input.int(70, title="Overbought Level", minval=50, maxval=100) // Overbought level
oversold = input.int(30, title="Oversold Level", minval=0, maxval=50) // Oversold level
// Bollinger Bands Calculations
sma = ta.sma(close, length) // SMA calculate
sd = ta.stdev(close, length) // Standard Deviation calculate
upper_band = sma + (mult * sd) // Upper Band
lower_band = sma - (mult * sd) // Lower Band
// RSI Calculation
rsi = ta.rsi(close, rsi_length)
// Plot Bollinger Bands
plot(upper_band, color=color.green, title="Upper Band", linewidth=2)
plot(sma, color=color.blue, title="Middle Band (SMA)", linewidth=1)
plot(lower_band, color=color.red, title="Lower Band", linewidth=2)
// Change Candle Colors Based on RSI
// Overbought candles are yellow
// Oversold candles are blue
barcolor(rsi > overbought ? color.yellow : na, title="Overbought Candles")
barcolor(rsi < oversold ? color.blue : na, title="Oversold Candles")
// Add RSI to Subchart (Optional)
hline(overbought, "Overbought", color=color.yellow, linestyle=hline.style_dotted) // Overbought level as Yellow
hline(oversold, "Oversold", color=color.blue, linestyle=hline.style_dotted) // Oversold level as Blue
plot(rsi, color=color.orange, title="RSI", linewidth=1) // RSI line as Orange
Two Bottoms with Liquidity//@version=5
indicator("Two Bottoms with Liquidity", overlay=true)
// Параметры
len = input.int(14, minval=1, title="Period for Bottom Search")
threshold = input.float(0.5, title="Liquidity Threshold", minval=0.0)
// Функция для поиска локального минимума
isBottom(price, len) =>
lowestPrice = ta.lowest(price, len)
price == lowestPrice
// Определяем два "bottoms"
bottom1 = isBottom(low, len) and low < ta.lowest(low, len*2)
bottom2 = isBottom(low, len) and low < ta.lowest(low , len*2)
// Ликвидность, как разница между ценой и объемом (или другим индикатором ликвидности)
liquidityCondition = volume > ta.sma(volume, len) * threshold
plotshape(series=bottom1 and liquidityCondition, location=location.belowbar, color=color.green, style=shape.labelup, title="Bottom 1")
plotshape(series=bottom2 and liquidityCondition, location=location.belowbar, color=color.red, style=shape.labeldown, title="Bottom 2")
RTZ Strategy//@version=5
indicator("RTZ Strategy", overlay=true)
// تنظیمات کاربر
lookback = input.int(20, title="Lookback Period", minval=1)
zone_size = input.float(0.5, title="Zone Size (% of ATR)", step=0.1)
// محاسبه ATR
atr = ta.atr(14)
// شناسایی مناطق RTZ
high_zone = ta.highest(high, lookback)
low_zone = ta.lowest(low, lookback)
upper_limit = high_zone + zone_size * atr
lower_limit = low_zone - zone_size * atr
// شناسایی سیگنال بازگشت به مناطق
buy_signal = ta.crossover(close, lower_limit) // بازگشت به منطقه پایینی
sell_signal = ta.crossunder(close, upper_limit) // بازگشت به منطقه بالایی
// رسم مناطق
bgcolor(close > upper_limit ? color.new(color.red, 90) : na, title="Upper Zone")
bgcolor(close < lower_limit ? color.new(color.green, 90) : na, title="Lower Zone")
// نمایش سیگنالها
plotshape(buy_signal, style=shape.labelup, location=location.belowbar, color=color.green, text="BUY")
plotshape(sell_signal, style=shape.labeldown, location=location.abovebar, color=color.red, text="SELL")
// هشدارها
alertcondition(buy_signal, title="Buy Alert", message="RTZ Buy Signal")
alertcondition(sell_signal, title="Sell Alert", message="RTZ Sell Signal")
Eze Profit Range Detection FilterThe Range Detection Filter is a technical analysis tool designed to help traders identify range-bound market conditions and focus on breakout opportunities. It combines the ATR (Average True Range) for volatility analysis and the ADX (Average Directional Index) for trend strength evaluation to highlight consolidation phases and alert traders when the market is ready to break out.
This indicator provides visual cues and customizable alerts, making it suitable for traders looking to avoid false signals during choppy markets and capitalize on trending moves following a breakout.
What Makes It Unique?
ATR for Volatility:
Measures market volatility by comparing ATR with its moving average.
Consolidation phases are flagged when ATR remains below its moving average for a sustained period.
ADX for Trend Strength:
Monitors trend strength, confirming range-bound conditions when ADX falls below a user-defined threshold (default: 20).
Combines with ATR to ensure accurate detection of trendless periods.
Breakout Alerts:
Notifies traders of breakout opportunities when the price moves outside the highest high or lowest low of the range.
How It Works:
Range Detection:
The market is considered "in range" when:
ATR is below its moving average, indicating low volatility.
ADX is below the threshold, confirming a lack of trend strength.
Visual Indication:
A yellow background highlights range-bound conditions, allowing traders to avoid low-probability trades.
Breakout Detection:
Alerts are triggered for breakouts above or below the range to help traders identify potential opportunities.
Features:
Range Highlighting:
Automatically detects and highlights range-bound markets using a yellow background.
Breakout Alerts:
Sends alerts for breakouts above or below the range once the market exits consolidation.
Customizable Inputs:
ATR length, moving average length, and ADX parameters are fully adjustable to adapt to various trading styles and asset classes.
Multi-Timeframe Compatibility:
Suitable for all markets and timeframes, including stocks, forex, and cryptocurrencies.
How to Use:
Identify Ranges:
Avoid trading when the yellow background appears, signaling a range-bound market.
Focus on Breakouts:
Look for alerts indicating breakouts above or below the range for potential trending opportunities.
Combine with Other Indicators:
Use volume analysis, momentum oscillators, or candlestick patterns to confirm breakout signals.
Credits:
This script utilizes widely accepted methodologies for ATR and ADX calculations. ADX is calculated manually using directional movement (+DI and -DI) for precise trend detection. The concept has been adapted and enhanced to create this comprehensive range-detection tool.
Notes:
This indicator is intended for educational purposes and should not be used as standalone financial advice.
Always incorporate this tool into a broader trading strategy for optimal results.
EMA with Supply and Demand Zones
The EMA with Supply and Demand Strategy is a trend-following trading approach that integrates Exponential Moving Averages (EMA) with supply and demand zones to identify potential entry and exit points. Below is a detailed description of its components and logic:
Key Components of the Strategy
1. EMA (Exponential Moving Average)
The EMA is used as a trend filter:
Bullish Trend: Price is above the EMA.
Bearish Trend: Price is below the EMA.
The EMA ensures that trades align with the overall market trend, reducing counter-trend risks.
2. Supply and Demand Zones
Demand Zone:
Represents areas where the price historically found support (buyers dominated).
Calculated using the lowest low over a specified lookback period.
Used for identifying potential long entry points.
Supply Zone:
Represents areas where the price historically faced resistance (sellers dominated).
Calculated using the highest high over a specified lookback period.
Used for identifying potential short entry points.
3. Trade Conditions
Long Trade:
Triggered when:
The price is above the EMA (bullish trend).
The low of the current candle touches or penetrates the most recent demand zone.
Short Trade:
Triggered when:
The price is below the EMA (bearish trend).
The high of the current candle touches or penetrates the most recent supply zone.
4. Exit Conditions
Long Exit:
Exit the trade when the price closes below the EMA, indicating a potential trend reversal.
Short Exit:
Exit the trade when the price closes above the EMA, signaling a potential upward reversal.
Visual Representation
EMA: A blue line plotted on the chart to show the trend.
Supply Zones: Red horizontal lines representing potential resistance levels.
Demand Zones: Green horizontal lines representing potential support levels.
These zones dynamically adjust to reflect the most recent 3 levels.
How the Strategy Works
Trend Identification:
The EMA determines the direction of the trade:
Look for long trades only in a bullish trend (price above EMA).
Look for short trades only in a bearish trend (price below EMA).
Entry Points:
Wait for price interaction with a supply or demand zone:
If the price touches a demand zone during a bullish trend, initiate a long trade.
If the price touches a supply zone during a bearish trend, initiate a short trade.
Risk Management:
The strategy exits trades if the price moves against the trend (crosses the EMA).
This ensures minimal exposure during adverse market movements.
Benefits of the Strategy
Trend Alignment:
Reduces counter-trend trades, improving the win rate.
Clear Entry and Exit Rules:
Combines price action (zones) with a reliable trend filter (EMA).
Dynamic Levels:
The supply and demand zones adapt to changing market conditions.
Customization Options
EMA Length:
Adjust to suit different timeframes or market conditions (e.g., 20 for faster trends, 50 for slower trends).
Lookback Period:
Fine-tune to capture broader or narrower supply and demand zones.
Risk/Reward Preferences:
Pair the strategy with stop-loss and take-profit levels for enhanced control.
This strategy is ideal for traders looking for a structured approach to identify high-probability trades while aligning with the prevailing trend. Backtest and optimize parameters based on your trading style and the specific asset you're tradin
Divides company with IndexOverview:
This indicator simplifies the comparison of a stock's performance against a specified index, such as the Nifty 50. By calculating and plotting the ratio between the two, it provides a clear visual representation of relative strength.
Key Features:
-Direct Comparison: Easily compare any stock against a selected index.
-Customizable Index: Choose from a dropdown menu or input a custom index symbol.
-Visual Clarity: Maximizing the chart provides a clear view of the relative performance.
-SMA Overlay: Add a Simple Moving Average (SMA) to identify trends and potential entry/exit
points.
-Customizable Appearance: Adjust background color, text color, and label size for personalized
visualization.
How to Use:
Add the Indicator: Add the indicator to your chart.
Select the Index: Choose the desired index from the dropdown menu or input a custom symbol.
Analyze the Ratio:
-A rising ratio indicates the stock is outperforming the index.
-A falling ratio suggests underperformance.
-The SMA can help identify potential trends and momentum.
Customize the Appearance: Adjust the background color, text color, and label size to suit your preferences.
Benefits:
-Improved Decision Making: Gain insights into a stock's relative strength.
-Faster Analysis: Quickly compare multiple stocks against a benchmark index.
-Enhanced Visualization: Customize the chart for better understanding.
-By leveraging this indicator, you can make informed trading decisions and gain a deeper
understanding of market dynamics.
RSI on Price Indicator Advanced Multi-Level RSIRSI on Price Indicator | Advanced Multi-Level RSI with Customizable Levels & Background Fill (Free Pine Script for TradingView)
Unlock the full potential of your TradingView charts with the 'RSI on Price NEW' indicator. This free Pine Script offers multi-level RSI bands, customizable overbought/oversold levels, and eye-catching background fills. Perfect for intraday, daily, weekly, or monthly analysis. Enhance your trading strategy today!
Take your trading analysis to the next level with the 'RSI on Price NEW' indicator for TradingView. This powerful and free Pine Script overlay brings the RSI directly onto your price chart, combining multiple levels of RSI calculations for detailed insights. With fully customizable settings for RSI periods, overbought/oversold thresholds, and dynamic color-coded background fills, this script is perfect for traders who want precision and clarity. Whether you're trading intraday, daily, weekly, or monthly charts, this script offers unparalleled versatility. Optimize your trading strategy today with this innovative RSI tool!
Black Line 50 RSI in center
above that 3 line is 60, 70, 80
below black line is 40, 30, 20 RSI
TechniTrend: Volatility and MACD Trend Highlighter🟦 Overview
The "Candle Volatility with Trend Prediction" indicator is a powerful tool designed to identify market volatility based on candle movement relative to average volume while also incorporating trend predictions using the MACD. This indicator is ideal for traders who want to detect volatile market conditions and anticipate potential price movements, leveraging both price changes and volume dynamics.
It not only highlights candles with significant price movements but also integrates a trend analysis based on the MACD (Moving Average Convergence Divergence), allowing traders to gauge whether the market momentum aligns with or diverges from the detected volatility.
🟦 Key Features
🔸Volatility Detection: Identifies candles that exceed normal price fluctuations based on average volume and recent price volatility.
🔸Trend Prediction: Uses the MACD indicator to overlay trend analysis, signaling potential market direction shifts.
🔸Volume-Based Analysis: Integrates customizable moving averages (SMA, EMA, WMA, etc.) of volume, providing a clear visualization of volume trends.
🔸Alert System: Automatically notifies traders of high-volatility situations, aiding in timely decision-making.
🔸Customizability: Includes multiple settings to tailor the indicator to different market conditions and timeframes.
🟦 How It Works
The indicator operates by evaluating the price volatility in relation to average volume and identifying when a candle's volatility surpasses a threshold defined by the user. The key calculations include:
🔸Average Volume Calculation: The user selects the type of moving average (SMA, EMA, etc.) to calculate the average volume over a set period.
🔸Volatility Measurement: The indicator measures the body change (difference between open and close) and the high-low range of each candle. It then calculates recent price volatility using a standard deviation over a user-defined length.
🔸Weighted Index: A unique index is created by dividing price change by average volume and recent volatility.
🔸Highlighting Volatility: If the weighted index exceeds a customizable threshold, the candle is highlighted, indicating potential trading opportunities.
🔸Trend Analysis with MACD: The MACD line and signal line are plotted and adjusted with a user-defined multiplier to visualize trends alongside the volatility signals.
🟦 Recommended Settings
🔸Volume MA Length: A default of 14 periods for the average volume calculation is recommended. Adjust to higher periods for long-term trends and shorter periods for quick trades.
🔸Volatility Threshold Multiplier: Set at 1.2 by default to capture moderately significant movements. Increase for fewer but stronger signals or decrease for more frequent signals.
🔸MACD Settings: Default MACD parameters (12, 26, 9) are suggested. Tweak based on your trading strategy and asset volatility.
🔸MACD Multiplier: Adjust based on how the MACD should visually compare to the average volume. A multiplier of 1 works well for most cases.
🟦 How to Use
🔸Volatile Market Detection:
Look for highlighted candles that suggest a deviation from typical price behavior. These candles often signify an entry point for short-term trades.
🔸Trend Confirmation:
Use the MACD trend analysis to verify if the highlighted volatile candles align with a bullish or bearish trend.
For example, a bullish MACD crossover combined with a highlighted candle suggests a potential uptrend, while a bearish crossover with volatility signals may indicate a downtrend.
🔸Volume-Driven Strategy:
Observe how volume changes impact candle volatility. When volume rises significantly and candles are highlighted, it can suggest strong market moves influenced by big players.
🟦 Best Use Cases
🔸Trend Reversals: Detect potential trend reversals early by spotting divergences between price and MACD within volatile conditions.
🔸Breakout Strategies: Use the indicator to confirm price breakouts with significant volume changes.
🔸Scalping or Day Trading: Customize the indicator for shorter timeframes to capture rapid market movements based on volatility spikes.
🔸Swing Trading: Combine volatility and trend insights to optimize entry and exit points over longer periods.
🟦 Customization Options
🔸Volume-Based Inputs: Choose from SMA, EMA, WMA, and more to define how average volume is calculated.
🔸Threshold Adjustments: Modify the volatility threshold multiplier to increase or decrease sensitivity based on your trading style.
🔸MACD Tuning: Adjust MACD settings and the multiplier for trend visualization tailored to different asset classes and market conditions.
🟦 Indicator Alerts
🔸High Volatility Alerts: Automatically triggered when candles exceed user-defined volatility levels.
🔸Bullish/Bearish Trend Alerts: Alerts are activated when highlighted volatile candles align with bullish or bearish MACD crossovers, making it easier to spot opportunities without constantly monitoring the chart.
🟦 Examples of Use
To better understand how this indicator works, consider the following scenarios:
🔸Example 1: In a strong uptrend, observe how volume surges and volatility highlight candles right before price consolidations, indicating optimal exit points.
🔸Example 2: During a downtrend, see how the MACD aligns with volume-driven volatility, signaling potential short-selling opportunities.
Non-repainting ticker
The objective here is to provide a "non-repainting" source to indicators, meaning being sure that data is stable and will not affect the results, w/o having to make any change into the indicators
To use it :
1- include this "NRT" indicators onto your page : nothing will be displayed, just keep it.
2- as an exemple, when running any other indicator onto this page, and willing to select "close" as a source, just select instead " NRT: close" into source input; your indicator will then run "non-repainting"
Available sources : open, high, low , close, hl2, hlc3, ohlc4, hlcc4
Abnormal Candle DetectorAbnormal Candle Detector
The Abnormal Candle Detector identifies sudden and unusual price movements by comparing the current candle's size and volume to recent averages. It highlights candles that deviate significantly from normal market behavior, helping traders spot breakouts, reversals, or high-impact events.
Features:
1. Abnormal Size Detection: Flags candles where the range (high-low) exceeds a user-defined multiplier of the average range.
2. Volume Confirmation: Optionally ensures abnormal movements are backed by higher-than-average volume.
3. Visual Markers:
Green triangles for bullish abnormal candles.
Red triangles for bearish abnormal candles.
Background highlights for better visibility.
4. Alerts: Real-time notifications when abnormal candles are detected.
Why Use It?
Spot early breakouts or trend reversals.
Identify high-impact events driven by news or institutional activity.
Filter noise and focus on significant market movements.
Customizable for any market or timeframe, the Abnormal Candle Detector is perfect for traders who want to stay ahead of major price action.
XAMD/AMDX ICT 01 [TradingFinder] SMC Quarterly Theory Cycles🔵 Introduction
The XAMD/AMDX strategy, combined with the Quarterly Theory, forms the foundation of a powerful market structure analysis. This indicator builds upon the principles of the Power of 3 strategy introduced by ICT, enhancing its application by incorporating an additional phase.
By extending the logic of Power of 3, the XAMD/AMDX tool provides a more detailed and comprehensive view of daily market behavior, offering traders greater precision in identifying key movements and opportunities
This approach divides the trading day into four distinct phases : Accumulation (19:00 - 01:00 EST), Manipulation (01:00 - 07:00 EST), Distribution (07:00 - 13:00 EST), and Continuation or Reversal (13:00 - 19:00 EST), collectively known as AMDX.
Each phase reflects a specific market behavior, providing a structured lens to interpret price action. Building on the fractal nature of time in financial markets, the Quarterly Theory introduces the Four Quarters Method, where a currency pair’s price range is divided into quarters.
These divisions, known as quarter points, highlight critical levels for analyzing and predicting market dynamics. Together, these principles allow traders to align their strategies with institutional trading patterns, offering deeper insights into market trends
🔵 How to Use
The AMDX framework provides a structured approach to understanding market behavior throughout the trading day. Each phase has its own characteristics and trading opportunities, allowing traders to align their strategies effectively. To get the most out of this tool, understanding the dynamics of each phase is essential.
🟣 Accumulation
During the Accumulation phase (19:00 - 01:00 EST), the market is typically quiet, with price movements confined to a narrow range. This phase is where institutional players accumulate their positions, setting the stage for future price movements.
Traders should use this time to study price patterns and prepare for the next phases. It’s a great opportunity to mark key support and resistance zones and set alerts for potential breakouts, as the low volatility makes immediate trading less attractive.
🟣 Manipulation
The Manipulation phase (01:00 - 07:00 EST) is often marked by sharp and deceptive price movements. Institutions create false breakouts to trigger stop-losses and trap retail traders into the wrong direction. Traders should remain cautious during this phase, focusing on identifying the areas of liquidity where these traps occur.
Watching for price reversals after these false moves can provide excellent entry opportunities, but patience and confirmation are crucial to avoid getting caught in the manipulation.
🟣 Distribution
The Distribution phase (07:00 - 13:00 EST) is where the day’s dominant trend typically emerges. Institutions execute large trades, resulting in significant price movements. This phase is ideal for trading with the trend, as the market provides clearer directional signals.
Traders should focus on identifying breakouts or strong momentum in the direction of the trend established during this period. This phase is also where traders can capitalize on setups identified earlier, aligning their entries with the market’s broader sentiment.
🟣 Continuation or Reversal
Finally, the Continuation or Reversal phase (13:00 - 19:00 EST) offers a critical juncture to assess the market’s direction. This phase can either reinforce the established trend or signal a reversal as institutions adjust their positions.
Traders should observe price behavior closely during this time, looking for patterns that confirm whether the trend is likely to continue or reverse. This phase is particularly useful for adjusting open positions or initiating new trades based on emerging signals.
🔵 Settings
Show or Hide Phases.
Adjust the session times for each phase :
Accumulation: 19:00-01:00 EST
Manipulation: 01:00-07:00 EST
Distribution: 07:00-13:00 EST
Continuation or Reversal: 13:00-19:00 EST
Modify Visualization : Customize how the indicator looks by changing settings like colors and transparency.
🔵 Conclusion
AMDX provides traders with a practical method to analyze daily market behavior by dividing the trading day into four key phases: Accumulation, Manipulation, Distribution, and Continuation or Reversal. Each phase highlights specific market dynamics, offering insights into how institutional activity shapes price movements.
From the quiet buildup in the Accumulation phase to the decisive trends of the Distribution phase, and the critical transitions in Continuation or Reversal, this approach equips traders with the tools to anticipate movements and make informed decisions.
By recognizing the significance of each phase, traders can avoid common traps during Manipulation, capitalize on clear trends during Distribution, and adapt to changes in the final phase of the day.
The structured visualization of market phases simplifies decision-making for traders of all levels. By incorporating these principles into your trading strategy, you can enhance your ability to align with market trends, optimize entry and exit points, and achieve more consistent results in your trading journey.
EMAs CrossThis script generates a line that changes color when evaluating the values and intersections of the 7-, 14-, and 42-day exponential averages, indicating possible entry and exit points.
In general, yellow indicates the beginning of an uptrend, green confirms an uptrend, and brown indicates a downtrend.
Using this script together with the RSI can help you make decisions about the best times to enter and exit positions.
The script was created to generate an indicator in a separate window from the main chart, but adding this indicator to the main window can help you visualize and interpret market movements.
Crypto Value RainbowThe best way to value Crypto value is comparing Crypto price against the available money supply circulating in the economy. There are 3 different 4 different type of money supply M0/M1/M2/M3 which denotes the level of money printed by central government to the final credit lend out to the economy via fractional banking system. This rainbow valuation measures the relative Crypto price against the M0/M1/M2/M3 from most popular currency that account for more than 75% of money supply in the world.
CV = US MS + EU MS + CN MS + JP MS + UK MS
CV = Crypto Value
MS = Money Supply
This can only be applied to a few crypto currency:
- BTCUSD Bitcoin
- ETHUSD Ehereum
- BNBUSD BNB
- SOLUSD Solana
- XRPUSD XRP
- TONUSD Toncoin
- DOGEUSD Dogecoin
- TRXUSD Tron
- ADAUSD Cardano
- AVAXUSD Avalanche
The rainbow color is the multiplier for the total Crypto Value by 1x,2x,3x,...,10x
Daily MAs on Intraday ChartsThis is a very simple, yet powerful indicator, for intraday and swing traders.
The indicator plots price levels of key daily moving averages as horizontal lines onto intraday charts.
The key daily moving averages being:
5-day EMA
10-day EMA
21-day EMA
50-day SMA
100-day SMA
200-day SMA
The moving averages above can be toggled on and off to the users liking and different colours selected to show the locations of daily moving average price levels on intraday charts.
Below is a chart of the SPY on the 30-minute timeframe. The black line represents the price level of the SPY's 10-day EMA, and the blue line represents the price level of the SPY's 21-day EMA.
Key daily moving averages like those mentioned above can be areas of support or resistance for major indexes, ETFs, and individual stocks. Therefore, when using multiple timeframe analysis combining daily charts and intraday charts, it's useful to be aware of these key daily moving average levels for potential reversals.
This indicator clearly shows where the key daily moving average price levels are on intraday charts for the chosen ticker symbol, thus helping traders to identify potential points of interest for trading ideas - i.e., going long or pullbacks into key daily moving averages, or short on rallies into key daily moving averages subject to the trader's thoughts at the time.
By using the 'Daily MAs on Intraday Charts' the trader can now have a multi-chart layout and be easily aware of key price levels from daily moving averages when looking at various intraday timeframe charts such as the 1-minute, 5-minute, 15-minute, 30-minute, 1-hour etc. This can be essential information for opening long and short trading ideas.
Order blocksHi all!
This indicator will show you found order blocks that can be used as supply or demand. It's my take on trying to create good order blocks and I hope it makes sense.
First off I suggest to verify the current trend before using an order block. This can be done in a variety of ways, one way could be to use my other script "Market structure" () which I use and suggest.
You can configure the indicator to behave differently depending on settings. These are the settings available:
• The order blocks created can be found in any higher timeframe defined in "Timeframe"
• The number of active order blocks are defined in "Count". If an order block is found the earliest order block will be replaced
• You can choose the type of order blocks that are found ("Bullish", "Bearish " or "Both") in "Type"
• The old order blocks can be kept if "Keep history" is checked
• Order blocks that are found are not removed when mitigated (entered) but when a new one appears. They can be removed when they are broken by price if "Remove broken zones" are checked
There is also a setting section called "Requirements" that defines what is required for an order block to be created. These are the settings:
• "Take out"
Check this if you want the base of the order block (the candle where the zone is drawn from (high and low)) to have to take out the previous candle (be higher or lower depending if the order block is bullish or bearish).
• "Consecutive rising/falling"
Each following candle in the reaction (the 3 reaction candles) needs to reach higher or lower (depending on bullish or bearish). Check this if you want that to be true.
• "Reaction"
Some sort of reaction is needed from the 3 candles creating the order block. This reaction is based on the value of the Average True Length (ATR) of length 14. You can here define a factor of the value from the ATR that these 3 candles needs to move in price. A higher need for a reaction (higher factor of the ATR) will create lesser zones. You can also choose to show this limit with the checkbox.
• "Fair Value Gap"
The reaction needs to create a gap (imbalance) in price. This gap is known as a "Fair Value Gap" and is created when the last candle's wick does not meet with the base candle's wick. Check this if you want this to be needed.
After these settings you can also choose the colors of the created zones. The ones that are active (called "Zones"), the ones that are replaced ("Replaced zones") and the ones that are broken ("Broken zones") (if this is enabled in "Remove broken zones").
I'm using my library "Touched" to be able to show you labels when the order blocks have a retest, false breakout and breakout. These labels can be hidden if you disable the labels under the style tab in the indicator settings.
The concept of order blocks is widely used among traders and can provide you with good supply or demand zones. I hope that this indicator makes sense.
My todo-list has a few things, but top of that list is adding alerts for zone interactions or creations. Please feel free to say what you want to be coded!
The order blocks in the publication chart are found in weekly timeframe but are shown on the daily timeframe. Other than that the image shows you zones from the default settings (which are based on the daily timeframe).
Best of luck trading!