ZigZag█ Overview
This Pine Script™ library provides a comprehensive implementation of the ZigZag indicator using advanced object-oriented programming techniques. It serves as a developer resource rather than a standalone indicator, enabling Pine Script™ programmers to incorporate sophisticated ZigZag calculations into their own scripts.
Pine Script™ libraries contain reusable code that can be imported into indicators, strategies, and other libraries. For more information, consult the Libraries section of the Pine Script™ User Manual.
█ About the Original
This library is based on TradingView's official ZigZag implementation .
The original code provides a solid foundation with user-defined types and methods for calculating ZigZag pivot points.
█ What is ZigZag?
The ZigZag indicator filters out minor price movements to highlight significant market trends.
It works by:
1. Identifying significant pivot points (local highs and lows)
2. Connecting these points with straight lines
3. Ignoring smaller price movements that fall below a specified threshold
Traders typically use ZigZag for:
- Trend confirmation
- Identifying support and resistance levels
- Pattern recognition (such as Elliott Waves)
- Filtering out market noise
The algorithm identifies pivot points by analyzing price action over a specified number of bars, then only changes direction when price movement exceeds a user-defined percentage threshold.
█ My Enhancements
This modified version extends the original library with several key improvements:
1. Support and Resistance Visualization
- Adds horizontal lines at pivot points
- Customizable line length (offset from pivot)
- Adjustable line width and color
- Option to extend lines to the right edge of the chart
2. Support and Resistance Zones
- Creates semi-transparent zone areas around pivot points
- Customizable width for better visibility of important price levels
- Separate colors for support (lows) and resistance (highs)
- Visual representation of price areas rather than just single lines
3. Zig Zag Lines
- Separate colors for upward and downward ZigZag movements
- Visually distinguishes between bullish and bearish price swings
- Customizable colors for text
- Width customization
4. Enhanced Settings Structure
- Added new fields to the Settings type to support the additional features
- Extended Pivot type with supportResistance and supportResistanceZone fields
- Comprehensive configuration options for visual elements
These enhancements make the ZigZag more useful for technical analysis by clearly highlighting support/resistance levels and zones, and providing clearer visual cues about market direction.
█ Technical Implementation
This library leverages Pine Script™'s user-defined types (UDTs) to create a robust object-oriented architecture:
- Settings : Stores configuration parameters for calculation and display
- Pivot : Represents pivot points with their visual elements and properties
- ZigZag : Manages the overall state and behavior of the indicator
The implementation follows best practices from the Pine Script™ User Manual's Style Guide and uses advanced language features like methods and object references. These UDTs represent Pine Script™'s most advanced feature set, enabling sophisticated data structures and improved code organization.
For newcomers to Pine Script™, it's recommended to understand the language fundamentals before working with the UDT implementation in this library.
█ Usage Example
//@version=6
indicator("ZigZag Example", overlay = true, shorttitle = 'ZZA', max_bars_back = 5000, max_lines_count = 500, max_labels_count = 500, max_boxes_count = 500)
import andre_007/ZigZag/1 as ZIG
var group_1 = "ZigZag Settings"
//@variable Draw Zig Zag on the chart.
bool showZigZag = input.bool(true, "Show Zig-Zag Lines", group = group_1, tooltip = "If checked, the Zig Zag will be drawn on the chart.", inline = "1")
// @variable The deviation percentage from the last local high or low required to form a new Zig Zag point.
float deviationInput = input.float(5.0, "Deviation (%)", minval = 0.00001, maxval = 100.0,
tooltip = "The minimum percentage deviation from a previous pivot point required to change the Zig Zag's direction.", group = group_1, inline = "2")
// @variable The number of bars required for pivot detection.
int depthInput = input.int(10, "Depth", minval = 1, tooltip = "The number of bars required for pivot point detection.", group = group_1, inline = "3")
// @variable registerPivot (series bool) Optional. If `true`, the function compares a detected pivot
// point's coordinates to the latest `Pivot` object's `end` chart point, then
// updates the latest `Pivot` instance or adds a new instance to the `ZigZag`
// object's `pivots` array. If `false`, it does not modify the `ZigZag` object's
// data. The default is `true`.
bool allowZigZagOnOneBarInput = input.bool(true, "Allow Zig Zag on One Bar", tooltip = "If checked, the Zig Zag calculation can register a pivot high and pivot low on the same bar.",
group = group_1, inline = "allowZigZagOnOneBar")
var group_2 = "Display Settings"
// @variable The color of the Zig Zag's lines (up).
color lineColorUpInput = input.color(color.green, "Line Colors for Up/Down", group = group_2, inline = "4")
// @variable The color of the Zig Zag's lines (down).
color lineColorDownInput = input.color(color.red, "", group = group_2, inline = "4",
tooltip = "The color of the Zig Zag's lines")
// @variable The width of the Zig Zag's lines.
int lineWidthInput = input.int(1, "Line Width", minval = 1, tooltip = "The width of the Zig Zag's lines.", group = group_2, inline = "w")
// @variable If `true`, the Zig Zag will also display a line connecting the last known pivot to the current `close`.
bool extendInput = input.bool(true, "Extend to Last Bar", tooltip = "If checked, the last pivot will be connected to the current close.",
group = group_1, inline = "5")
// @variable If `true`, the pivot labels will display their price values.
bool showPriceInput = input.bool(true, "Display Reversal Price",
tooltip = "If checked, the pivot labels will display their price values.", group = group_2, inline = "6")
// @variable If `true`, each pivot label will display the volume accumulated since the previous pivot.
bool showVolInput = input.bool(true, "Display Cumulative Volume",
tooltip = "If checked, the pivot labels will display the volume accumulated since the previous pivot.", group = group_2, inline = "7")
// @variable If `true`, each pivot label will display the change in price from the previous pivot.
bool showChgInput = input.bool(true, "Display Reversal Price Change",
tooltip = "If checked, the pivot labels will display the change in price from the previous pivot.", group = group_2, inline = "8")
// @variable Controls whether the labels show price changes as raw values or percentages when `showChgInput` is `true`.
string priceDiffInput = input.string("Absolute", "", options = ,
tooltip = "Controls whether the labels show price changes as raw values or percentages when 'Display Reversal Price Change' is checked.",
group = group_2, inline = "8")
// @variable If `true`, the Zig Zag will display support and resistance lines.
bool showSupportResistanceInput = input.bool(true, "Show Support/Resistance Lines",
tooltip = "If checked, the Zig Zag will display support and resistance lines.", group = group_2, inline = "9")
// @variable The number of bars to extend the support and resistance lines from the last pivot point.
int supportResistanceOffsetInput = input.int(50, "Support/Resistance Offset", minval = 0,
tooltip = "The number of bars to extend the support and resistance lines from the last pivot point.", group = group_2, inline = "10")
// @variable The width of the support and resistance lines.
int supportResistanceWidthInput = input.int(1, "Support/Resistance Width", minval = 1,
tooltip = "The width of the support and resistance lines.", group = group_2, inline = "11")
// @variable The color of the support lines.
color supportColorInput = input.color(color.red, "Support/Resistance Color", group = group_2, inline = "12")
// @variable The color of the resistance lines.
color resistanceColorInput = input.color(color.green, "", group = group_2, inline = "12",
tooltip = "The color of the support/resistance lines.")
// @variable If `true`, the support and resistance lines will be drawn as zones.
bool showSupportResistanceZoneInput = input.bool(true, "Show Support/Resistance Zones",
tooltip = "If checked, the support and resistance lines will be drawn as zones.", group = group_2, inline = "12-1")
// @variable The color of the support zones.
color supportZoneColorInput = input.color(color.new(color.red, 70), "Support Zone Color", group = group_2, inline = "12-2")
// @variable The color of the resistance zones.
color resistanceZoneColorInput = input.color(color.new(color.green, 70), "", group = group_2, inline = "12-2",
tooltip = "The color of the support/resistance zones.")
// @variable The width of the support and resistance zones.
int supportResistanceZoneWidthInput = input.int(10, "Support/Resistance Zone Width", minval = 1,
tooltip = "The width of the support and resistance zones.", group = group_2, inline = "12-3")
// @variable If `true`, the support and resistance lines will extend to the right of the chart.
bool supportResistanceExtendInput = input.bool(false, "Extend to Right",
tooltip = "If checked, the lines will extend to the right of the chart.", group = group_2, inline = "13")
// @variable References a `Settings` instance that defines the `ZigZag` object's calculation and display properties.
var ZIG.Settings settings =
ZIG.Settings.new(
devThreshold = deviationInput,
depth = depthInput,
lineColorUp = lineColorUpInput,
lineColorDown = lineColorDownInput,
textUpColor = lineColorUpInput,
textDownColor = lineColorDownInput,
lineWidth = lineWidthInput,
extendLast = extendInput,
displayReversalPrice = showPriceInput,
displayCumulativeVolume = showVolInput,
displayReversalPriceChange = showChgInput,
differencePriceMode = priceDiffInput,
draw = showZigZag,
allowZigZagOnOneBar = allowZigZagOnOneBarInput,
drawSupportResistance = showSupportResistanceInput,
supportResistanceOffset = supportResistanceOffsetInput,
supportResistanceWidth = supportResistanceWidthInput,
supportColor = supportColorInput,
resistanceColor = resistanceColorInput,
supportResistanceExtend = supportResistanceExtendInput,
supportResistanceZoneWidth = supportResistanceZoneWidthInput,
drawSupportResistanceZone = showSupportResistanceZoneInput,
supportZoneColor = supportZoneColorInput,
resistanceZoneColor = resistanceZoneColorInput
)
// @variable References a `ZigZag` object created using the `settings`.
var ZIG.ZigZag zigZag = ZIG.newInstance(settings)
// Update the `zigZag` on every bar.
zigZag.update()
//#endregion
The example code demonstrates how to create a ZigZag indicator with customizable settings. It:
1. Creates a Settings object with user-defined parameters
2. Instantiates a ZigZag object using these settings
3. Updates the ZigZag on each bar to detect new pivot points
4. Automatically draws lines and labels when pivots are detected
This approach provides maximum flexibility while maintaining readability and ease of use.
Indicators and strategies
MDTrader DashboardMDtrader Script that looks at moving averages, weekly and daily levels to help guide the trading day and establish a bias
OG Candlestick Pattern Finder [Ultimate Edition]🕵️♂️ OG Candlestick Pattern Finder
By @OG_Wealth
This powerful Pine Script v5 indicator is designed to help traders visually identify high-probability candlestick patterns and chart formations on any timeframe.
🔍 What It Detects:
✅ Classic Candlestick Patterns
Bullish/Bearish Engulfing
Hammer / Shooting Star
Morning Star / Evening Star
Doji
3 White Soldiers / 3 Black Crows
✅ Chart Formations
Falling Wedge / Rising Wedge
Bullish & Bearish Flag
Cup & Handle (simplified)
🎯 Features:
Clean, color-coded arrow labels with pattern names
Small arrows avoid clutter and highlight candles without overlapping
Lightweight performance with real-time detection
Subtle trendlines for chart formations using thin, semi-transparent overlays
Built fully in Pine Script v5
Works across all assets and timeframes
Note: This script is for educational and informational purposes only. It does not constitute financial advice or a recommendation to buy or sell any asset.
📌 Want to enhance it with toggles, alerts, or volume filters? Follow me and stay tuned for updates.
If you find it helpful, leave a like ❤️ and drop a comment to support future tools!
Global Foreigners SMA, WMA IndicatorThis Indicator is a custom technical analysis tool designed to overlay multiple moving averages on a price chart, helping traders analyze price trends and potential trading opportunities.
It features both a Simple Moving Average (SMA) and Weighted Moving Averages (WMAs) with different period settings.
Key Features:
1. SMA and WMA Calculations:
- SMA 1: A simple moving average (SMA) calculated over a user-defined period (default: 1).
- WMA 1 - WMA 5: Five weighted moving averages (WMA) with different periods (5, 10, 20, 30, 40). WMAs give more importance to recent price movements, helping to identify short-term trends.
2. Customizable Periods:
- The indicator allows users to adjust the lookback period for each moving average via input settings.
3. Color-Coded Moving Averages:
- Each moving average is assigned a unique color for easy differentiation:
- SMA 1 → Black
- WMA 1 (5-period) → Blue
- WMA 2 (10-period) → Peach
- WMA 3 (20-period) → Orange
- WMA 4 (30-period) → Lavender
- WMA 5 (40-period) → Purple
4. Line Thickness:
- Each moving average is plotted with a line width of 2, making them clearly visible on the chart.
How This Indicator is Used:
Trend Analysis:
The alignment of the WMA sequence (e.g., WMA 5 > WMA 4 > WMA 3 > WMA 2 > WMA 1) can
indicate a bullish trend.
The opposite alignment suggests a bearish trend.
Dynamic Support & Resistance:
Shorter-period WMAs (5 & 10) react faster to price changes and can be used as dynamic
support or resistance levels for short-term trades.
Longer-period WMAs (20, 30, 40) smooth out price fluctuations and are useful for detecting
long-term trends.
Signal Confirmation:
The SMA 1 acts as a quick price reference, and traders can look for crossovers between the
WMA lines to confirm trend changes.
Who Can Use This Indicator?
Scalpers & Day Traders:
The faster WMAs (5 & 10) can be used to catch quick price reversals.
Swing Traders & Position Traders:
The combination of short-term and long-term moving averages helps identify key trend
shifts.
Algorithmic Traders:
Can be used alongside other indicators for automated signal generation.
This indicator is not a buy/sell signal generator but rather a trend-following tool that helps traders visually interpret market movements using moving averages. It works well when combined with momentum indicators (e.g., MACD, RSI) to confirm entry and exit points.
ICT Strategy Full Bot - Sweep + BOS + FVG + FibStrategy Summary – ICT-Based Precision Trading
This strategy follows a Smart Money Concept (ICT) approach, focusing on:
Liquidity sweeps at key daily and 4H swing highs/lows or FVG zones
Reversals confirmed by a strong impulse and structure break (BOS/ChoCH) on the 15-minute chart
Precise entries using confluence between a Fair Value Gap (FVG) and the 50% Fibonacci retracement
Tight risk management with Stop Loss under the liquidity sweep
Two Take Profit options: next HTF swing or a valid FVG in the opposing leg
Break-even automation after internal structure confirms the move
Perfect for traders who want a rule-based, high-probability entry system rooted in institutional price action theory.
MACD STRATEJİ esat6606A sophisticated MACD (Moving Average Convergence Divergence) indicator with advanced signal generation and protection mechanisms. Built with proprietary algorithms for enhanced accuracy and security.
. Visual Indicators
• White line: Primary MACD line
• Yellow line: Signal line
• Histogram: Trend strength visualization
• Green/Red coloring: Trend direction
• Triangle markers: Confirmed signals
• Green Triangle: Bullish signal confirmation
• Color Changes: Trend strength and direction
• Histogram: Momentum visualization
ICT Order Blocks v2 (Debug) ICT Breaker Blocks v2 (Break Refined) Indicator Explanation
This document provides a comprehensive overview of the ICT Breaker Blocks v2 (Break Refined) indicator, which is designed to identify and visualize Breaker Blocks in trading. A Breaker Block represents a prior Order Block that has failed to hold price, indicating potential institutional support or resistance levels. The indicator highlights these flipped zones, allowing traders to anticipate future price reactions based on previous market behavior.
Purpose
The primary purpose of the ICT Breaker Blocks v2 indicator is to identify Breaker Blocks, which are crucial for understanding market dynamics. When price decisively breaks through an Order Block, it can change its role from support to resistance or vice versa. This indicator helps traders visualize these changes, providing insights into potential areas for price reactions.
How it Works
The indicator operates through a series of steps on each bar:
1. Identify Potential Order Blocks (OBs)
The indicator continuously searches for the most recent potential Order Blocks based on basic price action:
Potential Bullish OB: The last down-closing candle before an upward move that breaks its high.
Potential Bearish OB: The last up-closing candle before a downward move that breaks its low.
It retains the price range (high/low) and location of the most recent potential OB of each type.
2. Detect the "Break" of a Potential OB
A Breaker is confirmed when the price fails to respect a potential OB and moves decisively through it. The indicator checks:
If the current price closes above the high of the stored potential Bearish OB.
If the current price closes below the low of the stored potential Bullish OB.
3. Apply Displacement Filter (Optional)
To enhance the accuracy of break detection, traders can enable the "Require Displacement on Break?" filter in the settings. This filter adds a condition that the candle causing the break must have a larger body size than the preceding candle, indicating stronger momentum.
4. Store the Active Breaker Block
When a valid break occurs (and passes the displacement filter if active):
A Bullish Breaker (+BB) is confirmed if a potential Bearish OB is broken to the upside, storing the high/low price range of that original Bearish OB.
A Bearish Breaker (-BB) is confirmed if a potential Bullish OB is broken to the downside, storing the high/low price range of that original Bullish OB.
The indicator tracks only the most recent valid, unmitigated Breaker Block of each type, replacing the previous one when a new one forms.
5. Mitigation (Invalidation)
The indicator checks if the currently displayed Breaker zone has been invalidated by subsequent price action. The mitigation rules are as follows:
A Bullish Breaker is considered mitigated and removed if the price later closes below its low.
A Bearish Breaker is considered mitigated and removed if the price later closes above its high.
Visualization
For the currently active, unmitigated Breaker Block of each type (if enabled in settings):
A box is drawn representing the price zone (high/low) of the original Order Block that was broken.
The box starts from the bar where the break was confirmed.
If "Extend Breaker Boxes?" is enabled, the box extends to the right edge of the chart until the Breaker is mitigated.
A small label ("+BB" or "-BB") is added to the box, with colors and border styles configurable in the settings.
This indicator automates the identification of significant "flipped" zones, allowing traders to incorporate Breaker Blocks into their ICT analysis effectively. It is essential to evaluate the indicator's effectiveness on your chosen market and timeframe and consider using the displacement filter to refine the signals.
Malama's ScalpingMalama's Scalping Strategy Description
Purpose
"Malama's Scalping" is a strategy designed for traders who want to capitalize on short-term price movements in fast-moving markets. It identifies precise buy and sell opportunities by combining trend analysis, momentum, volume, volatility, and candlestick patterns. This script solves the problem of finding reliable entry and exit points in choppy or unpredictable markets, making it ideal for scalpers—traders who aim to profit from small, quick price changes—while offering built-in risk management through stop-loss and take-profit settings.
How It Works
The strategy uses a blend of popular technical indicators and custom logic to confirm trading signals:
Trend Direction: A 50-period Simple Moving Average (SMA) acts as a trend filter. If the price is above this line, it’s a bullish (buy-friendly) market; if below, it’s bearish (sell-friendly).
Momentum: The Relative Strength Index (RSI) measures price speed over 14 periods. It ensures the market isn’t overbought (RSI < 70) for buys or oversold (RSI > 30) for sells.
Volume: It compares current trading volume to a 20-period average to confirm strong market participation—only high-volume moves trigger signals.
Volatility: The Average True Range (ATR) over 14 periods checks if price swings are big enough (above a user-set minimum, default 2.0) to justify a trade.
Candlestick Patterns: Simple yet effective patterns (e.g., a bullish candle closing higher than the previous day’s close after opening lower) add confirmation to signals.
A buy or sell signal only triggers when all these conditions align, ensuring high-probability trades. Once a signal fires, the strategy automatically places trades with customizable stop-loss (e.g., 1% below entry) and take-profit (e.g., 2% above entry) levels.
How to Use It
Adding to TradingView: Open TradingView, go to the "Pine Editor" at the bottom, paste the script, and click "Add to Chart." You’ll see a blue trend line and buy/sell labels appear.
Configuring Settings: Adjust inputs in the "Settings" menu:
Trend Length (50): Increase for smoother trends, decrease for faster signals.
RSI Length (14): Tweak for sensitivity to momentum.
Stop Loss (1%) and Take Profit (2%): Set based on your risk tolerance.
Volume Length (20): Adjust to filter volume strength.
Volatility Length (14) and Minimum Volatility (2.0): Fine-tune for your asset (e.g., higher for volatile stocks like TSLA).
Interpreting Signals:
A green "Buy" label below a bar means enter a long position.
A red "Sell" label above a bar means enter a short position.
Watch the blue trend line to gauge the bigger picture.
Tips for Beginners: Start with the default settings on a 1- or 5-minute chart for scalping. Test it on a demo account first to get comfortable with the signals.
For Pros: Pair it with your favorite indicators (e.g., Bollinger Bands) or adjust the ATR minimum for specific markets. Use backtesting in TradingView’s "Strategy Tester" to optimize settings.
Originality
What makes "Malama's Scalping" stand out is its multi-filter approach. Unlike basic strategies relying on one or two indicators, it demands agreement across trend, momentum, volume, volatility, and candlestick patterns—reducing false signals and boosting confidence. The built-in automation with customizable risk management also sets it apart, offering a hands-off option for scalpers who want precision without constant monitoring. Plus, its flexibility (e.g., adjustable volatility for stocks like TSLA) makes it adaptable to various assets and timeframes, a rarity in scalping tools.
This strategy bridges the gap between simplicity for beginners and robustness for pros, delivering a unique, all-in-one scalping solution.
Croak Indicator Trend Filtered🐸 Croak Indicator – Trend-Filtered Market Structure Visualizer
🔍 Overview
The Croak Indicator is a visual market structure tool designed to highlight potential reversal zones by identifying key swing highs and lows. It uses price action and trend context to help traders understand possible turning points in the market.
This version introduces a trend filter using Exponential Moving Averages (EMA), so:
🐸 Frogs (bottom signals) only appear in uptrends
🦊 Foxes (top signals) only appear in downtrends
This helps reduce noise and keeps the indicator aligned with the prevailing trend.
🧠 How It Works
Detects significant swing points based on local highs/lows over a lookback period (Pattern Length).
Adds a trend filter using EMA 21 and EMA 50 to improve signal quality.
A structure score (Frog Jump Score) optionally appears in the corner to show how symmetrical the recent market swings have been.
The script uses bar-based historical analysis and repaints past signals as more candles form.
⚠️ Important Note on Repainting
This is a repainting indicator, meaning it uses future price action to confirm swing points. Signals may change or disappear as new bars form. It is not intended for real-time signal execution, but rather as a visual aid for understanding market structure in hindsight.
⚙️ Key Features
✅ Plots intuitive frog and fox icons for bullish/bearish swing points.
✅ Includes a trend filter using EMA crossover logic.
✅ Optional scoring table for structure geometry confidence.
✅ Useful for swing traders, market structure learners, and chart artists.
⚠️ Disclaimer
This script is provided for educational and informational purposes only. It does not constitute financial advice. Always do your own analysis and apply risk management when trading.
Crypto MA Cross StrategyBuy with MA crossover. Take profit when price reaches your percentage target. Stops at defined percentage below the buy price
Malama's Candle SniperMalama's Candle Sniper - Indicator Description
Purpose
"Malama's Candle Sniper" is a powerful TradingView indicator designed to help traders identify key candlestick patterns that signal potential reversals or continuations in price action. Whether you're looking to catch the start of a bullish uptrend or spot a bearish downturn before it happens, this tool simplifies the process by automatically detecting and labeling a wide range of classic candlestick formations. It solves a common problem for traders: the time-consuming task of manually scanning charts for reliable patterns, making it easier to focus on decision-making and strategy execution.
How It Works
The indicator uses predefined logic to analyze candlestick data—open, high, low, and close prices—across multiple bars to detect specific patterns. It’s split into two categories: bullish patterns (e.g., Bullish Engulfing, Morning Star, Hammer) that suggest upward momentum, and bearish patterns (e.g., Bearish Engulfing, Three Black Crows, Hanging Man) that hint at downward pressure. Each pattern is coded with conditions based on price relationships, such as the size of candle bodies, wicks, or gaps between bars. When a pattern forms, the indicator places a clear label directly on your chart, color-coded green for bullish and red for bearish, so you can spot opportunities at a glance.
The script ensures accuracy by only triggering a label when a pattern transitions from "not present" to "detected," avoiding clutter from repetitive signals. This focus on precision makes it a reliable companion for timing entries and exits.
How to Use It
Adding to TradingView: Open TradingView, click "Indicators" at the top, search for "Malama's Candle Sniper," and add it to your chart. Since it’s an overlay indicator, it works directly on your price candles without cluttering a separate panel.
Configuring Settings: There are no adjustable inputs by default, making it beginner-friendly—just apply it and start trading! For pros, you can dive into the script to tweak pattern definitions (e.g., adjusting wick-to-body ratios) if you prefer custom sensitivity.
Interpreting Signals: Look for green labels above candles for bullish setups—these suggest potential buying opportunities. Red labels below candles indicate bearish setups, signaling possible sell or short positions. Pair these signals with your existing strategy, like support/resistance levels or trend direction, for confirmation.
Beginner Tip: Start with a daily or 4-hour chart to practice spotting patterns in less noisy conditions before moving to shorter timeframes.
Pro Tip: Combine with volume analysis or a trend indicator (like a moving average) to filter out weaker signals and boost reliability.
Originality
What makes "Malama's Candle Sniper" stand out is its comprehensive coverage and user-friendly design. While many indicators focus on just one or two candlestick patterns, this script packs over 20 patterns—both bullish and bearish—into a single tool, from common ones like the Hammer to rarer setups like the Abandoned Baby or Three Line Strike. The clean, color-coded labeling system also sets it apart, offering instant visual clarity without overwhelming your chart. Unlike generic pattern scanners, it’s built to minimize false positives by only highlighting newly formed patterns, giving traders a sharper edge in fast-moving markets. Whether you’re a newbie learning the ropes or a seasoned trader refining your edge, this indicator delivers a unique blend of simplicity, depth, and precision.
Fuerza relativa vs SP500This TradingView indicator analyzes the daily relative strength of a selected asset compared to the SP500, and provides both a visual histogram and a scoring system based on recent performance over the last 10 candles.
✅ Green: SP500 is down, but the asset is up (strong bullish signal).
🟧 Orange: SP500 is down, asset also down but performing better than the SP500 (mild strength).
🔴 Red: SP500 is down, and the asset performs even worse (clear weakness).
🟩 Light green: SP500 is up, and the asset performs better (moderate strength).
🟧 Light orange: SP500 is up, but the asset performs worse (mild weakness)
SMA 12, 36, 200 with Signals and AlertsFeatures:
✅ Simple Moving Averages:
SMA 12 (short-term)
SMA 36 (mid-term)
SMA 200 (long-term trend filter)
✅ Buy & Sell Signals:
Buy: When SMA 12 crosses above SMA 36
Sell: When SMA 12 crosses below SMA 36
✅ Built-in Alerts:
Receive real-time alerts when a signal is triggered.
🧠 Strategy Overview – Multi-Timeframe Trading
This script is designed to be used with multi-timeframe analysis:
1H Chart – Trend Direction
If the price is above the SMA 200 on the 1-hour chart → look for Long opportunities.
If the price is below the SMA 200 on the 1-hour chart → look for Short opportunities.
5-Min Chart – Entry Timing
Once the higher-timeframe trend is clear, switch to the 5-minute chart.
Use SMA 12 and SMA 36 crossovers to time your entry in the direction of the main trend.
This approach helps filter out false signals and improves overall trade accuracy.
Supply & Demand Zones
_____________________________________________________________________
Supply and Demand Zones
This indicator displays valid Supply and Demand zones on any chart and timeframe, using dynamically updating visuals. Users can see the moment that zones become validated, used, and then invalidated during live sessions. It is sleek, lightweight, and offers a feature-rich settings panel that allows customization of how each element appears and functions. Zones can enhance the probability of successful trades by locating areas that are most likely to contain resting orders of Supply or Demand, which are needed for price reversals.
Disclaimer
____________________
Like all indicators, this can be a valuable tool when incorporated into a comprehensive, risk-based trading system.
Supply and Demand is not the same thing as Support and Resistance.
Trading based on price hitting a zone without understanding which zones are of higher quality and which are of lower quality (only discernible with a trained human eye) will yield poor results.
Supply and Demand works well as a system and even better when added to an existing one. However, like all effective trading techniques, it requires diligent study, practice, and repetition to become proficient. This is an indicator for use with Supply and Demand concepts, not a replacement for learning them.
Features
____________________
Once a valid candle sequence is confirmed, a box will appear that displays the zone over the precise zone range. At 50% zone penetration, a zone becomes used , and at 100% it becomes invalidated . Each of these zone classifications changes the behavior of the zone on the chart immediately. The settings panel offers custom colors for Supply , Demand , Used , and Invalidated zone types.
Borders : The subtle border colors can be changed or hidden.
Boxes or Bases : Advanced users can opt to hide zone boxes and instead display small, subtle tags over base candle groups. This allows for more customizable selection over what is displayed and how.
Max Zones and Hide Invalidated :
There are limitations on how many objects TradingView allows at once. Because of this, once zones go from used to invalidated , they are hidden (deleted) by default. This allows the zones index to be allocated to display more valid , usable zones instead. If a user prefers to keep invalidated zones visible, they can be enabled; however, this will result in showing more recent zones for fewer historical zones.
All zones share one pool, so if you allow fifty max zones, forty-five might be supply while five might be demand on a big sell-off trend. You will always see the most recent zones, regardless of type or status.
It’s up to you how much clutter you want on your screen and how much improved load time you want - but once loaded, zone creation and function are always instantaneous.
Load Time
____________________
Load time refers to the time it takes from when you switch tickers or timeframes before the zones are displayed initially. There is zero lag in the dynamic function and minimal load time, regardless of settings. However, if you are a fine-tuner or multi-screener, the number of Max Zones displayed is the only major variable affecting load time.
I run everything at Max when I develop. When I trade, I run mine at 25 max zones because I change timeframes often and want a very quick display of zones when I do. I have invalidated hidden, and simply enable it if I want to check an old zone. This gives me more zones than I need and reduces the load time to right where I like it.
Thresholds
____________________
It is recommended to leave these as the default.
Base Body Threshold : Determines the maximum ratio of a candle’s body to wick before invalidation. Default (50% or 0.5). A higher number loosens thresholds, resulting in more zones being displayed.
Unrequire 2nd FT if LO is Strong & Strength Multiplier :
The standard logic sequence requires two Follow-Through candles. Under some strong price movement, Leg-Out candles can make an explosive directional move from a base, making a convincing argument for supply and demand perfectly at work, if not for a single Follow-Through candle instead of two.
By enabling this feature, you can tell the script to ignore second Follow-Through candles, if and only if, the Leg-Out candle's range is (Strength) X the base range. exceeds the range of the Base by a factor of X (Strength). ie: At 5x, this would require a Leg-Out range to be 500% the range of the Base.
If enabled and the Leg-Out is not strong enough, the default logic kicks in, and a second follow-through candle will validate the zone as per usual. This loosens thresholds overall and should result in more zones.
Recommended Usage
____________________
Form a thesis using your primary trend trading system (eg: Elliott Wave, Structure Reversal, TheStrat, et al) to identify locations of a pullback for a long or short entry.
Identify a pullback area using your system, then use this indicator to find a high-quality zone on your chosen timeframe.
Once located, draw your own channel over the indicator's zone box. Start on 1m, check for zones, 2m, 3m, and so on. When you see a zone you like, recreate it; thus, when finished, you can see every timeframe’s highest-quality zones that you created, regardless of what timeframe you switch to. Tip: Be selective
To make the process faster, save a channel design in settings for “Demand” and one for “Supply”, then you can quickly get through this process in less than a minute with practice.
Optional: Use additional methods (eg: Fibonacci retracements, Elliott Wave Theory, Anchored VWAPs) to find congruent confirmation.
Version 1.0
____________________
No known bugs remain from the closed beta.
In Development
____________________
Powerful combination zones occur when standard zone sequences are extended with additional levels of demand or supply by adding more conditionals to the state machine logic. Got this mostly working in a dev version and it adds minimal extra resources. Set aside to polish a clean standard 1.0 for release first, but now displaying these extended zones is my top priority for next version.
MTF support is essentially working in a dev copy, but adds resources. Not sure if it is in the spirit of price action being the primary focus of a chart for serious traders, rather than indicators. If there is demand for it, I'll consider it.
Additional Threshold Settings
Thanks!
____________________
Thank you for your interest in my work. This was a personal passion project of mine, and I was delighted it turned out better than I hoped, so I decided to share it. If you have any comments, bugs, or suggestions, please leave them here, or you can find me on Twitter or Discord.
@ ContrarianIRL
Open-source developer for over 25 years
5-Min EMA (5 & 20) + RSI + MACD StrategyThis strategy uses a combination of Exponential Moving Averages (EMA), Relative Strength Index (RSI), and the Moving Average Convergence Divergence (MACD) to identify potential buy (bullish) and sell (bearish) signals on a 5-minute intraday chart_______________By Million mantra Telugu
MA CloudsMA Clouds – Adaptive Moving Average Visualization (with Bollinger bands)
The MA Clouds indicator is designed to help traders visualize multiple moving averages simultaneously, providing a dynamic view of trend direction, momentum, and potential support/resistance zones. This tool overlays Simple Moving Averages (SMA) and Exponential Moving Averages (EMA) in an easy-to-read cloud format, allowing traders to interpret market structure at a glance.
Key Features:
✅ Customizable Moving Averages – Adjust SMA and EMA lengths to suit your strategy.
✅ Cloud-Based Visualization – Color-coded clouds between different moving averages highlight areas of potential trend shifts.
✅ Toggle Price Lines – Option to enable or disable individual price lines for a cleaner chart.
✅ Bollinger Bands Integration – Adds upper and lower bands for additional confluence in volatility analysis.
✅ Quick Trend Identification – Helps traders gauge short-term and long-term trend strength.
✅ Preset View Modes – Toggle between a simplified 5-10 SMA/EMA setup or a full multi-timeframe cloud setup with one click.
This indicator is ideal for traders looking to combine trend-following strategies with dynamic support/resistance insights. Whether you're scalping intraday moves or managing longer-term swing trades, MA Clouds provides an efficient way to keep market structure in focus.
SPY Frequent Trading Strategythis is my SPY long term trading strategy:
entry if all conditions are met:
5 day rs is below 30
5 day rsi reading is down for the third day in a row
5 day rsi was below 60 three trading days ago
the close is higher than the 200 day moving average
exit when the 5 day rsi is above 50
I want to convert it into a strategy that trades more frequently, so adjust the rules so that it willl be taking multiple trades a week. and build it in pine script
ATR from VWAP📌 ATRs from VWAP – Intraday Volatility Tracker
This script measures how far price is from VWAP in ATR units, helping traders assess short-term overextension and reversion potential.
🔹 Key Features:
✅ ATR Distance from VWAP – Calculates how many ATRs the price is from the VWAP.
✅ Dynamic Table Display – Shows ATR distance in real-time for quick decision-making.
✅ Intraday Focus – Designed for scalpers and day traders using minutes or hourly timeframes.
📊 How to Use:
Look for price moving away from VWAP to identify extended moves.
Use as a reversion signal when price deviates too far from VWAP.
ATRs in Days📌 ATR in Days
This script tracks how price moves in relation to ATR over multiple days, providing a powerful volatility framework for traders.
🔹 Key Features:
✅ 4 ATRs in 5 Days – Measures if a stock has moved 4x its ATR within the last 5 days, identifying extreme volatility zones.
✅ Daily ATR Calculation – Tracks average true range over time to gauge market conditions.
✅ Clear Table Display – Real-time ATR readings for quick decision-making.
✅ Intraday & Swing Trading Compatible – Works across multiple timeframes for day traders & swing traders.
📊 How to Use:
Look for stocks that exceed 4 ATRs in 5 days to spot extended moves.
Use ATR as a reversion or continuation signal depending on market structure.
🚀 Perfect for traders looking to quantify volatility & structure trades effectively!