Multi-Ticker Anchored CandlesMulti-Ticker Anchored Candles (MTAC) is a simple tool for overlaying up to 3 tickers onto the same chart. This is achieved by interpreting each symbol's OHLC data as percentages, then plotting their candle points relative to the main chart's open. This allows for a simple comparison of tickers to track performance or locate relationships between them.
> Background
The concept of multi-ticker analysis is not new, this type of analysis can be extremely helpful to get a gauge of the over all market, and it's sentiment. By analyzing more than one ticker at a time, relationships can often be observed between tickers as time progresses.
While seeing multiple charts on top of each other sounds like a good idea...each ticker has its own price scale, with some being only cents while others are thousands of dollars.
Directly overlaying these charts is not possible without modification to their sources.
By using a fixed point in time (Period Open) and percentage performance relative to that point for each ticker, we are able to directly overlay symbols regardless of their price scale differences.
The entire process used to make this indicator can be summed up into 2 keywords, "Scaling & Anchoring".
> Scaling
First, we start by determining a frame of reference for our analysis. The indicator uses timeframe inputs to determine sessions which are used, by default this is set to 1 day.
With this in place, we then determine our point of reference for scaling. While this could be any point in time, the most sensible for our application is the daily (or session) open.
Each symbol shares time, therefore, we can take a price point from a specified time (Opening Price) and use it to sync our analysis over each period.
Over the day, we track the percentage performance of each ticker's OHLC values relative to its daily open (% change from open).
Since each ticker's data is now tracked based on its opening price, all data is now using the same scale.
The scale is simply "% change from open".
> Anchoring
Now that we have our scaled data, we need to put it onto the chart.
Since each point of data is relative to it's daily open (anchor point), relatively speaking, all daily opens are now equal to each other.
By adding the scaled ticker data to the main chart's daily open, each of our resulting series will be properly scaled to the main chart's data based on percentages.
Congratulations, We have now accurately scaled multiple tickers onto one chart.
> Display
The indicator shows each requested ticker as different colored candlesticks plotted on top of the main chart.
Each ticker has an associated label in front of the current bar, each component of this label can be toggled on or off to allow only the desired information to be displayed.
To retain relevance, at the start of each session, a "Session Break" line is drawn, as well as the opening price for the session. These can also be toggled.
Note: The opening price is the opening price for ALL tickers, when a ticker crosses the open on the main chart, it is crossing its own opening price as well.
> Examples
In the chart below, we can see NYSE:MCD NASDAQ:WEN and NASDAQ:JACK overlaid on a NASDAQ:SBUX chart.
From this, we can see NASDAQ:JACK was the top gainer on the day. While this was the case, it also fell roughly 4% from its peak near lunchtime. Unlike the top gainer, we can see the other 3 tickers ended their day near their daily high.
In the explanations above, the daily timeframe is used since it is the default; however, the analysis is not constrained to only days. The anchoring period can be set to any timeframe period.
In the chart below, you can observe the Daily, Weekly, and Monthly anchored charts side-by-side.
This can be used on all tickers, timeframes, and markets. While a typical application may be comparing relevant assets... the script is not limited.
Below we have a chart tracking COMEX:GCV2026 , FX:EURUSD , and COINBASE:DOGEUSD on the AMEX:SPY chart.
While these tickers are not typically compared side-by-side, here it is simply a display of the capabilities of the script.
Enjoy!
Indicators and strategies
Thirdeyechart Index Weekly DoomsdayIndex Weekly – Version 3 (Dynamic Strength Ranking)
The Index Weekly Dynamic Ranking Version is a professional TradingView indicator designed to give traders a real-time, high-level view of global index momentum. Unlike static tables, this version dynamically ranks indices by weekly strength, placing the strongest index at the top and the weakest at the bottom. Each symbol is displayed with color-coded values—blue for positive weekly momentum, red for negative—making it immediately clear which markets are performing strongly and which are under pressure.
This indicator calculates weekly percentage changes for all selected indices using:
pct_week = ((close_week – open_week) / open_week) * 100
The results are compiled into a ranked table, so symbols automatically reorder themselves based on current strength. This dynamic ranking allows traders to quickly spot the most dominant indices and adjust their strategy accordingly. The table is fully visual and easy to read, with distinct coloring for up and down momentum, providing both clarity and speed for decision-making.
The version is ideal for traders who want to combine global macro perspective with technical setups, as it shows not only the direction of individual indices but also which markets are leading or lagging. By following the strongest index first, traders can align their positions with global momentum rather than relying on a single static chart.
This approach makes weekly index tracking more technical, more advanced, and closer to an institutional-style dashboard, similar to what professional terminals like Bloomberg offer, while remaining lightweight and easy to use on TradingView.
Disclaimer
This tool is for educational and analytical purposes only. It does not provide buy/sell signals or financial advice. Trading involves risk, and all decisions remain the responsibility of the user.
© 2025 Ajik Boy. All rights reserved. Redistribution or commercial use without permission is prohibited.
10/20 EMA 50/100/200 SMA — by mijoomoCreated by mijoomo.
This indicator combines EMA 10 & EMA 20 with SMA 50/100/200 in one clean package.
Each moving average is toggleable, fully labeled, and alert-compatible.
Designed for traders who want a simple and effective multi-MA trend tool.
Sideways & Breakout Detector + Forecast//@version=6
indicator("Sideways & Breakout Detector + Forecast", overlay=true, max_labels_count=500)
// Inputs
lengthATR = input.int(20, "ATR Länge")
lengthMA = input.int(50, "Trend MA Länge")
sqFactor = input.float(1.2, "Seitwärtsfaktor")
brkFactor = input.float(1.5, "Breakoutfaktor")
// ATR / Volatilität
atr = ta.atr(lengthATR)
atrSMA = ta.sma(atr, lengthATR)
// Basislinie / Trend
basis = ta.sma(close, lengthATR)
trendMA = ta.sma(close, lengthMA)
// Seitwärtsbedingung
isSideways = atr < atrSMA * sqFactor
// Breakouts
upperBreak = close > basis + atr * brkFactor
lowerBreak = close < basis - atr * brkFactor
// Vorhergesagter Ausbruch (Forecast)
// Wenn Seitwärtsphase + Kurs nahe obere oder untere Kanalgrenze
forecastBull = isSideways and (close > basis + 0.5 * atr)
forecastBear = isSideways and (close < basis - 0.5 * atr)
// Farben
barcolor(isSideways ? color.new(color.yellow, 40) : na)
barcolor(upperBreak ? color.green : na)
barcolor(lowerBreak ? color.red : na)
// Breakout-Bänder
plot(basis + atr * brkFactor, "Bull Break Zone", color=color.new(color.green, 60))
plot(basis - atr * brkFactor, "Bear Break Zone", color=color.new(color.red, 60))
// Labels (klein)
if isSideways
label.new(bar_index, close, "Seitwärts", color=color.yellow, style=label.style_label_center, size=size.tiny)
if upperBreak
label.new(bar_index, high, "Bull Breakout", color=color.green, style=label.style_label_up, size=size.tiny)
if lowerBreak
label.new(bar_index, low, "Bear Breakout", color=color.red, style=label.style_label_down, size=size.tiny)
// Vorhergesagte Ausbrüche markieren
plotshape(forecastBull, title="Forecast Bull", location=location.abovebar, color=color.new(color.green, 0), style=shape.triangleup, size=size.tiny)
plotshape(forecastBear, title="Forecast Bear", location=location.belowbar, color=color.new(color.red, 0), style=shape.triangledown, size=size.tiny)
// Alerts
alertcondition(isSideways, "Seitwärtsphase", "Der Markt läuft seitwärts.")
alertcondition(upperBreak, "Bull Breakout", "Ausbruch nach oben!")
alertcondition(lowerBreak, "Bear Breakout", "Ausbruch nach unten!")
alertcondition(forecastBull, "Forecast Bull", "Voraussichtlicher Bull-Ausbruch!")
alertcondition(forecastBear, "Forecast Bear", "Voraussichtlicher Bear-Ausbruch!")
ATR Risk Manager v5.2 [Auto-Extrapolate]If you ever had problems knowing how much contracts to use for a particular timeframe to keep your risk within acceptable levels, then this indicator should help. You just have to define your accepted risk based on ATR and also percetage of your drawdown, then the indicator will tell you how many contracts you should use. If the risk is too high, it will also tell you not to trade. This is only for futures NQ MNQ ES MES GC MGC CL MCL MYM and M2K.
Dynamic Support and Resistance with Trend LinesMain Purpose
The indicator identifies and visualizes dynamic support and resistance levels using multiple strategies, plus it includes trend analysis and trading signals.
Key Components:
1. Two Support/Resistance Strategies:
Strategy A: Matrix Climax
Identifies the top 10 (configurable) most significant support and resistance levels
Uses a "matrix" calculation method to find price levels where the market has historically reacted
Shows these as horizontal lines or zones on the chart
Strategy B: Volume Extremes
Finds support/resistance levels based on volume analysis
Looks for areas where extreme volume occurred, which often become key price levels
2. Two Trend Line Systems:
Trend Line 1: Pivot Span
Draws trend lines connecting pivot high and pivot low points
Uses configurable pivot parameters (left: 5, right: 5 bars)
Creates a channel showing the trend direction
Styled in pink/purple with dashed lines
Trend Line 2: 5-Point Channel
Creates a channel based on 5 pivot points
Provides another perspective on trend direction
Solid lines in pink/purple
3. Trading Signals:
Buy Signal: Triggers when Fast EMA (9-period) crosses above Slow EMA (21-period)
Sell Signal: Triggers when Fast EMA crosses below Slow EMA
Displays visual shapes (labels) on the chart
Includes alert conditions you can set up in TradingView
4. Visual Features:
Dashboard: Shows key information in a table (top-right by default)
Visual Matrix Map: Displays a heat map of support/resistance zones
Color themes: Dark Mode or Light Mode
Timezone adjustment: For accurate time display
5. Customization Options:
Universal lookback length (100 bars default)
Projection bars (26 bars forward)
Adjustable transparency for different elements
Multiple calculation methods available
Fully customizable colors and line styles
What Traders Use This For:
Entry/Exit Points: The EMA crossovers provide clear buy/sell signals
Risk Management: Support/resistance levels help set stop-losses and take-profit targets
Trend Confirmation: Multiple trend lines confirm trend direction
Key Price Levels: Identifies where price is likely to react (bounce or break through)
The indicator is quite feature-rich and combines technical analysis elements (pivots, EMAs, volume, support/resistance) into one comprehensive tool for trading decisions.
MOEX Day Volume24-hour trading volume indicator for a security in rubles with data on correlation with the Moscow Exchange Index
INDIVIDUAL ASSET BIAS DASHBOARD V3Strategy Name: Individual Asset Bias Dashboard V3
Author Concept: Multi-timeframe 3-pivot alignment bias monitor
Timeframe: Works on any chart, but bias is calculated on daily close vs higher timeframe pivots
Core Idea (3-Pivot Rule)
For each asset we compare the current daily closing level against three classic pivots from higher timeframes:
Previous Weekly pivot: (H+L+C)/3 of last completed week
Previous Monthly pivot: (H+L+C)/3 of last completed month
Previous 3-Monthly pivot: (H+L+C)/3 of last completed quarter
Bias Logic:
BULL → Price is above all three pivots
BEAR → Price is below all three pivots
MIXED → Price is in between (no clear alignment)
This is a clean, objective, and widely used institutional method to gauge short-term momentum alignment across multiple horizons.
Assets Tracke
SymbolMeaningSPX500S&P 500 IndexVIXVolatility IndexDXYUS Dollar IndexBTCUSDBitcoinXAUUSDGoldUSOILWTI Crude OilUS10Y10-Year US Treasury YieldUSDJPYJapanese Yen pair
Key Features
Real-time updating table in the bottom-left corner
Color coding: Lime = Bullish, Red = Bearish, Gray = Mixed
Optional "Change" column showing flips (▲/▼) when bias changes day-over-day
No repainting on closed daily bars (critical for reliability)
Compliant with TradingView rules (proper lookahead usage explained below)
Important Technical Notes (Why No Repainting)
lookahead = barmerge.lookahead_on is used only for higher-timeframe historical pivots → allowed and standard practice
Current price uses lookahead = barmerge.lookahead_off → reflects actual tradable daily close
Table only draws on barstate.islastconfirmedhistory or barstate.islast → prevents false signals on realtime bar
Limitations & Warnings
On intraday charts, the "current bias" updates with every tick using the running daily close
Bias can flip intraday before daily bar closes
On daily or higher charts, the dashboard is 100% confirmation-based and non-repainting
This is a bias filter, not a standalone trading system
F&O Premium % (Universal)Wealthcon inspired FAD % Indicator. Please use FUTURES chart in the overlaying Chart
Gould 10Y + 4Y patternDescription:
Overview This indicator is a comprehensive tool for macro-market analysis, designed to visualize historical market cycles on your chart. It combines Edson Gould’s famous Decennial Pattern with a Customizable 4-Year Cycle (e.g., 2002 base) to help traders identify long-term trends, potential market bottoms, and strong bullish years.
This tool is ideal for long-term investors and analysts looking for cyclical confluence on monthly or yearly timeframes (e.g., SPX, NDX).
Key Concepts
Edson Gould’s Decennial Pattern (10-Year Cycle)
Based on the theory that the stock market follows a psychological cycle determined by the last digit of the year.
5 (Strongest Bull): Historically the strongest performance years.
7 (Panic/Crash): Years often associated with market panic or crashes.
2 (Bottom/Buy): Years that often mark major lows.
Custom 4-Year Cycle (Target Year Strategy)
Identify recurring 4-year opportunities based on a user-defined base year.
Default Setting (Base 2002): Highlights years like 2002, 2006, 2010, 2014, 2018, 2022... which have historically been significant market bottoms or excellent buying opportunities.
When a "Target Year" arrives, the indicator highlights the background and displays a distinct Green "Target Year" Label.
Features
Real-time Dashboard: A table in the top-right corner displays the current year's status for both the 10-Year and 4-Year cycles, including a countdown to the next target year.
Dynamic Labels: Automatically marks every year on the chart with its Decennial status (e.g., "Strong Bull (5)", "Panic (7)").
Visual Highlighting:
Target Years: Distinct green background and labels for easy identification of the 4-year cycle.
Significant Decennial Years: Special small markers for years ending in 5 and 7.
Fully Customizable: You can change the base year for the 4-year cycle, toggle the dashboard, and adjust colors via the settings menu.
How to Use
Apply this indicator to high-timeframe charts (Weekly or Monthly) of major indices like S&P 500 or Nasdaq.
Look for confluence between the 10-Year Pattern (e.g., Year 6 - Bullish) and the 4-Year Cycle (Target Year) to confirm long-term bias.
Disclaimer This tool is for educational and research purposes only based on historical cycle theories. Past performance is not indicative of future results. Always manage your risk.
LETHINH-Swing pa,smc🟦 📌 Title (English)
Swing High / Swing Low – 3-Candle Fractal (5-Bar Pivot) | Auto Alerts
⸻
🟩 📌 Short Description
A clean and reliable swing high / swing low detector based on the classic 3-candle (5-bar) fractal pivot. Automatically marks SH/SL and triggers alerts when a swing is confirmed. No repainting after confirmation.
⸻
🟧 📌 Full Description (for TradingView Publishing)
🔶 Swing High / Swing Low – 3-Candle Fractal (5-Bar Pivot)
This indicator identifies Swing Highs (SH) and Swing Lows (SL) using the classic 3-candle fractal pattern, also known as the 5-bar pivot.
It marks swing points only after full confirmation, making it highly reliable and suitable for structure-based trading.
⸻
🔶 📍 How It Works
A swing is confirmed when the center candle is higher (or lower) than the two candles on each side:
Swing High (SH)
high > high , high , high
Swing Low (SL)
low < low , low , low
The confirmation occurs after 2 right candles close, so the indicator does not repaint once a swing is identified.
⸻
🔶 📍 Key Features
• Detects clean and accurate swings
• Uses pure price action — no indicators, no lag
• Marks swing high (SH) and swing low (SL) directly on the chart
• Non-repainting after confirmation
• Works on all timeframes and all markets
• Extremely lightweight and fast
• Includes alert conditions for both SH and SL
Perfect for traders using:
• Market Structure (BOS / CHoCH)
• Order Blocks (OB)
• Smart Money Concepts (SMC)
• Liquidity hunts
• Wyckoff
• Support/Resistance
• Price Action entries
⸻
🔶 📍 Why This Indicator Is Useful
Swing points are the foundation of market structure.
Accurately detecting them helps traders:
• Identify trend shifts
• Spot BOS / CHoCH correctly
• Find key zones (OB, liquidity levels, supply/demand)
• Time entries more precisely
• Avoid fake structure breaks
This indicator ensures swings are plotted only when fully confirmed, reducing noise and confusion.
⸻
🔶 📍 Alerts
You can create alerts for both conditions:
• Swing High Confirmed
• Swing Low Confirmed
Recommended settings:
• Once per bar close
• Open-ended alert
With alerts enabled, TradingView will automatically notify you every time a new swing forms.
⸻
🔶 📍 No Repainting
Once a swing is confirmed and plotted, it will not change or disappear.
This makes the indicator reliable for real-time alerts and backtesting.
⸻
🔶 📍 Pine Script (v5)
Paste your indicator code here if you want it visible.
Or leave the code hidden if you are publishing as protected.
⸻
🔶 📍 Final Notes
• This indicator focuses on confirmation, not prediction
• It is designed for clean structure reading
• All markets supported: Forex, Crypto, Stocks, Indexes, Commodities
• Suitable for scalping, intraday, swing, and even higher-timeframe trading
If you find this tool helpful, feel free to give it a like and add it to your favorites ❤️
Your support helps me share more tools with the community!
50-Week EMA & 100-Week MA (any TF)50-Week EMA & 100-Week MA
EMA 50W retains your stepline style.
MA 100W uses a normal smooth line (you can change style to stepline if you want).
Works on any timeframe — weekly calculation
Dumb Money Flow - Retail Panic & FOMO# Dumb Money Flow (DMF) - Retail Panic & FOMO
## 🌊 Overview
**Dumb Money Flow (DMF)** is a powerful **contrarian indicator** designed to track the emotional state of the retail "herd." It identifies moments of extreme **Panic** (irrational selling) and **FOMO** (irrational buying) by analyzing on-chain data, volume anomalies, and price velocity.
In crypto markets, retail traders often buy the top (FOMO) and sell the bottom (Panic). This indicator helps you do the opposite: **Buy when the herd is fearful, and Sell when the herd is greedy.**
---
## 🧠 How It Works
The indicator combines multiple data points into a single **Sentiment Index** (0-100), normalized over a 90-day period to ensure it always uses the full range of the chart.
### 1. Panic Index (Bearish Sentiment)
Tracks signs of capitulation and fear. High values contribute to the **Panic Zone**.
* **Exchange Inflows:** Spikes in funds moving to exchanges (preparing to sell).
* **Volume Spikes:** High volume during price drops (panic selling).
* **Price Crash (ROC):** Rapid, emotional price drops over 3 days.
* **Volatility (ATR):** High market nervousness and instability.
### 2. FOMO Index (Bullish Sentiment)
Tracks signs of euphoria and greed. High values contribute to the **FOMO Zone**.
* **Exchange Outflows:** Funds moving to cold storage (HODLing/Greed).
* **Profitable Addresses:** When >90% of holders are in profit, tops often form.
* **Parabolic Rise:** Rapid, unsustainable price increases.
---
## 🎨 Visual Guide
The indicator uses a distinct color scheme to highlight extremes:
* **🟢 Dark Green Zone (> 80): Extreme FOMO**
* **Meaning:** The crowd is euphoric. Risk of a correction is high.
* **Action:** Consider taking profits or looking for short entries.
* **🔴 Dark Burgundy Zone (< 20): Extreme Panic**
* **Meaning:** The crowd is capitulating. Prices may be oversold.
* **Action:** Look for buying opportunities (catching the knife with confirmation).
* **🔵 Light Blue Line:**
* The smoothed moving average of the sentiment, helpful for seeing the trend direction.
---
## 🛠️ How to Use (Trading Strategies)
### 1. Contrarian Reversals (The Primary Strategy)
* **Buy Signal:** Wait for the line to drop deep into the **Burgundy Panic Zone (< 20)** and then start curling up. This indicates that the worst of the selling pressure is over.
* **Sell Signal:** Wait for the line to spike into the **Green FOMO Zone (> 80)** and then start curling down. This suggests buying exhaustion.
### 2. Divergences
* **Bullish Divergence:** Price makes a **Lower Low**, but the DMF Indicator makes a **Higher Low** (less panic on the second drop). This is a strong reversal signal.
* **Bearish Divergence:** Price makes a **Higher High**, but the DMF Indicator makes a **Lower High** (less FOMO/buying power on the second peak).
### 3. Trend Confirmation (Midline Cross)
* **Crossing 50 Up:** Sentiment is shifting from Fear to Greed (Bullish).
* **Crossing 50 Down:** Sentiment is shifting from Greed to Fear (Bearish).
---
## ⚙️ Settings
* **Data Source:** Defaults to `INTOTHEBLOCK` for on-chain data.
* **Crypto Asset:** Auto-detects BTC/ETH, but can be forced.
* **Normalization Period:** Default 90 days. Determines the "window" for defining what is considered "Extreme" relative to recent history.
* **Weights:** You can customize how much each factor (Volume, Inflows, Price) contributes to the index.
---
**Disclaimer:** This indicator is for educational purposes only. "Dumb Money" analysis is a probability tool, not a crystal ball. Always manage your risk.
**Indicator by:** @iCD_creator
**Version:** 1.0
**Pine Script™ Version:** 6
---
## Updates & Support
For questions, suggestions, or bug reports, please comment below or message the author.
**Like this indicator? Leave a 👍 and share your feedback!**
Divergence Scanner
Scanner and Indication (Divergence Scanner & Signal)An advanced experimental indicator designed to detect instances of Divergence between price action and key oscillator metrics (e.g., RSI or MACD).The primary function of this script is for Screener use. It plots a numerical value (a value greater than zero) on the chart when a confirmed bullish or bearish divergence signal appears."
StockInfo: Sector/Industry /MarketCapThis indicator is designed to give traders a quick, accurate, and clean snapshot of the business fundamentals behind any Indian stock — directly on the chart. With a focus on the needs of retail investors, swing traders, and position traders, this tool displays the most important classification details used in market analysis:
✔ Sector
✔ Industry
✔ Market-Cap Category (Large / Mid / Small Cap – SEBI aligned)
✔ Stock Symbol (Exchange:Ticker)
All information is shown in a compact, customizable table, positioned neatly on the chart without disturbing your technical analysis.
Why this indicator is useful
1️⃣ Know what you are trading — instantly
Many traders unknowingly enter trades without checking whether a stock is:
part of the right sector cycle
in a strong or weak industry
a large, mid, or small cap
This tool puts that information right in front of you, saving time and preventing mistakes.
2️⃣ Helps identify sector rotation & industry strength
Sector and industry trends often drive strong multi-week moves.
This indicator allows you to:
Quickly compare a stock’s sector with others
Spot sector rotation early
Filter stocks based on industry strength
Perfect for momentum, trend, and positional traders.
3️⃣ Automatic Market-Cap Classification (SEBI-aligned)
The script automatically categorizes stocks into:
LARGE CAP (safe, stable, institutional favourites)
MID CAP (growth stage, volatile but rewarding)
SMALL CAP (high-risk, high-reward)
Great for risk profiling and deciding correct position size and portfolio allocation.
4️⃣ Fully Customisable User Interface
You can change:
Table position (all four corners)
Font size (Tiny → Huge)
Header & value colors
Background colors
Border color & width
Which rows to display
This keeps the indicator clean and flexible for every type of chart layout.
5️⃣ Perfect for Traders Who Combine Fundamentals + Technicals
This is not a heavy fundamental tool.
Instead, it gives you exactly the core business details you need while performing technical analysis.
Useful for:
Swing traders
Position traders
Portfolio allocation
Index-relative comparison
Sector/industry-based screening
How traders typically use this indicator
Identify the sector leader in a breakout
Avoid weak or declining industries
Confirm if a stock fits your risk profile
Quickly check classification during live market
Build thematic watchlists (Auto, IT, Pharma, PSU, Defense, etc.)
Avoid mixing small-caps into large-cap strategies
Compare sector rotation with Nifty, Bank Nifty & broader indices
Conclusion
This indicator enhances any chart by adding high-level business intelligence directly on screen.
It improves decision-making, reduces time spent switching between windows, and keeps your analysis complete — all in one place.
If you trade Indian equities, this is one of the simplest yet most powerful fundamental overlays you can add to your workflow.
ETH MASTER v1ETH MASTER v1 is a comprehensive indicator designed specifically for Ethereum trend tracking, cost analysis, and momentum evaluation.
It combines multiple analytical layers into a clean, easy-to-read system suitable for both beginners and experienced traders.
Features
✔ EMA Trend System
Plots EMA20 and EMA50
Generates Bull Cross and Bear Cross labels when EMA20 crosses above or below EMA50
Helps identify short–mid term trend direction shifts
✔ Average Cost Line
Displays the user-defined average entry price
When price drops below the average cost, a risk warning background is activated
✔ Trend Background Coloring
Green background during bullish conditions
Red background during bearish conditions
Dark-red background when price is below the user’s cost (high-risk zone)
✔ Trend Power (0–100 Score)
A normalized momentum score derived from the distance between EMA20 and EMA50
Higher values = stronger trend
Lower values = weaker momentum or consolidation
✔ Built-in Alert Conditions
Bull Cross Alert: EMA20 crosses above EMA50
Bear Cross Alert: EMA20 crosses below EMA50
Below Cost Alert: Price falls under the average cost
Purpose
ETH MASTER v1 provides a clear, structured view of Ethereum’s market behavior.
It simplifies trend analysis, identifies momentum shifts, and highlights risk zones.
Ideal for long-term ETH tracking, portfolio monitoring, and disciplined trading strategies.
Dual MACD📘 Dual MACD — Synopsis
The Dual MACD indicator displays two separate MACD systems inside the same pane, allowing traders to compare fast and slow momentum behavior simultaneously.
What It Includes
Two fully adjustable MACDs
MACD 1 default: 12 / 12 / 9
MACD 2 default: 8 / 20 / 6
Show/Hide Toggles so each MACD can be viewed independently or together.
MACD Lines, Signal Lines, and Histograms for both systems.
Clean layout with a compact panel title: “MACD x2”
What It Helps You See
Short-term vs. longer-term momentum shifts
Faster MACD reacting to quick trend changes
Slower MACD confirming or filtering signals
Trend strength, momentum acceleration, and crossover behavior in a single pane
Why It’s Useful
The Dual MACD gives you momentum confirmation, fakeout filtering, and multi-speed trend insight—making it valuable for scalpers, intraday traders, and swing traders who want to reduce noise and improve signal quality.
NIFTY Futures Premium %WEALTHCON inspired NIFTY FAD % indicator . Please use Nifty spot chart in overlaying chart
Avengers Ultimate V5 (Watch Profit)"Designed as a trend-following system, this strategy integrates the core principles of legends like Mark Minervini, Stan Weinstein, William O'Neil, and Jesse Livermore. It has been fine-tuned for the Korean market and provides distinct entry and exit protocols for different market scenarios."
Thirdeyechart Gold DoomsdayThirdeyechart Gold Doomsday – Full Description
Thirdeyechart Gold Simulation Final 3 is a professional-grade TradingView indicator designed to monitor the global gold market across multiple XAU pairs simultaneously. This version is engineered to provide a complete, multi-timeframe view of gold’s momentum while incorporating buy/sell simulation, trend strength, and safe/unsafe trade detection, all in a clean, visually organized table.
Key Functions and Features
Custom Pairs Input
Traders can specify any number of XAU-related pairs using a comma-separated input.
The script dynamically handles all pairs without requiring manual adjustments.
Percent Change Function (f_change)
Calculates the percentage change for a given symbol and timeframe:
pct_change = ((close_tf - open_tf) / open_tf) * 100
Supports weekly (W), daily (D), 4-hour (H4), and 1-hour (H1) timeframes.
Positive changes are colored blue, negative changes red for instant visual assessment.
Table Setup
Dynamically generates a table based on the number of XAU pairs.
Displays Symbol, Week %, Day %, H4 %, H1 %, BuySim, SellSim in a clean, boxed format.
Color-coded cells for easy recognition of positive vs negative momentum.
Buy & Sell Simulation
Separates each timeframe into positive (buy) and negative (sell) contributions:
Positive value → added to BuySim
Negative value → added to SellSim
Summed across all timeframes per symbol, allowing a macro-level simulation of market pressure.
Total BuySim / SellSim provides a clear view of dominance without signaling actual trades.
Total Row Calculation
Sums Week, Day, H4, H1 across all symbols to show aggregate market movement.
BuySim and SellSim totals highlight overall market pressure.
Provides context for trend alignment across multiple pairs.
Strength Row (f_strength)
Interprets total movement per timeframe:
>0 → Strong
<0 → Weak
0 → Neutral
Combined with BuySim/SellSim to display a trend bias: “Buy Bias” or “Sell Bias.”
Safe / Unsafe Trade Detection
Compares total BuySim and SellSim:
distance = abs(totalBuy - totalSell)
threshold = totalAll * 0.50
Trade considered safe if distance ≥ threshold → green label.
Trade considered unsafe if distance < threshold → red label.
Provides a reasoning context (e.g., “clear dominance by buyers” or “sellers can dominate the market”), allowing quick risk assessment.
This function ensures traders know whether market momentum is decisive or uncertain.
Visual Design
Uses background colors for header, cells, total, and strength rows to improve readability.
All data is organized in a compact, easy-to-read table, with dynamic scaling depending on the number of pairs.
Why This Indicator is Advanced
Multi-Timeframe Analysis: Simultaneously monitors W, D, H4, H1 for each XAU pair.
Global Perspective: Shows aggregated momentum across 8 gold pairs to track overall market direction.
Risk Awareness: Safe/Unsafe trade detection helps identify strong trends versus indecisive conditions.
Institutional Approach: Combines global data and technical calculation similar to professional trading terminals.
Disclaimer
This indicator is educational and analytical only. It does not provide financial advice or direct trade signals. Users are responsible for their own trading decisions, and all markets carry risk.
© 2025 Thirdeyechart. All rights reserved. Redistribution or commercial use without permission is prohibited.
Meu scriptPricemap CONTROL (2, 1, 1, 5, 15, 60, 3, 50, 200, 14, 12, 26, 9, bottom_right, 21, 14, 14, 1, 1,5)






















