Multi-Timeframe HTS Retest Strategy v6Multi-Timeframe HTS Retest Strategy v6 is a trend-following tool designed to detect high-probability retest entries aligned with higher timeframe direction. The indicator applies HTS bands (short & long) on both the current and higher timeframe (4x–8x multiplier) to confirm market bias.
A strong trend is validated when HTS bands separate on the higher timeframe. On the lower timeframe, the strategy tracks price behavior relative to the bands: after breaking outside, price must retest either the fast (blue) or slow (red) band, confirmed by a rejection candle. This generates precise BUY or SELL retest signals.
Features include flexible average methods (RMA, EMA, SMA, etc.), customizable cross detection (final cross, 4 crosses, or both), volume-based retest conditions, and clear visual signals (dots for trend start, triangles for retests). Alerts are integrated for automation.
This strategy is suitable for forex, crypto, indices, and stocks, supporting both scalping and swing trading.
Ciclos
Sweep RangeAgain, a very simple HTF Blocks.
With outside ranges marked as potential sweep-to / reclaim-reverse zones.
I like it on Monthly but feel free to play.
Crypto Trader Alert Data [FIXED]//@version=6
indicator("Crypto Trader Alert Data ", overlay = true, max_labels_count = 500)
// —————— Входные параметры ——————
showLabels = input.bool(true, "Показывать метки?")
// —————— Расчет индикаторов ——————
ema20 = ta.ema(close, 20)
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
rsiValue = ta.rsi(close, 14)
atrValue = ta.atr(14)
// Исправление для MACD - правильное получение гистограммы
= ta.macd(close, 12, 26, 9)
currentVolume = int(volume)
// Определяем тренд
trend = "neutral"
if ema20 > ema50 and ema50 > ema200
trend := "bullish"
else if ema20 < ema50 and ema50 < ema200
trend := "bearish"
// Уровни S/R (последние значимые экстремумы)
support = ta.lowest(low, 50)
resistance = ta.highest(high, 50)
// —————— Формирование JSON на последнем баре ——————
if barstate.islast
// Создаем JSON строку
json_string =
"{" +
"\"symbol\": \"" + syminfo.ticker + "\", " +
"\"price\": \"" + str.tostring(math.round_to_mintick(close)) + "\", " +
"\"trend\": \"" + trend + "\", " +
"\"interval\": \"" + timeframe.period + "\", " +
"\"rsi\": " + str.tostring(math.round(rsiValue, 2)) + ", " +
"\"macd_histogram\": " + str.tostring(math.round(histLine, 6)) + ", " +
"\"ema20\": " + str.tostring(math.round_to_mintick(ema20)) + ", " +
"\"ema50\": " + str.tostring(math.round_to_mintick(ema50)) + ", " +
"\"ema200\": " + str.tostring(math.round_to_mintick(ema200)) + ", " +
"\"atr\": " + str.tostring(math.round_to_mintick(atrValue)) + ", " +
"\"volume\": " + str.tostring(currentVolume) + ", " +
"\"support\": " + str.tostring(math.round_to_mintick(support)) + ", " +
"\"resistance\": " + str.tostring(math.round_to_mintick(resistance)) +
"}"
// Выводим метку для проверки
if showLabels
label.new(bar_index, high, text = json_string, style = label.style_label_down,
color = color.rgb(33, 150, 243), textcolor = color.white, size = size.small)
// Отправляем alert с JSON данными
alert(message = json_string, freq = alert.freq_once_per_bar_close)
Moons Pullback Detector# Moons Pullback Detector
## Overview
**Moons Pullback Detector** is a sophisticated technical analysis indicator designed to identify high-probability pullback opportunities within established bullish trends. By combining moving averages, Bollinger Bands, and multiple timeframe analysis, this indicator helps traders spot optimal entry points when price retraces in strong uptrends.
## How It Works
### Bullish Trend Detection
The indicator identifies a bullish trend when:
- Price closes above the upper Bollinger Band (1 standard deviation)
- Price is trading above the 50 EMA
- This establishes the foundation for monitoring pullback opportunities
### Pullback Identification
Once in a bullish trend, the indicator tracks:
- **Swing Highs**: Continuously monitors and updates the highest point in the trend
- **Pullback Start**: Detects the first red candle after establishing new highs
- **Pullback Duration**: Monitors pullback length (configurable number of bars)
- **Pullback Depth**: Ensures pullbacks don't violate a key moving average (optional)
### Multi-Layer Filtering System
The indicator employs several optional filters to ensure signal quality:
**Volume Filter**: Requires minimum daily volume (default 500,000) to ensure sufficient liquidity
**Pullback MA Filter**: Monitors that pullbacks don't close below the desired EMA (default 10), maintaining trend strength
**Validation Filter**: Checks higher timeframe (30-minute default) moving average for trend confirmation
**Context Filter**: Analyzes even higher timeframe (4-hour default) for broader market context
### Alert System
The indicator generates alerts when:
- All filtering conditions are met
- Price crosses back above the alert line (swing high minus ATR offset)
- This signals potential continuation of the bullish trend
## Key Features
### Visual Elements
- **Bollinger Bands**: Optional display of 1 and 2 standard deviation bands
- **Moving Averages**: 20 EMA (basis), 50 EMA, and 10 EMA (pullback filter)
- **Trend High Line**: Yellow line showing current swing high during pullbacks
- **Alert Line**: Entry signal line positioned below swing high
- **Background Highlighting**: Gray for normal pullbacks, red tint when depth violated
- **Labels**: Price labels at swing highs and depth violation warnings
### Information Table
Comprehensive status table showing:
- Current trend state
- Pullback status
- Position relative to key EMAs and Bollinger Bands
- Volume, validation, and context filter status
- Pullback depth compliance
## Configuration Options
### Bollinger Bands Settings
- MA type selection (EMA or SMA)
- Configurable period (5-100, default 20)
### Display Options
- Toggle Bollinger Bands visibility
- Toggle moving averages display
- Toggle information table
### Alert Configuration
- Adjustable ATR offset for alert line positioning
### Filter Settings
- Volume threshold control
- Pullback duration limits (min/max bars)
- Pullback MA filter with configurable EMA length
- Multiple timeframe validation and context filters
## Best Use Cases
- **Swing Trading**: Identify high-probability entries during trend pullbacks
- **Trend Following**: Stay aligned with strong bullish momentum
- **Risk Management**: Multiple filters help avoid false signals
- **Multi-Timeframe Analysis**: Ensures broader market context alignment
## Trading Applications
This indicator works best when:
- Markets are in clear uptrends
- Sufficient volume is present
- Multiple timeframes align bullishly
- Used in conjunction with proper risk management
The Moons Pullback Detector provides traders with a systematic approach to identifying and capitalizing on pullback opportunities in strong bullish trends, combining technical rigor with practical usability.
---
*Note: This indicator is for educational purposes. Past performance does not guarantee future results. Always use proper risk management and consider multiple factors when making trading decisions.*
[GrandAlgo] HTF Swing Sweep & Reversal IndicatorHTF Swing Sweep & Reversal Indicator
This indicator is built to spot liquidity sweeps of Higher Timeframe (HTF) swing levels and highlight potential reversal opportunities on your chosen Lower Timeframe (LTF).
✨ Core Idea
Markets often grab liquidity above highs or below lows before reversing. This script does the work for you by marking HTF swings, watching the LTF for sweeps, and confirming when price reclaims or rejects those levels.
🎯 Key Features
👉 Marks HTF swing highs (red) and HTF swing lows (green) using your chosen HTF Swing Length and timeframe.
👉 Detects a sweep whenever the LTF closes beyond an HTF swing level.
👉 Draws a temporary Breach Line at the sweep bar’s open, adjusting as price develops.
👉 Signals Long when price reclaims after sweeping an HTF low.
👉 Signals Short when price rejects after sweeping an HTF high.
👉 Includes optional filters for stricter confirmations:
• Mid Filter → requires stronger body confirmation.
• Strict Filter → requires close beyond the original HTF level.
👉 Customizable colors, line styles, and visibility options.
👉 Built-in alerts so you never miss a setup.
⚡ How to Use
👉 Select a Higher Timeframe (htf) for structure (e.g., 1H, 4H, Daily).
👉 Let the script plot HTF swing highs and lows.
👉 Watch for sweeps and wait for confirmation signals (labels + alerts).
👉 Combine with other tools (order blocks, FVGs, SMT, volume) for confluence.
✅ Notes
👉 Signals are non-repainting once confirmed.
👉 Both HTF and LTF are fully user-defined — there are no fixed defaults.
👉 Filters let you decide between aggressive entries or conservative confirmation.
⚠️ Disclaimer: This tool is for educational purposes only. Not financial advice. Always backtest and validate with your own strategy before using in live trading.
Sunset Zones by PDVSunset Zones by PDV is an intraday reference indicator that plots key horizontal levels based on selected “root candles” throughout the trading day. At each programmed time, the indicator identifies the high and low of the corresponding candle and projects those levels forward with extended lines, providing traders with a clean visual framework of potential intraday reaction zones.
These zones serve as reference levels for support, resistance, liquidity grabs, and session context, allowing traders to analyze how price reacts around time-specific structures. Unlike lagging indicators, Sunset Zones gives traders real-time, rule-based levels tied directly to the price action of specific moments in the session.
Key Features
Predefined Time Codes
The script comes with a curated list of intraday timestamps (in HHMM format). Each represents a “root candle” from which levels are generated. Examples include 03:12, 06:47, 07:41, 08:51, etc. These time codes can reflect historically important market moments such as session opens, liquidity sweeps, or volatility inflection points.
Automatic Zone Plotting
At each root time, the script captures the candle’s high and low and instantly extends those levels forward across the chart. This provides consistent, objective reference points for intraday trading.
Extended Lines
Levels are projected far into the future (default: 500 bars) so traders can easily track how price interacts with those zones throughout the day.
Color-Coded Levels
Each root time is assigned a distinct color for fast identification. For example:
03:12 → Fuchsia
06:47 → Purple
07:41 → Teal
08:51 → White
09:53 → White
10:20 → Orange
11:10 → Green
11:49 → Red
12:05 → White
13:05 → Teal
14:09 → Aqua
This helps traders quickly recognize which time-of-day level price is interacting with.
Lightweight & Visual
The indicator focuses purely on price and time, avoiding complexity or lagging signals. It can be layered with other analysis tools, order flow charts, or session-based studies.
Practical Use Cases
Intraday Bias:
Observe whether price respects, rejects, or consolidates around these reference levels to form a bias.
Liquidity Zones:
High/low sweeps of the root candle can act as liquidity pools where institutions might trigger stops or reversals.
Support & Resistance:
Extended lines create intraday S/R zones without the need to manually draw levels.
Confluence Finder:
Combine Sunset Zones with VWAP, session ranges, Fibonacci levels, or higher-timeframe structure for layered confluence.
Important Notes
This is a visual reference tool only. It does not generate buy or sell signals.
Default times are provided, but the concept is flexible — traders can adapt it by modifying or expanding the list of time codes.
Works best on intraday timeframes where session structure is most relevant (e.g., 1-minute to 15-minute charts).
✅ In short: Sunset Zones by PDV gives intraday traders a systematic way to anchor their charts to important time-based highs and lows, creating a consistent framework for analyzing price reactions across the day.
Price Grid (Base/Step/Levels)Price Grid (Base/Step/Levels) is a simple yet powerful tool for visual traders. It automatically draws a customizable grid of horizontal price levels on your chart.
You choose a base price, a grid step size, and the number of levels to display above and below. The indicator then plots evenly spaced lines around the base, helping you:
Spot round-number zones and psychological levels
Plan entries, exits, and stop-loss placements
Visualize support/resistance clusters
Build grid or ladder trading strategies
The base line is highlighted so you always know your anchor level, while the other levels are styled separately for clarity.
⚙️ Inputs
Base price → anchor level (set 0 to use current close price)
Grid step → distance between levels
Number of levels → lines drawn above & below base
Line style / width / colors → full customization
✅ Notes
Works on any market and timeframe
Automatically respects the symbol’s minimum tick size
Lightweight & non-repainting
5 SMA Bands - Professional Adaptive Moving Average System🇺🇸 ENGLISH DESCRIPTION
Professional-grade technical indicator designed for elite traders who demand precision, visual clarity, and adaptive market analysis.
This sophisticated tool revolutionizes traditional Simple Moving Average analysis by transforming thin lines into dynamic, adaptive bands that provide superior trend identification and market structure visualization across all timeframes and asset classes.
🎯 Key Professional Features
5 Fully Configurable SMAs with independent period, color, and width controls
3 Advanced Adaptation Methods: Price Percentage, ATR Adaptive, Dynamic Volatility
Institutional-Grade Visual Design with thick, clearly visible bands
Real-Time Information Dashboard displaying all active parameters
Professional Default Setup: SMA 8 (Green), SMA 20 (Blue), SMA 200 (Red)
Precision Band Width Control from 0.05% to 2.0% with 0.05% increments
Individual Toggle Control for each moving average
Optional Center Lines for exact price level identification
📈 Advanced Adaptation Technology
Price Percentage Method: Band width as percentage of SMA value
ATR Adaptive Method (Recommended): Automatically adjusts to market volatility using Average True Range
Dynamic Volatility Method: Uses standard deviation for high-volatility instruments
💼 Professional Trading Applications
Multi-Timeframe Trend Analysis: Identify short, medium, and long-term trends simultaneously
Dynamic Support/Resistance Levels: Adaptive bands act as dynamic S/R zones
Market Structure Analysis: Visualize trend strength and momentum shifts
Entry/Exit Signal Enhancement: Clear visual confirmation of trend changes
Risk Management: Better position sizing based on volatility-adjusted bands
🏆 Competitive Advantages
Superior Visual Clarity: Thick bands are easier to identify than traditional thin lines
Automatic Volatility Adjustment: Adapts to any instrument's characteristics
Zoom-Independent Scaling: Maintains visual proportions at any chart zoom level
Universal Compatibility: Works flawlessly on Forex, Stocks, Crypto, Commodities, Indices
⚙️ Recommended Professional Setups
Scalping: SMAs 8, 20, 50 with ATR Adaptive method
Day Trading: SMAs 20, 50, 100 with 0.3-0.5% band width
Swing Trading: SMAs 50, 100, 200 with Dynamic Volatility method
Position Trading: SMAs 100, 200 with 0.5-0.8% band width
RRKillZone$This is an indicator for Stock Optionsa and you can use this to trade at the right time and when the market offers the best entries for Stocks
TMU Macro Tracker° by SaiTMU macro indicator for macros XX:45 - XX:15
For TMU members only
subject to authorization
and that's only of I like you still....
.... not sparkling. YGM brov.
Killzones SMT + IFVG detectorSummary
Killzones SMT + IFVG detector is a rules-based tool that highlights short-term directional setups during defined “killzone” sessions by combining SMT (cross-market divergence between NQ and ES) with strict ICT-style IFVG confirmation. It draws clean, off-candle markers and (if enabled) alerts when conditions are met.
Killzones (what they are and default times)
The tool focuses on intraday windows where liquidity and directional moves commonly concentrate. It records session extremes (H/L) inside these windows and then looks for cross-market divergence and IFVG confirmation around those levels.
20:00–00:00 NY time — Early overnight window where new liquidity forms and prior sessions’ levels are often tested.
02:00–05:00 NY time — European/London activity window; fresh extremes often set here.
09:30–11:00 NY time — U.S. morning data/price discovery window (includes major economic prints at :30).
12:00–13:00 NY time — Midday probe/pause window; sweeps can occur as liquidity thins.
13:30–16:00 NY time — U.S. PM window; continuation/unwind into the session close.
What the script does (high-level mechanics)
Tracks each killzone’s session extremes (recent highs/lows) for NQ and ES and stores a limited number of untouched levels.
Identifies SMT divergence (exclusive sweep) : within the same bar, only one index sweeps a stored session high/low while the other does not.
• Bullish SMT: one index sweeps the low while the other remains above its session low.
• Bearish SMT: one index sweeps the high while the other remains below its session high.
Detection supports Sweep (Cross) with a user-set minimum tick penetration or Exact Tick equality.
After an SMT candidate, the script locks onto a qualifying 3-bar IFVG on the chosen confirmation symbol (NQ or ES). A setup only confirms when the candle closes beyond the IFVG boundary in the candle’s direction (bull close above upper gap for longs; bear close below lower gap for shorts). An optional “re-lock” keeps tracking the newest valid IFVG until confirmation or expiry.
Safety gates reduce low-quality triggers: same-bar high+low sweep on the same symbol suspends new setups until the next killzone; weekend lockout; optional cooldown; and an initial-stop size gate that skips entries when the computed initial SL exceeds a user-defined maximum.
Optional stop/target engine: initial stop from last opposite-candle wick (+ buffer), fixed TP in points, and step-ups to BE → 50% → 80% of target as progress thresholds are reached.
How to use it
Apply to a chart with access to NQ and ES data (e.g., continuous futures).
Select the confirmation symbol (NQ or ES).
Manage risk according to your plan.
*
Alerts: enable SMT Bullish/Bearish and/or Confirm LONG/SHORT; “Once per bar close” is generally recommended.
What markets it is meant for
The logic is designed around the NQ/ES index futures pair on intraday timeframes during common session “killzones.”
Under which conditions
Works best when sessions produce clear highs/lows and a nearby IFVG forms on the confirmation symbol. Expect weaker performance on days with one-sided trend continuation without divergence or when spreads/feeds cause mismatched levels.
Limitations
Signals depend on data quality and session definitions; small variations across feeds/timeframes are normal. Divergence does not guarantee reversal; confirmations can fail. Past performance is not indicative of future results; use prudent risk management.
Strategy Properties used for this publication
Initial capital : $50,000
Commission : 0%(defualt)
Slippage : 0 ticks(default)
Position sizing : 1 contract by default (adjust to account size)
[b} Time frame : 3mins time frame(can also work on any other time frame)
CandelaCharts - ATH Drawdown 📝 Overview
Track how far price is from its All-Time High (ATH) at any moment. This tool plots the percentage drawdown since the running ATH, so you instantly see whether the market is near peak (≈0%) or deep in a cycle reset (e.g., −60% to −80%). It’s designed for cycle analysis, risk framing, DCA planning, and spotting “capitulation” zones across any symbol or timeframe.
📦 Features
True ATH drawdown% — 0% at ATH; negative values show distance below ATH.
Price source switch — choose Close or High (wick-based ATH).
Optional smoothing — EMA on drawdown% for cleaner cycles.
Color-coded risk bands — green → yellow → orange → red → maroon as drawdown deepens.
Milestone gridlines — quick read at −20/−40/−60/−80%.
Inline readout — compact table shows the latest drawdown%.
Ready-made alert — notify when drawdown enters the classic −70% to −80% zone.
⚙️ Settings
Price — Close or High for ATH calculation (wicks vs closes).
Smoothing — EMA length on drawdown% (0 = off).
Show grid lines — level guides at −20/−40/−60/−80%.
Alert 70–80% — enable alert when drawdown is between −70% and −80%.
Show latest ATH drawdown % — table readout in the chart.
⚡️ Showcase
Contextualize cycle risk: near 0% = late-cycle/expansion; sub −60% = deep retrace.
📒 Usage
Add to any symbol/timeframe.
Pick Price source (Close or High) to match your methodology.
(Optional) Set Smoothing to clarify bigger cycles.
Use color bands & gridlines to define risk buckets (e.g., “accumulate < −60%”).
Watch the table for the current drawdown at a glance.
🚨 Alerts
The indicator provides configurable alerts that turn drawdown bands into actionable signals.
Drawdown between 70% and 80% — fires when drawdown enters the −70%…−80% band; ideal for “capitulation zone” notifications.
⚠️ Disclaimer
These tools are exclusively available on the TradingView platform.
Our charting tools are intended solely for informational and educational purposes and should not be regarded as financial, investment, or trading advice. They are not designed to predict market movements or offer specific recommendations. Users should be aware that past performance is not indicative of future results and should not rely on these tools for financial decisions. By using these charting tools, the purchaser agrees that the seller and creator hold no responsibility for any decisions made based on information provided by the tools. The purchaser assumes full responsibility and liability for any actions taken and their consequences, including potential financial losses or investment outcomes that may result from the use of these products.
By purchasing, the customer acknowledges and accepts that neither the seller nor the creator is liable for any undesired outcomes stemming from the development, sale, or use of these products. Additionally, the purchaser agrees to indemnify the seller from any liability. If invited through the Friends and Family Program, the purchaser understands that any provided discount code applies only to the initial purchase of Candela's subscription. The purchaser is responsible for canceling or requesting cancellation of their subscription if they choose not to continue at the full retail price. In the event the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable.
We do not offer reimbursements, refunds, or chargebacks. Once these Terms are accepted at the time of purchase, no reimbursements, refunds, or chargebacks will be issued under any circumstances.
By continuing to use these charting tools, the user confirms their understanding and acceptance of these Terms as outlined in this disclaimer.
Zigzag Market Type OscillatorZigzag Market Type Oscillator
This indicator is a powerful tool for analyzing market conditions by categorizing price action into one of four states: Up-Trending, Down-Trending, Consolidating, or Ranging. It uses a Zigzag pattern to identify swings and then calculates the average size of upward and downward price movements to determine the prevailing market type.
How It Works:
Swing Detection: The script first uses a Zigzag algorithm (based on the Zigzag Depth input) to find significant highs and lows in the market. These swings are considered the "legs" of price movement.
Average Leg Size: It keeps track of the percentage change of the most recent upward and downward legs. The Number of Legs for Average setting controls how many past legs are used to calculate the average size of up-moves and down-moves.
Disparity Calculation: The core of the indicator is the Disparity value, which measures the difference between the average size of up-legs and down-legs.
- A positive disparity means up-legs are, on average, larger than down-legs.
- A negative disparity means down-legs are, on average, larger than up-legs.
- A disparity near zero means up-legs and down-legs are roughly the same size.
Market Type Classification: The indicator then uses the Disparity and Average Size values to color-code the oscillator, providing a clear visual signal of the market type:
Green (Up-Trending): The disparity is positive and above your Disparity Threshold. This suggests a strong upward trend where buyers are consistently making larger moves than sellers.
Red (Down-Trending): The disparity is negative and below your -Disparity Threshold. This suggests a strong downward trend where sellers are consistently making larger moves than buyers.
Blue (Ranging): The disparity is close to zero (within your Disparity Threshold), and the overall Average Size of the swings is small (below your Size Threshold). This indicates a tight, choppy, and indecisive market with no clear direction.
Silver (Consolidating or drifting in direction of most recent trend) : The disparity is close to zero, but the overall Average Size of the swings is large. This suggests a sideways market with wide swings, also known as a trading range.
How to Use It:
Trend Confirmation: Use the Green and Red signals to confirm the direction and strength of a trend. A sustained green plot suggests a good environment for long positions, while a sustained red plot favors short positions.
Identify Non-Trending Conditions: Use the Blue and Silver plots to identify when the market is not trending. During these periods, trend-following strategies may not be effective. You might look for breakout opportunities (from a blue plot) or use a range-bound trading strategy (within a silver plot).
Risk Management: The oscillator can serve as a warning sign. For example, if you are in an uptrending market (green plot) but the oscillator suddenly turns silver or blue, it may signal that the trend is losing momentum and that you should consider reducing your position or tightening your stop-loss.
Settings:
Zigzag Depth: This controls the sensitivity of the Zigzag, which in turn defines the "legs." A higher value will ignore smaller price fluctuations, focusing on larger swings. A lower value will capture more detail.
Number of Legs for Average: This determines the lookback period for the average size calculation. A higher number will create a smoother, more stable oscillator but will react more slowly to changes in market behavior.
Disparity Threshold: This is the key setting that determines the line between a trending market and a non-trending one. Adjust this to a level that you believe represents a significant difference between up and down moves.
Size Threshold (%): This separates Ranging (small swings) from Consolidating (large swings). Adjust this to define what you consider a "small" vs. a "large" price swing for the asset you are trading.
OB + CHoCH [El Baja Panty]The Baja Panty Indicator is a custom-built tool designed to help traders identify high-probability entry and exit zones using a blend of price action and momentum signals. It overlays visual cues directly on the chart to highlight potential trend reversals, continuation setups, and areas of confluence. This indicator is tailored for fast decision-making, with a focus on clarity and minimal lag, making it especially useful for scalpers and short-term traders.
ArmaX Smart Money LiteArmaX Smart Money Lite is the public version of our Smart Money indicator — designed to detect institutional inflows & outflows early.
It automatically flags the first candle of a new move (leg) where Smart Money activity is most likely to start.
🔹 Key Features (Lite version):
- Detects Smart Money inflow & outflow candles
- Highlights first candle of potential major legs
- Lightweight and easy-to-use — optimized for clarity
- Fixed parameters (non-editable) for consistency
⚡ Note:
This is the Lite version. For advanced features such as: multi-timeframe confirmation, on-chain integrations, institutional volume filters, and enhanced dashboard tools — upgrade to ArmaX Smart Money Pro.
Nico Ma Session High/Low (Asia, London, NY)Description:
The Nico Ma Session High/Low Indicator automatically marks the high and low of the Asia, London, and New York sessions on your chart.
It dynamically adjusts to Daylight Saving Time (DST), so session times are always correct.
Each session’s highs and lows are displayed with horizontal rays in its dedicated color:
Yellow = Asia
Blue = London
Red = New York
Levels remain on the chart until they are individually swept (price breaks through), at which point the specific line disappears.
Works in both backtesting and live markets.
Nico Ma Session IndicatorNico Ma Session Indicator – Highlights trading sessions with automatic handling of daylight saving time. Yellow represents the Asia session, blue represents the London session, and red represents the New York session."
Planetary Speed - CEPlanetary Speed - Community Edition
Welcome to the Planetary Speed - Community Edition , a specialized tool designed to enhance W.D. Gann-inspired trading by plotting the speed of selected planets. This indicator measures changes in planetary ecliptic longitudes, which may correlate with market timing and volatility, making it ideal for traders analyzing equities, forex, commodities, and cryptocurrencies.
Overview
The Planetary Speed - Community Edition calculates the speed of a chosen planet (Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, or Pluto) by comparing its ecliptic longitude across time. Supporting heliocentric and geocentric modes, the script plots speed data with high precision across various chart timeframes, particularly for markets open 24/7 like cryptocurrencies. Traders can customize line colors and add multiple instances for multi-planet analysis, aligning with Gann’s belief that planetary cycles influence market trends.
Key Features
Plots the speed of eight planets (Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, Pluto) based on ecliptic longitude changes
Supports heliocentric and geocentric modes for flexible analysis
Customizes line colors for clear visualization of planetary speed data
Projects future speed data up to 250 days with daily resolution
Works across default TradingView timeframes (except monthly) for continuous markets
Enables multiple script instances for tracking different planets on the same chart
How to Use
Access the script’s settings to configure preferences
Choose a planet from Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, or Pluto
Select heliocentric or geocentric mode for calculations
Customize the line color for speed data visualization
Review plotted speed data to identify potential market timing or volatility shifts
Add multiple instances to track different planets simultaneously
Get Started
The Planetary Speed - Community Edition provides full functionality for astrological market analysis. Designed to highlight Gann’s planetary cycles, this tool empowers traders to explore celestial influences. Trade wisely and harness the power of planetary speed!
Planetary Signs - CEPlanetary Signs - Community Edition
Welcome to the Planetary Signs - Community Edition , a specialized tool designed to enhance W.D. Gann-inspired trading by highlighting zodiac sign transitions for selected planets. This indicator marks when planets enter specific zodiac signs, which may correlate with market turning points, making it ideal for traders analyzing equities, forex, commodities, and cryptocurrencies.
Overview
The Planetary Signs - Community Edition calculates the ecliptic longitude of a chosen planet (Sun, Moon, Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, or Pluto) and highlights periods when it enters user-selected zodiac signs (Aries, Taurus, Gemini, etc.). Supporting heliocentric and geocentric modes, the script plots sign transitions with minute-level accuracy, syncing perfectly with chart timeframes. Traders can customize colors for each sign and add multiple instances for multi-planet analysis, aligning with Gann’s belief that zodiac transitions influence market trends.
Key Features
Highlights zodiac sign transitions for ten celestial bodies (Sun, Moon, Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, Pluto)
Supports heliocentric and geocentric modes (Pluto heliocentric-only; Sun and Moon geocentric)
Allows selection of one or multiple zodiac signs with customizable highlight colors
Plots vertical lines and labels (e.g., “☿ 0 ♈ Aries”) at sign transitions with minute-level accuracy
Projects future sign transitions up to 120 days with daily resolution
Enables multiple script instances for tracking different planets or signs on the same chart
How to Use
Access the script’s settings to configure preferences
Choose a planet from the Sun, Moon, Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, or Pluto
Select one or more zodiac signs (e.g., Aries, Taurus) to highlight
Customize the highlight color for each selected zodiac sign
Select heliocentric or geocentric mode for calculations
Review highlighted periods and labeled lines to identify zodiac sign transitions
Use transitions to anticipate potential market turning points, integrating Gann’s astrological principles
Get Started
The Planetary Signs - Community Edition provides full functionality for astrological market analysis. Designed to highlight Gann’s zodiac cycles, this tool empowers traders to explore celestial transitions. Trade wisely and harness the power of planetary alignments!
project x khi✨ Key Features:
Automatic Support & Resistance
Uses candle body pivots.
Alerts when support/resistance is broken with strong volume.
Trend & Entry Signals (EMA + RSI + ATR)
EMA 9/21/200 to determine overall trend direction.
BUY/SELL signals based on EMA crossover and RSI confirmation.
Automatic Stop Loss & Take Profit levels calculated with ATR.
Volume & RSI Analysis
Detects strong/weak volume.
RSI status shown as Overbought, Oversold, or Neutral.
Multi-Timeframe Confirmation (4H, 1H, 15m, 5m)
Displays signals across multiple timeframes.
Provides interpretation of signal combinations
(e.g., “All BUY → wait for entry on 1m”).
Order Block (OB) Detection
Automatically identifies Bullish & Bearish Order Blocks.
Plots OB zones directly on the chart.
OTE (Optimal Trade Entry Zone 61.8–78.6%)
Highlights Fibonacci golden pocket retracement zone for sniper entries.
Liquidity Pool Zones
Detects buy-side & sell-side liquidity areas (market maker targets).
Session Boxes
Highlights Asia, London, and New York sessions to optimize timing of trades.
Squeeze Momentum (BB vs KC)
Confirms breakout momentum:
Squeeze On = accumulation.
Release = start of a major move.
Trading Assistant Table
Displays trend, last signal, volume status, RSI, entry, SL/TP, recommended action, and final status (“ENTRY / NO ENTRY”).
Ready-to-Use Alerts
BUY/SELL signal.
Support/resistance breakout.
Squeeze On/Release alerts.
🎯 How to Use:
Use lower timeframes (1m–5m) for scalping, with confirmation from 15m–4H.
Enter only when all signals align (e.g., 4H–1H BUY + BUY signal on 5m).
Watch OB, OTE, and Liquidity Pool zones for precision entries.
Follow the automatically plotted SL/TP levels for disciplined risk management.
WIZARD CRVR - MANAV FULE SEND INVITE REQUEST EMAIL TO - manavfule97@gmail.com this is a invite only indicator there are some sets of rules on how to use this indicator. This indicator is made by MANAV UMESH FULE who is a professional trader with years of trading experience.
Time Markersplots basic lines to mark key times for ICT trading. Couldn't figure out how to make them plot in advance