Market Cap Landscape 3DHello, traders and creators! 👋
Market Cap Landscape 3D. This project is more than just a typical technical analysis tool; it's an exploration into what's possible when code meets artistry on the financial charts. It's a demonstration of how we can transcend flat, two-dimensional lines and step into a vibrant, three-dimensional world of data.
This project continues a journey that began with a previous 3D experiment, the T-Virus Sentiment, which you can explore here:
The Market Cap Landscape 3D builds on that foundation, visualizing market data—particularly crypto market caps—as a dynamic 3D mountain range. The entire landscape is procedurally generated and rendered in real-time using the powerful drawing capabilities of polyline.new() and line.new() , pushed to their creative limits.
This work is intended as a guide and a design example for all developers, born from the spirit of learning and a deep love for understanding the Pine Script™ language.
---
🧐 Core Concept: How It Works
The indicator synthesizes multiple layers of information into a single, cohesive 3D scene:
The Surface: The mountain range itself is a procedurally generated 3D mesh. Its peaks and valleys create a rich, textured landscape that serves as the canvas for our data.
Crypto Data Integration: The core feature is its ability to fetch market cap data for a list of cryptocurrencies you provide. It then sorts them in descending order and strategically places them onto the 3D surface.
The Summit: The highest point on the mountain is reserved for the asset with the #1 market cap in your list, visually represented by a flag and a custom emblem.
The Mountain Labels: The other assets are distributed across the mountainside, with their rank determining their general elevation. This creates an intuitive visual hierarchy.
The Leaderboard Pole: For clarity, a dedicated pole in the back-right corner provides a clean, ranked list of the symbols and their market caps, ensuring the data is always easy to read.
---
🧐 Example of adjusting the view
To evoke the feeling of flying over mountains
To evoke the feeling of looking at a mountain peak on a low plain
🧐 Example of predefined colors
---
🚀 How to Use
Getting started with the Market Cap Landscape 3D:
Add to Chart: Apply the "Market Cap Landscape 3D" indicator to your active chart.
Open Settings: Double-click anywhere on the 3D landscape or click the "Settings" icon next to the indicator's name.
Customize Your Crypto List: The most important setting is in the Crypto Data tab. In the "Symbols" text area, enter a comma-separated list of the crypto tickers you want to visualize (e.g., BTC,ETH,SOL,XRP ). The indicator supports up to 40 unique symbols.
> Important Note: This indicator exclusively uses TradingView's `CRYPTOCAP` data source. To find valid symbols, use the main symbol search bar on your chart. Type `CRYPTOCAP:` (including the colon) and you will see a list of available options. For example, typing `CRYPTOCAP:BTC` will confirm that `BTC` is a valid ticker for the indicator's settings. Using symbols that do not exist in the `CRYPTOCAP` index will result in a script error. or, to display other symbols, simply type CRYPTOCAP: (including the colon) and you will see a list of available options.
Adjust Your View: Use the settings in the Camera & Projection tab to rotate ( Yaw ), tilt ( Pitch ), and scale the landscape until you find a view you love.
Explore & Customize: Play with the color palettes, flag design, and other settings to make the landscape truly your own!
---
⚙️ Settings & Customization
This indicator is highly customizable. Here’s a breakdown of what each setting does:
#### 🪙 Crypto Data
Symbols: Enter the crypto tickers you want to track, separated by commas. The script automatically handles duplicates and case-insensitivity.
Show Market Cap on Mountain: When checked, it displays the full market cap value next to the symbol on the mountain. When unchecked, it shows a cleaner look with just the symbol and a colored circle background.
#### 📷 Camera & Projection
Yaw (°): Rotates the camera view horizontally (side to side).
Pitch (°): Tilts the camera view vertically (up and down).
Scale X, Y, Z: Stretches or compresses the landscape in width, depth, and height, respectively. Fine-tune these to get the perfect perspective.
#### 🏞️ Grid / Surface
Grid X/Y resolution: Controls the detail level of the 3D mesh. Higher values create a smoother surface but may use more resources.
Fill surface strips: Toggles the beautiful color gradient on the surface.
Show wireframe lines: Toggles the visibility of the grid lines.
Show nodes (markers): Toggles the small dots at each grid intersection point.
#### 🏔️ Peaks / Mountains
Fill peaks volume: Draws vertical lines on high peaks, giving them a sense of volume.
Fill peaks surface: Draws a cross-hatch pattern on the surface of high peaks.
Peak height threshold: Defines the minimum height for a peak to receive the fill effect.
Peak fill color/density: Customizes the appearance of the fill lines.
#### 🚩 Flags (3D)
Show Flag on Summit: A master switch to show or hide the flag and emblem entirely.
Flag height, width, etc.: Provides full control over the dimensions and orientation of the flag on the highest peak.
#### 🎨 Color Palette
Base Gradient Palette: Choose from 13 stunning, pre-designed color themes for the landscape, from the classic SUNSET_WAVE to vibrant themes like NEON_DREAM and OCEANIC .
#### 🛡️ Emblem / Badge Controls
This section gives you granular control over every element of the custom emblem on the flag. Tweak rotation, offsets, and scale to design your unique logo.
---
👨💻 Developer's Corner: Modifying the Core Logic
If you're a developer and wish to customize the indicator's core data source, this section is for you. The script is designed to be modular, making it easy to change what data is being ranked and visualized.
The heart of the data retrieval and ranking logic is within the f_getSortedCryptoData() function. Here’s how you can modify it:
1. Changing the Data Source (from Market Cap to something else):
The current logic uses request.security("CRYPTOCAP:" + syms.get(i), ...) to fetch market capitalization data. To change this, you need to modify this line.
Example: Ranking by RSI (14) on the Daily timeframe.
First, you'll need a function to calculate RSI. Add this function to the script:
f_getRSI(symbol, timeframe, length) =>
request.security(symbol, timeframe, ta.rsi(close, length))
Then, inside f_getSortedCryptoData() , find the `for` loop that populates the `caps` array and replace the `request.security` call:
// OLD LINE:
// caps.set(i, request.security("CRYPTOCAP:" + syms.get(i), timeframe.period, close))
// NEW LINE for RSI:
// Note: You'll need to decide how to format the symbol name (e.g., "BINANCE:" + syms.get(i) + "USDT")
caps.set(i, f_getRSI("BINANCE:" + syms.get(i) + "USDT", "D", 14))
2. Changing the Data Formatting:
The ranking values are formatted for display using the f_fmtCap() function, which currently formats large numbers into "M" (millions), "B" (billions), etc.
If you change the data source to something like RSI, you'll want to change the formatting. You can modify f_fmtCap() or create a new formatting function.
Example: Formatting for RSI.
// Modify f_fmtCap or create f_fmtRSI
f_fmtRSI(float v) =>
str.tostring(v, "#.##") // Simply format to two decimal places
Remember to update the calls to this function in the main drawing loop where the labels are created (e.g., str.format("{0}: {1}", crypto.symbol, f_fmtCap(crypto.cap)) ).
By modifying these key functions ( f_getSortedCryptoData and f_fmtCap ), you can adapt the Market Cap Landscape 3D to visualize and rank almost any dataset you can imagine, from technical indicators to fundamental data.
---
We hope you enjoy using the Market Cap Landscape 3D as much as we enjoyed creating it. Happy charting! ✨
Sentiment
Major & Modern Wars TimelineDescription:
This indicator overlays vertical lines and labels on your chart to mark the start and end dates of major global wars and modern conflicts.
Features:
Displays start (red line + label) and end (green line + label) for each war.
Covers 20th century wars (World War I, World War II, Korean War, Vietnam War, Gulf War, Afghanistan, Iraq).
Includes modern conflicts: Syrian Civil War, Ukraine War, and Israel–Hamas War.
For ongoing conflicts, the end date is set to 2025 for timeline visualization.
Customizable: label position (above/below bar), line width.
Works on any chart timeframe, overlaying events on financial data.
Use case:
Useful for historical market analysis (e.g., gold, oil, S&P 500), helping traders and researchers see how wars and conflicts align with market movements.
FED Rate Decisions (Cuts & Hikes)This indicator highlights key moments in U.S. monetary policy by plotting vertical lines on the chart for Federal Reserve interest rate decisions.
Features:
Rate Cuts (red): Marks dates when the Fed reduced interest rates.
Rate Hikes (green): Marks dates when the Fed increased interest rates.
Configurable view: Choose between showing all historical decisions or only those from 2019 onwards.
Labels: Each event is tagged with “FED CUT” or “FED HIKE” above or below the bar (adjustable).
Alerts: You can set TradingView alerts to be notified when the chart reaches a Fed decision day.
🔧 Inputs:
Show decisions: Switch between All or 2019+ events.
Show rate cuts / hikes: Toggle visibility separately.
Colors: Customize line and label colors.
Label position: Place labels above or below the bar.
📈 Usage:
This tool helps traders and investors visualize how Fed policy shifts align with market movements. Rate cuts often signal economic easing, while hikes suggest tightening monetary policy. By overlaying these events on price charts, you can analyze historical reactions and prepare for similar scenarios.
Volume Range Ratio EFFORTVolume Divided by Range Histogram
With an adjustable high line to see when there is a struggle between buyers and sellers
and an adjustable EMA for the histogram
OHLC + Range + Volume DashboardSelf Explanatory; also includes volume divided by range labeled "Effort"
Market Session Zones | ⓤ² קг๏The Market Session Zones indicator highlights the three most important trading sessions — Asia, London, and New York — by automatically drawing boxes around each. Quickly spot where liquidity and volatility shift as markets open and overlap.
Features:
✅ Clean session boxes for Asia, London, and NY
✅ Optional OHLC labels below each session box
✅ Instantly compare ranges across sessions
✅ Works on any symbol or timeframe in TradingView
Perfect for traders who rely on session-based analysis, this tool makes it easy to track price behavior during each session, identify key levels, and plan trades around global market activity.
Stay ahead by seeing the market structure that matters most — session by session.
Quantura – Quantitative AlgorithmIntroduction
“Quantura – Quantitative Algorithm” is an algorithmic trading strategy written in Pine Script that combines technical indicators with fundamental market assessments. It was primarily developed for volatile crypto markets but can also be applied to Forex, equities, or indices with proper adjustments. The strategy works across multiple timeframes and generates automated buy and sell signals based on a wide range of market and sentiment data. Its goal is to produce robust trading signals through confluence across several analytical layers, without making unrealistic profit promises.
Originality & Value
Quantura stands out due to its unique combination of features: In addition to classic indicators, it incorporates customizable fundamental analysis and sentiment inputs that allow flexible adaptation to current market conditions. Unlike simpler strategies, the user can manually set the fundamental bias (bullish/bearish/neutral) and market sentiment, making the strategy more cautious or aggressive as needed.
Furthermore, Quantura combines multiple timeframes : a higher timeframe (HTF, e.g., daily) and a lower timeframe (LTF, e.g., intraday). This approach allows long-term trends to be aligned with short-term entry signals.
Key components include:
Market Structure Analysis: Identifies higher highs and lower lows on the higher timeframe.
Order Block Filter: Detects significant price levels (order blocks) with strong volume to filter out weak entries.
Exponential Moving Averages (EMA): Adjustable HTF EMA filter for trend confirmation.
Adaptive Premium/Discount Zones: Defines overvaluation (premium) and undervaluation (discount) areas based on HTF highs and lows.
Candlestick Pattern Recognition: Optional detection of specific candle formations (Hammer, Shooting Star, Engulfing, Marubozu, etc.).
Correlation Filter (optional): Cross-checks correlations between the main asset and a reference asset (e.g., SPY).
Functionality & Indicators
The strategy uses an RSI-based entry trigger as its primary signal: When the RSI (default: 10 periods) exits overbought/oversold zones, a potential long or short signal is created. However, an entry is only executed if all selected confluence filters align .
Quantura also integrates fundamental bias : The user-defined inputs for “Market Sentiment” and “Fundamental Analysis” add a bullish, bearish, or neutral weighting to the decision logic. An optional correlation filter compares price changes of the target asset with a reference symbol, confirming or rejecting trades based on correlation strength.
When all conditions are met, Quantura opens a position. Pyramiding is disabled (only one active trade at a time). Exits are managed primarily with ATR-based targets and stops , calculated dynamically from market volatility. Optional breakeven stops and session-end exits provide additional trade control.
Parameters & Customization
Quantura provides extensive input parameters for flexible configuration:
Time & Session Settings: HTF and LTF selection, trade direction (Long/Short/Both), trading session hours, weekday filters.
Filters: Enable or disable filters such as HTF structure, order blocks (with customizable volume multiplier), premium/discount zones, high-volume zones, HTF EMA filter, candlestick pattern filter, and ATR volatility filter.
RSI Entry Settings: RSI length and thresholds for overbought/oversold.
Fundamental Settings: Current market sentiment and fundamental analysis inputs (bullish/bearish/neutral).
Correlation Settings: Reference asset and correlation strength (High/Low).
Exit Rules: ATR-based TP/SL multipliers, optional breakeven logic, session-end exits, and opposite-signal exits.
Visual Settings: Enable or disable buy/sell signals, trend candles, custom colors, and the built-in dashboard.
Backtesting & Performance
Backtests on BTCUSD (2 years) showed:
72 trades
46% win rate
Profit factor: 1.6
Maximum drawdown: 10%
These results demonstrate moderate profitability with controlled risk. However, with only 72 trades in two years, statistical reliability is limited. TradingView generally recommends over 100 trades for meaningful results.
Risk Management
Quantura includes several built-in risk management mechanisms:
ATR-based TP/SL: Dynamic profit targets and stop-losses based on ATR multiples.
Position sizing: Default is 100% equity (for backtests). In practice, smaller allocations (5–10%) are strongly recommended.
Breakeven stop (optional): Moves SL to entry price after a predefined profit threshold.
Opposite-signal exit: Closes and reverses trades when a contrary signal appears.
Session-end exit: Automatically closes intraday positions at the end of a trading session.
Limitations & Market Conditions
Quantura is most effective in volatile, liquid markets like crypto. In low-volatility sideways markets, signals may be less reliable. Unexpected news events can also invalidate signals, regardless of technical/fundamental bias.
Backtest results are based on BTCUSD. For other markets (Forex, equities, indices), parameter adjustments are required. Users should conduct their own extended backtests before live usage.
Usage Guide
Add to chart: Apply “Quantura – Quantitative Algorithm” in strategy mode.
Set timeframes: Choose HTF (e.g., 1D) and LTF (e.g., 5m). Define trade direction and sessions.
Configure filters: Enable/disable confluence filters as needed.
Set fundamentals: Enter current sentiment and fundamental bias.
Define exits: Adjust ATR multipliers, breakeven rules, and session-end exits.
Review signals: Check buy/sell markers, candle coloring, and the dashboard. Analyze in Strategy Tester.
Author & Access
The strategy was developed 100% by Quantura and is published as an Invite-Only script . Access is granted upon request. Instructions are available in the Author’s Instructions field (e.g., via the Quantura website).
Important: This description complies with TradingView’s official publishing rules. It avoids pricing or solicitation and provides a realistic, honest explanation of the strategy’s features and limitations.
ActivTrades - Crypto Fear & Greed Index - Ion JaureguiActivTrades - Crypto Fear & Greed Index - Ion Jauregui
This indicator measures the overall sentiment of the crypto market by combining key metrics: RSI, volatility, volume, BTC momentum, and altcoin dominance. Each component is normalized and weighted to generate an index from 0 to 100:
0–40 → Fear zone: investors show risk aversion.
40–60 → Neutral zone: market is balanced.
60–100 → Greed zone: investors show euphoria and higher risk appetite.
The indicator allows traders to quickly visualize market conditions and identify potential investment opportunities based on overall sentiment.
*******************************************************************************************
The information provided does not constitute investment research. The material has not been prepared in accordance with the legal requirements designed to promote the independence of investment research and such should be considered a marketing communication.
All information has been prepared by ActivTrades ("AT"). The information does not contain a record of AT's prices, or an offer of or solicitation for a transaction in any financial instrument. No representation or warranty is given as to the accuracy or completeness of this information.
Any material provided does not have regard to the specific investment objective and financial situation of any person who may receive it. Past performance and forecasting are not a synonym of a reliable indicator of future performance. AT provides an execution-only service. Consequently, any person acting on the information provided does so at their own risk. Political risk is unpredictable. Central bank actions can vary. Platform tools do not guarantee success.
INDICATORS RISK ADVICE: The information and publications are not meant to be, and do not constitute, financial, investment, trading, or other types of advice or recommendations supplied or endorsed by ActivTrades. This script intends to help follow the trend and filter out market noise. This script is meant for the use of international users. This script is not meant for the use of Spain users.
Volatility (fear) & Momentum (speed and direction)Part 1: The Vix-Fix Wave (Measuring Fear)
This section helps you identify moments of extreme market fear, which are often the best times to look for buying opportunities.
Visual Elements:
Purple Line (The Vix-Fix Wave): This is the most important line here. It's a "fear gauge."
When it's HIGH: It means the market has recently dropped hard and fast. Fear is high, and sellers might be exhausted.
When it's LOW: It means the market is calm and there is little fear.
Gray Circles (Upper Band): This is a statistical "extreme" level for fear. Think of it as the redline on a tachometer. When the purple line goes above these circles, it signals that fear has reached a critical level.
Gray Crosses (Percentile High): This is another, slightly different way to measure an "extreme" fear level. Your strategy uses either the circles or the crosses to define an extreme.
How to Read the Vix-Fix Signal:
The real magic happens not when fear is at its peak, but when it starts to fade. The WhaleFusion strategy looks for this exact moment:
The purple line (fear) goes ABOVE the gray circles or crosses. (This means "Panic is here!").
Then, on a later candle, the purple line drops back BELOW the circles and crosses. (This means "The panic is subsiding, and buyers may be stepping in.").
This sequence is what generates the filteredFE and aggrAE signals that contribute to your scoreLong in the main strategy.
Part 2: The Squeeze Momentum (Measuring Speed & Direction)
This section shows you the market's underlying momentum. Is the trend strong? Is it weakening? Is it about to reverse?
Visual Elements:
Teal/Red Line (Momentum): This line shows you the direction and strength of the current price move.
Above the Dashed Zero Line: Bullish (upward) momentum is in control.
Below the Dashed Zero Line: Bearish (downward) momentum is in control.
The Color: The color tells you if it's stronger than its average.
Teal: Bullish momentum is leading.
Red: Bearish momentum is leading.
Yellow Crosses (The Signal Line): This is a simple moving average of the Momentum line. It's a "slower" version. Crossovers between the fast (Teal/Red) line and the slow (Yellow) line are important.
When the Teal/Red line crosses ABOVE the Yellow crosses, it's a bullish signal.
When the Teal/Red line crosses BELOW the Yellow crosses, it's a bearish signal.
Light Teal/Red Background (Momentum Direction): This is a very useful leading indicator. It simply shows if the main Momentum line is rising or falling on the current candle.
Light Teal Background: Momentum is increasing (accelerating).
Light Red Background: Momentum is decreasing (decelerating). For example, you might see a strong Teal momentum line that is still high, but the background turns red. This is an early warning that the bullish run is losing steam.
How to Use Them Together (The "WhaleFusion" Logic)
The strategy becomes powerful when these two components align.
A High-Quality Long Signal: You would look for a situation where the Vix-Fix just signaled that fear is subsiding (purple line drops below the gray markers) AND the Squeeze Momentum is either crossing up through the zero line or is already strongly positive (Teal line with a Teal background). This combination means you are potentially "buying the dip" just as strong momentum is confirming the new upward direction.
A Warning Sign: If the Vix-Fix gives a buy signal (fear is fading) but the Squeeze Momentum is still deep in the red and falling, the strategy will likely not take a trade. This indicates that even though there was a panic, there is no upward momentum yet to support a new long position.
US Presidents 1789–1916Description:
This indicator displays all U.S. presidential elections from 1789 to 1916 on your chart.
Features:
Vertical lines at the date of each presidential election.
Line color by party:
Red = Republican
Blue = Democrat
Gray = Other/None
Labels showing the name of each president.
Historical flag style: All presidents before 1900 are considered historical, providing visual distinction.
Fully overlayed on the price chart for timeline context.
Customizable: Label position (above/below bar) and line width.
Use case: Great for studying historical market behavior around elections or for general reference of U.S. presidents during the early history of the country.
US Presidents 1920–2024Description:
This indicator displays all U.S. presidential elections from 1920 to 2024 on your chart.
Features:
Vertical lines at the date of each presidential election.
Line color by party:
Red = Republican
Blue = Democrat
Gray = Other/None
Labels showing the name of each president.
Modern flag style: Presidents from 1900 onward are highlighted as modern, giving clear historical separation.
Fully overlayed on the price chart for timeline context.
Customizable: Label position (above/below bar) and line width.
Use case: Useful for analyzing modern U.S. presidential cycles, market reactions to elections, or quickly referencing recent presidents directly on charts.
Trend/Chop/Range✅ CHOP, ADX, ATR-based Trend/Choppy/Range detection
✅ Multi-timeframe noise filtering
✅ Fully customizable dashboard and colors
✅ Auto ATR baseline (using 0.0 as a default input for auto-mode)
✅ Alerts for dominant market states
Trend Shift Histogram By Clarity ChartsTrend Shift Histogram – A Brand New Formula by Clarity Charts
The Trend Shift Histogram is a brand-new mathematical formula designed to capture market momentum shifts with exceptional clarity.
Unlike traditional histograms, this indicator focuses on detecting early changes in market direction by analyzing underlying trend strength and momentum imbalances.
Key Features:
New Formula – Built from scratch to highlight momentum reversals and hidden trend shifts.
Visual Clarity – Green and red histogram bars make it easy to identify bullish and bearish phases, and grey area as trend reversal or sideways zone.
Trend Detection – Helps traders spot when the market is about to shift direction, often before price reacts strongly.
Scalable Settings –
Use smaller lengths for scalping and short-term trades.
Use larger lengths for swing trading and longer trend analysis.
Every Timeframe Ready – Whether you’re scalping on 1m or analyzing weekly charts, the histogram adapts seamlessly.
Power of Combining with the Fear Index
The Trend Shift Histogram becomes even more powerful when combined with Fear Index by Clarity Charts :
Fear Index by Clarity Charts
Together:
Fear Index highlights market fear & exhaustion levels, showing when traders are capitulating.
Trend Shift Histogram confirms the direction of the new trend once fear has peaked.
How to Use:
📈 Long Entry Condition
A long position is triggered when the following conditions align:
The Fear Index Bulls are showing upward momentum, indicating strengthening bullish sentiment.
The Fear Index Bears are simultaneously declining, signaling weakening bearish pressure.
The Trend Shift Histogram transitions from a short bias to a long bias, confirming a structural shift in market direction.
When all three conditions occur together, it provides a strong confluence to initiate a long trade entry.
📉 Short Entry Condition
A short position is triggered when the opposite conditions align:
The Fear Index Bears are showing upward momentum, indicating strengthening bearish sentiment.
The Fear Index Bulls are simultaneously declining, signaling weakening bullish pressure.
The Trend Shift Histogram transitions from a long bias to a short bias, confirming a structural shift in market direction.
When all three conditions occur together, it provides a strong confluence to initiate a short trade entry.
🔄 Bullish Trend Cycle
During a bullish phase as per the Fear Index, you can capture the entire cycle by:
Entry: Taking entries when the Trend Shift Histogram begins printing green bars, which mark the start of a bullish trend shift.
Exit: Closing the position when the histogram transitions to grey bars, signaling exhaustion or a potential pause in the bullish cycle.
This approach allows you to ride the bullish momentum effectively while respecting market cycle shifts.
🔻 Bearish Trend Cycle
During a bearish phase as per the Fear Index, you can capture the entire cycle by:
Entry: Taking entries when the Trend Shift Histogram begins printing red bars, which mark the start of a bearish trend shift.
Exit: Closing the position when the histogram transitions to grey bars, signaling exhaustion or a potential pause in the bearish cycle.
This approach ensures that bearish trends are traded with precision, avoiding late entries and capturing maximum move potential.
Watch for histogram color changes (green = bullish, red = bearish, grey = sideways).
Adjust length settings based on your style:
Small = intraday & scalping precision.
Large = swing & positional confidence.
Combine signals with Fear Index peaks for high-probability reversal zones.
Apply across any timeframe for flexible strategy building.
Who Can Use This
Scalpers – Catch quick intraday shifts.
Swing Traders – Ride bigger moves with confidence.
Long-Term Investors – Spot early warning signs of market trend reversals.
Contact & Support
For collaboration, premium indicators, or custom strategy building:
theclaritycharts@gmail.com
JL - Market HeatmapThis indicator plots a static table on your chart that displays any tickers you want and their % change on the day so far.
It updates in real time, changes color as it updates, and has several custom functions available for you:
1. Plot up to 12 tickers of your choice
2. Choose a layout with 1-4 rows
3. Display % Change or Not
4. Choose your font size (Tiny, Small, Normal, Large)
5. Up/Down Cell Colors (% change dependent)
6. Up/Down Text Colors (high contrast to your color choices)
The purpose of the indicator is to quickly measure a broad basket of market instruments to paint a more context-rich perspective of the chart you are looking at.
I hope this indicator can help you (and me) accomplish this task in a simple, clean, and seamless manner.
Thanks and enjoy - Jack
Signalgo Strategy ISignalgo Strategy I: Technical Overview
Signalgo Strategy I is a systematically engineered TradingView strategy script designed to automate, test, and manage trend-following trades using multi-timeframe price/volume logic, volatility-based targets, and multi-layered exit management. This summary covers its operational structure, user inputs, entry and exit methodology, unique technical features, and practical application.
Core Logic and Workflow
Multi-Timeframe Data Synthesis
User-Defined Timeframe: The user chooses a timeframe (e.g., 1H, 4H, 1D, etc.), on which all strategy signals are based.
Cross-Timeframe Inputs: The strategy imports closing price, volume, and Average True Range (ATR) for the selected interval, independently from the chart’s native timeframe, enabling robust multi-timeframe analysis.
Price Change & Volume Ratio: It calculates the percent change of price per bar and computes a volume ratio by comparing current volume to its 20-bar moving average—enabling detection of true “event” moves vs. normal market noise.
Hype Filtering
Anti-Hype Mechanism: An entry is automatically filtered out if abnormal high volume occurs without corresponding price movement, commonly observed during manipulation or announcement periods. This helps isolate genuine market-driven momentum.
User Inputs
Select Timeframe: Choose which interval drives signal generation.
Backtest Start Date: Specify from which date historical signals are included in the strategy (for precise backtests).
Take-Profit/Stop-Loss Configuration: Internally, risk levels are set as multiples of ATR and allow for three discrete profit targets.
Entry Logic
Trade Signal Criteria:
Price change magnitude in the current bar must exceed a fixed sensitivity threshold.
Volume for the bar must be significantly elevated compared to average, indicating meaningful participation.
Anti-hype check must not be triggered.
Bullish/Bearish Determination: If all conditions are met and price change direction is positive, a long signal triggers. If negative, a short signal triggers.
Signal Debouncing: Ensures a signal triggers only when a new condition emerges, avoiding duplicate entries on flat or choppy bars.
State Management: The script tracks whether an active long or short is open to avoid overlapping entries and to facilitate clean reversals.
Exit Strategy
Take-Profits: Three distinct profit targets (TP1, TP2, TP3) are calculated as fixed multiples of the ATR-based stop loss, adapting dynamically to volatility.
Reversals: If a buy signal appears while a short is open (or vice versa), the existing trade is closed and reversed in a single step.
Time-Based Exit: If, 49 bars after entry, the trade is in-profit but hasn’t reached TP1, it exits to avoid stagnation risk.
Adverse Move Exit: The position is force-closed if it suffers a 10% reversal from entry, acting as a catastrophic stop.
Visual Feedback: Each TP/SL/exit is plotted as a clear, color-coded line on the chart; no hidden logic is used.
Alerts: Built-in TradingView alert conditions allow automated notification for both entries and strategic exits.
Distinguishing Features vs. Traditional MA Strategies
Event-Based, Not Just Slope-Based: While classic moving average strategies enter trades on MA crossovers or slope changes, Signalgo Strategy I demands high-magnitude price and volume confirmation on the chosen timeframe.
Volume Filtering: Very few MA strategies independently filter for meaningful volume spikes.
Real Market Event Focus: The anti-hype filter differentiates organic market trends from manipulated “high-volume, no-move” sessions.
Three-Layer Exit Logic: Instead of a single trailing stop or fixed RR, this script manages three profit targets, time-based closures, and hard adverse thresholds.
Multi-Timeframe, Not Chart-Dependent: The “main” analytical interval can be set independently from the current chart, allowing for in-depth cross-timeframe backtests and system runs.
Reversal Handling: Automatic handling of signal reversals closes and flips positions precisely, reducing slippage and manual error.
Persistent State Tracking: Maintains variables tracking entry price, trade status, and target/stop levels independently of chart context.
Trading Application
Strategy Sandbox: Designed for robust backtesting, allowing users to simulate performance across historical data for any major asset or interval.
Active Risk Management: Trades are consistently managed for both fixed interval “stall” and significant loss, not just via trailing stops or fixed-day closes.
Alert Driven: Can power algorithmic trading bots or notify discretionary traders the moment a qualifying market event occurs.
Price Heat Meter [ChartPrime]⯁ OVERVIEW
Price Heat Meter visualizes where price sits inside its recent range and turns that into an intuitive “temperature” read. Using rolling extremes, candles fade from ❄️ aqua (cold) near the lower bound to 🔥 red (hot) near the upper bound. The tool also trails recent extreme levels, tags unusually persistent extremes with a % “heat” label, and shows a bottom gauge (0–100%) with a live arrow so you can read market heat at a glance.
⯁ KEY FEATURES
Rolling Heat Map (0–100%):
The script measures where the close sits between the current Lowest Low and Highest High over the chosen Length (default 50).
Candles use a two-stage gradient: aqua → yellow (0–50%), then yellow → red (50–100%). This makes “how stretched are we?” instantly visible.
Dynamic Extremes with Time Decay:
When a new rolling High or Low is set, the script starts a faint horizontal trail at that price. Each bar that passes without a new extreme increases a counter; the line’s color gradually fades over time and fully disappears after ~100 bars, keeping the chart clean.
Persistent-Extreme Tags (Reversal Hints):
If an extreme persists for 40 bars (i.e., price hasn’t reclaimed or surpassed it), the tool stamps the original extreme pivot with its recorded Heat% at the moment the extreme formed.
• Upper extremes print a red % label (possible exhaustion/resistance context).
• Lower extremes print an aqua % label (possible exhaustion/support context).
Bottom Heat Gauge (0–100% Scale):
A compact, gradient bar renders at the bottom center showing the current Heat% with an arrow/label. ❄️ anchors the left (0%), 🔥 anchors the right (100%). The arrow adopts the same candle heat color for consistency.
Minimal Inputs, Clear Theme:
• Length (lookback window for H/L)
• Heat Color set (Cold / Mid / Hot)
The defaults give a balanced, legible gradient on most assets/timeframes.
Signal Hygiene by Design:
The meter doesn’t “call” reversals. Instead, it contextualizes price within its range and highlights the aging of extremes. That keeps it robust across regimes and assets, and ideal as a confluence layer with your existing triggers.
⯁ HOW IT WORKS (UNDER THE HOOD)
Range Model:
H = Highest(High, Length), L = Lowest(Low, Length). Heat% = 100 × (Close − L) / (H − L).
Extreme Tracking & Fade:
When High == H , we record/update the current upper extreme; same for Low == L on the lower side. If the extreme doesn’t change on the next bar, a counter increments and the plotted line’s opacity shifts along a 0→100 fade scale (visual decay).
40-Bar Persistence Labels:
On the bar after the extreme forms, the code stores the bar_index and the contemporaneous Heat% . If the extreme survives 40 bars, it places a % label at the original pivot price and index—flagging levels that were meaningfully “tested by time.”
Unified Color Logic:
Both candles and the gauge use the same two-stage gradient (Cold→Mid, then Mid→Hot), so your eye reads “heat” consistently across all elements.
⯁ USAGE
Treat >80% as “hot” and <20% as “cold” context; combine with your trigger (e.g., structure, OB, div, breakouts) instead of acting on heat alone.
Watch persistent extreme labels (40-bar marks) as reference zones for reaction or liquidity grabs.
Use the fading extreme lines as a memory map of where price last stretched—levels that slowly matter less as they decay.
Tighten Length for intraday sensitivity or increase it for swing stability.
⯁ WHY IT’S UNIQUE
Rather than another oscillator, Price Heat Meter translates simple market geometry (rolling extremes) into a readable temperature layer with time-aware extremes and a synchronized gauge . You get a continuously updated sense of stretch, persistence, and potential reversal context—without clutter or overfitting.
Daily Weekly Monthly HLC (بهداد)خطوط مهم روزانه هفتگی ماهانه This is an indicator that shows the closing lines and the highest and lowest prices for daily, weekly and monthly periods. In addition, we can divide the entire weekly period into several parts.
Session Map! This indicator visually highlights the three main Forex trading sessions — Asia, London, and New York — as well as the Power Zone when London and New York overlap.
It also includes a bottom-center dashboard showing the current active session and the best Forex pairs to trade during that session.
Key Features 🚀
Session Background Shading
Asia Session → Aqua
London Session → Teal
New York Session → Blue
Power Zone (London + NY overlap) → Gold ⚡
Dynamic Dashboard (bottom-center)
Displays current active session
Shows best pairs to trade based on session liquidity
Optimized for Forex Trading
Know instantly when to trade and what to trade
Uses session-specific recommendations based on volatility windows
Why This Indicator is Useful
This isn’t just a session visualizer — it’s a trading assistant:
Helps you identify high-liquidity trading windows
Shows you which pairs are most active per session
Highlights the Power Zone ⚡ where volatility peaks
Global Market Context Dashboard With Pull Back IndicatorGlobal Market Context Dashboard With Pull Back Indicator
Fear & Greed Oscillator — LEAPs (v6, manual DMI/ADX)Fear & Greed Oscillator for LEAPs — a composite sentiment/trend tool that highlights long-term fear/greed extremes and trend quality for better LEAP entries and exits.
This custom Fear & Greed Oscillator (FGO-LEAP) is designed for swing trades and long-term LEAP option entries. It blends multiple signals — MACD (trend), ADX/DMI (trend quality), OBV (accumulation/distribution), RSI & Stoch RSI (momentum), and volume spikes — into a single score that ranges from –100 (extreme fear) to +100 (extreme greed). The weights are tuned for LEAPs, emphasizing slower trend and accumulation signals rather than short-term noise.
Use Weekly charts for the main signal and Daily only for entry timing. Entries are strongest when the score is above zero and rising, with both MACD and DMI positive. Extreme Fear (< –60) can mark long-term bottoms when followed by a recovery, while Extreme Greed (> +60) often signals overheated conditions. A cross below zero is an early warning to reduce or roll positions.
TIKOLE SVM Sentiment Combo Oscillator MACD"This one has MACD and RSI. Accuracy is very good. Best for 5-minute and 15-minute timeframes."
So basically, you mean:
The script combines MACD-style histogram with RSI logic.
It gives high accuracy signals.
Works best on 5-minute and 15-minute charts (scalping + intraday).
⚡ If you want, I can also add MACD (fast EMA / slow EMA) into the same script along with your RSI sentiment oscillator, so you’ll get a dual-confirmation system (RSI sentiment + MACD crossover + histogram).
Market Breadth (NIFTY50)This market breadth indicator good to indentified short term market sentiment.
XAU 1H Clean Confluence — Micro Table v2XAU 1H Clean Confluence — Micro Table
What it is
A clean, low-clutter 1-hour XAUUSD indicator that summarizes confluences in a compact on-chart table. It’s designed for traders who want structure + momentum + location without covering the chart in drawings.
Best used on: ICMARKETS:XAUUSD or your broker’s XAUUSD feed, 1H timeframe.
Style: Table-only by default (optional EMA200 line and tiny signal markers).
How signals are built (long example; shorts mirror)
A Long Confluence is printed when all of the below are true:
Trend alignment: EMA20 > EMA50 > EMA200
Pullback & re-engage: price crossed back above EMA20 after a pullback
RSI regime: RSI(14) crosses up through 50 (trend confirmation)
Displacement/imbalance: a 3-candle Bull FVG exists (low > high )
Structure: either a BOS up or CHOCH up via swing pivots (pivotLen input)
Sweep (optional): if enabled, require a sweep of Asian Low and/or PDL first
Time gating (optional): only during London/NY windows and outside news windows
Short signals use the mirrored conditions (EMA stack down, cross back below EMA20, RSI cross down through 50, Bear FVG, BOS/CHOCH down, optional Asian High/PDH sweep).