Session Open-Close Table 9:30-16:00 with Date RangeDisplays a daily table showing the open at 9:30 and close at 16:00 (New York time) for any asset. Includes a date range filter to extract session-based open-close values.
Indicadores y estrategias
פתיחה וסגירה 9:30–16:00 לפי טווח תאריכיםהאינדיקטור מציג בטבלה פתיחה וסגירה של מסחר יומי
this indicator shows in tablet open / close prices in a daily basis from date to date
Mark 7 PMMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London openMark 7pm on chart every day for London open
ProfitTrailer ATR% Low volatility zonePT ATR%” calculates the Average True Range as a percentage of price on any timeframe (using EMA, MA or HMA smoothing) and highlights low-volatility (“flat”) periods when ATR% falls below your chosen threshold. Use it to filter out chop before entering breakouts, tailor the lookback and offset to your needs, and optionally plot the ATR% line alongside semi-transparent green shading for flat markets.
My_moon_LibraryLibrary "My_moon_Library"
getJulianDate(Year, Month, Day, Hour, Minute)
Parameters:
Year (int)
Month (int)
Day (int)
Hour (int)
Minute (int)
julianCenturyInJulianDays()
julianEpochJ2000()
Julian date on J2000 epoch start (2000-01-01)
Returns: 2451545.0
GET_MOON_LONGITUDE_f(jd_century)
Parameters:
jd_century (float)
julianCenturiesSinceEpochJ2000(julianDate)
Parameters:
julianDate (float)
Tokyo Scalping **🗼 Tokyo Scalping: Market Regime Identifier for Asian Session**
🔍 This indicator helps you **identify three market regimes**—**Trending**, **Squeezing**, and **Ranging**—**during the Tokyo trading hours (9:00–15:00 JST)** by analyzing higher timeframe dynamics.
#### 🔑 Features:
* ✅ **Background colors** to indicate market states:
* **Teal**: Trending (strong momentum)
* **Yellow**: Squeeze (low volatility, potential breakout)
* **Blue**: Ranging (no clear direction)
* ✅ **Dynamic trend threshold** based on ATR slope
* ✅ **ADX-based trend filtering**
* ✅ **Bollinger Band width contraction detection**
* ✅ **Clean label overlay** only when market condition changes (Trend / Squeeze / Range)
* 🔧 Fully customizable timeframes and thresholds
This tool is ideal for scalpers and intraday traders aiming to adapt quickly to the Tokyo market regime.
---
### **🗾 東京スキャルピング:東京時間向けの市場状態識別インジケーター**
このインジケーターは、\*\*東京市場時間(午前9時〜午後3時)\*\*における市場の状態を3種類(**トレンド/スクイーズ/レンジ**)に分類し、**高時間足の分析**をもとに背景色とラベルで視覚的に表示します。
#### 🔑 主な特徴:
* ✅ 背景色による市場状態の表示:
* **ティール色**:トレンド状態(勢いあり)
* **黄色**:スクイーズ(低ボラティリティでブレイクの兆候)
* **青色**:レンジ(方向感がない状態)
* ✅ ATRを活用した動的なトレンド判定
* ✅ ADXに基づくトレンド強度の検出
* ✅ ボリンジャーバンド幅の収縮を検知
* ✅ **状態が変化したときのみ**ラベルを表示(T / S / R)
視認性が高く、**スキャルピングや東京時間帯の戦略に特化**したトレーダーに最適です。
20 EMA Crossover with Daily Open S/R20EMA cross over candle strategy , full bodied close with DO and Preivous High and low
Sniper Reversal DCA Scalping//@version=5
strategy("Sniper Reversal DCA Scalping", overlay=true, default_qty_type=strategy.percent_of_equity, default_qty_value=10)
// === Parameters ===
rsiLen = input.int(14, "RSI Length")
rsiOS = input.int(30, "RSI Oversold")
rsiOB = input.int(70, "RSI Overbought")
bbLen = input.int(20, "BB Length")
bbMult = input.float(2.0, "BB Multiplier")
macdFast = input.int(12)
macdSlow = input.int(26)
macdSig = input.int(9)
dcaSpacing = input.float(0.01, "DCA Spacing %", minval=0.01)
maxDCA = input.int(2, "Max DCA Entries", minval=1, maxval=5)
tpPerc = input.float(1.0, "Take Profit %")
slPerc = input.float(1.0, "Stop Loss %")
// === Indicators ===
rsi = ta.rsi(close, rsiLen)
= ta.macd(close, macdFast, macdSlow, macdSig)
bbBasis = ta.sma(close, bbLen)
bbDev = bbMult * ta.stdev(close, bbLen)
upperBB = bbBasis + bbDev
lowerBB = bbBasis - bbDev
macdBull = ta.crossover(macdLine, signalLine)
macdBear = ta.crossunder(macdLine, signalLine)
// === Sniper Buy Condition ===
sniperBuy = rsi < rsiOS and close < lowerBB and macdBull
sniperSell = rsi > rsiOB and close > upperBB and macdBear
// === Entry Tracking
var int buyDCA = 0
var float buyBasePrice = na
if (sniperBuy and buyDCA == 0)
strategy.entry("Buy", strategy.long)
buyBasePrice := close
buyDCA := 1
else if (buyDCA > 0 and buyDCA < maxDCA and close <= buyBasePrice * (1 - dcaSpacing / 100))
strategy.entry("Buy DCA " + str.tostring(buyDCA+1), strategy.long)
buyDCA += 1
if (strategy.position_size == 0)
buyDCA := 0
buyBasePrice := na
// === Take Profit / Stop Loss
if (strategy.position_size > 0)
avgEntry = strategy.position_avg_price
strategy.exit("TP/SL", from_entry="", limit=avgEntry * (1 + tpPerc/100), stop=avgEntry * (1 - slPerc/100))
// === Short Entry (optional)
if (sniperSell)
strategy.entry("Sell", strategy.short)
strategy.exit("TP/SL S", from_entry="Sell", limit=close * (1 - tpPerc/100), stop=close * (1 + slPerc/100))
4h EMAThis script plots an Exponential Moving Average (EMA) based on the 4-hour timeframe, regardless of the chart’s current timeframe. It's useful for traders who want to track higher timeframe trends while trading on lower timeframes.
Daily EMAThis script displays the Exponential Moving Average (EMA) calculated on the daily timeframe, regardless of the chart's current timeframe. It's designed for intraday traders who want to use the daily EMA as a reference for identifying key support/resistance levels or higher time frame trends.
siqbots 10,21,50
A ribbon for the 10 and 21 MA, and another line for the 50 MA.
Got the idea from Christopher Uhl - OVTLYR who uses the 10, 20, 50, but to make it original I made it the 21.
Angel Signal proAngel Signal Pro is a comprehensive technical analysis tool that integrates multiple indicators for a structured market assessment.
RSI, MACD, and ADX — evaluate trend strength and identify potential entry and exit points.
Momentum and ATR — measure price acceleration and volatility, assisting in risk management.
Stochastic Oscillator — detects overbought and oversold conditions.
SMA (50, 100, 200) — tracks key moving averages with the option to enable all at once.
Cryptocurrency price display — select and monitor real-time prices of any cryptocurrency available on the BINANCE exchange.
Automatic trend detection— classifies trends as bullish, bearish, or neutral based on RSI and MACD signals.
Customizable table — presents key indicator values in a structured and convenient format. The table also provides automatic trend detection across different timeframes (TF), allowing you to assess the current market situation more accurately on various levels.
Automatic gap detection — identifies market gaps, helping to spot potential trading opportunities.
Buy and sell signals — the system generates buy and sell signals based on the analysis of five key indicator values, allowing traders to respond quickly to market changes.
Bollinger Bands — helps assess market volatility and identify support and resistance levels, as well as potential reversal points, by detecting when prices move outside of normal volatility ranges.
Customization settings — in Angel Signal Pro, you can select which indicators and features you want to display. All elements can be turned on or off according to your preferences. There is also the ability to change colors and the appearance of each element, allowing you to tailor the interface to your personal preferences and make the tool more convenient to use.
Angel Signal Pro is suitable for traders of all experience levels and helps navigate market conditions with confidence.
29 мар.
Информация о релизе
Added Super Trend, improved the quality of buy and sell signals, and enhanced settings. Now, all toggle buttons for enabling and disabling indicators follow one another.
30 мар.
Информация о релизе
Fixed several errors in the settings and improved gap search.
Daily Price RangeThe indicator is designed to analyze an instrument’s volatility based on daily extremes (High-Low) and to compare the current day’s range with the typical (median) range over a selected period. This helps traders assess how much of the "usual" daily movement has already occurred and how much may still be possible during the trading day.
Daily EMA Crossover with Previous High/Low Breakgive buy and sell signal arrow sign when below condition met on candlestick chart of trading view. show buy arrow signal when 9 EMA cross above 20EMA upside and same time broken 1 previous day ago high price. show see arrow signal when 9 EMA cross below 20EMA upside and same time broken 1 previous day ago low price. Please create a pine code for trading view , Time frame should be 1 day char
Adaptive Volume-Weighted RSI (AVW-RSI)Concept Summary
The AVW-RSI is a modified version of the Relative Strength Index (RSI), where each price change is weighted by the relative trading volume for that period. This means periods of high volume (typically driven by institutions or “big money”) have a greater influence on the RSI calculation than periods of low volume.
Why AVW-RSI Helps Traders
Avoids Weak Signals During Low Volume
Standard RSI may show overbought/oversold zones even during low-volume periods (e.g., during lunch hours or after news).
AVW-RSI gives less weight to these periods, avoiding misleading signals.
Amplifies Strong Momentum Moves
If RSI is rising during high volume, it's more likely driven by institutional buying—AVW-RSI reflects that stronger by weighting the RSI component.
Filters Out Retail Noise
By prioritizing high-volume candles, it naturally discounts fakeouts caused by thin markets or retail-heavy moves.
Highlights Institutional Entry/Exit
Useful for spotting hidden accumulation/distribution that classic RSI would miss.
How It Works (Calculation Logic)
Traditional RSI Formula Recap
RSI = 100 - (100 / (1 + RS))
RS = Average Gain / Average Loss (over N periods)
Modified Step – Apply Volume Weight
For each period
Gain_t = max(Close_t - Close_{t-1}, 0)
Loss_t = max(Close_{t-1} - Close_t, 0)
Weight_t = Volume_t / AvgVolume(N)
WeightedGain_t = Gain_t * Weight_t
WeightedLoss_t = Loss_t * Weight_t
Weighted RSI
AvgWeightedGain = SMA(WeightedGain, N)
AvgWeightedLoss = SMA(WeightedLoss, N)
RS = AvgWeightedGain / AvgWeightedLoss
AVW-RSI = 100 - (100 / (1 + RS))
Visual Features on Chart
Line Color Gradient
Color gets darker as volume weight increases, signaling stronger conviction.
Overbought/Oversold Zones
Traditional: 70/30
Suggested AVW-RSI zones: Use dynamic thresholds based on historical volatility (e.g., 80/20 for high-volume coins).
Volume Spike Flags
Mark RSI turning points that occurred during volume spikes with a special dot/symbol.
Trading Strategies with AVW-RSI
1. Weighted RSI Divergence
Regular RSI divergence becomes more powerful when volume is high.
AVW-RSI divergence with volume spike is a strong signal of reversal.
2. Trend Confirmation
RSI crossing above 50 during rising volume is a good entry signal.
RSI crossing below 50 with high volume is a strong exit or short trigger.
3. Breakout Validation
Price breaking resistance + AVW-RSI > 60 with volume = Confirmed breakout.
Price breaking but AVW-RSI < 50 or on low volume = Potential fakeout.
Example Use Case
Stock XYZ is approaching a resistance zone. A trader sees:
Standard RSI: 65 → suggests strength.
Volume is 3x the average.
AVW-RSI: 78 → signals strong momentum with institutional backing.
The trader enters confidently, knowing this isn't just low-volume hype.
Limitations / Tips
Works best on liquid assets (Forex majors, large-cap stocks, BTC/ETH).
Should be used alongside price action and volume analysis—not standalone.
Periods of extremely high volume (news events) might need smoothing to avoid spikes.
FeraTrading Auto ORBThe FeraTrading Auto ORB Indicator automatically plots the high, low, and midline from your selected opening range timeframe—then resets them daily to keep your chart clean and readable.
Customizable Features:
You can choose from multiple ORB timeframes: 1min, 2min, 3min, 5min, 10min, 15min, 30min, 45min, and 60min. These levels display on any chart timeframe, so you can watch a 2-minute chart while tracking 15-minute ORB levels for broader structure.
Toggle each line individually (high, low, midline) on or off
Set custom colors to the lines to match your style
Built for flexibility, simplicity, and clarity.
Also, open source!
SuperTrade ST1 StrategyOverview
The SuperTrade ST1 Strategy is a long-only trend-following strategy that combines a Supertrend indicator with a 200-period EMA filter to isolate high-probability bullish trade setups. It is designed to operate in trending markets, using volatility-based exits with a strict 1:4 Risk-to-Reward (R:R) ratio, meaning that each trade targets a profit 4× the size of its predefined risk.
This strategy is ideal for traders looking to align with medium- to long-term trends, while maintaining disciplined risk control and minimal trade frequency.
How It Works
This strategy leverages three key components:
Supertrend Indicator
A trend-following indicator based on Average True Range (ATR).
Identifies bullish/bearish trend direction by plotting a trailing stop line that moves with price volatility.
200-period Exponential Moving Average (EMA) Filter
Trades are only taken when the price is above the EMA, ensuring participation only during confirmed uptrends.
Helps filter out counter-trend entries during market pullbacks or ranges.
ATR-Based Stop Loss and Take Profit
Each trade uses the ATR to calculate volatility-adjusted exit levels.
Stop Loss: 1× ATR below entry.
Take Profit: 4× ATR above entry (1:4 R:R).
This asymmetry ensures that even with a lower win rate, the strategy can remain profitable.
Entry Conditions
A long trade is triggered when:
Supertrend flips from bearish to bullish (trend reversal).
Price closes above the Supertrend line.
Price is above the 200 EMA (bullish market bias).
Exit Logic
Once a long position is entered:
Stop loss is set 1 ATR below entry.
Take profit is set 4 ATR above entry.
The strategy automatically exits the position on either target.
Backtest Settings
This strategy is configured for realistic backtesting, including:
$10,000 account size
2% equity risk per trade
0.1% commission
1 tick slippage
These settings aim to simulate real-world conditions and avoid overly optimistic results.
How to Use
Apply the script to any timeframe, though higher timeframes (1H, 4H, Daily) often yield more reliable signals.
Works best in clearly trending markets (especially in crypto, stocks, indices).
Can be paired with alerts for live trading or analysis.
Important Notes
This version is long-only by design. No short positions are executed.
Ideal for swing traders or position traders seeking asymmetric returns.
Users can modify the ATR period, Supertrend factor, or EMA filter length based on asset behavior.
ATR-Based Target & Stop-Loss📈 ATR-Based Stop Loss & Target Finder Indicator – Description
The ATR-Based SL & Target Finder is a dynamic risk management tool designed to calculate optimal stop loss and target levels based on market volatility. It leverages the Average True Range (ATR)—a popular volatility indicator—to adaptively scale your risk according to current market conditions.
🔧 How It Works:
Input Parameters:
ATR Length (Default: 14): Determines the period over which ATR is calculated.
Risk Multiplier (for SL): The SL is calculated as a multiple of the ATR (e.g., 1.5× ATR).
Reward Multiplier (for Target): The target is calculated as a multiple of the ATR (e.g., 2× or 3× ATR).
Entry Candle Logic:
You define the entry candle (either via strategy logic or manual marking).
The indicator uses the high/low of this entry candle to place the SL and target.
Stop Loss & Target Levels:
For Long Positions:
SL = Entry Candle Low − (Risk Multiplier × ATR)
Target = Entry Price + (Reward Multiplier × ATR)
For Short Positions:
SL = Entry Candle High + (Risk Multiplier × ATR)
Target = Entry Price − (Reward Multiplier × ATR)
Visuals on Chart:
Horizontal lines or labels indicating SL and target levels.
Option to enable/disable real-time labels and color-coded zones.
✅ Key Features:
Volatility-Adjusted: Adapts to market conditions automatically.
Customizable Multipliers: Supports various risk-reward ratios (e.g., 1:2, 1:3).
Intraday & Positional: Works across timeframes (5-min to daily).
Trend-Agnostic: Can be paired with any entry strategy (EMA cross, candle rating, RSI/VWAP, etc.).
🎯 Ideal Use Case:
Traders seeking objective, emotion-free exits based on volatility—especially in fast-moving instruments like Nifty/Bank Nifty, stocks, or crypto. The indicator fits seamlessly with both manual trading setups and algo executions that require SL/target auto-calculation.
Time-based LiquidityThis indicator automatically marks important time-based liquidity levels on your chart, helping you stay aware of where major price reactions may occur and the market is forced to show its hand.
Key Features:
Previous Month’s, Week’s, and Day’s Highs and Lows: Displays PMH/PML, PWH/PWL, and PDH/PDL — key reference points where liquidity often accumulates.
Intraday Session Highs and Lows: Divides the trading day into quarters (00:00–06:00, 06:00–12:00, etc. following Day’s Quarterly Theory) and tracks session highs and lows dynamically across these periods.
Current Session 90-Minute Quarters: Splits the active session into 90-minute intervals to highlight short-term liquidity structures and potential reaction zones.
Level Alerts: Tracks when each liquidity level is reached and enables customizable alerts so you don’t miss important price movements.
Use Case:
This tool provides an organized, time-based framework for identifying where liquidity is likely to concentrate across different timeframes and intraday cycles. Use these levels for forming bias, planning entries, exits, or anticipating price reactions at key points in the market structure.
Customization Options:
Enable/disable liquidity levels to display (Daily, Weekly, Monthly, Sessions, Session Quarters)
Customize the appearance of each level (color, style, line width)
Enable or disable tracking and alerts for level interactions
MA Dispersion+MA Dispersion+ — read the “breathing space” between your moving-averages
Get instant feedback on trend strength, volatility expansion and mean-reversion — across any timeframe.
MA Dispersion+ turns the humble moving-average stack into a single, easy-to-read oscillator that tells you at a glance whether price is coiling or fanning out.
🧩 What it does
Plugs into your favourite MA setup
• Pick the classic 5 / 20 / 50 / 200 lengths or disable any combination with one click.
• Choose the MA engine you trust — SMA, EMA, RMA, VWMA or WMA.
• Works on any timeframe thanks to TradingView’s security() engine.
Measures “spread”
For every bar it calculates the absolute distance of each selected MA from their average.
The tighter the stack, the lower the value; the wider the fan, the higher the value.
Adds professional-grade controls
• Weighting — let short-term MAs dominate (Inverse Length), keep everything equal, or dial in your own custom weights.
• Normalisation — convert the raw distance into a percentage of price, ATR multiples, or scale by the MAs’ own mean so you can compare symbols of any price or volatility.
🔍 How traders use it
Trend confirmation – rising dispersion while price breaks out = momentum is genuine.
Volatility squeeze – dispersion parking near zero warns that a big move is loading.
Multi-TF outlook – drop one pane per timeframe (e.g. 5 m, 1 h, 1 D) and see which layer of the market is driving.
Mean-reversion plays – spikes that fade quickly often coincide with exhaustion and snap-backs.
⚙️ Quick-start
Add MA Dispersion+ to your chart.
Set the pane’s timeframe in the first input.
Tick the MA lengths you actually use.
(Optional) Pick a weighting scheme and a normaliser.
Repeat the indicator for as many timeframes as you like — each instance keeps its own settings.
✨ Why you’ll love it
Zero clutter – one orange line tells you what four separate MAs whisper.
Configurable yet bullet-proof – all lengths are hard-coded constants, so Pine never complains.
Context aware – normalisation lets you compare BTC’s $60 000 chaos with EURUSD’s four--decimals calm.
Lightweight – no labels, no drawings, no background processing — perfect for mobile and multi-pane layouts.
Give MA Dispersion+ a try and let your charts breathe — you’ll never look at moving-average ribbons the same way again.
Happy trading!
NeuroTrendNeuroTrend is an advanced, self-adjusting trend analysis system that continuously adapts to changing market conditions using volatility-aware smoothing, momentum weighting, and intelligent trend classification. It provides real-time trend detection, confidence scoring, early reversal warnings, and slope projection, all delivered through a coaching dashboard and structured rule-based commentary system.
At its core, NeuroTrend uses two EMAs whose smoothing lengths change automatically based on current volatility, measured by the ATR relative to price, and momentum bias, measured by RSI displacement from the neutral level. These adaptive EMAs create a flexible baseline that adjusts to the pace of the market. From these EMAs, the system calculates angular slope and derives a slope power score, which reflects directional momentum weighted by volatility.
NeuroTrend classifies each bar into one of five market phases: Impulse, Cooling, Reversal Risk, Stall, or Neutral. This classification is based on slope strength, slope variability, and RSI behavior. Each phase offers specific context for whether to enter, continue, or avoid a position.
The indicator uses what is referred to as a neural memory engine, which is inspired by the idea of memory but is not a neural network or machine learning model. Instead, it is a statistical recalibration system that adjusts thresholds using recent ATR conditions and slope standard deviation. This allows the indicator to remain aligned with the current market environment without the need for manual tuning.
Although NeuroTrend is fully adaptive, it includes inputs for the base fast and slow EMAs. These inputs define the central anchor points around which the adaptive logic operates. This gives the trader the ability to control the default behavior of the indicator while still benefiting from real-time responsiveness to volatility and momentum.
To assess the strength of a trend, NeuroTrend computes a confidence score based on four elements: DMI trend strength, directional bias from DI+ and DI–, slope normalization, and volatility efficiency measured by ATR in relation to EMA distance. This score is used to inform alerts, commentary, and dashboard visualization.
The indicator also includes a slope projection engine that estimates near-term direction based on slope change and acceleration. This projection is scaled and clamped using a dynamic volatility factor to prevent unrealistic or unstable values.
Reversal and stall detection are built in. Reversal detection is based on slope collapsing, sign flipping, and RSI weakness. Stall detection is triggered when slope magnitude is low, RSI is flat, and ATR is compressed. These filters help prevent entries in low-quality or high-risk environments.
The system also includes AI-style commentary. This feature is not powered by machine learning or natural language processing. It is rule-based, using prioritized conditions to generate clear statements that reflect the current market state. Messages such as "Strong trend forming" or "Reversal risk rising" are created by predefined logic that adapts to the market.
A visual dashboard is provided on the chart. It displays the current phase, trend direction, slope score, confidence level, reversal status, stall condition, and projected slope angle. This helps traders interpret market behavior at a glance without scanning multiple indicators.
Alerts are triggered only when specific conditions are met: trend strength must be in the impulse phase, confidence must be high, and there must be no active reversal or stall conditions. This ensures alerts are reserved for high-quality setups with strong directional alignment.
Disclaimer:
This script is intended for educational and informational use only. It does not constitute financial advice. The author accepts no responsibility for any trading or investment decisions made using this tool. Always do your own research and consult a licensed financial advisor before making financial decisions.
IBD Style Candles [tradeviZion]IBD Style Candles - Visualize Price Bars Like the Pros
Transform your chart with institutional-grade IBD-style bars and customizable moving averages for both daily and weekly timeframes. This indicator helps you visualize price action the way professionals at Investors Business Daily do.
What This Indicator Offers:
IBD-style bar visualization (clean, professional appearance)
Customizable coloring based on price movement or previous close
Automatic timeframe detection for appropriate moving averages
Four customizable moving averages for daily timeframes (10, 21, 50, 200)
Four customizable moving averages for weekly timeframes (10, 20, 30, 40)
Options to use SMAs or EMAs with adjustable colors and line widths
"The IBD-style bars provide a cleaner view of price action, allowing you to focus on market structure without the visual noise of traditional candles."
How to Apply the IBD-Style Bars:
On your TradingView chart, select "Bars" as the chart type from the main chart type selection menu (next to the time interval options).
Right-click on the chart and select "Settings".
Go to the "Symbol" tab.
Uncheck the "Thin Bars" option to display thicker bars.
Set the "Up Color" and "Down Color" opacity to 0 for a clean IBD-style appearance.
Enable "IBD-style Candles" from the script's settings.
To revert to the original chart style, repeat the above steps and restore the default settings.
Moving Average Configuration:
The indicator automatically detects your timeframe and displays the appropriate moving averages:
Daily Timeframe Moving Averages:
10-day moving average (SMA/EMA)
21-day moving average (SMA/EMA)
50-day moving average (SMA/EMA)
200-day moving average (SMA/EMA)
Weekly Timeframe Moving Averages:
10-week moving average (SMA/EMA)
20-week moving average (SMA/EMA)
30-week moving average (SMA/EMA)
40-week moving average (SMA/EMA)
Usage Tips:
Enable "Color bars based on previous close" to identify momentum shifts based on prior candle closes
Customize colors to match your chart theme or preference
Enable only the moving averages relevant to your trading strategy
For cleaner charts, reduce the number of visible moving averages
For stock trading, the 10/21/50/200 daily and 10/40 weekly MAs are most commonly used by institutions
// Example configuration for different timeframes
if timeframe.isweekly
// Weekly configuration
showSMA1_Weekly = true // 10-week MA
showSMA4_Weekly = true // 40-week MA
else
// Daily configuration
showMA2_Daily = true // 21-day MA
showMA3_Daily = true // 50-day MA
showMA4_Daily = true // 200-day MA
While the IBD style provides clarity, remember that no visualization method guarantees trading success. Always combine with proper analysis and risk management.
If you found this indicator helpful, please consider leaving a comment or suggestion for future improvements. Happy trading!
Ceres Trader Inv DXY % OverlayIntroducing the “Inverse DXY % Overlay” for TradingView
What it does:
• Plots the U.S. Dollar Index (DXY) as an inverted %-change line directly over your primary chart (e.g. XAUUSD).
• Dollar strength shows as a downward line; dollar weakness shows as an upward line—instantly highlighting negative correlation.
Why it helps:
• Trend confirmation – Ride Gold breakouts only when the dollar is actually weakening.
• Divergence signals – Spot early turn setups when Gold and DXY % don’t move in sync.
• Risk management – Trim or tighten stops when the dollar pivots against your position.
Key features:
Overlay on any symbol (Gold, Silver, Oil, Crypto, equities)
Auto-scaled to left-axis %, so your price chart stays on the right
Lightweight & transparent—1 px grey line, minimal clutter
Now you’ll have a real-time, inverted DXY % line beneath your candles—perfect for gauging USD flow before you pull the trigger on any trade.
Happy trading! 🚀
—Michael (Ceres Trader)