Sniper Pro v4.1.5 – True Live Engine
//@version=5
indicator("Sniper Pro v4.1.5 – True Live Engine", overlay=true)
// === INPUTS ===
minScore = input.int(3, "Min Conditions for Entry", minval=1, maxval=5)
filterSideways = input.bool(true, "Block in Sideways?")
showDelta = input.bool(true, "Show Delta Counter?")
showSMA10 = input.bool(true, "Show SMA10")
showSMA20 = input.bool(true, "Show SMA20")
showSMA50 = input.bool(true, "Show SMA50")
showSMA100 = input.bool(true, "Show SMA100")
showSMA200 = input.bool(true, "Show SMA200")
showVWAP = input.bool(true, "Show VWAP")
showGoldenZone = input.bool(true, "Show Golden Zone?")
callColor = input.color(color.green, "CALL Color")
putColor = input.color(color.red, "PUT Color")
watchBuyCol = input.color(color.new(color.green, 70), "Watch Buy Color")
watchSellCol = input.color(color.new(color.red, 70), "Watch Sell Color")
// === INDICATORS ===
sma10 = ta.sma(close, 10)
sma20 = ta.sma(close, 20)
sma50 = ta.sma(close, 50)
sma100 = ta.sma(close, 100)
sma200 = ta.sma(close, 200)
vwapVal = ta.vwap
// === GOLDEN ZONE FROM RECENT RANGE ===
waveHigh = ta.highest(high, 20)
waveLow = ta.lowest(low, 20)
waveRange = waveHigh - waveLow
goldenTop = waveHigh - waveRange * 0.618
goldenBot = waveHigh - waveRange * 0.786
inGoldenZone = close >= goldenBot and close <= goldenTop
// === DELTA ===
delta = (close - open) * volume
normalizedDelta = volume != 0 ? delta / volume : 0
// === SIDEWAYS FILTER ===
range20 = ta.highest(high, 20) - ta.lowest(low, 20)
atr = ta.atr(14)
isSideways = range20 < atr * 1.5
block = filterSideways and isSideways
// === PRICE ACTION ===
hammer = close > open and (math.min(open, close) - low) > math.abs(close - open) * 1.5
bullishEngulf = close > open and close < open and close > open and open < close
shootingStar = close < open and (high - math.max(open, close)) > math.abs(close - open) * 1.5
bearishEngulf = close < open and close > open and close < open and open > close
// === SCORE SYSTEM (Live per bar) ===
buyScore = (inGoldenZone ? 1 : 0) + (normalizedDelta > 0.2 ? 1 : 0) + ((hammer or bullishEngulf) ? 1 : 0) + (close > sma20 ? 1 : 0)
sellScore = (inGoldenZone ? 1 : 0) + (normalizedDelta < -0.2 ? 1 : 0) + ((shootingStar or bearishEngulf) ? 1 : 0) + (close < sma20 ? 1 : 0)
watchBuy = buyScore == (minScore - 1) and not block
watchSell = sellScore == (minScore - 1) and not block
call = buyScore >= minScore and not block
put = sellScore >= minScore and not block
// === COLORS ===
barcolor(call ? callColor : put ? putColor : watchBuy ? watchBuyCol : watchSell ? watchSellCol : na)
// === LABELS ===
if call
label.new(bar_index, low, "CALL", style=label.style_label_up, size=size.normal, color=callColor, textcolor=color.white)
if put
label.new(bar_index, high, "PUT", style=label.style_label_down, size=size.normal, color=putColor, textcolor=color.white)
if watchBuy
label.new(bar_index, low, "B3", style=label.style_label_up, size=size.small, color=watchBuyCol, textcolor=color.white)
if watchSell
label.new(bar_index, high, "S4", style=label.style_label_down, size=size.small, color=watchSellCol, textcolor=color.white)
// === DELTA LABEL ===
deltaLabel = math.abs(delta) > 1000000 ? str.format("{0,number,#.##}M", delta / 1e6) :
math.abs(delta) > 1000 ? str.format("{0,number,#.##}K", delta / 1e3) :
str.tostring(delta, "#.##")
if showDelta
label.new(bar_index, close, deltaLabel, style=label.style_label_left, size=size.tiny, textcolor=color.white, color=delta > 0 ? color.new(color.green, 70) : color.new(color.red, 70))
// === PLOTS ===
plot(showVWAP ? vwapVal : na, title="VWAP", color=color.aqua)
plot(showGoldenZone ? goldenTop : na, title="Golden Top", color=color.yellow, style=plot.style_linebr)
plot(showGoldenZone ? goldenBot : na, title="Golden Bottom", color=color.orange, style=plot.style_linebr)
plot(showSMA10 ? sma10 : na, title="SMA10", color=color.green)
plot(showSMA20 ? sma20 : na, title="SMA20", color=color.yellow)
plot(showSMA50 ? sma50 : na, title="SMA50", color=color.orange)
plot(showSMA100 ? sma100 : na, title="SMA100", color=color.red)
plot(showSMA200 ? sma200 : na, title="SMA200", color=color.white)
Padrões gráficos
WAVYORBFIB stratThis strategy combines the power of the Opening Range Breakout with the precision of Fibonacci Retracement levels, creating a dynamic approach to market entry and exit points. It focuses on identifying key breakout zones early in the trading session, while leveraging Fibonacci levels to fine-tune potential support, resistance, and profit-taking targets.
How It Works:
Opening Range Breakout (ORB):
The strategy first identifies the Opening Range, which is typically defined by the high and low of the first 30 minutes or 1 hour of the trading session. This period serves as a crucial time frame, setting the initial market sentiment.
A breakout occurs when the price moves beyond the opening range (above the high or below the low). This breakout signals the potential for a strong move in the direction of the breakout.
Fibonacci Levels:
Once the breakout is identified, Fibonacci extension levels (1.232, 1.272, 1.764) are applied to the price movement from the opening range.
These levels act as potential support and resistance zones, providing possible entry points for trades as the market extends and tests these levels.
Key Entry Signals:
Long Entry: If the price breaks above the opening range with volume, target profit is the 1.232 fib line that is plotted.
Short Entry: If the price breaks below the opening range with volume, target profit is the -1.232 fib
Exiting the Trade:
Target 1: Use Fibonacci extensions 1.232, 1.272 and 1.764 as profit-taking targets for the trend continuation. You can toggle on and off extra fibs for extra targets/levels of influence.
Target 2: If the price hits a Fibonacci level (e.g.,1.232 extension) and begins to reverse, close out a portion of the position for profits, or tighten stops for a safer exit.
Stop Loss Strategy:
Place a stop loss just outside the opening range or below/above the nearest Fibonacci level (depending on the trade direction). This ensures minimal risk while the market tests these critical levels.
Why It Works:
This strategy leverages two well-tested concepts in technical analysis:
The Opening Range Breakout, which identifies the early momentum in the market,
And the Fibonacci retracement levels, which give traders key levels of support and resistance, helping to identify high-probability entry and exit points.
Ideal Markets:
This strategy works best in volatile markets and during periods of significant market movement, especially after major economic news or events.
Alpha1Alpha1 is a streamlined trend analysis tool designed to offer visual clarity for directional bias in various market conditions. This script combines adaptive price tracking with dynamic smoothing logic to help traders stay aligned with the prevailing trend.
It is optimized for both short-term and mid-term chart analysis and integrates seamlessly with a wide range of trading strategies. It best works on 15 minute time frame.
This is an invite-only tool intended for private research and use. For educational purposes only — not financial advice.
21-Day MA (on Intraday)//@version=5
indicator("21-Day MA (on Intraday)", overlay=true)
ma21 = request.security(syminfo.tickerid, "D", ta.sma(close, 21))
plot(ma21, color=color.orange, title="MA21-D")
alertcondition(ta.cross(close, ma21), "Cross 21-Day MA", "Price crossed the 21-day MA")
NQ Goldbach LevelsAttention: This script only works on NQ. Its is accurate only on NQ/MNQ.
I can add in some more features by request.
Traffic Lite [B.A.S.E.]--- English Version ---
Indicator “Traffic Lite ” is designed to find potential long (buy) entry points and take-profit exits. It implements:
- Red signal — more aggressive, gives more entries (higher risk, but potentially more trades).
- Yellow signal — more “balanced” logic, provides slightly more “refined” entries.
When the indicator detects a suitable situation (according to the “red” or “yellow” logic), it generates a buy signal. After entry:
- A target (take-profit) is calculated.
- If necessary, a mechanism of averaging (additional buys) is activated.
- When the price reaches the defined take-profit, the trade is considered closed.
Additionally, the indicator keeps track of statistics:
- How many trades have been closed.
- The maximum time spent in a trade (in hours).
- The total profit in percentage.
- How many trades reached the 1st, 2nd, or 3rd averaging.
- The maximum recorded drawdown.
There are also Telegram settings for automatically sending all signals (entry, averaging, exit) to a bot/chat.
Input parameters and their meaning (Parameters tab)
- Signal type: Red / Yellow / Combined.
- Parameter D1 and D2: set thresholds for yellow and red signals.
- Close Y Param: additional exit logic for yellow signal.
- Main entry, % of deposit: first entry volume.
- Enable averaging? up to three additional buys.
- Averaging parameters: drop levels and volumes for 1st, 2nd, and 3rd averaging.
- Take Profit %: profit target.
- Telegram settings: Chat ID and Thread ID for notifications.
How signals are formed
- Red signal: triggers quicker, higher risk of false entries.
- Yellow signal: more balanced and less frequent.
- Combined mode: picks the first detected signal if both appear.
Averaging
- Triggers on price drops.
- Recalculates average price and take-profit.
- Up to three steps of averaging.
Exiting a trade
- When take-profit is reached, the trade closes with a “CLOSE” marker.
Statistics table
- Number of trades closed, max time in trade, total profit, number of averagings, max drawdown.
Practical application
1. Select signal type.
2. Configure entry, averaging, and take-profit parameters.
3. Set Telegram settings.
4. Click “OK”.
After this, the chart will show entry arrows, averaging labels, and exit markers.
Alerts
- Sends detailed notifications to Telegram via webhook.
- Allows creating custom alerts in TradingView.
Important notes
- A new trade won’t open until the previous one is closed.
- Averaging activates only when price drops as configured.
Summary
Red — aggressive and frequent. Yellow — moderate and reliable. The indicator automates entry detection, averaging, and take-profit exits while displaying key data on the chart.
--- Русская версия ---
Индикатор «Traffic Lite » предназначен для нахождения потенциальных моментов входа в лонг (покупку) и выхода по тейк-профиту. В нём реализованы:
- Красный сигнал — более агрессивный, чаще даёт входы (риск выше, но и потенциально сделок больше).
- Жёлтый сигнал — более «сбалансированный» по логике, даёт чуть более «выверенные» входы.
Когда индикатор видит подходящую ситуацию (согласно «красной» или «жёлтой» логике), он подаёт сигнал на покупку. После входа:
- Рассчитывается цель (тейк-профит).
- При необходимости включается механизм усреднений (добавочных покупок).
- Когда цена доходит до заданного тейк-профита, сделка считается закрытой.
Дополнительно ведётся подсчёт статистики:
- Сколько сделок закрыто.
- Максимальное время в сделке (в часах).
- Совокупный профит (в %).
- Сколько сделок дошли до 1, 2 или 3 усреднений.
- Максимальная зафиксированная просадка.
Также предусмотрены настройки Telegram для отправки всех сигналов (вход, усреднение, выход) в бот/чат.
Входные параметры и их значение (вкладка «Параметры»)
- Тип сигнала: Красный / Жёлтый / Совместный.
- Parameter D1 и D2: задают пороги для появления жёлтых и красных сигналов.
- Close Y Param: дополнительный фильтр выхода для жёлтого сигнала.
- Основной вход, % от депозита: объём первого входа.
- Включить усреднения? до трёх дополнительных покупок.
- Параметры усреднений: уровни падения и объёмы добавок для 1, 2 и 3 усреднений.
- Take Profit %: цель прибыли.
- Настройки Telegram: ID чата и Thread ID для уведомлений.
Как формируются сигналы
- Красный сигнал: чаще, выше риск ложных входов.
- Жёлтый сигнал: реже, но более надёжно.
- Совместный режим: выбирается первый из совпавших сигналов.
Усреднения
- Активация при падении цены.
- Пересчёт средней цены и тейк-профита.
- До трёх шагов усреднения.
Выход из сделки
- При достижении тейк-профита сделка закрывается, появляется «CLOSE».
Таблица статистики
- Кол-во закрытых сделок, макс. время в сделке, общий профит, количество усреднений, максимальная просадка.
Практическое применение
1. Выбрать тип сигнала.
2. Настроить параметры входа, усреднений, тейк-профита.
3. Указать настройки Telegram.
4. Нажать «ОК».
После этого на графике будут появляться метки входов, усреднений и выходов.
Оповещения
- Отправка в Telegram через webhook.
- Настройка кастомных алертов в TradingView.
Важные нюансы
- Новая сделка откроется только после закрытия предыдущей.
- Усреднения активируются при фактическом падении цены.
Итог
Красный — агрессивно и часто, Жёлтый — умеренно и надёжно. Индикатор автоматизирует процесс поиска входов, усреднений и выхода, отображая данные на графике.
Price Compression & Expansion Bars (Final Adjusted)In price compression zones, bullish candles are displayed with a white border only, while bearish candles are filled with white.
In price expansion zones, bullish candles are displayed with a blue border only, while bearish candles are filled with blue.
In all other cases, bearish candles are shown in red and bullish candles in green.
The ATR multipliers used to define compression and expansion zones are set to 1 for compression and 1.5 for expansion.
Pro Trading Art - Swing Trading Master V2Pro Trading Art - Swing Trading Master V2
The Pro Trading Art - Swing Trading Master V2 is an exclusive, invite-only strategy crafted for traders aiming to master swing trading across various markets. This advanced strategy combines sophisticated price action analysis with momentum and volatility indicators to deliver precise entry and exit signals, optimized for both bullish and bearish market conditions.
Key Features:
Advanced Swing Detection: Employs a proprietary blend of moving averages, momentum oscillators, and volatility filters to identify high-probability swing trade setups.
Flexible Position Sizing: Allows customizable position sizes and risk-reward ratios, enabling traders to tailor the strategy to their risk tolerance.
Dynamic Exit Strategies: Includes adjustable take-profit and stop-loss levels, with options for percentage-based exits and an intelligent trailing stop to maximize gains.
User-Friendly Visuals: Provides clear buy and sell signals on the chart, enhanced by color-coded zones to highlight trending and ranging markets.
How to Use:
Apply the Swing Trading Master V2 strategy to your preferred chart on TradingView.
Configure input parameters, such as signal sensitivity, stop-loss, and take-profit levels, to match your trading preferences.
Watch for buy/sell signals and monitor color-coded chart zones to guide your trading decisions.
Leverage the trailing stop feature to protect profits during trending markets.
This strategy is perfect for traders seeking to capture medium-term price swings with a disciplined, systematic approach. Access is restricted to invited users, ensuring a premium and exclusive trading experience.
TBR(3AM, 9AM, 3PM)How It Works
• Monitors 3 key institutional hours: 3AM (London Open), 9AM (New York Open), and 3PM (US Close)
• Captures the full range (high and low) of each 1H candle at those times
• Confirms breakout only if the next 1H candle closes above or below the range
• Draws the zone (box) aligned with the original hourly candle (not delayed)
• Displays retracement lines at:
- 25% (initial reaction)
- 50% (mitigation level)
- 75% (deep retracement entry)
Key Features
• Precise zone alignment — Boxes are anchored to the actual breakout candle
• Mitigation logic — Zones are considered mitigated once price revisits the 0.5 level
• Expiry filter — Zones automatically remove after 7 days
• Time zone support — Choose from major time zones or fixed UTC offsets (e.g., Etc/GMT+4)
• Multi-timeframe compatible — Works on all timeframes (1m, 5m, 15m, etc.)
• Clean structure — No duplicated boxes on lower timeframes
• Fully customizable colors and visibility toggles
Settings
• Toggle visibility for 3AM / 9AM / 3PM zones independently
• Choose time zone (supports America/New_York, UTC, Asia/Tokyo, etc.)
• Adjust how long zones stay visible (in hours)
• Enable/disable auto-removal after mitigation
Ideal For
• ICT traders
• Smart money concepts (SMC)
• Zone-based entries and liquidity grabs
• Traders using mitigation and premium/discount retracement logic
Tip
• Use this script with liquidity/volume indicators or SMT divergence for even stronger confluence.
Trading Time Highlighter v2Check boxes for days of week.
Set the time you want to trade or backtest.
Adjust for UTC time.
GM
Dynamic Candle rating by Nikhil DoshiThis custom TradingView indicator assigns a rating from 1 to 5 to each candlestick on the chart based on the relative position of the close within its high-low range. It provides an at-a-glance visual assessment of candle strength or weakness, which can be useful for gauging intrabar sentiment.
Label colors provide intuitive visual cues:
🟩 1 (Green) – Strong bullish
🟢 2 (Lime) – Mild bullish
⚪ 3 (Gray) – Neutral
🟠 4 (Orange) – Mild bearish
🔴 5 (Red) – Strong bearish
HHC Trading BotThis PineScript code defines a trading strategy based on moving average crossovers with additional conditions and risk management. Here's a breakdown:
Strategy Overview
The strategy uses two Simple Moving Averages (SMA) with periods of 100 and 200. It generates buy and sell signals based on the crossover of these MAs, combined with RSI (Relative Strength Index) conditions.
Buy and Sell Conditions
Buy: Short MA crosses over Long MA, RSI < 70, and close price > open price.
Sell: Short MA crosses under Long MA, RSI > 30, and close price < open price.
Close Conditions
Close Long: Short MA crosses under Long MA or RSI > 80.
Close Short: Short MA crosses over Long MA or RSI < 20.
Risk Management
Stop Loss: 2% of the entry price.
Take Profit: 5% of the entry price.
Position Sizing
The strategy calculates the position size based on a risk percentage (1% of equity) and the stop loss percentage.
Some potential improvements to consider:
1. Optimize parameters: Experiment with different MA periods, RSI thresholds, and risk management settings to improve strategy performance.
2. Add more conditions: Consider incorporating other technical indicators or market conditions to refine the strategy.
3. Test on different assets: Evaluate the strategy's performance on various assets and timeframes.
If you have specific questions about this code or want further analysis, feel free to ask.
ICT HTF Candles [Pro] (fadi)The ICT HTF Candles shows you multi-timeframe price action by plotting up to six higher timeframe candles on your chart, scaled to real price levels. Set candle counts per timeframe or toggle them off for a clean view, saving you time switching between charts. This helps you spot trends and reversals quickly, align trades with the market’s direction, and time setups like sweeps or bounces better. From scalping on the 1m to swinging on the 4H, it simplifies ICT and Smart Money Concepts (SMC), revealing trend shifts and institutional moves clearly. Once you use it, trading without this clarity just won’t feel right.
Key Features:
In-Depth Price Action Levels
These levels track ICT PD arrays and confluences across timeframes, making it easy to see how price action flows from higher timeframes and what your setup faces. Is your 5m trade about to run into a 1H bearish order block? Did it bounce off a higher timeframe FVG and create an SMT with a correlated asset? They make your chart a clear roadmap to market structure, helping you find strong setups, save time, and align with institutional moves:
Change in State of Delivery (CISD): In ICT trading, CISD marks potential reversal levels on each timeframe by showing the open of the highest series of up (green) candles for a bullish shift or the open of the lowest series of down (red) candles for a bearish shift. These levels are set at the opening price of the first candle in those runs, highlighting where the market turns. The indicator makes these levels easy to spot across timeframes, so you can track reversal points clearly. You can set your own confirmation criteria—a close or wick above/below the CISD line (bearish/bullish) or a close or wick above/below the high/low—to verify the CISD level cross. When confirmed, there is a high probability that we have a change in trend, and a reversal order block forms. CISD helps you track these reversal levels and confirm market shifts, making multi-timeframe analysis straightforward.
Order Blocks: When a CISD level cross is confirmed, the price is now below a series of up (green) candles or above a series of down (red) candles, marking these candles as order blocks that usually support the new trend direction. The indicator shows these levels clearly across timeframes, making it easy to spot high-probability reversal or consolidation areas. Keep in mind that price may sometimes move to mitigate an imbalance, so use your best judgment based on your multi-timeframe analysis to confirm they meet your trading criteria.
Trend Bias: Traders often struggle figuring out market bias—guessing the trend wrong, losing on trades against the flow, or missing how lower and higher timeframes line up. The Trend Bias feature tracks order blocks and change in state of delivery, displaying bullish or bearish trends for each timeframe to help you choose trades that go with the market’s direction. The indicator shows these trends clearly across timeframes, so you can quickly see if the 5m matches the 1H or if you’re going against the bigger trend. This makes it easier to avoid bad trades and make decisions faster, keeping you on track with setups that follow the main trend.
Immediate Rebalance: When looking at price action, you’ll see the market doesn’t usually leave behind many Fair Value Gaps (FVGs). That’s because the market is efficient and always rebalancing any inefficiencies. When the market starts a strong move, the last candle will usually close above the previous candle high (for up moves) or below the low (for down moves). At this point, the market will do one of two things: immediately rebalance by retracing first, or have a small retracement but leave behind an FVG. The Immediate Rebalance feature tracks rebalance levels across multiple timeframes, clearly showing where price rebalances. This helps traders have a better expectation of how the market may need to retrace and anticipate Power of Three (PO3) setups by being ready for a Judas swing to rebalance the imbalance.
Fair Value Gaps and Volume Imbalances: If the market fails to immediately rebalance, it will usually attempt to come back and rebalance it at a later time. FVGs and VIs give you a clear area where the price might be heading if it starts breaking structure on lower timeframes. These inefficiencies—price gaps (FVGs) or aggressive moves (VIs)—show where the market’s working to fix imbalances. The Fair Value Gaps and Volume Imbalances feature tracks these levels across timeframes.
Previous Candle Levels: The Previous Candle Levels feature marks the high, low, and middle of the prior candle on each timeframe, helping you identify key price levels for sweeps, bounces, or breakouts. It tracks the candle’s high and low as its extremes and the middle as the 50% mark, which you can set to calculate using the high-to-low range or the open-to-close range. These levels can provide tradable setups on lower timeframes.
Smart Money Techniques (SMT): What’s an ICT indicator without an SMT feature to track cracks in correlated assets? The ICT HTF Candles monitors your chosen correlated assets, like EUR/USD and GBP/USD or SQ and NQ, for signs of strength or weakness to use as confluence with other features and build the case for A+ setups. The SMT feature spots divergences when one asset makes a higher high or lower low while the other doesn’t follow, hinting at potential reversals or market shifts. It tests SMT using two immediate candles, since higher timeframes (HTFs) create larger gaps on lower timeframes. Traders can easily see these divergence levels, like a 15m SMT lining up with a 1H order block or CISD, helping you confirm high-probability setups and strengthen trade entries with multi-timeframe confluence.
Urals Oil [METIS TRADE free]The "Urals Oil " indicator shows the price of Urals brand oil as a line.
This type of indicator allows you to see the correlation between the price of Urals oil and any other financial instrument, such as the rate of any currency.
You can fix this indicator on a separate panel and place it above or below your main chart.
MMC Algo - HTF Trend + VWAPThe MMC Algo strategy is designed to help traders align entries with broader market structure using higher timeframe (HTF) confirmation. It combines the precision of intraday VWAP-based positioning with the directional clarity of a customizable HTF moving average (EMA or SMA).
🔧 Key Features:
VWAP + Standard Deviation Bands: Dynamic volume-weighted average price with optional 1 & 2 standard deviation bands for mean-reversion and breakout setups.
HTF Trend Filter: Overlay a higher timeframe EMA or SMA to follow macro trend structure. The timeframe and MA type are fully user-configurable.
Time Window Filter: Run the strategy only during a specific date range (helpful for backtesting custom periods).
Clean Visuals: No clutter—pure trend overlays and VWAP logic. You can build your own entry/exit signals on top.
🧠 Use Case:
Use this script to confirm directional bias (e.g., only take longs above the HTF trend) and identify overbought/oversold zones using VWAP deviations. Combine with your own entry triggers or price action logic for optimal performance.
4 Candle Signal with SL/TP by Surya Trading Tips (STT)Created by Surya from Surya Trading Tips, this script detects 4 consecutive bullish or bearish candles and plots a Buy/Sell signal at the close of the 4th candle. It features color-coded SL and TP levels with a 1:3 risk-reward ratio, along with dotted horizontal and vertical lines for clear visual guidance. Designed for clean, compact intraday trading.
RSI indicatorIdentify abnormal fluctuations in trading volume and K-line amplitude in the market, in order to indicate potential buy or sell signals on the chart.Record reference low or high points through variables refLow and refHigh, used to filter out duplicate signals.Triple criteria of average trading volume judgment, amplitude confirmation, and sudden changes in trading volume, and avoiding duplicate signals through top/bottom filtering. Finally, a "abnormal movement" prompt is given on the chart, which can be used to assist in identifying the entry of main players or abnormal fluctuations
Enhanced RSI with Historical SignalsIdentify abnormal fluctuations in trading volume and K-line amplitude in the market, in order to indicate potential buy or sell signals on the chart.Record reference low or high points through variables refLow and refHigh, used to filter out duplicate signals.Triple criteria of average trading volume judgment, amplitude confirmation, and sudden changes in trading volume, and avoiding duplicate signals through top/bottom filtering. Finally, a "abnormal movement" prompt is given on the chart, which can be used to assist in identifying the entry of main players or abnormal fluctuations
RSI strategy V1Identify abnormal fluctuations in trading volume and K-line amplitude in the market, in order to indicate potential buy or sell signals on the chart.Record reference low or high points through variables refLow and refHigh, used to filter out duplicate signals.Triple criteria of average trading volume judgment, amplitude confirmation, and sudden changes in trading volume, and avoiding duplicate signals through top/bottom filtering. Finally, a "abnormal movement" prompt is given on the chart, which can be used to assist in identifying the entry of main players or abnormal fluctuations
Fractal Reversal TrackerThis script is a multi-timeframe breakout validator designed to detect and confirm true or false breakouts around key price extremes. At its core, it overlays higher timeframe (HTF) candles on the chart and synchronizes them with lower timeframe (LTF) price action for precision analysis. When a potential fake breakout occurs—specifically a fake upward breakout—the script drills down into LTF candles to locate the candle that caused the high (LTF_HIGH), then traces backward to identify the first bullish candle (FIRST_YANG) and the subsequent bearish candle (FIRST_YIN). It only confirms a valid fake breakout if a later LTF close drops below the close of that FIRST_YIN. Once validated, a confirmation line is drawn from that bearish close up to the point of breakdown. The script intelligently maintains only the most recent HTF structures and confirmation lines to avoid clutter, ensuring clarity and performance. With configurable HTF-LTF pairings and dynamic logic, it serves as a powerful tool for traders seeking to pinpoint reversals and extremes with structural confirmation.
4 Candle Signal with SL/TP by STTCreated by Surya from Surya Trading Tips, this script detects 4 consecutive bullish or bearish candles and plots a Buy/Sell signal at the close of the 4th candle. It features color-coded SL and TP levels with a 1:3 risk-reward ratio, along with dotted horizontal and vertical lines for clear visual guidance. Designed for clean, compact intraday trading.
AQPRO Pattern Map
📝 INTRODUCTION
AQPRO Pattern Map is a comprehensive trading tool designed to automate the detection of 27 most popular candlestick patterns across any financial asset, making it a powerful tool for traders who use strategies, which are based on candlestick patterns.
This indicator not only identifies candlestick patterns but also incorporates multi-timeframe (MTF) analysis , risk management tools like Take-Profit (TP) and Stop-Loss (SL) , and labeled visual cues for effortless chart reading. Below is the complete list of patterns it supports:
📜 Patterns scanned by the indicator:
One-candle patterns:
Hammer;
Shooting Star;
Marubozu (Bullish/Bearish);
Doji.
Two-candle patterns:
Belt Hold (Bullish/Bearish);
Engulfing (Bullish/Bearish);
Harami (Bullish/Bearish);
Harami Cross (Bullish/Bearish);
Kicker (Bullish/Bearish);
Window (Rising/Falling Gap);
Piercing Line / Dark Cloud Cover.
Three-candle patterns:
Outside Up / Down Bar;
Inside Up / Down Bar;
Morning Star / Evening Star;
Three White Soldiers / Three Black Crows;
Advance Block / Descent Block;
Tasuki Gap (Upside/Downside);
Side-by-Side White Lines.
Multi-candle patterns:
Rising One / Falling One;
Rising Two / Falling Two;
Rising Three / Falling Three;
Rising Four / Falling Four;
Rising Five / Falling Five;
Breakaway Two / Three / Four / Five (Bullish/Bearish);
Fakey (Bullish/Bearish).
With this tool, traders can visually and systematically track key candlestick setups across multiple timeframes simultaneously, making it an all-in-one solution for identifying actionable patterns.
🎯 PURPOSE OF USAGE
The primary goal of the "AQPRO Pattern Map" is to equip traders with a highly efficient way of identifying significant candlestick patterns across different timeframes, making the decision-making process stronger in a sense of both quality and quantity of presented information.
Specifically, this indicator addresses the following needs:
Automation of pattern detection.
Nobody likes searching for patterns on the chart "by hand", because it takes too much time and mental energy. With this screener you can forget about this problem: automatic scanning for 27 of the most commonly used patterns will save your tens, if not hundreds of hours of time, so you can focus on what really matters;
Multi-timeframe (MTF) analysis.
This one is one of the most unique features of this indicator, because after conducting product research in library of open-source scripts alike this screener, almost none of reviewed indicators had MTF analysis feature embedded in them. This feature is important for the simplest of reasons: you see candlestick data from other timeframes without jumping from one timeframe to another . Needless to say how much time it will save for traders over the years of trading. See description below to learn more on exact functionality of our MTF analysis;
Risk management automation.
Humans tend to overestimate risk, when matters are about earning money from "financially-dangerous" activities and trading is no exception. To help traders better understand what they risk, we implemented a simple, yet effective way of displaying levels of risk for each pattern. For each new pattern on the chart you will be able see automatic creation of Take-Profit (TP) and Stop-Loss (SL) levels. It involves creation and displaying of lines and labels, representing each level at its exact coordinates. This elevates visual perception of risk for fellow traders and avoid excessive risk in many cases;
Simplicity in data visualization.
Charts, which are cluttered with pointless visual noise, presented as 'additional confirmation analysis', don't foster insights and are not worth a dime . We understand this issue very well and we designed our indicator with the solution to this problem in mind. Every bit of information, that you will see on your chart, will make sense both technically and visually — no more wasting time cleaning mess on your charts.
By addressing the needs, described above, this indicator will be a useful tool for any trader, who employs principles of candlestick pattern analysis, because most important pains of this kind of analysis are efficiently handled by our indicator.
⚙️ SETTINGS OVERVIEW
Customization options of our indicator are quite extensive, because flexibility in such indicator is in the top of most important qualities. Let's review each group of settings deeper:
📊 Patterns: One-Candle
This group allows you to enable or disable specific onep -candle candlestick patterns.
Toggle on/off switch for Hammer, Shooting Star, Marubozu, and Doji .
📊 Patterns: Two-Candle
This group allows you to enable or disable specific two -candle candlestick patterns.
Toggle on/off switch for Belt Hold, Engulfing, Harami & Harami Cross, Kicker, Window, Piercing Line & Dark Cloud Cover .
📊 Patterns: Three-Candle
This group allows you to enable or disable specific three -candle candlestick patterns.
Toggle on/off switch for Morning Star & Evening Star, Three White Soldiers, Three Black Crows, Advance Block & Descent Block, Tasuki Gap, Side-by-Side Gap (Bullish), Squeeze .
📊 Patterns: Multi-Candle
This group allows you to enable or disable specific multi -candle (3 or more candle) candlestick patterns.
Toggle on/off switch for Rising/Falling sequences, Breakaway patterns, and Fakey .
📊 MTF Settings
These settings allow you to use the Multi-Timeframe Screener to display patterns from additional timeframes.
"Use MTF Screener" — toggles the addition of MTF Screener to main dashboard ( described in 'Visual Settings' ). If enabled, adds section of MTF Screener below main dashboard
* List of four timeframes — your personal list to choose your timeframe, which will be used to get data about latest patterns. Default list of timeframes includes timeframes like 15min, 30min 1hr, 4hr .
* The detected patterns from these timeframes will be displayed in the MTF Dashboard on the chart.
🛡️ Risk Settings
As was described above, risk settings in our indicator will control appearance of TP and SL labels and lines, which appear for each new trade. Here you can customize the most essential parameters.
"Show TP/SL" — toggles the visibility of Take-Profit (TP) and Stop-Loss (SL) values for the most recent pattern.
"Risk-to-Reward Ratio (R:R)" — defines your desired risk/reward ratio for the TP and SL calculations. The more this parameter is, the further the TP from entry level will be.
🎨 Visual Settings
In this group of settings you can fine-tune the visual appearance of the indicator to fit your preferences.
IMPORTANT: colour parameters from this group of settings affect ONLY colours in the dashboard.
"Use info dashboard" — if enabled, shows dashboard in the top right corner of the chart, which displays latest pattern's TP and SL alongside with this pattern's trade status: '⏳' - TP or SL have not been reached yet, '✋' - TP or SL have already been reached already, refrain from taking the trade.
"Bullish Pattern" — defines the color for bullish patterns.
"Bearish Pattern" — defines the color for bearish patterns.
"Neutral Pattern" — specify the color for neutral patterns like Doji.
"Frame Width" — adjusts the thickness of frames highlighting detected patterns on the chart.
📈 APPLICATION GUIDE
The way of application of this indicator is pretty straightforward, because trading methodologies based on candlestick patterns were developed decades ago and haven't changed much since then. However, we find it necessary to explain the most essential ways of application in this section.
Let's start with the basics — how you will your chart look when you load the indicator for the first time:
By default we have 5 main visual data "blocks":
Bullish patterns;
Bearish patterns;
Risk visualization;
Main Dashboard;
MTF Screener.
Let's review each of these groups one by one.
BULLISH & BEARISH PATTERNS
Patterns are displayed as up/down labels, which are styled in corresponding to trend colours. Each patterns has its own unique emoji to help traders easily navigate between patterns.
Also by default each pattern has its custom frame, inside of which resides candle (or multiple candles) of the pattern iself. These frames are made with purpose to show each pattern in a very clear way on the chart, because huge number of public scripts usually only show simple label of such patterns and don't highlight the pattern itself on the chart. To remove frames you can set "Frame Width" parameter to 0 in 'Visual Settings' group in the settings.
You can see the examples of frame on the screenshot below:
RISK VISUALIZATION (TP & SL)
Displaying Take-Profits and Stop-Losses in our indicator on the chart works quite simple: for each new trade indicator creates new pairs of lines and labels for TP and SL, while lines & labels from previous trade are erased for aesthetics purposes. Each label shows price coordinates, so that each trader would be able to grap the numbers in seconds.
See the visual showcase of TP & SL visualization on the screenshot below:
Also, whenever TP or SL of the current trade is reached, drawing of both TP and SL stops . When the TP is reached, additional '✅' emoji on the TP price is shown as confirmation of Take-Profit.
However, while TP or SL has not been reached, TP&SL labels and lines will be prolonged until one of them will be reached or new signals will come.
See the visual showcase of TP & SL stopping being visualized & TP on the screenshot below:
MAIN DASHBOARD
Main dashboard is displayed in the top right corner of the chart and it shows the data of latest pattern, that occurred on the current asset and current timeframe: pattern's name, TP, SL and trade status. Depending on bullishness or bearishness of the pattern, dashboard is colour in respective colour.
Also on the right of side TP and SL data block there is a so called trade status. It is basically an indication of wether or not latest pattern's trade is still active or not:
If TP or SL of the pattern have not been reached yet, trade is considered active and is marked with '⏳' emoji;
If TP or SL of the pattern have already been reached, trade is considered inactive and is marked with '✋' emoji.
See the visual showcase of dashboard on the screenshot below:
MTF Screener
MTF Screener is displayed right below the main dashboard and its has distinctive 'MTF Patterns' header row on the top, painted in gray colour to make sure that every traders understand he is looking at.
This screener shows the timeframe and name of patterns from four other timeframes, which trader can customize in the settings to his liking. This will help trader get more insights on global sentiment of other timeframes, which improves trading results overall if applied correctly.
In the future MTF Screener will be expanded to have more data in it, like TP and SL, age of pattern and etc.
See the visual showcase of the MTF Screener on the screenshot below:
Features, explained above, make this indicator quite versatile and suitable for incorporation in any trading strategy, which uses candlestick patterns. They are simple, yet insightful, and traders, which use similar strategies everyday, will truly appreciate the benefits of this indicator when they will set up this indicator for the first time on their chart.
🔔 ALERTS
This indicator employs alerts for an event when new pattern occurs. While creating the alert below 'Condition' field choose 'any alert() function call' .
When this alert is triggered, it will generate this kind of message:
string msg_template = "EXCHANGE:ASSET, TIMEFRAME: BULLISH_OR_BEARISH pattern PATTERN_NAME was found."
string msg_example = "BINANCE:BTCUSDT, 15m: bullish pattern 'Hammer' was found."
📌 NOTES
This indicator is most effective when used in combination with other technical analysis tools such as trendlines, moving averages, support/resistance levels or any other indicator-type tool. We strongly recommend using this indicator as confirmation indicator for your main trading strategy, not as primary source of signals;
If you want to trade directly by these patterns, make sure to use proper risk management techniques of your own and use TP&SL visualization on the chart to always have a clue about your current position;
If you lost track of visual components on the chart, look at the main dashboard to see text summary of data from latest pattern. Also don't forget to look at MTF Screener to have more context about MTF sentiment, because it is increases your understandings of MTF price trend and improves your decision-making process.
🏁 AFTERWORD
AQPRO Pattern Map was built to help traders automate candlestick pattern searching routine, improve chart readability and enhance perception of current potential risks, which may come from trading from a specific pattern. Indicator's main dashboard and MTF screener eliminate the need for constantly checking other timeframe for global sentiment, helping traders save even more time and fostering improved decision making.
This indicator will work in great conjunction with any other trading strategy as confirmation tool for entry decision. Using this indicator as primary source of signals is not recommended due to unstable nature of trading patterns.
ℹ️ If you have questions about this or any other our indicator, please leave it in the comments.
KI-Marktrichtung-Analyzer
KI Market-Direction Analyzer
A turnkey bias indicator that merges Trend, Structure, Volume and Momentum into one clear 0–100 score:
Trend (EMA 200):
Close > EMA200 → Uptrend (+1)
Structure Check:
Higher High & Higher Low vs. prior bar → Bullish structure (+1)
Volume Impulses:
BullVol (+1): Close > Open and Volume > prior bar
BearVol (–1): Close < Open and Volume > prior bar
Momentum (RSI 14):
RSI > 55 → +1 | RSI < 45 → –1 | otherwise 0
Score Calculation:Visual Bias Display:
Long Bias: Score > 60 → Green upward triangle + green background
Short Bias: Score < 40 → Red downward triangle + red background
Neutral: 40 ≤ Score ≤ 60 → Gray background
Optional Label:
Show “Bias Score: XX” on each bar for instant reference.
See market bias at a glance—Bullish, Bearish or Neutral!