4H Crypto System – EMAs + MACD//@version=5
indicator("4H Crypto System – EMAs + MACD", overlay=true)
// EMAs
ema21 = ta.ema(close, 21)
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
// MACD Settings (standard)
fastLength = 12
slowLength = 26
signalLength = 9
= ta.macd(close, fastLength, slowLength, signalLength)
// Plot EMAs
plot(ema21, title="EMA 21", color=color.orange, linewidth=1)
plot(ema50, title="EMA 50", color=color.blue, linewidth=1)
plot(ema200, title="EMA 200", color=color.purple, linewidth=1)
// Candle coloring based on MACD trend
macdBull = macdLine > signalLine
barcolor(macdBull ? color.new(color.green, 0) : color.new(color.red, 0))
// Buy/Sell signal conditions
buySignal = ta.crossover(macdLine, signalLine) and close > ema21 and close > ema50 and close > ema200
sellSignal = ta.crossunder(macdLine, signalLine) and close < ema21 and close < ema50 and close < ema200
// Alerts
alertcondition(buySignal, title="Buy Alert", message="Buy Signal: MACD bullish crossover and price above EMAs")
alertcondition(sellSignal, title="Sell Alert", message="Sell Signal: MACD bearish crossover and price below EMAs")
Candlestick analysis
Swing Crypto Bot – Extended Bullish PatternsSwing Crypto Bot – Extended Bullish Patterns
A lean, rule-based Pine Script that spots high-probability swing entries by combining trend filters, momentum checks and a broad set of classic bullish candlestick patterns—all with built-in risk management and instant in-chart alerts.
🔍 What It Does
Multi-Factor Screening
Price > 50-period SMA (trend filter)
Price > Upper Bollinger Band (breakout filter)
RSI(14) between 45–80 (momentum filter)
Volume > 20-period SMA of volume (participation filter)
Candlestick Patterns
Detects 6 core bullish setups:
Hammer
Bullish Engulfing
Bullish Harami
Morning Star (3-bar reversal)
Three White Soldiers
Tweezer Bottom
Displays exactly one in the info bubble (or “Mixed”/“None” if ambiguous).
Instant Alert
Shows a 🔥 icon on the final bar when 3 of 5 criteria are met (including at least one pattern).
Automated Risk Management
Stop-Loss = 1.5 × ATR(14) below entry (guaranteed under price)
Take-Profit = Risk × 2 (minimum RR 2:1) above entry
In-chart info bubble with Pattern name, Entry, SL, TP & RR
Clean Overlay
Only SMA50 + Bollinger Bands
One flame + one info bubble on the last bar
Heavy lifting off-chart: use TradingView’s native Volume & RSI panes for deeper analysis
How to Use
Add the script to your chart.
Watch for the 🔥 on the latest candle—your 3+ filters have aligned.
Read the info bubble for the exact candlestick pattern, entry price, stop-loss, take-profit and achieved RR.
Confirm with your own support/resistance lines, Volume & RSI panels.
Ideal for swing traders who demand precision, diversity of patterns and automatic risk controls. Copy-paste and publish on TradingView today!
Monday's Range by Fortis80This script displays the Monday’s high and low range with configurable week history and signals. Exclusive for Fortis80 Members.
Swing Crypto Bot – Signal + TP/SL/RR (Min RR 2)Harness the power of chart-pattern recognition, multi-factor screening and automated target calculation—all in one clean, visual Pine Script indicator.
Key Features
🔥 Instant Signal: “Flame” icon on the latest bar when at least 3 of 5 criteria align:
Price above 50-period SMA
Price breaking upper Bollinger Band
Volume exceeding its 20-period MA
RSI (14) between 45–80
Bullish price pattern detected (Hammer, Engulfing or Harami)
🎯 Automated TP/SL/RR
Entry at market close of signal bar
Stop-loss set to 1.5× ATR14 below entry (always under current price)
Take-profit at a minimum 2× risk (configurable)
Risk/Reward ratio displayed in-chart for transparency
🏷️ Pattern Labeling
The info bubble identifies which candlestick pattern triggered the signal (“Hammer”, “Engulfing”, “Harami”, or “Mixed”).
🛠️ Minimal Overlay
No extra clutter—only your SMA, Bollinger Bands, signal flame & a single info-bubble. Use TradingView’s native volume pane and RSI beneath for further confirmation.
How to Use
Add the script to your chart (SMA50 + BB20 overlay).
Monitor for the 🔥 on the latest bar—this means your 3+ criteria are met.
Read the info bubble for entry, stop-loss, take-profit and achieved RR.
Confirm with your own volume/RSI panes and support/resistance levels.
Ideal for swing traders looking for a quick, rule-based signal with built-in risk management. Copy, paste & publish on TradingView today!
Clean Day Separator (Vertical Only)Clean Day Separator (Vertical Only) is a minimalist indicator for traders who value clarity and structure on their charts.
This tool draws:
✅ Vertical dashed lines at the start of each new day
✅ Optional day-of-week labels (Monday, Tuesday, etc.)
It’s designed specifically for clean chart lovers — no horizontal lines, no boxes, just what you need to mark time and keep your focus.
Perfect for:
Intraday traders who track market rhythm
Price action purists
Anyone who wants to reduce visual noise
Customizable settings:
Toggle day labels on/off
Choose line and text colors
Set label size to match your chart style
CRT Wick ReversalCustom code to help predict reversals by using LQ areas - Killzone highs/lows, high volume LQ (CPI/NFP/News)/ IRL events such as war/POTUS etc..
MandarKalgutkar-Buy/Sell Arrow Signal//@version=5
indicator("MandarKalgutkar-Buy/Sell Arrow Signal", overlay=true)
ma = ta.sma(close, 21)
rsi = ta.rsi(close, 14)
// Tracking variables
var float buyRefHigh = na
var float sellRefLow = na
var int buyCandleIndex = na
var int sellCandleIndex = na
// Detect initial breakout candle
bullishBreak = close > open and close > ma and close < ma
if bullishBreak
buyRefHigh := high
buyCandleIndex := bar_index
bearishBreak = close < open and close < ma and close > ma
if bearishBreak
sellRefLow := low
sellCandleIndex := bar_index
// Next candle only: ensure current bar is exactly next one
isNextBuyBar = (not na(buyCandleIndex)) and bar_index == buyCandleIndex + 1
isNextSellBar = (not na(sellCandleIndex)) and bar_index == sellCandleIndex + 1
// Buy/sell logic
buySignal = isNextBuyBar and high > buyRefHigh and rsi > 55
sellSignal = isNextSellBar and low < sellRefLow and rsi < 45
// Reset if signal used or next candle missed
if buySignal or isNextBuyBar
buyRefHigh := na
buyCandleIndex := na
if sellSignal or isNextSellBar
sellRefLow := na
sellCandleIndex := na
// Plot
plotshape(buySignal, title="Buy", location=location.belowbar, color=color.green, style=shape.labelup, size=size.small)
plotshape(sellSignal, title="Sell", location=location.abovebar, color=color.red, style=shape.labeldown, size=size.small)
plot(ma, "20 MA", color.orange)
StraddleThis is an indicator for straddle on Indian markets, with hedging/with out hedging.
You can se these with super trend and ema xover
TradeCrafted - "M" & "W" Pattern Detector for intraday traders🔍 TradeCrafted – “M” & “W” Pattern Detector for Intraday Traders
Spot Key Reversal Patterns. React Before the Crowd.
Chart patterns aren't just theory — they’re the visual footprints of market psychology. Among them, the “M” (double top) and “W” (double bottom) formations are some of the most powerful and time-tested signals used by professionals to anticipate trend reversals and breakout setups.
This premium intraday tool detects these crucial structures in real time, helping you:
🧠 Stay ahead of major intraday pivots.
⚠️ Avoid false breakouts by reading the market’s rhythm.
📊 Time your entries and exits around high-probability zones.
Unlike noisy oscillators or delayed signals, this pattern detector focuses on structural clarity, ensuring you're trading with the rhythm of the market, not against it.
✅ Why Traders Use It:
Helps confirm tops and bottoms with visual confidence.
Excellent for intraday scalping and reversal strategies.
Reduces overtrading by filtering out indecision zones.
Reinforces discipline by only acting when the pattern is confirmed.
⚡️ For Genuine & Serious Traders:
This is a premium script developed for disciplined intraday professionals.
📩 Interested in a trial? Send your TradingView username to:
📧 tradecrafted21@gmail.com
Trust the patterns. Respect the process.
TradeCrafted — where precision meets price action.
No Wick CandlesOVERVIEW
In trading, no wick candles (also called full-body candles or marubozu in Japanese candlestick terminology) are powerful momentum indicators. They show that price moved in one direction for the entire duration of the candle, with no pullback or hesitation.
No upper wick : price never went above the open (in bearish case) or close (in bullish case)
No lower wick : price never went below the open (in bullish case) or close (in bearish case)
No wicks at all : open and close are the exact high and low = a full-body candle
⚠️ Caution : One candle alone isn’t always enough for a decision — confirm with:
• Volume
• Support/resistance context
• Follow-through candle behavior
SUMMARY
No wick candles = strong conviction from buyers or sellers with zero hesitation during that time period.
They’re valuable for scalpers, breakout traders, and momentum strategies — especially on high volume or at key levels.
Killzones & OrbsKillzones & ORBs
This indicator plots Opening Range Breakouts (ORBs) and major Killzone sessions (Asia, London, New York) on one chart.
What it does:
Marks the OR with a customizable box and midline, then extends it through the day
Highlights Killzones with colored boxes and labels
Tracks mini-ORBs inside each Killzone for breakout confirmation
How it works:
Uses session inputs and box drawing tools to capture price ranges
Dynamically updates highs/lows during the OR window
Extends killzone boxes as price evolves, with optional midlines and labels
How to use it:
Enable the Opening Range in settings and set your session times
Turn on Killzones and adjust their ORB durations and colors
Select your timezone for correct session tracking
What makes it original:
Combines global Killzones with Opening Range logic
Offers separate mini-ORBs within each Killzone
Fully customizable visuals for clean, professional levels
Up/Down Volume + Delta + MAsUp/Down Volume + Delta + Moving Averages
General Description
The Up/Down Volume + Delta + MAs indicator is an advanced volume analysis tool that provides detailed information on buying and selling pressure in the market. It combines directional volume analysis with moving averages to provide a comprehensive view of market behavior.
Main Features
Directional Volume Analysis
Up Volume : Displays the volume associated with upward price movements
Down Volume : Shows the volume related to downward price movements
Volume Delta : Calculates the net difference between bullish and bearish volume
Integrated Moving Averages
Supports multiple types of moving averages: EMA, SMA, WMA, RMA, HMA, VWMA
Smoothed moving averages for bullish and bearish volume
Customizable period and moving average type settings
Multi-Timeframe Analysis
Scans data from lower time frames for greater accuracy
Automatic timeframe selection or manual configuration
Best approximation of true directional volume
Configuration and Parameters
Custom Timeframe
Use custom timeframe : Allows you to use a specific timeframe
Timeframe : Selection of the analysis period (automatic by default)
Higher time frames provide more historical data but less accuracy.
Visual Personalization
Up Color : Color for bullish volume (green by default)
Down Color : Color for down volume (red by default)
MA Up Volume Color : Color for the moving average of the up volume
MA Down Volume Color : Color for the moving average of down volume
Setting Moving Averages
Moving Average Type : Selecting the moving average type
MA Length : Period of the moving average (14 by default)
Show Moving Averages : Enable/disable the display of moving averages
How to Use the Indicator
Interpretation of Directional Volume
High Bullish Volume : Indicates strong buying pressure
High Bearish Volume : Indicates intense selling pressure
Positive Delta : Buyer dominance in the period
Negative Delta : Predominance of sellers in the period
Moving Average Signals
Moving Average Crossover : Changes in the directional volume trend
Divergences : Differences between price and directional volume
Trend Confirmation : Validation of price movements with volume
Use Cases
Trend Analysis
Confirm the strength of bullish or bearish trends
Identify potential trend exhaustions
Detect institutional accumulation or distribution
Entry and Exit Timing
Look for convergences between price and directional volume
Identify support and resistance levels supported by volume
Confirm technical pattern breakouts
Divergence Analysis
Detect divergences between price and volume delta
Anticipate possible trend changes
Validate signals from other technical indicators
Advantages of the Indicator
Improved Accuracy : Uses data from lower time frames
Clear Visualization : Intuitive graphical representation of directional volume
Flexibility : Multiple customization options
Integral Analysis : Combines directional volume with smoothed moving averages
Recommendations for Use
Use in conjunction with price analysis and technical patterns
Adjust the period of moving averages according to your trading style
Consider market context and volatility
Validate signals with other momentum or trend indicators
This indicator is especially useful for traders looking to understand institutional volume dynamics and buying/selling pressure in real time.
Session Open/Close BoxThis Pine Script indicator for TradingView allows you to visualize up to three distinct time-based sessions on your chart. For each active session, it draws a box from the session's open to its close, extending all the way to the right edge of the screen. It also includes a dotted line at the halfway point between the session's open and close. This tool is designed to help traders quickly identify and analyze price action within specific, customizable time windows.
London Opening Range with Breakout Biastest scrip0t used to draw london opening range and then determine bias based on break and close either above or below
Crypto Schlingel - PVSRA POC EMA Suite v5.759
PVSRA POC EMA suite
📌 Main functions
This indicator is an all in one indicator suite that includes
- PVSRA (price, volume, support, resistance analysis)
- POC
- Visualization of bullish and bearish volume in Wicks
- EMAs and Daily EMAs (alternatively also SMA or WMA)
The following information can also be displayed
- Daily Open
- Market open
- Yesterday High and Low
- Last Weekly High and Low
- Bollinger Bands
- VWAP
- Kaufman's Adaptive Moving Average (KAMA)
- ADR
- Psy High and Low
- Pivot Points
- Overlong Wicks
- Representation Death and Golden Cross
- Pivot Point Ranges
Designed to help traders analyze volume pressures, market trends and price movements with color-coded visualizations.
PVSRA Volume Color Coding - Highlights vector candles based on extreme volume/spread conditions.
Volume Delta Analysis - Tracks buy/sell pressure based on up/down volume data.
The PVSRA color coding - The script classifies candles into four categories based on volume and spread analysis:
🔴 Red vector → Extremely bearish volume/spread
🟢 Green vector → Extremely bullish volume/spread
🟣 Violet vector → Above average bearish volume
🔵 Blue vector → Above average bullish volume
Calculation of the volume delta - Uses a volume analysis in a lower time frame, splitting the candles to get an accurate position of the volume.
Important notes:
Works best on intraday timeframes where volume data is reliable.
Volume delta estimates for lower time frames may not be accurate for all assets.
No guarantee of accuracy
Candle Pattern RecognizerCandle Pattern Recognizer With Filters:
This indicator automatically scans your chart for classic candlestick patterns and visually marks them with colored bars and labels. It also includes filters so you only see high-probability signals that match real market momentum, volatility, and trend context.
What it does:
Detects all major candlestick reversal patterns, like: Bullish & Bearish Engulfing, Morning Star, Evening Star, Hammer, Hanging Man, Shooting Stars, Dojis, Harami, Piercing Line, and more
In settings:
Enable or disable any pattern you want under “Candlestick Patterns”
Turn “Show Pattern Labels” on to display the label tags (e.g., "ENG", "Doji", etc.) or off.
Activate filters for smarter signal selection.
Filter Options:
✅ HL Filter: Hides candles with small ranges (low volatility)
Ensures patterns only appear when the candle’s range is bigger than normal (based on ATR)
✅ MA Slope Filter: Shows patterns when the moving average is sloping in the right direction
✅ TMA Filter: Uses a Triangular Moving Average and volatility bands, filters out signals unless they appear below the lower band (bullish) or above the upper band (bearish)
✅ Swing Filter: Ensures a pattern appears after a meaningful swing high/low, Adds market structure context to avoid random setups
✅ Volume Filter: Keeps patterns that occur with high relative volume, Helps confirm real buying/selling interest
✅ RSI Filter: Shows patterns only when RSI confirms, Bullish patterns near oversold levels, Bearish patterns near overbought levels
Phiên Forex (UTC+7, nền cũ, cờ rõ)Time giao dịch Forex khớp với các phiên theo từng khung giờ cho cả tuần
option LevelsCollect ETF and futures options data to analyze intraday short-term support/resistance levels for guiding intraday trading take-profit/stop-loss decisions.
采集指数ETF和期货期权数据,分析日内短线支撑/阻力位置,用于指导日内交易止盈/止损。
option Levels采集指数ETF和期货期权数据,分析日内短线支撑/阻力位置,用于指导日内交易止盈/止损。
Collect ETF and futures options data to analyze intraday short-term support/resistance levels for guiding intraday trading take-profit/stop-loss decisions.
Tiny HA Candle - AmithMark tiny HA candles on Forex pairs and XAU pairs.
For Forex, all candles less than 100 pips and for XAU, all candles less than 500 pips are marked on the chart.
THEDU RSI VIP 999fva fsdcsdvs d vfsdvcsdffws d dsfsdfsfedfzcesfzxdcsedf fsadfef è szdcsdfsdfwec szc fdssdfddddđ