MagnetOsc Turbo [ZuperView]MagnetOsc Turbo is a dual-timeframe momentum oscillator that identifies overbought and oversold regions with magnetic precision.
Instead of relying on a single timeframe (like RSI or Stochastics), it compares momentum between your main chart and a higher timeframe to confirm when a move is truly overextended or simply pausing.
It works like a magnet:
Like poles repel → Push signal = momentum exhaustion (reversal setup)
Opposite poles attract → Pull signal = short-term reversal within a trend
This multi-timeframe approach helps you read momentum as a conversation between 2 timeframes, not just a number crossing 80 or 20.
📌 Key features
🔸 Dynamic multi-timeframe momentum analysis
MagnetOsc Turbo compares 2 oscillators – one from your current chart and one from a higher timeframe that you define.
You can freely select:
Higher-timeframe type: tick, minute, range, volume, day…
Value ratio: 2×, 3×, 5×, 6×, or 7×…
By comparing momentum from both frames, it helps you avoid false reversals – moments when one chart screams “Overbought” while the higher timeframe still has strength to push further.
Tip:
Use a higher timeframe that’s 4 – 6× larger than your trading chart:
100 Tick → 500 Tick
1 Min → 5 – 10 Min
This keeps your Pull and Push signals balanced and meaningful.
🔸 Threshold levels — Defining OB/OS zones
There are 2 sets of thresholds:
#1: Hidden (for the lower timeframe)
#2: Visible (for the higher timeframe)
These define the Overbought (OB) and Oversold (OS) boundaries.
Default levels (80/20) work for most markets, but:
Tighten zones (70/30) → earlier but more frequent signals.
Widen zones (80/20) → fewer but higher-quality signals.
🔸 Pull & Push signal logic
The magnetic principle drives the signal engine:
Both signal types are generated automatically by analyzing oscillator states across timeframes.
However, for better discipline and clarity, it’s recommended to trade only one signal type (Pull or Push) depending on your style.
🔸 Built-in price-action confirmation
To reduce false entries, each signal is validated against candle behavior using OHLC data.
This allows MagnetOsc Turbo to recognize strong reversal candles and provide earlier, more reliable entries than lagging oscillators.
You’ll notice that Pull/Push signals often align with the first strong candle after momentum disagreement – a high-probability setup many traders miss with basic RSI or Stochastics.
🔸 Clean, intuitive visual interface
The oscillator window is designed for clarity:
Displays both lower- and higher-timeframe momentum in a single panel.
Colored zones visualize attraction or repulsion between timeframes.
On-chart markers show exact signal points.
Toggle Pull/Push signal display as desired.
When both lines and zones share the same color → Attraction (Pull)
When they differ → Repulsion (Push)
You can literally see the magnetic force – an elegant way to understand what’s happening beneath the candles.
📌 Customization
Every market and trader is different, so MagnetOsc Turbo offers deep flexibility:
Choose from 11 types of moving averages for smoothing.
Adjust oscillator period and smoothing length.
Control Signal Split (minimum bars between signals).
Limit the number of signals per OB/OS area via Quantity Per Area.
Fine-tune thresholds (Upper & Lower for both timeframes).
By tweaking these, you can make the indicator more aggressive or conservative.
Examples:
Tight thresholds → more signals, faster reactions (scalpers).
Wider thresholds → fewer but stronger signals (swing traders).
If your chart looks noisy, increase the OSC Period or enable smoothing.
📌 Trading Tips
🔸 Choose your style
Scalpers: focus on Pull signals. These appear more often and align with short bursts of counter-momentum.
Swing traders: focus on Push signals. These highlight exhaustion zones that often precede larger reversals.
🔸 Define your timeframe pair
A good ratio is 1 : 4–6 between your trading and higher timeframe.
Examples:
100 Tick → 400–600 Tick
1 Min → 5–10 Min
🔸 Manage frequency
Use Signal Split and Quantity Per Area to prevent over-signaling.
For example, limit to 2 Pull signals per overbought zone – keeping only the cleanest opportunities.
MagnetOsc Turbo transforms a simple oscillator into a multi-timeframe momentum map.
It shows how lower and higher timeframes attract or repel each other, revealing the true rhythm of market energy.
Chỉ báo và chiến lược
Sicari Momentum OscillatorSicari Momentum Oscillator (SMO)
What is it?
The Sicari Momentum Oscillator (SMO) is a price–volume momentum framework designed to quantify directional conviction in the market. It measures the acceleration of price movement relative to underlying participation, highlighting when momentum is being confirmed or contradicted by volume flow.
i) Uses exponential moving averages (EMAs) to calculate momentum rather than SMAs for faster response
ii) Identifies bullish and bearish divergences between price and momentum to anticipate exhaustion
iii) Integrates On-Balance Volume (OBV) to map volume momentum in real time
iv) Flags confluence where both price and volume momentum align, signalling stronger continuation potential
How it works
i) When EMAs expand or contract, the histogram adjusts dynamically to visualise the strength and direction of momentum
ii) Divergences appear when price and oscillator move in opposite directions - often preceding local tops or bottoms
iii) OBV is processed through the same EMA structure to produce a clean, comparable momentum curve
iv) Confluence dots appear only when both price and volume momentum agree in direction, marking periods of high-quality momentum
How to use it
i) Combine with the main Sicari indicator to validate directional bias and detect early trend transitions
ii) Watch for divergence to anticipate potential reversals or waning momentum
iii) Confluence dots indicate alignment between price and participation - a signal of underlying market strength or weakness
🟢 Bullish confluence when both price and volume expand upward
🔴 Bearish confluence when both contract in unison
The SMO distills the market’s internal rhythm into a single, adaptive pulse - delivering institutional-grade precision, clarity, and timing within the Sicari ecosystem.
Trendline Breakout Indicator🧩 Indicator Overview
Purpose:
This indicator automatically draws trendlines (support and resistance) based on recent swing highs/lows,
and when the price breaks these trendlines, it gives a Buy (triangle up) or Sell (triangle down) signal on the chart.
🧠 Step-by-Step Explanation
1️⃣ Indicator Setup
//@version=5
indicator("Trendline Breakout Indicator", overlay=true)
@version=5 → specifies that we’re using Pine Script version 5.
overlay=true → means the indicator will appear directly on the price chart, not in a separate panel.
2️⃣ Detecting Swing Points
len = input.int(5, "Swing Length")
This input defines how many candles around a point must be higher/lower to qualify as a swing high or swing low.
Example: len=5 means the candle must be the highest (or lowest) among the last and next 5 candles.
var float ph1 = na
var float ph2 = na
var float pl1 = na
var float pl2 = na
These variables store the two most recent swing highs (ph1, ph2) and swing lows (pl1, pl2).
We need these pairs of points to draw our trendlines.
3️⃣ Updating Swing Points
if ta.pivothigh(high, len, len)
ph2 := ph1
ph1 := high
if ta.pivotlow(low, len, len)
pl2 := pl1
pl1 := low
ta.pivothigh() detects a local resistance (swing high).
ta.pivotlow() detects a local support (swing low).
Every time a new swing point is found, the previous one moves to ph2/pl2, and the latest becomes ph1/pl1.
4️⃣ Drawing the Trendlines
var line upLine = na
var line downLine = na
if not na(pl1) and not na(pl2)
line.delete(upLine)
upLine := line.new(bar_index - len*2, pl2, bar_index - len, pl1, color=color.new(color.green, 0), width=2)
if not na(ph1) and not na(ph2)
line.delete(downLine)
downLine := line.new(bar_index - len*2, ph2, bar_index - len, ph1, color=color.new(color.red, 0), width=2)
When both swing points are available:
Green line → connects swing lows → support trendline
Red line → connects swing highs → resistance trendline
The previous trendline is deleted and replaced with the newest one to keep the chart clean.
5️⃣ Getting the Current Trendline Value
upValue = na(upLine) ? na : line.get_y1(upLine) + (line.get_y2(upLine) - line.get_y1(upLine)) / (line.get_x2(upLine) - line.get_x1(upLine)) * (bar_index - line.get_x1(upLine))
downValue = na(downLine) ? na : line.get_y1(downLine) + (line.get_y2(downLine) - line.get_y1(downLine)) / (line.get_x2(downLine) - line.get_x1(downLine)) * (bar_index - line.get_x1(downLine))
This formula calculates the exact Y-value (price) of each trendline at the current candle’s position.
It’s a simple line equation: y = mx + c — finds where the current bar intersects the line.
6️⃣ Breakout Conditions
buySignal = not na(upValue) and close > upValue and close <= upValue
sellSignal = not na(downValue) and close < downValue and close >= downValue
Buy Signal:
Price closes above the support trendline (green).
Previous candle was below it.
→ This confirms an upward breakout.
Sell Signal:
Price closes below the resistance trendline (red).
Previous candle was above it.
→ This confirms a downward breakout.
7️⃣ Plotting the Signals
plotshape(buySignal, title="Buy Signal", style=shape.triangleup, color=color.new(color.green, 0), size=size.large, location=location.belowbar, text="BUY")
plotshape(sellSignal, title="Sell Signal", style=shape.triangledown, color=color.new(color.red, 0), size=size.large, location=location.abovebar, text="SELL")
When a breakout occurs:
🟢 Triangle Up below the candle = BUY Signal
🔴 Triangle Down above the candle = SELL Signal
8️⃣ Alert Conditions (for TradingView Alerts)
alertcondition(buySignal, title="Buy Breakout", message="Trendline Breakout UP - Buy Signal")
alertcondition(sellSignal, title="Sell Breakdown", message="Trendline Breakout DOWN - Sell Signal")
These allow you to set up TradingView alerts for automatic notifications.
When buySignal or sellSignal triggers, you’ll receive a popup, message, or sound alert.
📈 Indicator Output Summary
Component Description
🟩 Green Line Support trendline (connects swing lows)
🟥 Red Line Resistance trendline (connects swing highs)
🔵 Triangle Up Price broke above trendline → Buy signal
🔴 Triangle Down Price broke below trendline → Sell signal
🔔 Alert Triggers when a buy/sell breakout occurs
⚙️ Customization Tips
len = 5 → Adjust swing sensitivity (try 3–10).
You can modify trendline color, width, or signal shapes easily.
Works on any timeframe (1min, 5min, 1H, 4H, 1D, etc.).
Works on any market — Stocks, Crypto, Forex, Commodities.
🧠 Optional Improvements (Advanced Version)
I can also add the following if you’d like:
Show price labels (e.g., “Buy @ 25000”)
Alert pop-up + sound notification
Confirm breakouts using volume filter
Would you like me to upgrade this script with price labels and sound alerts next?
That version is perfect for live trading setups 🔔
Smart Auto Levels Renko Pro $ [ #Algo ] ( Fx, Alt, Crypto ) : Smart Levels is Smart Trades 🏆
"Smart Auto Levels Renko Pro $ ( Fx, Alt, Crypto ) " indicator is specially designed for " Crypto, Altcoins, Forex pairs, and US exchange" . It gives more power to day traders, pull-back / reverse trend traders / scalpers & trend analysts. This indicator plots the key smart levels , which will be automatically drawn at the session's start or during the session, if specific input is selected.
🔶 Usage and Settings :
A :
⇓ ( *refer 📷 image ) ⇓
B :
⇓ ( *refer 📷 images ) ⇓
🔷 Features :
a : automated smart levels with #algo compatibility.
b : plots Trend strength ▲, and current candle strength count value label.
c : ▄▀ RENKO Emulator engine ( plots *Non-repaintable #renko data as a line chart over the standard chart).
d : session 1st candle's High, Low & 50% levels ( irrespective of chart time-frame ).
e : 1-hour High & Low levels of specific candle ( from the drop-down menu ), for any global
market crypto / altcoins / forex or USA exchange symbols.
f : previous Day / Week / Month, chart High & Low.
g : pivot point levels of the Daily, Weekly & Monthly charts.
h : 2 class types of ⏰ alerts ( only signals or #algo execution ).
i : auto RENKO box size (ATR-based) table for 31 symbols (5 Default non-editable symbols,
6 US exchange symbols, 14 Alt-coins, 6 Forex pairs.)
j : auto processes " daylight saving time 🌓" data and plots accordingly.
💠Note: "For key smart levels, it processes data from a customized time frame, which is not available for the *free Trading View subscription users , and requires a premium plan." By this indicator, you have an edge over the paid subscription plan users and can automatically plot the Non-repaintable RENKO emulator for the current chart on the Trading View free Plan for any time-frame ."
⬇ Take a deep dive 👁️🗨️ into the Smart levels trading Basic Demonstration ⬇
▄▀ 1: "RENKO Emulator Engine" ⭐ , plots a noiseless chart for easy Top/Bottom set-up analysis. 11 types of 💼 asset classes options available in the drop-down menu.
LTP is tagged to the current RSI value ➕ volatility color change for instant quick decisions.
⇓ ( *refer 📷 image ) ⇓
🟣 2: "Trend Strength ▲ Label with color condition.
The strength of the trend will be shown as a number label ( for the current candle ), and the ▲ color format represents the strength of the trend. Can be utilized as an Entry or Exit condition.
⇓ ( *refer 📷 image ) ⇓
🟠 3: plots "Session first candle High, low, and 50%" levels ( irrespective of chart time-frame ), which are critical levels for an intraday trader with add-on levels of Previous Day, Week & Month High and Low levels.
⇓ ( *refer 📷 image ) ⇓
🔵 4: plots "Hourly chart candle" High & Low levels for the specific candles, selected from the drop-down menu with Pivot Points levels of Daily, Weekly, Monthly chart.
⇓ ( *refer 📷 image ) ⇓
🔲 5: "Auto RENKO box size" ( ATR based ) : This indicator is specially designed for 'Renko' trading enthusiasts, where the Box size of the ' Renko chart ' for intraday or swing trading ( ATR based ) , automatically calculated for the selected ( editable ) symbols in the table.
⇓ ( *refer 📷 image ) ⇓
*NOTE :
Table symbols (Non-editable) for 2 USA index, XAU, BTC, ETH.
Symbols (editable) for USA index/stocks.
Table Symbols (editable) for alt-coins.
Table Symbols (editable) for Forex pairs.
⏰ 6: "Alert functions."
⇓ ( *refer 📷 image ) ⇓
◻ : Total 7 signal alerts can be possible in a Single alert.
◻ : Total 10 #algo alerts , ( must ✔ tick the Consent check box for algo execution ).
Note: : alert with RSI ( *manual ✍ input value ) condition.
After selecting alert/alerts ( signals 7 / #algo 10 ), an additional RSI condition can also be used as an input to trigger the alert.
ex: alert = { 🟠 𝟭 Hr 🕯 H & L ➕ ✅ RSI✍ } condition, will trigger the alert when both conditions meet simultaneously.
This Indicator will work like a Trading System . It is different from other indicators, which give Signals only. This script is designed to be tailored to your personal trading style by combining user input components to create your own comprehensive strategy . The synergy between the components is key to its usefulness.
🚀 It focuses on the key Smart Levels and gives you an Extra edge over others.
✅ HOW TO GET ACCESS :
You can see the Author's instructions below to get instant access to this indicator & our premium indicator suites. If you like any of my Invite-Only indicators, kindly DM and let me know!
⚠ RISK DISCLAIMER :
All content provided by "@TradeWithKeshhav" is for informational & educational purposes only.
It does not constitute any financial advice or a solicitation to buy or sell any securities of any type. All investments / trading involve risks. Past performance does not guarantee future results / returns.
Regards :
Team @TradeWithKeshhav
Happy trading and investing!
MTF Advanced DMI [NexusSignals]The MTF Advanced DMI is a multi-timeframe (MTF) enhancement of the classic Directional Movement Index (DMI) and Average Directional Index (ADX) indicator. It provides traders with insights into trend strength, direction, and momentum across multiple timeframes simultaneously. This version of DMI extends the single-timeframe analysis by incorporating two higher timeframes, allowing for better alignment of trends (e.g., confirming a short-term signal with longer-term context). It includes visual plots, a customizable data table showing MTF data, and expanded alert conditions for trend changes, consolidations, and reversals. Ideal for multi-timeframe strategies, trend confirmation, or avoiding false signals in volatile markets.
Key features include:
Multi-Timeframe Analysis: Displays DMI/ADX data for the current chart timeframe, plus two user-defined higher timeframes (e.g., 4H and 1D).
A trend strength metric that quantifies bullish/bearish dominance on each timeframe.
A dynamic table summarizing real-time MTF values, with color-coded signals, arrows, and buy/sell pressure percentages.
Visual fills and arrows for intuitive trend reading.
Built-in alerts for key events, including MTF-specific conditions (note: higher TF alerts may repaint due to live candle calculations via request.security).
How It Works
The indicator calculates DMI/ADX on three timeframes: the current chart TF, a mid-higher TF (default: 4H), and a highest TF (default: 1D).
For each:
+DI (Plus Directional Indicator): Upward movement strength.
-DI (Minus Directional Indicator): Downward movement strength.
ADX: Overall trend strength.
Trend Strength: ((+DI - -DI) / (+DI + -DI)) * ADX – positive for bullish, negative for bearish.
Buy/Sell %: Percentage of buyer/seller control in the candle based on HLC.
Plots focus on the current TF:
Strength Histogram: Color-coded (green bullish, red bearish).
ADX Line: White, with direction arrows.
+DI/-DI Lines: Green/red, with fills above 15 for strong trends.
Horizontal lines at 15 (consolidation) and 25 (strong trend).
The table (optional) shows data for the current timeframe candle, previous current timeframe candle, and the two higher TFs (if different from current), enabling quick cross-TF comparisons.
Inputs
General Settings:
DMI Length (default: 14): Period for +DI/-DI.
ADX Smoothing (default: 14): ADX period.
ADX Consolidation Threshold (default: 15): Low ADX suggests sideways.
ADX Stronger Trend Threshold (default: 25): High ADX indicates strong trends.
Higher Timeframe (default: 240/4H): Mid-level TF for MTF analysis.
Highest Timeframe (default: 1D): Top-level TF for broader context.
Threshold for Strong Bullish/Bearish DMI Strength (defaults: 10 / -10): For strength alerts.
Table Settings:
Show Table? (default: true): Toggle table visibility
Table Text Color, Header Color, Text Size (default: small)
Position (default: middle_right): Customize for your chart
Interpretation
Bullish Alignment: +DI > -DI across TFs, rising +DI (↑), Strength > 0 (green), Buy% > Sell%. Stronger if ADX > 25 on higher TFs.
Bearish Alignment: -DI > +DI, rising -DI (↑), Strength < 0 (red), Sell% > Buy%. Confirm with rising ADX on MTF.
Consolidation: +DI/-DI < 20 and ADX ≤ 15 (blue fill). Check if higher TFs show the same for range-bound confirmation.
Crossovers: +DI above -DI for bullish; reverse for bearish. MTF agreement reduces false signals.
Fills: Highlight dominant trends above 15 (green bullish, maroon bearish).
MTF Insight: Use the table to spot divergences (e.g., bullish current TF but bearish on daily) for potential reversals.
Combine with support/resistance or other momentum oscillators like macd, rsi, stochastic for robust strategies. Test on various assets and TFs to find the best settings that suit your trading style.
Alerts
Includes 20 alert conditions, with MTF extensions (higher TF alerts may repaint – use with caution for live trading):
Strength crossing 0 or bullish/bearish thresholds (on current and higher TFs).
+DI/-DI crossovers (bullish/bearish) on current TF.
ADX above strong threshold.
+DI/-DI above 25 or below 15.
Consolidation detection.
MTF-specific: Strength changes on higher TFs (e.g., "Strength Above Bullish Threshold on TF1").
Configure in TradingView by selecting from the alert dropdown.
Usage Tips
Select higher TFs that suit your strategy (e.g., 1H chart with 4H and Daily for day trading).
Use the table for at-a-glance MTF alignment without switching charts.
Customize appearance to avoid clutter on busy setups.
Backtest thoroughly, especially noting potential repainting on higher TFs.
Sicari Stress Map - Flash Crash / Stabilising Detection EngineA flash crash & stabilisation detection engine measuring volatility compression in 5 min candles printed no matter what timeframe you are on.
Most “flash-crash” legs start with a local stress shock on a small timeframe (5-min works well):
- a burst in true range (high TR percentile),
- short-term vol jumps vs long-term (RV ratio),
- bands expand and price snaps below fast EMA,
- often a quick reflex bid (buy-the-dip) for a few 5-min candles…
…and then the main liquidation leg hits.
This engine keys off that first shock on 5m and bubbles it up to your chart TF as a single FLASHCRASH pulse. Then it watches for Stabilising, when panic fades:
- ATR compresses,
- BB width z goes negative (pinch),
- ranges shrink,
- structure improves (≥ fast EMA by default).
Engulfing Failure & Overlap Zones [HASIB]🧭 Overview
Engulfing Failure & Overlap Zones is a smart price action–based indicator that detects failed engulfing patterns and overlapping zones where potential liquidity traps or reversal setups often occur.
It’s designed to visually highlight both bullish and bearish failed engulfing areas with clean labels and zone markings, making it ideal for traders who follow Smart Money Concepts (SMC) or price action–driven trading.
⚙️ Core Concept
Engulfing patterns are powerful reversal signals — but not all of them succeed.
This indicator identifies:
When a Buy Engulfing setup fails and overlaps with a Sell Engulfing zone, and
When a Sell Engulfing setup fails and overlaps with a Buy Engulfing zone.
These overlapping areas often represent liquidity grab zones, reversal points, or Smart Money manipulation levels.
🎯 Key Features
✅ Detects both Buy and Sell Engulfing Failures
✅ Highlights Overlapping (OL) zones with colored rectangles
✅ Marks Buy EG OL / Sell EG OL labels automatically
✅ Fully customizable visuals — colors, padding, and zone styles
✅ Optimized for both scalping and swing trading
✅ Works on any timeframe and any instrument
⚡ How It Helps
Identify liquidity traps before reversals happen
Visually see Smart Money overlap zones between opposing engulfing structures
Strengthen your entry timing and confirmation zones
Combine with your own SMC or ICT-based trading setups for higher accuracy
📊 Recommended Use
Use on higher timeframes (e.g., M15, H1, H4) to confirm major liquidity zones.
Use on lower timeframes (e.g., M1–M5) for precision entries inside the detected zones.
Combine with tools like Order Blocks, Break of Structure (BOS), or Fair Value Gaps (FVG).
🧠 Pro Tip
When a failed engulfing overlaps with an opposite engulfing zone, it often signals market maker intent to reverse price direction after liquidity has been taken. Watch these zones closely for strong reaction candles.
Swing Points LiquiditySwing Points Liquidity
Unlock advanced swing detection and liquidity zone marking for smarter trading decisions.
Overview:
Swing Points Liquidity automatically identifies key swing highs and swing lows using a five-candle “palm” structure, marking each significant price turn with precise labels: “BSL swing high” for potential bearish liquidity and “SSL swing low” for potential bullish liquidity. This transparent swing logic provides a robust way to highlight areas where price is most likely to react—making it an invaluable tool for traders applying Smart Money Concepts, supply and demand, or liquidity-based strategies.
How It Works:
The indicator scans every candle on your chart to detect and label swing highs and lows.
A swing high (“BSL swing high”) is identified when a central candle’s high is greater than the highs of the previous two and next two candles.
A swing low (“SSL swing low”) is identified when a central candle’s low is lower than the lows of the previous two and next two candles.
Labels are plotted for every detected swing point, providing clear visualization of important market liquidity levels on any symbol and timeframe.
How to Use:
Liquidity levels marked by the indicator are potential price reversal zones. To optimize your entries, combine these levels with confirmation signals such as reversal candlestick patterns, order blocks, or fair value gaps (FVGs).
When you see a “BSL swing high” or “SSL swing low” label, observe the price action at that area—if a reliable reversal pattern or order block/FVG forms, it can signal a high-probability trade opportunity.
These marked liquidity swings are also excellent for locating confluence zones, setting stop losses, and identifying where institutional activity or smart money may trigger significant moves. Always use market structure and price action in conjunction with these levels for greater consistency and confidence in your trading.
Features:
Customizable label display for swing highs (BSL) and swing lows (SSL)
Automatic detection using robust 5-candle palm logic
Works with all symbols and chart timeframes
Lightweight, clear visual style—easy for manual and algorithmic traders
Notes:
The indicator requires at least two candles both before and after each swing point, so labels will start appearing after enough historical data is loaded.
For deeper historical analysis, simply scroll left or zoom out on your chart to load more candles—the indicator will automatically process and display swing points on all available data.
Empower your trading with the clarity of Swing Points Liquidity—boost your edge with sharper entries, exits, and liquidity-driven setups.
Litecoin Rainbow Chart by Crypto LamaThis script adapts the popular Bitcoin Rainbow chart to Litecoin to visualize Litecoin's long-term price trend on a logarithmic scale.
It highlights potential buying or caution zones based on a power law growth model tied to Litecoin's halving cycles.
What it does:
The indicator overlays 23 colored bands from purple/blue (undervalued) to orange/red (overvalued) around a power law trend line.
It supports forward projections by extending the chart with user-defined future bars.
How it works:
The core trend uses a power law formula: P(t) = 10^(0.5 + 4.34 * log10(h + 1)), where h represents time in halving cycles.
23 colored bands are constructed by applying multipliers with a decaying factor that narrows over time.
To put it simple, it is the same power law trendline shifted up or down 23 times.
For projections, it adds future bars to the timeline and recalculates the trend and bands accordingly.
How to use it:
Apply the indicator to a Litecoin chart (VANTAGE:LTCUSD for best results).
Adjust the "Future Bars" input to extend projections, usually staying below 600 future bars prevents visual bugs.
Blue/green bands signal potential accumulation zones, as has been demonstrated for Bitcoin, an average price close to these levels will likely prove to be an excellent buying opportunity, while orange/red suggest distribution or caution.
This indicator should be used to visualize the macro long-term trend of Litecoin, and it is not supposed to be used for short-term forecasts as its accuracy decreases.
Originality:
While inspired by Bitcoin's Rainbow Chart, this version is customized for Litecoin by incorporating its unique halving schedule and calibrated power law parameters in the power law formula, offering a tailored tool for LTC-specific analysis.
Note: This is not financial advice. Use it alongside other tools and manage risks appropriately!
Dinkan Price Action Pro | Hidden Liquidity & Smart Candle EngineDinkan Price Action Pro is a next-generation pure price action indicator designed to uncover hidden liquidity, smart order blocks, and candle structures that most traders never see.
Unlike traditional tools that rely on lagging signals or static market structures, this indicator focuses purely on raw price behavior — blending institutional concepts such as Order Blocks, Fair Value Gaps (FVGs), Hidden Candle Structures, and High-Timeframe Liquidity Bias into one cohesive toolkit.
With its Smart Candle Merge Engine, this tool can dynamically regroup candles into custom segments — revealing unique formations and liquidity footprints that occur between standard timeframes. These insights help you visualize true market intent and identify points of interest with unmatched precision.
Reveal hidden liquidity, smart order blocks, and unseen candle formations with pure price action logic.
🔶 FEATURES
Everything inside Dinkan Price Action Pro is built on pure price action and liquidity logic — no indicators, no oscillators, just price.
🧠 Smart Candle Merge Engine — Reconstructs custom candle formations by merging defined candle groups (e.g., 3, 4, 5). Reveals “in-between” structures unseen on regular charts.
📊 Automatic Order Block Detection — Bullish & Bearish Order Blocks with volume sensitivity and dynamic visualization.
⚡ Fair Value Gaps (FVGs) — Auto-detected imbalances for spotting potential retracement or continuation zones.
🌊 Liquidity Zones — Highlights both normal and HTF-based liquidity levels, showing where price is likely to target or react.
📈 Smart Trendlines & Chart Patterns — Dynamic auto-drawn trendlines that adapt to real market swings and structure.
🕵️♂️ Hidden Candle Structures — Visualize secret price formations that form outside fixed timeframes — unseen by classic charts or pattern indicators.
💡 WHY IT’S UNIQUE
Most price action indicators show what’s already visible — Dinkan Price Action Pro goes deeper by reconstructing candles, analyzing unseen data segments, and uncovering hidden liquidity footprints that form between standard timeframe boundaries.
It’s like looking through the market’s blueprint — seeing what institutional traders see before the rest of the market reacts.
🕒 BEST FOR
Intraday & Swing Traders
Crypto, Forex, and Indices
Traders who follow Smart Money Concepts (SMC) or pure price action strategies
⚠️ DISCLAIMER
This tool is designed for educational purposes only and does not constitute financial advice.
Always test thoroughly and manage risk before applying it to live markets.
MAX TRADEA professional smart trading indicator built for precision and profitability.
It automatically detects market structure breaks, trendline breaches, and Fibonacci zones to generate high-probability BUY and SELL signals.
Optimized for XAU/USD and crypto pairs, it works best on lower timeframes (M1–M15).
Moon Phases + Blood MoonWhat it is
This is a simple, time-based strategy that goes long on full moons and exits on the next new moon, while visually highlighting historically known “Blood Moon” (total lunar eclipse) dates. It’s built for exploratory testing of lunar timing effects on price, not for predictive claims.
Why it’s useful / originality
Most lunar scripts only mark phases. This one (1) computes lunar phases on the chart, (2) normalizes and flags Blood Moon days from a curated list, and (3) turns the phase changes into an executable strategy with clear, reproducible entry/exit rules and a configurable start date—so traders can quickly evaluate whether a lunar timing overlay adds any edge on their market/timeframe.
How it works (concept)
Moon phase detection: Uses Julian date conversion and standard astronomical approximations to determine the most recent phase change at each bar. The script classifies phase turns as +1 = New Moon and –1 = Full Moon, tracking the latest valid time to avoid lookahead.
Blood Moon tagging: A built-in array of UTC timestamps (total lunar eclipses) is date-matched to the current session and marked as “Blood Moon” when a full moon coincides with a listed date.
Signals & trades
Plot circles above/below bars: New Moon (above), Full Moon (below), Blood Moon (below, red).
Entry: Long at Full Moon once the bar time ≥ the user’s Start date.
Exit: Close the long on the next New Moon.
How to use
Add to your chart (non-monthly timeframes only).
Optionally adjust the Start date (default: 2001-12-31 UTC) to control the backtest window.
Use the color inputs to style New Moon / Full Moon / Blood Moon markers.
Evaluate performance on liquid symbols and timeframes that provide a sufficient number of phase cycles.
Default / publish settings
Initial capital: $10,000 (suggested)
Commission: 0.05% per trade (suggested)
Slippage: 1 tick (suggested)
Position sizing: TradingView strategy defaults (no leverage logic is added).
Timeframes: Intraday/Daily/Weekly supported. Monthly is blocked by design.
Chart type: Use standard chart types only (no Heikin Ashi, Renko, Kagi, P&F, Range) for signals/backtests.
Reading the chart
New Moon: soft gray circle above bars.
Full Moon: soft yellow circle below bars.
Blood Moon (if date-matched): soft red circle below bars.
The script also ensures symbol/timeframe context is visible—keep your chart clean so the markers are easy to interpret.
Limitations & important notes
This is a time-based heuristic. It does not forecast price and does not repaint via lookahead tricks; it avoids future leakage by anchoring to the last known phase time at each bar.
No non-standard chart signals. Using non-standard charts can produce unrealistic results.
Strategy properties like commission/slippage materially affect results—please set them to realistic values.
Backtests should include a large sample (ideally >100 trades over many cycles) to make statistics meaningful.
Past performance does not guarantee future results.
Open-source reuse / credits
Uses standard, public-domain techniques for Julian date conversion and lunar-phase approximations.
Blood Moon dates are incorporated as a hard-coded list for convenience; you may extend or adjust this list as needed.
No third-party proprietary code is reused.
Changelog / versioning
v1: Initial public release on Pine v6 with phase detection, Blood-Moon tagging, and a minimal long-only phase strategy.
BRIMSTONE SESSION INDICATOR🧭 Brimstone Session Indicator
Brimstone Session Indicator highlights global trading sessions (Asia, London/Frankfurt, New York) and key Kill Zones, showing when real liquidity and volatility enter the market.
⸻
🔍 Why It’s Useful
Markets move in time cycles, not just price.
This tool makes institutional timing visible — so you instantly see:
• Session ranges & volatility shifts
• Liquidity grabs and reversals in Kill Zones
• Perfect timing for precision entries (ICT / SMC style)
⸻
⚔️ Kill Zones
Fully customizable timing windows for liquidity hunts, stop raids, and engineered moves — where the market is most likely to attack highs/lows.
⸻
🎯 Built For
• ICT / Smart Money Traders
• Intraday scalpers & bias traders
• Anyone who trades price + time, not price alone
BRIMSTONE SESSION INDICATOR🧭 Brimstone Session Indicator
Brimstone Session Indicator highlights global trading sessions (Asia, London/Frankfurt, New York) and key Kill Zones, showing when real liquidity and volatility enter the market.
⸻
🔍 Why It’s Useful
Markets move in time cycles, not just price.
This tool makes institutional timing visible — so you instantly see:
• Session ranges & volatility shifts
• Liquidity grabs and reversals in Kill Zones
• Perfect timing for precision entries (ICT / SMC style)
⸻
⚔️ Kill Zones
Fully customizable timing windows for liquidity hunts, stop raids, and engineered moves — where the market is most likely to attack highs/lows.
⸻
🎯 Built For
• ICT / Smart Money Traders
• Intraday scalpers & bias traders
• Anyone who trades price + time, not price alone
Asia Range Breakout
The Asia Range Breakout is a sophisticated trading tool designed to identify high-probability breakout opportunities during key Asian trading sessions. The indicator automatically calculates and plots the high and low ranges for six specific time windows throughout the Asian session.
When the price breaks above or below these pre-defined ranges and confirms the move with a strong Heiken Ashi candle, the indicator generates clear visual and audible alerts. To ensure signal quality, it incorporates multiple smart filters, including trend alignment with EMA 200 and the Ichimoku Baseline, as well as a volatility filter using ATR.
Key Features:
Multi-Session Tracking: Monitors 6 distinct time ranges within the Asia session (Sydney Box, Tokyo Pre-open, ORB First, Tokyo Launch, 2nd Pre-open, and 2nd ORB).
Smart Alert System: Generates alerts only after a session ends and a confirming candle closes beyond the range on your chosen timeframe.
Signal Strength Visualization: Differentiates between "Large" breakouts (beyond the entire session range) and "Small" breakouts with distinct marker sizes.
Advanced Filtering:
Heiken Ashi Momentum: Confirms breakout strength.
Trend Filter (EMA 200): Ensures alignment with the broader trend.
Ichimoku Baseline Filter: Adds another layer of trend confirmation.
Ichimoku Divergence Filter: Tracks the slope of the baseline for momentum.
ATR Volatility Filter (Optional): Filters out low-volatility, unreliable breakouts.
Take-Profit Levels: Automatically plots ATR-based take-profit lines for every valid breakout signal.
Fully Customizable:** Control every aspect, from which sessions are active to the colors and styles of all plots and alerts.
---
Join Our Trading Community:
📊 All My Indicators: t.me
🤖 AI Trading & Experts: t.me
👥 Support & Learning: t.me
Ideal For:
Traders who focus on the Asian session, breakout strategies, and those seeking mechanically-derived entry signals with multiple layers of confirmation.
---
Cumulative Volume Delta Z Score [BackQuant] editmore GUI inputs, cosmetic inputs, uses ATR dynamic levels, concise for low compute overhead