Volumatic Support/Resistance Levels [BigBeluga]🔵 OVERVIEW
A smart volume-powered tool for identifying key support and resistance zones—enhanced with real-time volume histogram fills and high-volume markers.
Volumatic Support/Resistance Levels detects structural levels from swing highs and lows, and wraps them in dynamic histograms that reflect the relative volume strength around those zones. It highlights the strongest price levels not just by structure—but by the weight of market participation.
🔵 CONCEPTS
Price Zones: Support and resistance levels are drawn from recent price pivots, while volume is used to visually enhance these zones with filled histograms and highlight moments of peak activity using markers.
Histogram Fill = Activity Zone: The width and intensity of each filled zone adjusts to recent volume bursts.
High-Volume Alerts: Circle markers highlight moments of volume dominance directly on the levels—revealing pressure points of support/resistance.
Clean Visual Encoding: Red = resistance zones, green = support zones, orange = high-volume bars.
🔵 FEATURES
Detects pivot-based resistance (highs) and support (lows) using a customizable range length.
Wraps these levels in volume-weighted bands that expand/contract based on percentile volume.
Color fill intensity increases with rising volume pressure, creating a live histogram feel.
When volume > user-defined threshold , the indicator adds circle markers at the top and bottom of that price level zone.
Bar coloring highlights the candles that generated this high-volume behavior (orange by default).
Adjustable settings for all thresholds and colors, so traders can dial in volume sensitivity.
🔵 HOW TO USE
Identify volume-confirmed resistance and support zones for potential reversal or breakout setups.
Focus on levels with intense histogram fill and circle markers —they indicate strong participation.
Use bar coloring to track when key activity started and align it with broader market context.
Works well in combination with order blocks, trend indicators, or liquidity zones.
Ideal for day traders, scalpers, and volume-sensitive setups.
🔵 CONCLUSION
Volumatic Support/Resistance Levels elevates traditional support and resistance logic by anchoring it in volume context. Instead of relying solely on price action, it gives traders insight into where real conviction lies—by mapping how aggressively the market defended or rejected key levels. It's a visual, reactive, and volume-conscious upgrade to your structural toolkit.
Bands and Channels
MACD Triple divergence signalsThis script is a basic combination of several scripts that I found very useful. It's a MACD divergence on steroids. Instead of using only one plot as a source for detecting divergence, I use all of the plots.
The idea is that if more divergence signals appear—especially after a prolonged downtrend or uptrend—they can be interpreted as a strong divergence signal.
The third divergence signal is taken from the MACD signal line. It has a longer-term lookback range, which could provide a more reliable divergence signal.
The default minimum lookback range is 15, much greater than the usual value of 5. This makes it more suitable for long-term trading or for lower timeframes (lower than 4H) to reduce noise from excessive signals. For timeframes higher than 4H, the setting can be reduced to around 10 or even 5.
For the 1W (weekly) timeframe, try using a value of 3.
I also added a band to give a clear visual of overbought and oversold areas. It works similarly to Bollinger Bands (BB). You can spot when the price is ranging or when a stop-loss hunt occurs (i.e., the price breaks the band).
Please do your homework—backtest it yourself to find which timeframe suits you best. You can also tweak the settings if you find the default values too aggressive or too mild.
I’ve found that MACD is more reliable on timeframes greater than 1H. Personally, I use it on the 4H and 1D timeframes.
in bahasa:
MACD dengan 3 sinyal divergence, kalau muncul lebih banyak, bisa jadi sinyal lebih menyakinkan.
Minimum lookback range default-nya 15 agar tidak muncul terlalu banyak sinyal. 15 lebih panjang, lebih ok. Kalau main di higher timeframe seperti 1D, bisa 5-10, kalau weeky timeframe = 3.
Untuk band, cek ketika plot-nya keluar dari band, itu bisa jadi jackpot, apalagi kalau plot-nya membentuk double bottom.
Backtest sendiri, siapa tahu kalian bisa dapet setting sendiri.
MACD with upper and lower band will give you a clear visual of price movements
More divergence signals are generated and when the price breaks out of the oversold band = jackpot.
My Custom IndicatorThis script implements a simple yet effective RSI-based trading strategy. It uses the Relative Strength Index (RSI) to generate buy and exit signals based on overbought and oversold conditions.
How It Works:
Buy Entry: When RSI crosses above 30 (indicating recovery from an oversold state).
Exit: When RSI crosses below 70 (potential reversal from an overbought state).
Plots the RSI line and key thresholds (30/70) directly on the chart.
Designed for backtesting with TradingView’s strategy function.
Features:
Fully automated entry and exit logic
Customizable RSI settings (just edit the code)
Visual RSI plot and threshold lines
Works on any asset or timeframe
This strategy is suitable for trend-following or mean-reversion setups, and is best used in combination with other filters (like moving averages or price action patterns) for improved accuracy
reversalthis is a simple ema indicator. i specifically set my fast ema to 4 and my slow ema to 13. i only turn on signals after 9;30 am and wait for the ema cross signal to fire once a swing point has been sweeped. i follow the daily. If the daily high has been sweep the previous day and or closed then we are taking highs therefor bullish bias. vice versa for sells. if bullish then only take bullish 4/13 ema cross.THIS CROSS IS MY SIGNAL THAT THERE IS A POTENTIAL CHANGE OF ORDERFLOW, YOU MUST VERIFY THAT THERE IS INDEED A BREAKER BLOCK BEFORE ENTERING. i dont actually just follow a simple ema cross. it means something.
ORB NormanORB with adjustable times for up to 3 ORB's.
High and Low for each defined timeframe with adjustable lenghts for each day.
Zero Lag Trend Signals (MTF) [AlgoAlpha]// This Pine Script™ code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © AlgoAlpha
//@version=5
indicator("Zero Lag Trend Signals (MTF) ", shorttitle="AlgoAlpha - 0️⃣Zero Lag Signals", overlay=true)
length = input.int(70, "Length", tooltip = "The Look-Back window for the Zero-Lag EMA calculations", group = "Main Calculations")
mult = input.float(1.2, "Band Multiplier", tooltip = "This value controls the thickness of the bands, a larger value makes the indicato less noisy", group = "Main Calculations")
t1 = input.timeframe("5", "Time frame 1", group = "Extra Timeframes")
t2 = input.timeframe("15", "Time frame 2", group = "Extra Timeframes")
t3 = input.timeframe("60", "Time frame 3", group = "Extra Timeframes")
t4 = input.timeframe("240", "Time frame 4", group = "Extra Timeframes")
t5 = input.timeframe("1D", "Time frame 5", group = "Extra Timeframes")
green = input.color(#00ffbb, "Bullish Color", group = "Appearance")
red = input.color(#ff1100, "Bearish Color", group = "Appearance")
src = close
lag = math.floor((length - 1) / 2)
zlema = ta.ema(src + (src - src ), length)
volatility = ta.highest(ta.atr(length), length*3) * mult
var trend = 0
if ta.crossover(close, zlema+volatility)
trend := 1
if ta.crossunder(close, zlema-volatility)
trend := -1
zlemaColor = trend == 1 ? color.new(green, 70) : color.new(red, 70)
m = plot(zlema, title="Zero Lag Basis", linewidth=2, color=zlemaColor)
upper = plot(trend == -1 ? zlema+volatility : na, style = plot.style_linebr, color = color.new(red, 90), title = "Upper Deviation Band")
lower = plot(trend == 1 ? zlema-volatility : na, style = plot.style_linebr, color = color.new(green, 90), title = "Lower Deviation Band")
fill(m, upper, (open + close) / 2, zlema+volatility, color.new(red, 90), color.new(red, 70))
fill(m, lower, (open + close) / 2, zlema-volatility, color.new(green, 90), color.new(green, 70))
plotshape(ta.crossunder(trend, 0) ? zlema+volatility : na, "Bearish Trend", shape.labeldown, location.absolute, red, text = "▼", textcolor = chart.fg_color, size = size.small)
plotshape(ta.crossover(trend, 0) ? zlema-volatility : na, "Bullish Trend", shape.labelup, location.absolute, green, text = "▲", textcolor = chart.fg_color, size = size.small)
plotchar(ta.crossover(close, zlema) and trend == 1 and trend == 1 ? zlema-volatility*1.5 : na, "Bullish Entry", "▲", location.absolute, green, size = size.tiny)
plotchar(ta.crossunder(close, zlema) and trend == -1 and trend == -1 ? zlema+volatility*1.5 : na, "Bearish Entry", "▼", location.absolute, red, size = size.tiny)
s1 = request.security(syminfo.tickerid, t1, trend)
s2 = request.security(syminfo.tickerid, t2, trend)
s3 = request.security(syminfo.tickerid, t3, trend)
s4 = request.security(syminfo.tickerid, t4, trend)
s5 = request.security(syminfo.tickerid, t5, trend)
s1a = s1 == 1 ? "Bullish" : "Bearish"
s2a = s2 == 1 ? "Bullish" : "Bearish"
s3a = s3 == 1 ? "Bullish" : "Bearish"
s4a = s4 == 1 ? "Bullish" : "Bearish"
s5a = s5 == 1 ? "Bullish" : "Bearish"
if barstate.islast
var data_table = table.new(position=position.top_right, columns=2, rows=6, bgcolor=chart.bg_color, border_width=1, border_color=chart.fg_color, frame_color=chart.fg_color, frame_width=1)
table.cell(data_table, text_halign=text.align_center, column=0, row=0, text="Time Frame", text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=1, row=0, text="Signal", text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=0, row=1, text=t1, text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=1, row=1, text=s1a, text_color=chart.fg_color, bgcolor=s1a == "Bullish" ? color.new(green, 70) : color.new(red, 70))
table.cell(data_table, text_halign=text.align_center, column=0, row=2, text=t2, text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=1, row=2, text=s2a, text_color=chart.fg_color, bgcolor=s2a == "Bullish" ? color.new(green, 70) : color.new(red, 70))
table.cell(data_table, text_halign=text.align_center, column=0, row=3, text=t3, text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=1, row=3, text=s3a, text_color=chart.fg_color, bgcolor=s3a == "Bullish" ? color.new(green, 70) : color.new(red, 70))
table.cell(data_table, text_halign=text.align_center, column=0, row=4, text=t4, text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=1, row=4, text=s4a, text_color=chart.fg_color, bgcolor=s4a == "Bullish" ? color.new(green, 70) : color.new(red, 70))
table.cell(data_table, text_halign=text.align_center, column=0, row=5, text=t5, text_color=chart.fg_color)
table.cell(data_table, text_halign=text.align_center, column=1, row=5, text=s5a, text_color=chart.fg_color, bgcolor=s5a == "Bullish" ? color.new(green, 70) : color.new(red, 70))
/////////////////////////////////////////ALERTS FOR SMALL ARROWS (ENTRY SIGNALS)
alertcondition(ta.crossover(close, zlema) and trend == 1 and trend == 1, "Bullish Entry Signal",
message="Bullish Entry Signal detected. Consider entering a long position.")
alertcondition(ta.crossunder(close, zlema) and trend == -1 and trend == -1, "Bearish Entry Signal",
message="Bearish Entry Signal detected. Consider entering a short position.")
/////////////////////////////////////////ALERTS FOR TREND CONDITIONS
alertcondition(ta.crossover(trend, 0), "Bullish Trend")
alertcondition(ta.crossunder(trend, 0), "Bearish Trend")
alertcondition(ta.cross(trend, 0), "(Bullish or Bearish) Trend")
alertcondition(ta.crossover(s1, 0), "Bullish Trend Time Frame 1")
alertcondition(ta.crossunder(s1, 0), "Bearish Trend Time Frame 1")
alertcondition(ta.cross(s1, 0), "(Bullish or Bearish) Trend Time Frame 1")
alertcondition(ta.crossover(s2, 0), "Bullish Trend Time Frame 2")
alertcondition(ta.crossunder(s2, 0), "Bearish Trend Time Frame 2")
alertcondition(ta.cross(s2, 0), "(Bullish or Bearish) Trend Time Frame 2")
alertcondition(ta.crossover(s3, 0), "Bullish Trend Time Frame 3")
alertcondition(ta.crossunder(s3, 0), "Bearish Trend Time Frame 3")
alertcondition(ta.cross(s3, 0), "(Bullish or Bearish) Trend Time Frame 3")
alertcondition(ta.crossover(s4, 0), "Bullish Trend Time Frame 4")
alertcondition(ta.crossunder(s4, 0), "Bearish Trend Time Frame 4")
alertcondition(ta.cross(s4, 0), "(Bullish or Bearish) Trend Time Frame 4")
alertcondition(ta.crossover(s5, 0), "Bullish Trend Time Frame 5")
alertcondition(ta.crossunder(s5, 0), "Bearish Trend Time Frame 5")
alertcondition(ta.cross(s5, 0), "(Bullish or Bearish) Trend Time Frame 5")
alertcondition(ta.crossover(close, zlema) and trend == 1 and trend == 1, "Bullish Entry")
alertcondition(ta.crossunder(close, zlema) and trend == -1 and trend == -1, "Bearish Entry")
bullishAgreement = s1 == 1 and s2 == 1 and s3 == 1 and s4 == 1 and s5 == 1
bearishAgreement = s1 == -1 and s2 == -1 and s3 == -1 and s4 == -1 and s5 == -1
alertcondition(bullishAgreement, "Full Bullish Agreement", message="All timeframes agree on bullish trend.")
alertcondition(bearishAgreement, "Full Bearish Agreement", message="All timeframes agree on bearish trend.")
MA Crossover with Asterisk on MA (Fixed)MA 10x20 khi nào tin hiệu cắt nhau xuất hiện màu xanh thì Buy, xuất hiện mày đỏ thì Sell
SMA by HAWKLOVEWINEThis script, "SMA by HAWKLOVEWINE", is a simple yet customizable multi-SMA overlay indicator designed to help traders visualize key moving averages directly on the chart. It includes four standard Simple Moving Averages (SMA) with fully adjustable lengths: 20, 50, 100, and 200 periods by default. Users can choose the source price for calculations—such as close, hl2, ohlc4, or a custom average (hloc4).
Each moving average can be individually toggled on or off for display, and the color of each line is user-selectable for enhanced visual clarity. This makes the indicator flexible for various strategies, including trend following, dynamic support/resistance analysis, and cross-over detection (can be added if desired).
MOETION TRADNTM Bot Alpha – ICT x BOEOSMasters of Exchange TM _ ICT & EMA indicator
this is for moetion trading mentors
created by moewavi and samoedefi
EMA by HAWKLOVEWINEThis script, "EMA by HAWKLOVEWINE", is a customizable multi-EMA (Exponential Moving Average) overlay tool designed to help traders visualize trend strength and direction across multiple timeframes. It features four EMAs with fully adjustable lengths—defaulted to 20, 50, 100, and 200 periods. Each EMA can be individually toggled on or off and assigned a custom color to suit your visual preferences.
Users can also select the price source used for EMA calculation, including close, hl2, ohlc4, and a custom average hloc4. This allows for enhanced flexibility in adapting the indicator to different trading styles and asset types.
Ideal for identifying support and resistance zones, confirming price momentum, or spotting trend crossovers, this EMA script serves both novice and experienced traders alike. Clean, lightweight, and fully customizable, it fits seamlessly into your technical analysis workflow.
Use it as a standalone trend tool or as part of a more comprehensive strategy.
4H Crypto System – EMAs + MACD//@version=5
indicator("4H Crypto System – EMAs + MACD", overlay=true)
// EMAs
ema21 = ta.ema(close, 21)
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
// MACD Settings (standard)
fastLength = 12
slowLength = 26
signalLength = 9
= ta.macd(close, fastLength, slowLength, signalLength)
// Plot EMAs
plot(ema21, title="EMA 21", color=color.orange, linewidth=1)
plot(ema50, title="EMA 50", color=color.blue, linewidth=1)
plot(ema200, title="EMA 200", color=color.purple, linewidth=1)
// Candle coloring based on MACD trend
macdBull = macdLine > signalLine
barcolor(macdBull ? color.new(color.green, 0) : color.new(color.red, 0))
// Buy/Sell signal conditions
buySignal = ta.crossover(macdLine, signalLine) and close > ema21 and close > ema50 and close > ema200
sellSignal = ta.crossunder(macdLine, signalLine) and close < ema21 and close < ema50 and close < ema200
// Alerts
alertcondition(buySignal, title="Buy Alert", message="Buy Signal: MACD bullish crossover and price above EMAs")
alertcondition(sellSignal, title="Sell Alert", message="Sell Signal: MACD bearish crossover and price below EMAs")
Bar ColorThis script implements a designed to [purpose – e.g., identify trend direction, generate trade signals, highlight overbought/oversold conditions
This script is based on , and is fully customizable with adjustable parameters.
Use it on any asset and timeframe. Best paired with .
MOETION TRADNTM Bot Alpha – ICT x BOEOSMasters of Exchange TM - LuxAlgo inspired trading indicator
Built completely by SamoeDefi
One of many,,, stay tuned.
EMA BREAKS BOS BREAKS OB BREAKS ICT CONCEPT with volume displacement scalps and reads
SAPMA_BANDLARI_MÜCAHİD_ATAOGLUThis “Advanced Deviation Bands” indicator is designed as an all-in-one trading toolkit that:
Calculates a Flexible Base Average
User-selectable type (HMA, EMA, WMA, VWMA, LWMA) and length.
Optionally uses the price source itself as the “average” input.
Builds ±1σ to ±5σ Deviation Bands
Measures deviation of price vs. the base average, cleans out extreme outliers, and applies a weighted moving average to smooth.
Computes standard deviation on that cleaned series and multiplies by the base average to get dynamic σ values.
Plots five upper and five lower bands around the adjusted average.
Rich Visual & Layout Controls
Neon-style colors for each band, configurable thickness and label size.
Optional gradient fills between bands.
Background shading for “Normal,” “Oversold” (price < –3σ) and “Overbought” (price > +3σ) regions.
Dynamic labels at chart edge marking each σ level and zone names (e.g. “NORMAL,” “DİKKAT,” “TEHLİKE,” etc.).
Smart Signal Generation with Risk Management
Buy when price dips below –3σ and momentum (RSI 14, MACD) & trend (50 EMA vs. 200 EMA) filters pass.
Sell when price exceeds +3σ with analogous momentum/trend checks.
Automatically records entry price and draws corresponding Stop Loss and Take Profit levels based on user-set percentages (e.g. 2 % SL, 4 % TP).
Clears the entry when SL or TP is hit.
Momentum & Trend Analysis
RSI and MACD measure momentum strength/weakness.
EMA50 vs. EMA200 define overall uptrend or downtrend.
On-Chart Info Table & Alerts
Shows current price, RSI, trend direction, distance to ±3σ in %, a “Risk Level” (Low/Medium/High), and composite “Signal Strength” score.
Alert conditions for buy/sell triggers and critical ±4σ breaks.
Purpose
To combine statistical price dispersion (σ-bands), momentum, trend direction, and built-in trade management—delivering visually striking, rule-based entry/exit signals with stop loss, take profit, and clear risk assessment, all in one indicator.
Sabina's TRAMA Crossover Color Bands💡 TRAMA Bullish - Bearish Crossover 20/50
This indicator uses two TRAMAs (Trend Regularity Adaptive Moving Averages) with lengths 20 and 50 to detect high-quality crossover points between short- and long-term price behavior signaling potential trend shifts with visual clarity.
Why TRAMA?
Unlike traditional moving averages, TRAMA dynamically adjusts its responsiveness based on market regularity. This makes it faster in trending conditions and smoother in choppy markets, reducing noise and enhancing signal reliability.
🟢 Green line: Bullish crossover (TRAMA 20 crosses above TRAMA 50)
🔴 Red line: Bearish crossover (TRAMA 20 crosses below TRAMA 50)
Perfect for trend-following strategies, scalping, or multi-timeframe confirmation
TIM–EMA Crossover EngineWhat Indicator do:
A multi-layered EMA-based signal indicator designed for trend-following, momentum, and structure-based traders. This tool helps you detect trend reversals, breakout alignments, and extended conditions in a visually intuitive and customizable way.
Key Features:
1) Glowing EMAs: Five customizable EMAs (default: 10, 21, 55, 150, 200) with glowing layered visuals for high clarity.
2) Smart Signal Commentary: Dynamic labels with human-readable crossover insights, trend structure detection, and optional emoji icons.
3) Price Disparity Warning: Detects when price is >5% away from its nearest EMA — alerts you to overextended zones.
4) Signal Score (0–10): Quantifies trend strength based on EMA alignment and price structure.
5) Crossover Markers: Triangle arrows plotted directly on the chart to mark bullish/bearish EMA crossovers.
6) Full Customization:
Enable/disable glow
Choose EMA periods & colors
Toggle label frequency (every 5 bars or signal-only)
Position signal labels anywhere on the chart
Civan Ali'nin Sihirli Çizgisi🧙♂️ Civan Ali’s Magic Line
Sense the trends, don’t miss the moves!
This strategy is built on two magically effective foundations:
📏 Moving Averages (WMA 50 & 200) and
🧠 CCI signals powered by the IFT Combo filter.
How It Works
🔹 When price starts accelerating upward and the short-term average (WMA50) crosses above the long-term (WMA200), a potential long signal forms.
🔻 If it crosses downward, a short signal is considered.
But it doesn’t jump in immediately!
🎯 To avoid “noisy” market moves, the system uses an Inverse Fisher Transform (IFT) filter.
Only when momentum is truly strong does it allow trades.
Why It’s Different
✅ Detects trend direction
✅ Filters out weak signals
✅ Manages risk and profit intelligently
And while doing all that, it warns you with magical labels and emojis on the chart.
In short: It’s both effective and entertaining. 🎯
SUPER RENKOthis strategy based on trend following system
we are use this indicator in renko for batter result
best result will come in BTCUSD ,do use at after US market open ( mon-fri)
key -features
BUY SELL ENTRY SIGNALS : ( buy once background green , sell once background red)
EXIT : ( exit from buy once background become red , and exit from sell once background become green ) ( you can use as algo also )
BEST FEATURES : ( buying and selling area will be same , you will never get bog loss )
TIPS ; do exit from trade once you will get 400-500 points
[D] SLH W3MCT⏱ Purpose & Market Regime
SLH W3MCT is a swing-trading strategy engineered for liquid spot or perpetual markets (crypto, FX, indices, high-volume equities) on 30 min – 4 h charts. It seeks to capture the transition from consolidation to expansion by aligning trend, momentum, and volatility while tightly controlling risk.
🧩 Core Logic (high-level)
Component
Role in the Decision Stack
Default Inputs
SuperTrend
Primary trend filter. A new Up/Down flip triggers directional bias.
ATR 21 × Factor 8
SSL Hybrid Baseline
Determines whether price has cleared a dynamic Keltner channel derived from a user-selectable MA (EMA by default).
Length 30, Mult 0.20
QQE-MOD (two-speed)
Confirms momentum by requiring synchronized bullish/bearish conditions on fast (RSI-6) and slow (RSI-11) lines.
See Inputs
Optional Filters
• ATR surge• EMA slope• ADX/-DI / +DI dominance• Second SuperTrend layer
Toggle individually
Risk Engine
Position sizing and exit rules (see below).
—
Entry:
Long = ST flips ↑ AND Close > Upper SSL band AND dual-QQE bullish AND all enabled filters true
Short = ST flips ↓ AND Close < Lower SSL band AND dual-QQE bearish AND all enabled filters true
⚖️ Risk & Money Management
Feature
Choices
Default
Stop-Loss
• % of price• ATR multiple• Previous swing Low/High
ATR 14 × 3
Take-Profit
R-multiple derived from SL (RR default = 1.8). Partial scale-out (i_tpQuantityPerc) supported.
TP 50 % @ 1.8 R
Trailing / Break-Even
Optional true trailing stop or BE move after first TP hit.
Off
Position Size
Risks a fixed % of equity (default 3 %) based on distance to SL.
On
All order quantities, SL/TP levels, and dashboard metrics adjust in real time as you change settings.
📊 Default Back-test Properties
Property
Value
Rationale
Initial Capital
$10 000
Reasonable for most retail accounts.
Order Size Type
Percent of Equity = 100 %
Allows Risk Engine to down-scale.
Commission
0.1 % per side
Models typical crypto taker fee.
Slippage
0 ticks (user may override)
Use an estimate if trading thin markets.
Sample Size
Strategy requires ≥ 100 trades for statistical validity; broaden date range if needed.
Disclaimer: Back-testing cannot fully reproduce live fills, funding, or liquidity slippage. Forward-test on paper before deploying capital.
🖥️ How to Use
Add to Chart on your chosen symbol & timeframe.
Define Back-test Window in Time ▶ Start/End Date (UTC +09:00).
Select Directional Bias – enable Long, Short, or both.
Toggle Filters to fit market conditions (e.g., turn on the ATR filter in breakout environments).
Configure Risk: pick SL type, RR ratio, and risk-per-trade %.
Confirm Dashboard Stats in the upper-right corner.
Once satisfied, switch to Alerts → “Any alert() function call” for automation.
🔄 Originality Statement
This script integrates three well-known indicators in a novel gated-stack architecture: trend (SuperTrend), baseline breakout (SSL Hybrid Keltner), and dual-frequency momentum (QQE-MOD). The multi-layer filter matrix plus dynamic risk engine results in fewer, higher-quality trades compared with using any single component alone.
2. Marketing / Investor One-Pager
(tone: Grant-Cardone hustle × Hormozi clarity × Saylor conviction)
Headline:
“Catch the Expansion, Cut the Noise – SLH W3MCT turns sideways chop into asymmetric ROI.”
Why it matters: Markets spend 70 % of their life going nowhere. Breakouts pay the bills – but only if you dodge the head-fakes. SLH W3MCT sniffs out the imminent move with a three-sensor array:
SuperTrend Doppler – spots the regime shift early.
SSL Hybrid Radar – confirms price is breaking the Keltner wall, not just tapping it.
Dual-Speed QQE Thrust – validates momentum across two gear ratios so you’re not caught on a dead cat bounce.
Capital Protection First:
Every position is engineered top-down: you pre-define the % you’re willing to lose, the algo reverse-engineers position size, then stamps in a verifiable ATR stop. Optional trailing logic lets you milk runners; break-even logic lets you sleep.
Proof in Numbers (BTCUSD 4 h, 1-Jan-2019 → 1-Jan-2025):
Net Return: +412 %
Win Rate: 58 %
Max Drawdown: −14.6 %
Avg R / Trade: 0.42 R
(stats shown with 0.1 % commission, 0.05 % slippage, 3 % risk)
Plug-and-Play:
Works on crypto, FX, indices.
Ships with a visual dashboard – no spreadsheet gymnastics.
100 % alert-ready for webhooks & bot routing.
Get Access: DM @SimonFuture2 or visit W3MCT.com for license tiers, white-glove onboarding, and institutional SLA.
Examples:
www.tradingview.com
COINBASE:BTCUSD
NASDAQ:RIOT
RANGE_MÜCAHİD_ATAOGLUThis comprehensive Pine Script v6 indicator combines several analysis layers and alert systems:
Backtest Time Filter
Allows you to specify a start/end date (month, day, year) for plotting and signal generation.
Range Filter
Smooths price via an EMA-based “range” band (configurable period & multiplier).
Plots the filter line and upper/lower bands with dynamic coloring to show trend strength.
Generates breakout signals only on the first candle after a trend change (longCondition1 / shortCondition1).
Webhook Integration (3Commas)
Customizable text messages for opening/closing long and short positions via webhooks.
Exhaustion (“Tükenmişlik”) Levels
Detects overextended moves by counting consecutive bars and checking swing highs/lows.
Plots support/resistance exhaustion lines on the current and (optionally) higher timeframe.
Identifies “super” signals when both current and higher timeframe exhaustion align.
MESA Moving Average (optional)
Implements the Mesa Adaptive Moving Average (MAMA & FAMA) on the current or higher timeframe.
Can color bars or overlay lines to visualize adaptive trend.
WaveTrend Oscillator
Calculates WaveTrend channels and moving averages on chosen source and timeframe.
Configurable overbought/oversold thresholds at three sensitivity levels.
Emits level-3 reversal signals when WT lines cross in extreme zones.
Combination Signals
“Combo” buy/sell markers (⭐/💥) and alert conditions when Range Filter and WaveTrend level-3 coincide.
Alert System
Multiple alertcondition definitions with Turkish titles & messages for:
Range Filter entries/exits
Strong WaveTrend reversals
Combo signals
Group alerts covering any signal type