Kyber Cell's – TTM Wave AThe Kyber Cell’s Wave A – TTM Squeeze Momentum Histogram
⸻
1. Introduction
Wave A is the momentum core of the TTM Squeeze system. As the most dynamic and visually responsive of the three “waves,” it captures the ebb and flow of price strength using linear regression techniques. This histogram-based indicator is typically displayed below the chart and serves as an early warning system for potential breakouts, as well as a momentum health monitor during trades.
Built for traders who value precision, timing, and visual clarity, Kyber Cell’s Wave A re-engineers the traditional TTM Wave A with enhanced color logic, momentum sensitivity, and integration-readiness with multi-wave systems. Whether you’re scalping intraday volatility or riding longer-term swings, this tool gives you the pulse of the move — before the price fully commits.
⸻
2. Core Concept and Calculation
Wave A focuses on momentum as deviation from equilibrium, using a linear regression of the smoothed price difference between:
• The current close
• And the average of the Bollinger Band basis and a mid-range average of highs and lows
The result is a histogram that expands and contracts based on how far and how fast price is moving away from its mean. This makes it ideal for identifying when markets are building pressure (compression), releasing energy (expansion), or losing steam (divergence).
⸻
3. Visual Output and Color Logic
The Wave A histogram dynamically changes color based on the direction and acceleration of momentum:
• Bright Cyan: Bullish momentum increasing
• Dark Blue: Bullish momentum weakening
• Bright Red: Bearish momentum increasing
• Dark Red: Bearish momentum weakening
This 4-color system helps traders instantly identify not just the direction of momentum, but the quality of that move:
• Increasing color brightness = momentum is building
• Dimming colors = momentum is fading
This is especially useful in squeeze trades — a rising Wave A during a green dot (squeeze fire) confirms breakout direction. Conversely, a fading Wave A may suggest to delay entry or prepare to exit.
⸻
4. Ideal Use Case
Wave A is most effective when used in conjunction with a TTM Squeeze dot indicator (such as your Squeeze Pro) and optional Wave B/C overlays. The typical workflow:
1. Watch for Compression: Red, orange, or blue squeeze dots from the main chart indicator.
2. Confirm with Wave A: Enter long if Wave A flips cyan and is rising, or short if it flips bright red and is increasing.
3. Monitor the Bars: Fading bars may signal divergence, exhaustion, or false breakouts.
4. Exit Gracefully: When the histogram flips against your position and starts rising in the opposite color, it’s often a signal to consider tightening stops or taking profit.
⸻
5. Configuration and Customization
Wave A is intentionally minimal in external configuration, focusing instead on clean visuals and fast response. However, key parameters typically include:
• Length of the linear regression (commonly set to match the Squeeze window)
• Price smoothing options (if enabled)
• Bar coloring toggle (to adapt for personal theme preferences or integration into multi-wave dashboards)
This keeps Wave A lightweight and compatible with a wide range of strategies, while remaining highly informative in real-time.
⸻
6. Alerts and Add-ons
While Wave A itself is primarily visual, it can be enhanced with optional alert logic:
• Histogram flip from negative to positive (bullish)
• Histogram flip from positive to negative (bearish)
• Momentum peak or divergence alert (custom-coded for advanced users)
Traders often link this with a squeeze-fire signal or Wave B trend alignment to trigger more sophisticated alerts or automation workflows.
⸻
7. Disclaimer
This indicator is for educational and informational purposes only. It is not financial advice. Trading based on this tool involves risk, and all decisions should be made in context of broader technical and fundamental analysis, appropriate risk management, and your own trading strategy.
⸻
Indicatori e strategie
9:15 AM Bullish SetupBAsically it will tell if market open price is greater than 1 % of prev close and also above 20 and 200 SMA
🔍 Candle Scanner (75m/D/W/M) + Volume + EMA + Trend//@version=5
indicator("🔍 Candle Scanner (75m/D/W/M) + Volume + EMA + Trend", overlay=true)
is75min = timeframe.period == "75"
// Time Slot Logic for 75-min only
startTime = timestamp("Asia/Kolkata", year, month, dayofmonth, 9, 15)
candle75 = math.floor((time - startTime) / (75 * 60 * 1000)) + 1
candleNo = is75min and candle75 >= 1 and candle75 <= 5 ? candle75 : na
getTimeSlot(n) =>
slot = ""
if n == 1
slot := "09:15–10:30"
else if n == 2
slot := "10:30–11:45"
else if n == 3
slot := "11:45–13:00"
else if n == 4
slot := "13:00–14:15"
else if n == 5
slot := "14:15–15:30"
slot
// EMA Filters
ema20 = ta.ema(close, 20)
ema50 = ta.ema(close, 50)
aboveEMA20 = close > ema20
aboveEMA50 = close > ema50
// Volume Strength
avgVol = ta.sma(volume, 20)
volStrength = volume > avgVol ? "High Volume" : "Low Volume"
// Candle Body Strength
bodySize = math.abs(close - open)
fullSize = high - low
bodyStrength = fullSize > 0 ? (bodySize / fullSize > 0.6 ? "Strong Body" : "Small Body") : "Small Body"
// Prior Trend
priorTrend = close < close and close < close ? "Downtrend" :
close > close and close > close ? "Uptrend" : "Sideways"
// Patterns
bullishEngulfing = close > open and close < open and close > open and open < close
bearishEngulfing = close < open and close > open and close < open and open > close
hammer = (high - low) > 3 * bodySize and (close - low) / (0.001 + high - low) > 0.6 and (open - low) / (0.001 + high - low) > 0.6
shootingStar = (high - low) > 3 * bodySize and (high - close) / (0.001 + high - low) > 0.6 and (high - open) / (0.001 + high - low) > 0.6
doji = bodySize <= fullSize * 0.1
morningStar = close < open and bodySize < (high - low ) * 0.3 and close > (open + close ) / 2
eveningStar = close > open and bodySize < (high - low ) * 0.3 and close < (open + close ) / 2
// Pattern Selection
pattern = ""
sentiment = ""
colorBox = color.gray
yOffset = 15
if bullishEngulfing
pattern := "Bull Engulfing"
sentiment := "Bullish"
colorBox := color.green
yOffset := -15
else if bearishEngulfing
pattern := "Bear Engulfing"
sentiment := "Bearish"
colorBox := color.red
yOffset := 15
else if hammer
pattern := "Hammer"
sentiment := "Bullish"
colorBox := color.green
yOffset := -15
else if shootingStar
pattern := "Shooting Star"
sentiment := "Bearish"
colorBox := color.red
yOffset := 15
else if doji
pattern := "Doji"
sentiment := "Neutral"
colorBox := color.gray
yOffset := 15
else if morningStar
pattern := "Morning Star"
sentiment := "Bullish"
colorBox := color.green
yOffset := -15
else if eveningStar
pattern := "Evening Star"
sentiment := "Bearish"
colorBox := color.red
yOffset := 15
timeSlot = is75min and not na(candleNo) ? getTimeSlot(candleNo) : ""
info = pattern != "" ? "🕒 " + (is75min ? timeSlot + " | " : "") + pattern + " (" + sentiment + ") | " + volStrength + " | " + bodyStrength + " | Trend: " + priorTrend + " | EMA20: " + (aboveEMA20 ? "Above" : "Below") + " | EMA50: " + (aboveEMA50 ? "Above" : "Below") : ""
// Label Draw
var label lb = na
if info != ""
lb := label.new(bar_index, high + yOffset, text=info, style=label.style_label_down, textcolor=color.white, size=size.small, color=colorBox)
label.delete(lb )
// Smart Alert
validAlert = pattern != "" and (volStrength == "High Volume") and bodyStrength == "Strong Body" and (aboveEMA20 or aboveEMA50)
alertcondition(validAlert, title="📢 Smart Candle Alert", message="Smart Alert: Candle with Volume + EMA + Trend + Pattern Filtered")
EMA Ribbon with TableThis indicator plots multiple EMAs (5, 8, 13, 21, 34, 55, 89, 144, 233, 377) based on Fibonacci levels. Each line has a distinct color, and a clean table displays their real-time values. Great for spotting trend direction, crossovers, and momentum at a glance.
EMA StrengthThis indicator plots a single Exponential Moving Average (EMA) line whose color changes based on a comparison with a second EMA. The user can customize both EMA lengths and choose separate price sources (like close, hlc3, etc.) for each EMA.
The line turns green when EMA 1 is greater than EMA 2, indicating bullish momentum, and red when EMA 1 is less than EMA 2, signaling potential bearishness. This dynamic coloring helps traders visually track trend strength and possible reversals.
90/30 Minute Cycle BoxesThis indicator automatically draws time-based cycle boxes to help visualize market structure and cyclical behavior.
Features:
90-Minute Primary Cycles: Highlights each 90-minute interval with a colored box, showing the high and low of that period.
30-Minute Sub-Cycles: Each 90-minute box is divided into 3 sub-boxes representing 30-minute phases.
Multi-Timeframe Compatible: Works on all timeframes, adapting dynamically to your chart.
Visual Clarity: Alternating box colors make it easy to track price action within and across cycles.
This tool is ideal for traders who use time cycles in their analysis, especially those applying ICT, Smart Money Concepts, or time-based market theories.
Average Daily Range in TicksPurpose: The ADR Ticks Indicator calculates and displays the average daily price range of a financial instrument, expressed in ticks, over a user-specified number of days. It provides traders with a measure of average daily volatility, which can be used for position sizing, setting stop-loss/take-profit levels, or assessing market activity.
Calculation: Computes the average daily range by taking the difference between the daily high and low prices, averaging this range over a customizable number of days, and converting the result into ticks (using the instrument's minimum tick size).
Customization: Includes a user input to adjust the number of days for the average calculation and a toggle to show/hide the ADR Ticks value in the table.
Risk Management: Helps traders estimate typical daily price movement to set appropriate stop-loss or take-profit levels.
Market Analysis: Offers insight into average daily volatility, useful for day traders or swing traders assessing whether a market is trending or ranging.
Technical Notes:
The indicator uses barstate.islast to update the table only on the last bar, reducing computational load and preventing overlap.
The script handles different chart timeframes by pulling daily data via request.security, making it robust across various instruments and timeframes.
NACHO_MC/KAS_MCThis indicator allow to see the Nacho dominance % vs KAS, based on the real circulating supply.
Share Size FinderEnter your target gain and return timeframe to calculate how many shares to buy and the price you’ll need to sell at to meet that goal.
The return timeframe is based on how many candles (based on the ATR) it may take to reach your exit price. I use 2 for scalping.
The table shows the total cost of buying that share amount at the current price—useful for managing account risk, especially for cash accounts or those under PDT rules.
A chart of the exit price is also included to help you compare with projections like Fibonacci extensions.
ATR: Тело % + Диапазоны и АномалииEssentially, this combined indicator is a powerful tool for:
Analyzing candlestick anatomy: Quickly understanding how much of a candlestick’s overall range is in its body, indicating the strength of buying or selling pressure versus uncertainty.
Volatility estimates: Understanding the typical pip range of bars, adjusted for the tick size of the instrument.
Identifying anomalies: Highlighting unusually small or large bar ranges that may signal changes in market momentum or significant events.
Average range filtering: Providing a clearer picture of average market volatility by excluding extreme outliers from the calculation.
This comprehensive approach can help traders make more informed decisions by gaining a deeper understanding of the nuances of price action and market volatility.
Bollingr+supertrend Hybrid ProIntroducing the Bollinger & Supertrend Hybrid Pro — a powerful all-in-one trend-following and volatility mapping tool designed for modern traders in Forex, Indices, Commodities, Crypto, and Stocks.
How it works:
The indicator overlays classic Bollinger Bands to capture market volatility, squeeze breakouts, and dynamic support/resistance zones.
Integrated Supertrend logic highlights trend direction using ATR (Average True Range), making trend reversals clear and visually clean.
Automatic Buy & Sell signals appear when trend direction flips — helping you stay on the right side of momentum.
Dynamic background fill colors show uptrend and downtrend zones for quick chart scanning.
Customizable Inputs:
Adjust Bollinger Band length, deviation, and MA type (SMA, EMA, WMA, SMMA, VWMA).
Fine-tune Supertrend ATR period and factor to match your strategy style.
Labels and signals for clear on-chart alerts.
Ideal For:
Intraday, swing, and positional traders.
Beginners and advanced users looking for a clean hybrid trend system.
SessionsSession 10-12 12-16 1630-1830
Including HOD/LOD for different sessions.
Session 10:00 - 12: 00
Session 12:00 - 16:00
Session 16:30 - 18:30
CBC scalping indicator SonGohanscript using the cbc flip scalping method.
this is best used on the shorten timeframes (like 2, 5, 10 minutes)
1H LONG Setup CheckerThis TradingView script identifies high-probability long setups on the 1-hour chart by evaluating five key technical conditions: price above the 200 MA, a higher low structure, RSI above 50 and rising, a bullish MACD crossover, and a breakout above recent resistance. When at least four of these are met, it signals a potential long opportunity with a visual label and background highlight. This tool is useful for traders seeking objective, rule-based entries in trending markets like SOL/USDC and PEPE/USDC.
EMA200 HUD + ATR + Live WickThis indicator displays:
• EMA200 deviation in USD and %
• ATR (Average True Range) and ATR multiples
• Live wick % (up/down) with alerts if wick > 2%
Step-MA Baseline (with optional smoother)poor man trackline, it uses the ma20 and smooth it out to signal trends
EMA BUY/SELLEMA
Buy/sell using ema cross over for making trading simple.
you even have the option to change the EMAs when needed
Bitcoin Power Law ModelBitcoin Power Law Model with Cycle Predictions
Scientific Price Modeling for Bitcoin
This indicator implements **Dr. Giovanni Santostasi's Bitcoin Power Law Theory** - a discovery that Bitcoin's price follows mathematical laws similar to natural phenomena. Unlike traditional financial models, this treats Bitcoin as a scale-invariant system that grows predictably over time.
What Makes This Special
Dr. Santostasi, an astrophysicist who studied gravitational waves, discovered that Bitcoin's price forms a perfect straight line when plotted on a log-log scale over its entire 15-year history. This isn't just another technical indicator - it's a fundamental law that has held true through multiple 80%+ crashes and recoveries.
Core Features
Power Law Model
- Orange Line: The power law trajectory showing Bitcoin's long-term growth path
- Yellow Line: Fair value (geometric mean between support and resistance)
- Green/Red Bands: Support and resistance levels that have historically contained price movements
- Band Position %: Shows exactly where price sits within the power law channel (0-100%)
How to Use It
For Long-term Investors
1. Accumulate when price is near the green support line (band position < 20%)
2. Hold when price is between the bands
3. Consider profits when approaching red resistance (band position > 80%)
4. Never panic - the model shows $30K+ is now the permanent floor
Key Metrics to Watch
- **Band Position: <20% = Oversold, >80% = Overbought
- Fair Value: Price above = Overvalued, below = Undervalued
- Support Line: Breaking below suggests model invalidation
Current Cycle Projections
Based on the November 2022 bottom at ~$15,500:
- Cycle Peak: ~$155,000-$230,000 (October 2025)
- Next Bottom: ~$70,000-$100,000 (October 2026)
- Long-term: $1 million by 2033 (power law projection)
Customizable Settings
Model Parameters
- Intercept & Slope: Fine-tune the power law formula
- Band Offsets: Adjust support/resistance distances
Display Options
- Toggle each visual element on/off
- Show/hide future projections
- Enable/disable cycle analysis
- Customize halving markers
Understanding the Math
The model uses the formula: **Price = 10^(A + B × log10(days since genesis))**
Where:
- A = -17.01 (intercept)
- B = 5.82 (slope)
- Days counted from Bitcoin's genesis block (Jan 3, 2009)
This creates parallel support/resistance lines in log-log space that have contained Bitcoin's price for 15+ years.
Important
1.Not Financial Advice: This is a mathematical model, not a guarantee
2. Long-term Focus: Best suited for macro analysis, not day trading
3. Model Limitations: Past performance doesn't ensure future results
4. Volatility Expected: 50-80% drawdowns are normal within the model
Background
Dr. Giovanni Santostasi discovered this model while analyzing Bitcoin through the lens of physics. He found that Bitcoin behaves more like a city or organism than a financial asset, growing according to universal power laws found throughout
EMA Buy/SellBuy /Sell using EMA Crossover.
this gives early signal foy both buying and selling and one can use this to take the trades
9:30 AM Candle MarkerEach day at 9:30 AM, on the 15-minute chart, you’ll see a red vertical line appear exactly on that candle. This makes it super easy to:
Track reactions to market open (if using US stocks).
Anchor your strategy to a consistent time point.
Build routines around a known time.
Bitcoin Stock-to-Flow Model Price Bands# Bitcoin Stock-to-Flow Model Price Bands
Overview
This indicator implements the famous Stock-to-Flow (S2F) model created by PlanB (@100trillionUSD), which uses Bitcoin's scarcity to predict its long-term value. The S2F model has gained significant attention for its historical accuracy in capturing Bitcoin's price movements across multiple market cycles.
What is Stock-to-Flow?
Stock-to-Flow is a ratio that measures scarcity by dividing the current supply (stock) by the annual production (flow). The model suggests that as Bitcoin becomes scarcer through halving events, its value should increase proportionally.
This indicator features:
Dynamic S2F Calculation
- Automatically calculates Bitcoin's current supply based on block height
- Adjusts for halving events (every 210,000 blocks)
- Updates the S2F ratio in real-time
Visual Elements
- Orange Line: S2F model price based on the formula: Price = 0.4 × S2F³
- Confidence Bands: Upper (red) and lower (green) bands showing expected price ranges
- Colored Candles: Green when above model price, red when below
- Info Table: Displays current S2F ratio, model price, actual price, and price multiple
Customizable Parameters
- Model Coefficient: Adjust the multiplier (default: 0.4)
- Model Exponent: Modify the power factor (default: 3.0)
- Band Width: Control confidence band spread (1-5 standard deviations)
- Display Options: Toggle individual elements on/off
Built-in Alerts
- Price crossing above/below S2F model price
- Price exceeding upper/lower confidence bands
How to Use
1. Trend Identification: When price is above the orange S2F line, Bitcoin may be overvalued; below suggests undervaluation
2. Cycle Analysis: The model steps up at each halving, creating distinct price "floors"
3. Risk Management: Use confidence bands to identify extreme deviations from the model
4. Long-term Perspective: Best suited for macro analysis rather than short-term trading
Important to understand:
This is a model, not a guarantee. The S2F model:
- Assumes scarcity is the primary driver of value
- Doesn't account for demand-side factors
- Has shown deviations during certain market conditions
- Should be used alongside other analysis methods
Model Performance
Historically, the S2F model has captured major Bitcoin price movements:
- 2013 Bull Run: Price followed model predictions
- 2017 Peak: Reached model targets
- 2021 Cycle: Initially tracked, then deviated
- 2024-2025: Model suggests $500k-$1M potential
Technical Details
- Uses logarithmic regression similar to the original S2F model
- Accounts for "lost" coins (est. 1M BTC from early mining)
- Implements dynamic supply calculation through halving cycles
- Confidence bands use log-normal distribution
Best Timeframes
- Weekly/Monthly: Ideal for long-term trend analysis
Credits
Based on the Stock-to-Flow model by PlanB (@100trillionUSD)
Original article: "Modeling Bitcoin's Value with Scarcity" (2019)