Smart Money Concepts Altcoin Pioneers Group TRADING ™This indicator is a comprehensive trading tool designed for altcoin and crypto traders, combining Supertrend, trend analysis, risk management, and Smart Money Concepts (SMC) to identify high-probability trading setups. It provides clear buy/sell signals, trend visualization, and key price action levels to enhance decision-making across various market conditions.Key FeaturesSupertrend Module:Generates buy () and sell () signals based on Supertrend crossovers with customizable sensitivity (default: 1).
Uses ATR-based bands to adapt to market volatility, helping traders identify trend direction and reversals.
Enhanced with SMA confirmation (8 and 9 periods) for stronger signal reliability.
Trend Cloud & Visualization:Displays a "Cirrus Cloud" using dual ALMA filters (configurable windows and sigma) to highlight trend direction.
Includes a Hull Moving Average (HMA) cloud (600-period) for long-term trend context.
Bar coloring based on Supertrend and ADX (threshold: 15) to indicate trending or sideways markets.
Risk Management:Plots dynamic Take Profit (TP) and Stop Loss (SL) levels based on ATR (default: 3% risk, 14-period ATR).
Customizable TP/SL lines (solid, dashed, or dotted) with adjustable distance and decimal precision.
Supports up to three TP levels for flexible trade exits.
Smart Money Concepts (SMC):Identifies swing and internal market structures (BOS, CHoCH) with customizable display options (Historical or Present mode).
Detects Order Blocks (bullish/bearish, internal/swing) with ATR or cumulative mean range filtering.
Highlights Fair Value Gaps (FVGs), Equal Highs/Lows (EQH/EQL), and Premium/Discount Zones for institutional-level analysis.
Multi-timeframe (MTF) support for previous day/week/month highs and lows.
Additional Features:Trend Tracer lines for short-term price action analysis.
Volume-weighted EMAs (5, 9, 13, 34, 50 periods) for momentum confirmation.
Alerts for buy/sell signals, structure breaks, FVGs, and EQH/EQL formations.
How to UseSetup: Add the indicator to your chart and adjust settings via the Inputs tab.
Signals: Look for (buy) and (sell) labels for trade entries. Confirm with SMA crossovers and trend cloud direction.
Risk Management: Enable TP/SL levels to visualize risk-reward ratios. Adjust ATR Risk % and decimals for precision.
SMC Analysis: Use swing/internal structure and Order Blocks to identify institutional levels. Enable FVGs and EQH/EQL for additional confluence.
Trend Confirmation: Use bar colors (green for bullish, red for bearish, purple for sideways) and ADX to gauge market conditions.
SettingsSupertrend Sensitivity: Adjust nsensitivity (default: 1) for signal frequency.
Cirrus Cloud: Toggle on/off and tweak ALMA parameters (windows: 100/310, sigma: 6/32) for trend clarity.
Risk Management: Customize ATR Length (14), Risk % (3), and TP/SL display options.
SMC Options: Choose between Historical or Present mode, enable/disable FVGs, Order Blocks, and MTF levels.
Visuals: Modify line styles, label sizes, and colors for better chart readability.
Breadth Indicators
3 EMA trong 1 NTT CAPITALThe 3 EMA in 1 NTT CAPITAL indicator provides an overview of the market trend with three EMAs of different periods, helping to identify entry and exit points more accurately, thus supporting traders in making quick and effective decisions.
tenth-عشرAshri Indicator – Clean Entry Rules for Daily Options Traders
A visual indicator for intraday options traders, built on breakout structure and Kijun confirmation.
✅ Call Entry:
Triggered when any candle closes above the green resistance line
and breaks above the most recent swing high.
🛑 Stop-loss: Close below the Kijun line (same timeframe).
❌ Put Entry:
Triggered when any candle closes below the red support line
and breaks below the most recent swing low.
🛑 Stop-loss: Close above the Kijun line (same timeframe).
⚠️ This is a rule-based visual tool — not financial advice. Entries are based on market structure and momentum, and remain subject to market conditions. Always trade with proper risk management.
Money Moves Breakout PRO – By Money Moves//@version=5
indicator("Money Moves Breakout PRO – By Money Moves", overlay=true, max_boxes_count=2)
// ------ USER SETTINGS ------
sessionStartHour = input.int(11, "London Start Hour (IST)", minval=0, maxval=23)
sessionStartMin = input.int(30, "London Start Min (IST)", minval=0, maxval=59)
boxMinutes = input.int(15, "Box Candle Minutes", minval=1, maxval=5000)
showBox = input(true, "Show Breakout Box")
emaLength = input.int(20, "EMA Length")
useVolumeConfirm = input(true, "Use Volume Confirmation")
ist_offset = 5.5 // IST = UTC+5:30
barTime = time + int(ist_offset * 3600000)
boxStartSec = sessionStartHour * 3600 + sessionStartMin * 60
boxEndSec = boxStartSec + boxMinutes * 60
currentSecOfDay = ((barTime % 86400000) / 1000)
// ----- LONDON BOX -----
isBox = currentSecOfDay >= boxStartSec and currentSecOfDay < boxEndSec
isBoxPrev = currentSecOfDay >= boxStartSec and currentSecOfDay < boxEndSec
boxStartBar = not isBoxPrev and isBox
boxEndBar = isBoxPrev and not isBox
var float boxHigh = na
var float boxLow = na
var int boxBarIdx = na
var box sessionBox = na
if boxStartBar
boxHigh := high
boxLow := low
boxBarIdx := bar_index
if isBox and not na(boxHigh)
boxHigh := math.max(boxHigh, high)
boxLow := math.min(boxLow, low)
if boxEndBar and showBox
sessionBox := box.new(left=boxBarIdx, right=bar_index, top=boxHigh, bottom=boxLow, border_color=color.rgb(255, 226, 59), bgcolor=color.new(#ebff3b, 66))
// --- EMA & Volume ---
emaValue = ta.ema(close, emaLength)
avgVol = ta.sma(volume, 1000)
volCond = useVolumeConfirm ? (volume > avgVol) : true
// --- Only first breakout + Confirmation ---
var bool brokenHigh = false
var bool brokenLow = false
firstBreakUp = false
firstBreakDn = false
if boxEndBar
brokenHigh := false
brokenLow := false
// Upar ka breakout: close boxHigh se upar, EMA 20 ke upar, volume confirmation
if not isBox and not isBoxPrev and not na(boxHigh ) and not brokenHigh and close > boxHigh and close > emaValue and volCond
firstBreakUp := true
brokenHigh := true
// Niche ka breakout: close boxLow se niche, EMA 20 ke niche, volume confirmation
if not isBox and not isBoxPrev and not na(boxLow ) and not brokenLow and close < boxLow and close < emaValue and volCond
firstBreakDn := true
brokenLow := true
plotshape(firstBreakUp, style=shape.triangleup, location=location.belowbar, color=color.green, size=size.normal, text="BUY")
plotshape(firstBreakDn, style=shape.triangledown, location=location.abovebar, color=color.red, size=size.normal, text="SELL")
// Show EMA on chart for visual trend confirmation
plot(emaValue, color=color.blue, linewidth=2, title="EMA 20")
Indicador Wyckoff (Spring y Upthrust)Title: Wyckoff (Spring & Upthrust Only)
Description:
This indicator is a powerful tool for traders who follow the Wyckoff methodology. It is designed to identify and plot on the main price chart the two key reversal patterns: Spring and Upthrust.
Spring: A Spring is a false bearish breakout below a previous low. The indicator confirms this signal when there is a significant volume increase (volume greater than a moving average multiplied by a configurable factor) and the price recovers above the previous low within a specified number of bars. A confirmed Spring is plotted as a green circle on the chart.
Upthrust: An Upthrust is a false bullish breakout above a previous high. The indicator confirms this signal when there is a significant volume increase and the price reverses and closes below the previous high within a specified number of bars. A confirmed Upthrust is plotted as a red circle on the chart.
Key Features:
Customizable Parameters: You can adjust the "Search Range Length" to define the period for finding relative highs and lows, the "Volume Average Length" for the volume confirmation, the "Volume Multiplier" to set the sensitivity of the volume increase, and the "Recovery Bars" to determine how many bars are required for the price to confirm the reversal.
Visual Signals: The signals are displayed directly on the main chart, with green circles for Springs and red circles for Upthrusts, making them easy to spot.
Alerts: The indicator includes alerts for both Spring and Upthrust signals, so you can be notified as soon as a potential opportunity is detected.
London Breakout + FVG Strategy [GBPJPY] - with SL/TPMarks the London open high and low on 15 min time frame, ads fvg on 5 min for orders
Euphoria and Capitulation - TradingriotA simple indicator that highlights volume-based capitulation and euphoria by combining volume Z-score with recent highs and lows.
The indicator's settings are discretionary; using yearly, quarterly, or monthly lookback periods is recommended to reduce noise.
Inspired by the paper The Boundaries of Technical Analysis by Milton W. Berg.
SUPREMACY with Liquidity [Hary]🔍 Purpose:
This complex TradingView indicator is designed to identify liquidity zones, fakeouts, imbalance zones, and price action reversal signals based on various concepts like pivot points, fractal highs/lows, sweeps, inventory retracement bars (IRBs), FU candles, X3 bars, and SFU (Sweep + Engulf) signals.
✅ Main Features:
1. Pivots:
Plots pivot highs/lows based on user-defined lookback.
Useful for identifying structural turning points.
2. IRB Detection:
Detects Inventory Retracement Bars (potential traps).
Highlights where price rejects after shallow pullbacks.
3. Fakeout ("FU") Candles:
Optional filters for Doji/MA confluence.
Detects failed breakouts and prints potential reversal signals.
4. Liquidity Wicks:
Shows wick-based liquidity grabs (top/bottom).
Optionally draws lines from wick to body to visualize the grab.
5. Sweeps & Raids:
Detects high/low sweeps across different timeframes (5m, 60m, Daily).
Plots dotted/dashed/solid lines at sweep levels.
Deletes broken sweep lines once invalidated.
6. Fractals:
Advanced fractal detection logic to detect swing points.
7. Imbalance Zones:
Identifies fair value gaps (FVG) / imbalance zones.
Boxes mark bullish or bearish imbalance.
8. SFU (Sweep + Engulf):
Detects sweep followed by engulfing candle.
Labels them as "SFU↑" (bullish) or "SFU↓" (bearish).
9. X3 Bars:
Detects indecisive large-range candles (with traps).
Labels them "X3" based on color (red/green).
⚙️ Highly Customizable:
Inputs for label sizes, colors, styles.
Control over which signals/lines/labels to show.
Can filter by timeframe or market structure logic.
Chaos Volume Trend //Chaos Volume Trend不公开提供,请在网站 okx.tw 购买
//Chaos Volume Trend不公開提供,請在網站 okx.tw 購買
//Chaos Volume Trend is not publicly available. Please purchase it on the website okx.tw
Opening Range Box with Breakout LabelsOverview
This strategy automates the classic Opening Range breakout trading technique by identifying the price range during a specified initial time window (the "Opening Range") each trading day, and then triggers trades when the price breaks out above or below this range. It draws a visual box around the opening range for clarity and provides breakout signals with configurable take profit and stop loss levels expressed in pips.
Key Features
Configurable Opening Range Time Window:
Define the start and end time of the opening range session using hour and minute inputs (24-hour format). For example, you can set it to capture the first 15 minutes after market open.
Extended Box Display:
Optionally extend the opening range box display by a configurable number of hours beyond the initial range period for ongoing visual reference.
Opening Range Box Visualization:
A semi-transparent colored box is drawn on the chart representing the high and low price of the opening range period, updating dynamically as the session progresses.
Breakout Detection & Entry Signals:
The strategy detects breakouts once the opening range session ends (including the extended period). It places:
A long entry when the price closes above the opening range high.
A short entry when the price closes below the opening range low.
Take Profit and Stop Loss in Pips:
You can define your desired take profit and stop loss levels in pips, allowing consistent risk management tailored to the instrument's pip value.
Visual Breakout Labels:
Up and down arrow labels appear on the chart at breakout points to clearly mark trade signals.
Max Breakout Labels Limit:
Limits the number of breakout labels displayed on the chart to avoid clutter.
Ratio-Adjusted McClellan Summation Index RASI NASIRatio-Adjusted McClellan Summation Index (RASI NASI)
In Book "The Complete Guide to Market Breadth Indicators" Author Gregory L. Morris states
"It is the author’s opinion that the McClellan indicators, and in particular, the McClellan Summation Index, is the single best breadth indicator available. If you had to pick just one, this would be it."
What It Does: The Ratio-Adjusted McClellan Summation Index (RASI) is a market breadth indicator that tracks the cumulative strength of advancing versus declining issues for a user-selected exchange (NASDAQ, NYSE, or AMEX). Derived from the McClellan Oscillator, it calculates ratio-adjusted net advances, applies 19-day and 39-day EMAs, and sums the oscillator values to produce the RASI. This indicator helps traders assess market health, identify bullish or bearish trends, and detect potential reversals through divergences.
Key features:
Exchange Selection : Choose NASDAQ (USI:ADVN.NQ, USI:DECL.NQ), NYSE (USI:ADVN.NY, USI:DECL.NY), or AMEX (USI:ADVN.AM, USI:DECL.AM) data.
Trend-Based Coloring : RASI line displays user-defined colors (default: black for uptrend, red for downtrend) based on its direction.
Customizable Moving Average: Add a moving average (SMA, EMA, WMA, VWMA, or RMA) with user-defined length and color (default: EMA, 21, green).
Neutral Line at Zero: Marks the neutral level for trend interpretation.
Alerts: Six custom alert conditions for trend changes, MA crosses, and zero-line crosses.
How to Use
Add to Chart: Apply the indicator to any TradingView chart. Ensure access to advancing and declining issues data for the selected exchange.
Select Exchange: Choose NASDAQ, NYSE, or AMEX in the input settings.
Customize Settings: Adjust EMA lengths, RASI colors, MA type, length, and color to match your trading style.
Interpret the Indicator :
RASI Line: Black (default) indicates an uptrend (RASI rising); red indicates a downtrend (RASI falling).
Above Zero: Suggests bullish market breadth (more advancing issues).
Below Zero : Indicates bearish breadth (more declining issues).
MA Crosses: RASI crossing above its MA signals bullish momentum; crossing below signals bearish momentum.
Divergences: Compare RASI with the market index (e.g., NASDAQ Composite) to identify potential reversals.
Large Moves : A +3,600-point move from a low (e.g., -1,550 to +1,950) may signal a significant bull run.
Set Alerts:
Add the indicator to your chart, open the TradingView alert panel, and select from six conditions (see Alerts section).
Configure notifications (e.g., email, webhook, or popup) for each condition.
Settings
Market Selection:
Exchange: Select NASDAQ, NYSE, or AMEX for advancing/declining issues data.
EMA Settings:
19-day EMA Length: Period for the shorter EMA (default: 19).
39-day EMA Length: Period for the longer EMA (default: 39).
RASI Settings:
RASI Uptrend Color: Color for rising RASI (default: black).
RASI Downtrend Color: Color for falling RASI (default: red).
RASI MA Settings:
MA Type: Choose SMA, EMA, WMA, VWMA, or RMA (default: EMA).
MA Length: Set the MA period (default: 21).
MA Color: Color for the MA line (default: green).
Alerts
The indicator uses alertcondition() to create custom alerts. Available conditions:
RASI Trend Up: RASI starts rising (based on RASI > previous RASI, shown as black line).
RASI Trend Down: RASI starts falling (based on RASI ≤ previous RASI, shown as red line).
RASI Above MA: RASI crosses above its moving average.
RASI Below MA: RASI crosses below its moving average.
RASI Bullish: RASI crosses above zero (bullish market breadth).
RASI Bearish: RASI crosses below zero (bearish market breadth).
To set alerts, add the indicator to your chart, open the TradingView alert panel, and select the desired condition.
Notes
Data Requirements: Requires access to advancing/declining issues data (e.g., USI:ADVN.NQ, USI:DECL.NQ for NASDAQ). Some symbols may require a TradingView premium subscription.
Limitations: RASI is a medium- to long-term indicator and may lag in volatile or range-bound markets. Use alongside other technical tools for confirmation.
Data Reliability : Verify the selected exchange’s data accuracy, as inconsistencies can affect results.
Debugging: If no data appears, check symbol validity (e.g., try $ADVN/Q, $DECN/Q for NASDAQ) or contact TradingView support.
Credits
Based on the Ratio-Adjusted McClellan Summation Index methodology by McClellan Financial Publications. No external code was used; the implementation is original, inspired by standard market breadth concepts.
Disclaimer
This indicator is for informational purposes only and does not constitute financial advice. Past performance is not indicative of future results. Conduct your own research and combine with other tools for informed trading decisions.
ercometiUzun Vadeli SMA'lar354 708 1062 1414 diaries for friends who want to make money in the long term
Smart Money Index Intraday (by CapitalCore)This indicator identifies imbalance zones (Fair Value Gaps) — key levels where price demonstrates significant gaps between supply and demand. It is designed for intraday trading and helps determine precise entry levels, as well as stop-loss and take-profit levels.
Key Features:
Automatic identification of bullish and bearish imbalances based on gap analysis in candle extremes
Volume-based signal filtering for improved accuracy (with customizable on/off parameters)
Display of specific entry levels (long entry / short entry) with price
Calculation and visualization of stop-loss and take-profit levels with customizable stop size
Integration with TradingView alert system for timely trading signal notifications
Compact indicator display directly on the chart without overlapping candles — histogram below the chart
Target Audience: The indicator is suitable for traders working on intraday timeframes (1m, 5m, 15m) who want to improve entry precision using Smart Money zones and volume filters.
Invencible MACD Strategy Scalping 5MInvencible MACD Strategy Scalping 5M
The Invencible MACD Strategy is a precision scalping system designed for short-term traders who want to capture fast and effective entries on trending moves.
This strategy uses a multi-timeframe MACD combined with a histogram impulse filter, ATR-based volatility filter, and optional EMA200 trend confirmation to identify high-probability trade setups.
Entry Conditions:
Long Entry: When MACD crosses above Signal Line, histogram rises with sufficient impulse, ATR confirms volatility, and price is above EMA200 (optional).
Short Entry : When MACD crosses below Signal Line, histogram falls with sufficient impulse, ATR confirms volatility, and price is below EMA200 (optional).
Exit Conditions:
Take Profit and Stop Loss are calculated as fixed percentages.
A position is also closed immediately if MACD reverses and crosses in the opposite direction.
The strategy does not use trailing stops, allowing trades to fully reach their target when conditions are favorable.
Recommended use:
This strategy is optimized for 5-minute charts and works particularly well with:
XAUUSD (Gold)
BTCUSD (Bitcoin)
If you find this strategy helpful, please share it, leave a comment, and drop a like. Scalpers, give it a try and let us know how it works for you.
Los 7 Capitales
Invencible MACD Strategy Scalping)Invencible MACD Strategy
The Invencible MACD Strategy is a refined scalping system designed to deliver consistent profitability by optimizing the classic MACD indicator with trend and volatility filters. This strategy is built for short-term traders looking for precision entries and favorable risk-to-reward conditions on any asset and lower timeframes such as 1m, 5m, or 15m.
Core Logic
This strategy uses a multi-timeframe (MTF) approach to calculate the MACD, Signal Line, and Histogram. Trades are executed when all of the following conditions are met:
Long Entry:
The MACD crosses above the Signal Line.
The Histogram is rising with a defined impulse threshold.
Price is above the 200 EMA, confirming an uptrend.
Volatility, measured by ATR, is above a configurable minimum.
Short Entry:
The MACD crosses below the Signal Line.
The Histogram is falling with a defined impulse threshold.
Price is below the 200 EMA, confirming a downtrend.
ATR confirms sufficient volatility.
Risk Management
Take Profit is set higher than Stop Loss to ensure that the average winning trade is greater than the average losing trade.
Trailing stop is optional and can be disabled to allow full profit capture on strong moves.
Trade size is fixed to 1 contract, suitable for scalping with low exposure.
Customizable Parameters
MACD Fast, Slow, and Signal EMAs
Histogram impulse threshold
Minimum ATR filter
Take Profit and Stop Loss percentage
Trailing Stop activation and size
Timeframe resolution (can be customized or synced with chart)
Visual Aids
MACD and Signal Line are plotted below price.
Histogram bars help visualize momentum strength.
200 EMA is plotted on the main chart to show trend direction.
This strategy was designed to prioritize quality over quantity, avoiding weak signals and improving both the win rate and profit factor. It is especially effective on assets like gold (XAUUSD), indices, cryptocurrencies, and high-liquidity stocks.
Feel free to test and optimize parameters based on your trading instrument and timeframe.
Los 7 Capitales
Custom Multiple SMAs (Trend Structure Visualizer)This indicator displays 16 consecutive Simple Moving Averages (SMAs), from SMA 8 to SMA 23, plotted simultaneously on the chart. Together, they form a color-coded SMA fan that allows you to clearly visualize the current market structure.
What you can observe in the chart:
– When the lines are flat and tightly clustered , the market is likely consolidating or moving sideways
– When the lines fan out and expand , a trend or directional momentum is building
– When the lines start converging or crossing again , it may indicate a trend pause or potential reversal
A 100-period EMA (yellow line) serves as a basic trend filter:
– Price above the EMA suggests an long-biased market
– Price below the EMA suggests a short-biased market
What makes this tool unique:
Unlike traditional single-SMA indicators, this tool also highlights phases when it's better to stay out of the market – such as during flat, unstructured sideways conditions.
Transitions from low activity to trending phases become clearly and early visible, without relying on additional signals or indicator noise.
The indicator works across all markets and timeframes and remains visually stable even during fast market movements. It is a visual decision-making tool and does not generate automatic signals or alerts.
EMA X/Y🔍 EMA X/Y Indicator Description
This indicator combines two different EMA ( Exponential Moving Average ) values into a single script, allowing you to visualize both short-term and long-term trends on the same chart.
📌 X: First EMA length (typically for short-term trends)
📌 Y: Second EMA length (typically for long-term trends)
🎯 Purpose:
– Track overall trend direction and potential reversals
– Generate buy/sell signals based on EMA X and Y crossovers
– Analyze market momentum across timeframes
Losing and then SomeThis indicator will guide you to recognize if the price is overheating... Do not use this indicator if you have not mastered the art of money management... the key is to be precise and be patient.. The patient will be rewarded.
ALMA X/Y🔍 ALMA X/Y Indicator Description
This indicator combines two different ALMA ( Arnaud Legoux Moving Average ) values into a single script, allowing you to visualize both short-term and long-term trends on the same chart.
📌 X: First ALMA length (typically for short-term trends)
📌 Y: Second ALMA length (typically for long-term trends)
🎯 Purpose:
– Track overall trend direction and potential reversals
– Generate buy/sell signals based on ALMA X and Y crossovers
– Analyze market momentum across timeframes
ICT OTE Market MakerICT OTE Market Maker
Implementing ICT and automatically identifies OTE zones to minimize drawdowns.
JCICT - PO3 ( Reversal )**⚠️ Disclaimer**
All materials presented in this educational session are intended solely for the purpose of education and to broaden understanding of market analysis using structure-based, liquidity-based, and Smart Money methodologies such as MMXM and ICT.
The strategies and methods discussed are not financial advice, nor are they a solicitation to buy or sell any financial instrument. Any trading decision made is entirely the responsibility of the individual.
Please be aware that trading in financial markets, including forex, carries a very high level of risk. Potential profits are accompanied by the possibility of total loss. Therefore, ensure you fully understand the risks involved and never trade with money you cannot afford to lose.
Always apply sound analysis, strict risk management, and maturity when making decisions in the market.