Scalping w/ Patterns & Daily Cap//@version=5
strategy("Scalping w/ Patterns & Daily Cap", overlay=true,
default_qty_type=strategy.percent_of_equity, default_qty_value=10)
// 1) INPUTS
stopLossPips = input.int(10, "Stop‑loss (pips)")
rr = input.float(2, "Risk/Reward Ratio", minval=1)
volMult = input.float(1.5,"Volume Multiplier")
rsiLen = input.int(14, "RSI Length")
rsiOversold = input.int(30, "RSI Oversold (Long)")
rsiOverbought = input.int(70, "RSI Overbought (Short)")
maxTradesPerDay = input.int(10, "Max Trades/Day")
// 2) RISK/REWARD LEVELS
tpPips = stopLossPips * rr
slLong = close - stopLossPips * syminfo.mintick
tpLong = close + tpPips * syminfo.mintick
slShort = close + stopLossPips * syminfo.mintick
tpShort = close - tpPips * syminfo.mintick
// 3) VOLUME SPIKE
avgVol20 = ta.sma(volume, 20)
volSpike = volume > avgVol20 * volMult
// 4) RSI FILTER
rsi = ta.rsi(close, rsiLen)
canLong = rsi < rsiOversold
canShort = rsi > rsiOverbought
// 5) PRICE ACTION
longBase = close > close and volSpike and canLong
shortBase = close < close and volSpike and canShort
// 6) PATTERN DETECTION
body = math.abs(close - open)
rangeC = high - low
upperShad = high - math.max(open, close)
lowerShad = math.min(open, close) - low
mid1 = (open + close ) / 2
// — Doji
isDoji = body <= rangeC * 0.1
// — Hammer
isHammer = (lowerShad >= 2 * body) and (upperShad <= body * 0.3)
// — Bullish Engulfing
isBullEngulf = close > open and close < open and
close > open and open < close
// — Bearish Engulfing
isBearEngulf = close < open and close > open and
open > close and close < open
// — Dark Cloud Cover (bearish)
isDarkCloud = close < open and open > high and close < mid1
// — Piercing Pattern (bullish counterpart)
isPiercing = close > open and open < low and close > mid1
// — Evening Star (bearish 3‑bar)
firstBody = math.abs(close - open )
secondBody = math.abs(close - open )
isEveningStar =
// 1st bar bullish & large
close > open and firstBody > ta.atr(14) * 0.5 and
// 2nd bar small body gapping up
secondBody < firstBody * 0.5 and low > close and
// 3rd bar bearish closes into 1st bar's body
close < open and close < open + firstBody * 0.5
// — Combine
bullishPattern = isHammer or isBullEngulf or isPiercing or isDoji
bearishPattern = isBearEngulf or isDarkCloud or isEveningStar or isDoji
// 7) DAILY TRADE COUNTER
var int tradesToday = 0
if ta.change(time("D"))
tradesToday := 0
allowEntry = tradesToday < maxTradesPerDay
// 8) ENTRIES
if longBase and bullishPattern and allowEntry
strategy.entry("Long", strategy.long)
tradesToday += 1
if shortBase and bearishPattern and allowEntry
strategy.entry("Short", strategy.short)
tradesToday += 1
// 9) EXITS
strategy.exit("Exit Long", from_entry="Long", stop=slLong, limit=tpLong)
strategy.exit("Exit Short", from_entry="Short", stop=slShort, limit=tpShort)
// 10) PLOT PATTERNS (for debugging—comment out if cluttered)
plotshape(isDoji, style=shape.cross, location=location.top, size=size.tiny, color=color.gray, title="Doji")
plotshape(isHammer, style=shape.triangleup, location=location.belowbar, color=color.lime, title="Hammer")
plotshape(isBullEngulf,style=shape.labelup, location=location.belowbar, text="BE", color=color.green, title="Bull Engulf")
plotshape(isBearEngulf,style=shape.labeldown, location=location.abovebar, text="BE", color=color.red, title="Bear Engulf")
plotshape(isDarkCloud, style=shape.labeldown, location=location.abovebar, text="DCC", color=color.orange, title="Dark Cloud")
plotshape(isPiercing, style=shape.labelup, location=location.belowbar, text="Pierce", color=color.teal, title="Piercing")
plotshape(isEveningStar,style=shape.triangledown,location=location.abovebar, text="ES", color=color.purple, title="Evening Star")
Indikatoren und Strategien
Reddington Vip**Brief Description of the "Reddington Vip" Code**
**What is Used:**
- **Indicators and Strategies**:
- **MACD**: Price forecasting based on MACD and signal line crossovers.
- **Higher High/Lower Low**: Identifies support/resistance levels and trends.
- **LazyScalp Board**: Displays volume, volatility (NATR), and correlation.
- **Smart Money Concepts**: Analyzes market structure (BoS, CHoCH, Order Blocks).
- **Adaptive Trend Finder**: Assesses trend strength using Pearson's correlation.
- **Additional**: EMA, RSI, ATR, Fibonacci, Auto Fibs, trend channels.
- **Visualization**: Lines, areas, tables, and labels for levels and signals.
- **Settings**: Flexible parameters for MACD, periods, colors, stop-loss levels, etc.
**How to Trade with the Code:**
1. **Entry Signals**:
- **Long (Buy)**: Triggered by a false breakout of support, RSI > 40, MACD > signal line, and volume above average.
- **Short (Sell)**: Triggered by a false breakout of resistance, RSI < 60, MACD < signal line, and volume above average.
2. **Exit**:
- Take-Profit: Close position on an opposite signal (Long closes on Sell, Short on Buy).
- Stop-Loss: Customizable loss percentage (default 25%).
3. **Confirmation**:
- Use support/resistance levels, Order Blocks, and trend channels to filter signals.
- Monitor LazyScalp Board: High volume and NATR strengthen signals.
4. **Timeframes**: Suitable for any timeframe, but optimize parameters for your asset.
5. **Alerts**: Set up notifications for entry, take-profit, and stop-loss signals.
**Disclaimer from Reddington**:
"Ladies and gentlemen, this code is merely a tool in your arsenal, not a magical key to wealth. Markets are chaotic, and even the best strategies can fail. Trade wisely, manage risks, and do not rely solely on automation. I, Reddington, provide this code as an idea, but the responsibility for your trades rests solely with you. Good luck, and may the market be kind to you!"
**Note**: Test the strategy on historical data and a demo account before use. Adjust parameters to suit your trading style and asset.
PG MA Crossover based Trend StrategyBuy (Long Entry) Logic:
A long trade is triggered when all the following conditions are met:
MA Trend is Rising:
The selected moving average (VWMA/EMA/SMA) is increasing, based on a customizable reversalThreshold.
Price Action Confirms Uptrend:
Current and previous candle closes are both above the MA.
Current close is above the previous high (momentum confirmation).
Price Is Not Overstretched:
Close is within 5% above the MA to avoid chasing.
Time Filter Active:
Trade happens only between 09:45 and 15:15.
Backtest Window:
Entry happens only if the bar’s timestamp falls within the user-defined backtesting period.
Re-Entry Logic (after stop-out):
If price dips below MA after an exit and then comes back above MA, it triggers a re-entry.
🛑 Stop-Loss Logic:
Triggered if price falls below a fixed percentage from the entry price:
Stop Loss % is customizable (default: 1.5%).
Example: Entry at ₹100 → SL triggered if price falls below ₹98.50.
A red label and alert are generated when this happens.
🔄 Trailing Stop Loss Logic:
Activated after entry, tracks the highest price and triggers exit if price falls below a trailing level:
Trailing Stop % is customizable (default: 0.8%).
If the price falls 0.8% below the highest price since entry, it exits the trade.
A purple label and alert are generated on this exit.
💡 Profit Target Exit Logic:
You’ve intentionally removed it, so the trade only exits via:
Fixed stop loss (customizable)
Trailing stop loss (customizable)
Bollinger Bands Volume [Serhio]The strategy uses Bollinger Bands to generate buy/sell signals:
Buy when price closes below the lower band and volume is above average (if volume filter is enabled).
Sell when price closes above the upper band and volume is above average (if volume filter is enabled).
Bands are plotted (20-period SMA ± 2 standard deviations), and signals are marked on the chart. Volume filter can be toggled on/off.
WIFX GOLD SIGNAL 131314 VNWIFX GOLD SIGNAL SMART – The Ultimate Indicator to Trade Like a Shark! 🦈💰
Looking for a powerful, accurate, and professional trading tool?
🚀 WIFX GOLD SIGNAL SMART is the secret weapon smart traders are using to catch trends, enter with confidence, and maximize profits!
✅ KEY FEATURES:
📊 Combines analysis from multiple high-quality technical tools:
Smart Money Zones (Shark Zones)
Support & Resistance
Moving Averages (MA)
Relative Strength Index (RSI)
Fibonacci Levels
⚡ Accurate Signal Alerts that help you:
- Catch market trends in real time
- Make timely trading decisions
- Minimize risk and boost profitability
📲 Receive signals anytime, anywhere:
Directly on TradingView
Email notifications
Webhook (for automation)
Mobile app alerts
💡 Ideal for all trading styles:
Whether you’re a beginner or a pro, WIFX GOLD SIGNAL SMART helps you stay in sync with the current market trend and effectively execute your trading strategies.
BTCUSDT_MSTR_BTC_12FEN_DCA策略The real strength of this strategy is that regression prediction from order flow prediction and machine learning to do DCA
ema-sto-long-short-v2This strategy trades based on EMA crossovers (14 and 28 periods) while using Stochastic RSI to identify potential entry points and exit signals, implementing stop-loss (2.5%) and small profit-taking (0.5%) mechanisms to manage risk.
Strategic Dip AccumulatorDon't run out of cash while accumulating – with this indicator you will not buy every dip. You will buy just a few at a higher price, but many others will be bought at a lower price. This approach helps you conserve capital while positioning yourself to benefit from deeper market corrections.
Overview
This indicator is designed to help traders manage their entry points in volatile markets. By combining technical signals with dynamic take-profit levels that adjust to market volatility, it ensures your buying power is used efficiently without overcommitting on every minor dip. The oversold and overbought levels are derived using a blend of momentum indicators and pivot-based price levels, giving you a reliable view of potential support and resistance zones.
How It Works
The tool blends several components:
Timing and Range: You can set a specific backtest period to focus on the market conditions that matter most to your strategy.
Overbought/Oversold: Overbought signals are marked on the chart with red downward‑pointing triangles, while oversold signals are highlighted with green upward‑pointing triangles—making it easy to spot when the market is overextended in either direction.
Signal Lines: Visual cues on the chart mark key zones. The indicator identifies oversold conditions when momentum signals and price pivots indicate the market has dipped too far, and overbought conditions when these metrics suggest a potential reversal. Blue lines indicate buying opportunities, and red lines denote selling zones.
Dynamic Take Profit Levels: Profit targets adjust based on market volatility. In calm conditions, wider targets can capture larger moves; in volatile periods, tighter targets help secure gains more quickly.
Risk Management: The system limits exposure by triggering safety orders only when specific conditions are met, ensuring you maintain sufficient cash reserves.
Trading Tips
I discovered that using the indicator on the 1-hour chart could be more profitable, as it offers more frequent and timely signals without the noise of lower timeframes. This allows for better fine-tuning of entries and exits in fast-moving markets.
For crypto pairs that have outperformed Bitcoin during backtests, I've found promising results with assets like CRYPTOCAP:ADA , CRYPTOCAP:DOT , CRYPTOCAP:PEPE , CRYPTOCAP:SUI , GETTEX:TAO , CRYPTOCAP:XRP , and $ZRX. These pairs often exhibit stronger trends or more robust recoveries, which can enhance the performance of a dip-buying strategy. Feel free to share any other pairs you discover that outperform Bitcoin—collective insights can help everyone refine their strategies.
Conclusion
The Strategic Dip Accumulator offers a disciplined method for buying dips without depleting your cash reserves. By combining dynamic profit targets, clear entry signals, and robust risk management, this tool empowers you to make strategic decisions even in volatile markets. Use it on the 1-hour chart for more responsive signals, and consider pairing it with cryptocurrencies that have demonstrated strong performance compared to Bitcoin in your backtests for a more robust trading strategy.
Range Breakout Strategy (AM/PM)Range breakout for back-testing on any asset pair for a give time range, for mechanical trading.
Levels [Serhio]The strategy "Levels " is a pivot-based trading approach that identifies key support and resistance levels from a higher timeframe (e.g., 60 minutes). It enters trades when price bounces off these levels:
Level Identification: Uses pivot highs/lows to define dynamic support/resistance levels.
Entry Signals:
Long: When price crosses back above support after being below it.
Short: When price crosses back below resistance after being above it.
Risk Management:
Stop-loss is placed at the recent extreme (low for longs, high for shorts).
Take-profit is set using a user-defined risk/reward ratio (default 2:1).
Execution: Trades are automatically executed with calculated stop-loss and take-profit levels.
The strategy visualizes levels and signals directly on the chart for manual verification.
**** If you have any ideas or suggestions for improvement, write to us and we will improve it, profit for everyone.*****
TrailAlgo_Gold_StrategyIntroducing TrailAlgo's Gold Strategy: a refined Dollar-Cost Averaging (DCA) Model tailored for traders seeking enhanced consistency and reliability. Our advanced strategy script, now available as an invite-only script on TradingView, provides a systematic approach to confidently navigate the markets.TrailAlgo's Gold DCA strategy builds upon a foundation of rigorous research and backtesting, delivering consistent and dependable results across all timeframes and symbols. With an elevated profit factor, our strategy showcases its effectiveness in optimizing returns while reducing risks. Our trading style emphasizes safety, featuring comprehensive risk management features to safeguard your investments. Experience the next level of trading with TrailAlgo's Gold Strategy, where precision meets performance.
【沣润量化】趋势+背离+止损止盈 专业版🌟【FengRun Quant】Trend + Divergence + Stop Loss/Take Profit Pro Edition —— Multi-Dimensional Smart Trading Strategy!
Key Features:
1️⃣ Dual Timeframe MACD Dynamic Adaptation
Automatically adjusts MACD parameters (fast/slow/signal) for 15M/60M charts, capturing trend resonance across timeframes!
2️⃣ AI-Powered Divergence Detection
Real-time scanning for Regular & Hidden Divergence between price and MACD using pivot points.
Labels "Bullish/Bearish" signals with trendlines and triggers alerts, visualizing reversal/continuation patterns instantly!
3️⃣ Triple-Layer Trend Filtering & Risk Control
EMA Trend Engine: 7/21/50-period EMA crossover + RSI thresholds for high-confidence entries.
ATR Dynamic Stops: Adaptive stop loss (1.5x ATR) and two-tier take profit (1x/2x ATR) based on market volatility.
Phased Exit Strategy: Lock 50% profits at TP1, let the rest ride with trailing logic – maximize risk-reward!
4️⃣ Pro-Level Visualization
Real-time plots of key EMAs (7/21/50/200), entry/exit labels, and stop levels.
Color-coded signals (green for long/red for short) for lightning-fast decision-making!
Ideal For:
Trend Traders: EMA crossover + RSI filter to catch trend ignitions!
Reversal Hunters: Divergence signals pre-warn price reversals!
Risk Masters: ATR-based stops adapt to volatility – no more fixed pips!
Load This Strategy Now & Empower Your Trading with Quant Precision!
(Compatible with TradingView – backtest/live trade seamlessly across stocks, futures, and crypto!)
DCA马丁格尔网格策略**Core Objective**
To reduce the average cost of holding (DCA) through "doubling down on the dip + grid-based diversified entry," and to take profit when the price rebounds to the target profit level.
**Key Mechanisms**
✅ **Initial Position Setup**
On the first entry, purchase a fixed amount (e.g., $100).
✅ **Martingale Trigger (Doubling Down on the Dip)**
Trigger Condition: The current price falls by X% (e.g., 4%) compared to the last trigger point (or the initial entry price).
Position Addition Method:
Set N grids (e.g., 8 levels) below the trigger point.
Each grid’s purchase amount increases exponentially (e.g., doubling each time).
✅ **Grid Trading (Diversified Buying)**
Grid Spacing: The distance between each grid is Y% (e.g., 0.5%).
Stacked Grids:
If the price crashes through multiple grids (e.g., 8 levels) in a single candlestick, combine the buy orders and execute a single buy at 8 times the amount (instead of buying layer by layer).
✅ **Take Profit Logic**
Target Profit: When the price rebounds to the current average holding cost + X% (e.g., 2%), close all positions.
核心目标
通过“下跌加倍买入 + 网格分散建仓”降低持仓平均成本(DCA),并在反弹至目标利润时统一止盈。
关键机制
✅ 初始建仓
首次入场时,按固定金额(如 $100)买入。
✅ 马丁格尔触发(下跌加倍买入)
触发条件:当前价格比上一次触发点(或初始建仓价)下跌 X%(如 4%)。
加仓方式:
在触发点下方设置 N 个网格(如 8 层)。
每层网格的买入金额按指数增长(如 1 倍递增)。
✅ 网格交易(分散买入)
网格间距:每层网格间隔 Y%(如 0.5%)。
堆叠网格(Stacked Grids):
如果价格单根K线暴跌穿透多个网格(如 8 层),则合并加仓单,一次性买入 8 倍金额(而非逐层买入)。
✅ 止盈逻辑
目标利润:当价格反弹至当前平均持仓成本 + X%(如 2%)时,全部平仓。
MTFThis is a variation of the denosied MFI ma cross script that allows for reductionist trend following memeing, but taking it to the next level. This combines multiple ma's and finds local bottoms and tops to find the optimum trend to catch and ride along. PM for access.
Pinnacle Momentum Algo - OptimizedPinnacle Momentum Algo – Optimized
The Pinnacle Momentum Algo is a fully automated trend-following and momentum-based strategy, designed for high-accuracy entries and real-time execution on fast-moving markets like crypto, forex, and indices.
This version includes adaptive filters, dynamic volume confirmation, and non-repainting logic to reduce noise and false signals while preserving precision and profitability.
📊 Core Logic and How It Works
This strategy combines multiple indicators into one cohesive system, ensuring each entry is supported by trend, momentum, volume, and price action structure filters. Here's how the components work together:
1. 📈 Trend Detection (ZLEMA + Gradient Filter)
A Zero-Lag Exponential Moving Average (ZLEMA) is used as the baseline to determine trend direction.
A gradient-based slope check (using atan of ZLEMA delta) ensures the trend is not only present but accelerating.
The script colors bars green or red depending on the trend direction, giving traders visual feedback.
2. 💥 Momentum Filter (Smoothed CCI)
A ZLEMA-smoothed Commodity Channel Index (CCI) confirms bullish or bearish momentum.
Multi-bar momentum stacking (3-bar sequence) is required to avoid weak or choppy signals.
3. 📊 Volume Spike Confirmation
A dynamic volume spike filter uses median volume multiplied by a user-defined factor to confirm that the move is supported by above-average participation.
This reduces entries during manipulated or thin-volume moves.
4. 🧭 Vortex Trend Strength Filter
A modified Vortex Indicator confirms whether buyers or sellers dominate the trend.
The difference between VI+ and VI- must exceed a set threshold to allow entries, ensuring trend strength.
5. ⚠️ Wick Trap Avoidance
A wick trap detection filter blocks entries that follow long wicks in the opposite direction — this avoids fakeouts and liquidity sweeps.
🎯 Entry Conditions
A long or short trade is triggered only when all of the following align:
Trend is active and accelerating (ZLEMA + gradient).
Momentum confirms direction (CCI).
Volume spike confirms participation.
Vortex filter confirms strength.
No wick trap in the opposite direction.
Each trade is confirmed with a limit-based dual take profit system:
TP1: Partial profit (50%) at user-defined level.
TP2: Full close (100%) at extended target.
🔁 Exit Conditions
Take Profits: Two staged TP levels (TP1 = 50%, TP2 = 100%).
Weak Trend Exit: If the trend starts weakening (ZLEMA slope flip), any open trade is closed proactively.
No Same-Bar Entry/Exit: To ensure backtest reliability, trades cannot open and close on the same candle.
📌 Risk Management Features
process_orders_on_close = true prevents same-bar entry/exit errors.
Reentry after TP2 or trend exit is delayed by 1 full bar, preventing instant flip trades.
No stop loss is used — exits are controlled entirely via take-profits and trend filters.
Ideal for use on the 1-hour timeframe or higher.
📋 Dashboard
The built-in dashboard displays:
Current position (Long/Short/Flat)
Entry price
TP1 / TP2 status (Yes/No)
Bars since entry
Live win rate and profit factor
This enables fast and intuitive decision-making at a glance.
⚠️ Disclaimer
This script is for educational and informational purposes only. It is not financial advice or a recommendation to buy or sell any financial instrument. Use at your own risk. Trading involves substantial risk and is not suitable for every investor. Always do your own research and consult with a licensed financial advisor before making any trading decisions. Past performance is not indicative of future results.
SH Capital - OmniTrend v3: Adaptive Market StrategyOmniTrend Strategy v3 — Multi-Asset Adaptive Trend System
Overview
The OmniTrend Strategy is a multi-layered trend-following system designed to dynamically adapt to changing market conditions across cryptocurrencies, stocks, and traditional finance (TradFi) assets. It uses a blend of custom filtering mechanisms and dynamic trend logic to allocate positions only during favorable environments, while actively managing downside risk.
This script is intended for traders looking for a rules-based, momentum-driven approach that has been backtested across various asset classes and timeframes. It can be used for swing trading, position trading, or longer-term investing depending on the user’s timeframe selection.
Core Concepts & How It Works
OmniTrend incorporates several proprietary filters to determine both trend strength and risk conditions:
1. Trend Detection Layer
The system evaluates both long-term and medium-term directional bias using a custom trend detection logic inspired by moving average envelopes, price slope analysis, and filtered volatility signals.
This helps the system remain active during clean uptrends and avoid false signals during sideways or whipsaw conditions.
2. Equity Curve Risk Management
The system features an internal equity curve monitor that acts as a meta-filter. If recent performance trends lower (e.g., equity drawdown or stagnation), the strategy can de-risk by exiting open positions or reducing exposure.
3. Market Condition Awareness
A volatility regime filter is built in to avoid signal generation during choppy, low-volatility periods. This reduces overtrading and preserves capital.
Asset & Timeframe Flexibility
Default Assets: BTC, ETH, SOL
Compatible With: Cryptocurrencies, stocks, commodities, indices, and forex
Timeframes: Designed for daily use but also adaptable to 4H, 1W, and others depending on the trading horizon
All parameters—including the asset list, risk filters, scoring mechanics, and timeframe inputs—are fully adjustable by the user, enabling customization to individual strategies and risk profiles.
Performance Evaluation Tools
This strategy includes built-in visual and statistical tools to evaluate its performance over time:
Equity Curve Overlay
Maximum Drawdown Tracking
Risk-Adjusted Return Metrics (e.g., Sharpe and Sortino approximations)
Buy-and-Hold vs. Strategy Comparison Line
Disclaimer
This script is intended for educational and informational purposes only. It uses historical and real-time data to generate logic-based suggestions, but it does not guarantee future results. All trading involves risk, and users should always perform their own due diligence, use proper risk management, and consult a qualified advisor before making financial decisions. This is not financial advice.
SH Capital - OmniTrend v2: Adaptive Market StrategyOmniTrend Strategy v2 — Multi-Asset Adaptive Trend System
Overview
The OmniTrend Strategy is a multi-layered trend-following system designed to dynamically adapt to changing market conditions across cryptocurrencies, stocks, and traditional finance (TradFi) assets. It uses a blend of custom filtering mechanisms and dynamic trend logic to allocate positions only during favorable environments, while actively managing downside risk.
This script is intended for traders looking for a rules-based, momentum-driven approach that has been backtested across various asset classes and timeframes. It can be used for swing trading, position trading, or longer-term investing depending on the user’s timeframe selection.
Core Concepts & How It Works
OmniTrend incorporates several proprietary filters to determine both trend strength and risk conditions:
1. Trend Detection Layer
The system evaluates both long-term and medium-term directional bias using a custom trend detection logic inspired by moving average envelopes, price slope analysis, and filtered volatility signals.
This helps the system remain active during clean uptrends and avoid false signals during sideways or whipsaw conditions.
2. Equity Curve Risk Management
The system features an internal equity curve monitor that acts as a meta-filter. If recent performance trends lower (e.g., equity drawdown or stagnation), the strategy can de-risk by exiting open positions or reducing exposure.
3. Market Condition Awareness
A volatility regime filter is built in to avoid signal generation during choppy, low-volatility periods. This reduces overtrading and preserves capital.
Asset & Timeframe Flexibility
Default Assets: BTC, ETH, SOL
Compatible With: Cryptocurrencies, stocks, commodities, indices, and forex
Timeframes: Designed for daily use but also adaptable to 4H, 1W, and others depending on the trading horizon
All parameters—including the asset list, risk filters, scoring mechanics, and timeframe inputs—are fully adjustable by the user, enabling customization to individual strategies and risk profiles.
Performance Evaluation Tools
This strategy includes built-in visual and statistical tools to evaluate its performance over time:
Equity Curve Overlay
Maximum Drawdown Tracking
Risk-Adjusted Return Metrics (e.g., Sharpe and Sortino approximations)
Buy-and-Hold vs. Strategy Comparison Line
Disclaimer
This script is intended for educational and informational purposes only. It uses historical and real-time data to generate logic-based suggestions, but it does not guarantee future results. All trading involves risk, and users should always perform their own due diligence, use proper risk management, and consult a qualified advisor before making financial decisions. This is not financial advice.
Apex Predator Algo🔷 Apex Predator Algo – Trend, Volume, and Momentum Fusion Strategy
🔔 Supports WonderTrading, 3Commas, Binance Alerts – with Multi-Exchange Compatibility
📌 Overview
Apex Predator Algo is an advanced trend-following and momentum-based trading strategy designed specifically for crypto markets. It fuses multiple non-repainting components to form a precision trading system with real-time alerts and dashboard analytics.
This script is not just a mashup, but a carefully optimized integration of:
🔹 TEMA (Triple EMA) for adaptive trend filtering
🔹 RMI (Relative Momentum Index) for directional trend confirmation
🔹 Vortex Indicator with dynamic strength & threshold filtering
🔹 ROC + CCI for real-time momentum alignment
🔹 Volume Spike Detection using SMA-based volatility confirmation
🔹 TP1/TP2 take-profit logic
🔹 Trend Weakness Detection for early exits
🔹 Integrated Bot-Ready Multi-Exchange Alerting System
🔹 Fully responsive performance dashboard (TP Hits, Win Rate, PnL Metrics)
⚙️ Core Components Explained
1. Trend Engine (TEMA + RMI Combo)
TEMA (Triple EMA) is used to identify fast-reacting trend direction.
RMI, a momentum-weighted version of RSI, provides confirmation of trend continuation vs. reversal, ensuring entries are taken with trend.
2. Momentum & Strength Filters
Rate of Change (ROC) and CCI validate trade timing.
This ensures entries only occur when momentum is increasing in the direction of the trend.
3. Vortex Trend Strength + Slope
The Vortex system detects trend strength by comparing +VI and -VI flows.
A threshold ensures only meaningful breakouts trigger trades.
(Optional: Can include Vortex slope filter for even more precision.)
4. Volume Spike Confirmation
Prevents false breakouts by ensuring volume is above a dynamically adjusted SMA average.
Acts as a real-time volatility gate to reduce drawdowns.
5. Take-Profit System (TP1/TP2)
TP1 closes 50% of position.
TP2 closes 100% – fully exits the trade.
Avoids dependency on stop-losses, while allowing scaling out profitably.
6. Early Exit Logic
Exits trades on trend weakening before reversal – reducing drawdowns.
Ensures all entries/exits are clean: no same-bar reversal allowed.
📊 Real-Time Dashboard
The script includes a customizable floating dashboard showing:
Current position (Long, Short, Flat)
Entry price
TP1 and TP2 status
Bars held since entry
Live win rate (%)
Profit Factor
Dashboard can be:
Toggled on/off
Repositioned (Top Right, Bottom Left, etc.)
Resized (Tiny to Huge text)
🔔 Alert System (Bot Ready)
Alerts fire once per bar close, and include:
ENTER-LONG
ENTER-SHORT
EXIT-LONG
EXIT-SHORT
All alert messages are editable for use with:
✅ WonderTrading
✅ 3Commas
✅ Binance Auto-trading bots
✅ Any webhook-supported trading platform
✅ 📣 How to Use
Apply to any 1H crypto chart (AVAX/USDT, BTC/USDT, etc.)
Enable alerts using the provided alert() messages
Monitor the real-time dashboard to track performance
Customize dashboard, thresholds, and TP levels as needed
⚠️ TradingView Publishing Disclaimer
Disclaimer: This strategy is for educational purposes only and does not constitute financial advice. Trading involves substantial risk and is not suitable for every investor. Past performance is not indicative of future results. Use at your own risk.
✅ Originality Justification (for PineCoders)
The script combines non-repainting versions of TEMA, RMI, CCI, Vortex, and Volume filters.
Each component plays a distinct role in trend validation, entry precision, and exit optimization.
It integrates a multi-level profit-taking system, an adaptive exit engine, and a bot-compatible alert structure, which makes this more than a mashup — it's a complete system designed for real-time crypto automation.
The inclusion of a fully featured dashboard adds transparency and real-time trade statistics, making this highly useful for live trading and backtesting performance optimization.
Alpha Trigger CoreAlpha Trigger Core — Trend Momentum Strategy with Dual Take Profit System
Alpha Trigger Core is a precision-engineered trend-following strategy developed for crypto and altcoin markets. Unlike simple indicator mashups, this system was built from the ground up with a specific logic framework that integrates trend, momentum, volatility, and structure validation into a single unified strategy.
It is not a random combination of indicators, but rather a coordinated system of filters that work together to increase signal quality and minimize false positives. This makes it especially effective on trending assets like BTC, ETH, AVAX, and SOL on the 1-hour chart.
🔍 How It Works
This strategy fuses multiple advanced filters into a cohesive signal engine:
🔹 Trend Identification
A hybrid model combining:
Kalman Filter — Smooths price noise with predictive tracking.
SuperTrend Overlay — Confirms directional bias using ATR.
ZLEMA Envelope — Defines dynamic upper/lower bounds based on price velocity.
🔹 Momentum Filter
Uses a ZLEMA-smoothed CCI to identify accelerating moves.
Long entries require a rising 3-bar CCI sequence.
Short entries require a falling 3-bar CCI sequence.
🔹 Volatility Strength Filter (Vortex Indicator)
Validates entries only when Vortex Diff exceeds a customizable threshold.
Prevents low-volatility "chop zone" trades.
🔹 Wick Trap Filter
Filters out false breakouts driven by liquidity wicks.
Validates that body structure supports the breakout.
📈 Entry & Exit Logic
Long Entry: All trend, momentum, volatility filters must align bullishly and wick traps must be absent.
Short Entry: All filters must align bearishly, with no wick rejection.
Early Exit: Uses ZLEMA slope crossover to exit before a full trend reversal is confirmed.
🎯 Take Profit System
TP1: Takes 50% profit at a user-defined % target.
TP2: Closes remaining 100% at second target.
Cooldown: Prevents immediate reentry and ensures clean position transitions.
📊 Real-Time Strategy Dashboard
Tracks and displays:
Position status (Long, Short, Flat)
Entry Price
TP1/TP2 Hit status
Win Rate (%)
Profit Factor
Bars Since Entry
Fully customizable position & font size
🤖 Bot-Ready Multi-Exchange Alerts
Compatible with WonderTrading, 3Commas, Binance, Bybit, and more.
Customizable comment= tags for entry, exit, TP1, and TP2.
Fully alert-compatible for webhook integrations.
📌 Suggested Use
Best used on trending crypto pairs with moderate-to-high volatility. Recommended on the 1H timeframe for altcoins and majors. Can be used for manual confirmation or automated trading.
🔒 Script Transparency
This is a closed-source script. However, the description above provides a transparent breakdown of the strategy’s core logic, filters, and execution model — ensuring compliance with TradingView’s publishing guidelines.
⚠️ Trading Disclaimer
This script is for educational purposes only and is not financial advice. Always conduct your own analysis before making investment decisions. Past performance does not guarantee future results. Use this strategy at your own risk.
LONG BÌNH TÂN 1kjasdhsahkds sadhkj dhjkd sahdk dhkjdhakj dáhks dhaskd sạdh ákjdhkjhsad jjkadhaskjdas dhskajdhsad k
Reddington Privat Club Final Edition### Brief Description of the Code
This Pine Script v6 code for TradingView implements the "Reddington Privat Club Final Edition" trading strategy. The strategy is based on **order blocks** (bullish and bearish liquidity zones), institutional levels, Fibonacci levels, pivot points, and candlestick patterns (breakouts, outside bars, climax bars). It includes risk management using ATR for stop-loss (SL) and take-profit (TP) levels, along with visualization of key levels and signals.
---
### What the Code Uses
1. **Technical Indicators and Tools**:
- **Order Blocks**: Identifies bullish and bearish zones on the 4-hour (4H) timeframe based on price action and volume.
- **Institutional Levels**: Dynamic levels calculated using a logarithmic price scale.
- **Fibonacci Levels** (0.382, 0.5, 0.618) on 4H to identify reversal or trend continuation zones.
- **Pivot Levels** (Pivot, R1, S1) for support/resistance zones.
- **ATR** (Average True Range) for calculating SL and TP.
- **Candlestick Patterns**: Breakouts, outside bars, climax bars (with high volume), and fake breakouts.
- **Volume Analysis**: Detects volume spikes to confirm signals.
- **SMA** (Simple Moving Average) to determine trend direction.
2. **Timeframes**:
- Primary analysis on **4H** (for order blocks and Fibonacci levels).
- Additional analysis on **1D** (for pivots, equal highs/lows) and **1W** (for weekly levels).
- Entry signals are checked on the current timeframe (1H or 15M recommended).
3. **Visualization**:
- Displays order blocks (bullish/bearish) as colored rectangles.
- Lines for institutional levels, pivots, R1/S1, Fibonacci, and weekly highs/lows.
- Labels for entry points, SL, TP, and trend continuation signals.
- Colored background to indicate trend (green for bullish, red for bearish).
4. **Risk Management**:
- **Risk per Trade**: Configurable percentage of capital (default 2%).
- **Risk/Reward Ratio (R:R)**: Configurable (default 4:1).
- **Leverage**: Configurable (default 10x).
- **ATR Factor**: For SL calculation (default 1.0).
- Partial profit-taking (75% of the position closed at half TP).
---
### How to Trade with the Strategy
1. **Entry Conditions**:
- **Long (Buy)**:
- Bullish trend (close > SMA10).
- Upward breakout (breakout_up), outside bar up (outside_up), or climax sell (climax_sell).
- Proximity to a bullish order block or its mitigation zone.
- Proximity to an institutional level (within 5*ATR).
- Price above the midpoint of the bullish block.
- **Short (Sell)**:
- Bearish trend (close < SMA10).
- Downward breakout (breakout_down), outside bar down (outside_down), or climax buy (climax_buy).
- Proximity to a bearish order block or its mitigation zone.
- Proximity to an institutional level.
- Price below the midpoint of the bearish block.
2. **Position Management**:
- **Stop-Loss (SL)**: Calculated as ATR * atr_factor from the entry point.
- **Take-Profit (TP)**:
- Half TP (75% of position) closed at a distance equal to SL.
- Full TP closed at SL * rr_ratio.
- **Position Size**: Calculated as a percentage of capital (risk_percent) with leverage.
3. **Trading Process**:
- Wait for an entry signal (green triangle for long, red for short).
- Confirm with visual levels (order blocks, Fibonacci, pivots).
- Set SL and TP as per chart labels.
- Close 75% of the position at half TP, hold the rest until full TP or SL.
- Monitor trend continuation signals (trend_continue_long/short).
4. **Additional Notes**:
- Avoid entries during fake breakouts (fake_up/fake_down).
- Pay attention to "Trend Change?" labels (potential trend reversal at Fibonacci 0.618).
---
### Recommended Timeframes
1. **Primary Trading Timeframe**:
- **1H (1 Hour)**: Suitable for moderate signal frequency and entry precision. Balances noise and trend movements.
- **15M (15 Minutes)**: For aggressive trading with more signals, but higher noise risk.
2. **Higher Timeframe Analysis**:
- **4H (4 Hours)**: Used for identifying order blocks and Fibonacci levels. Always check 4H for liquidity zone confirmation.
- **1D (1 Day)**: For pivot levels, equal highs/lows, and overall context.
- **1W (1 Week)**: For key weekly support/resistance levels.
**Recommendation**: Use **1H** for primary analysis and entries, but always verify **4H** for order blocks and **1D** for trend context. **15M** is suitable for scalping but requires strict risk management.
---
### Tips for Use
- **Customize Parameters**: Adjust risk_percent, rr_ratio, leverage, and atr_factor to match your trading style and risk tolerance.
- **Testing**: Backtest the strategy on historical data or a demo account before live trading.
- **Markets**: The strategy is versatile but performs best in volatile markets (e.g., cryptocurrencies, forex, indices).
- **Discipline**: Stick to signals and avoid entries without confirmation from higher timeframes.
---
### Disclaimer from Reddington
The "Reddington Privat Club Final Edition" trading strategy is provided for educational and informational purposes only. Trading financial markets involves significant risks, including the potential loss of capital. The strategy does not guarantee profits, and past performance is not indicative of future results. Users are solely responsible for their trading decisions and should thoroughly test the strategy before using it in live trading. Reddington and its affiliates are not liable for any financial losses or damages incurred from using this strategy. Always consult a qualified financial advisor and ensure proper risk management before trading.
Al Brooks H2/L2 Strategy v2.0Al Brooks H2/L2 Strategy v2.0
This strategy replicates the Al Brooks-style price action model using H1, H2, L1, and L2 signal bars. It allows traders to define precise entry and exit logic based on bar-by-bar structure, strength, and order flow. The system executes trades with configurable stop loss, take profit, and trailing logic.
It is designed as an intraday strategy for day trading, but can be configured easily for higher time frames.
You can customise multiple entry and exit criteria for bullish or bearish bias.
It is designed for semi-automated price action trading, you simply configure your settings to align with your bias and forecasted expectations and it will trade the price action for you.
The best way to use this is to tune it roughly to the bias of the last 1 or 2 days/weeks, if you are expecting that bias to continue.
My belief is that the market has inertia and tends to repeat patterns in the short term.
It can be 100% Automated via traderspost. (I can help you set this up)
DM on tradingview or discord for access. discordapp.com
discord.gg
What Are H1, H2, L1, L2?
These signal bars represent sequential attempts by bulls or bears to reverse the market trend.
* H1 (High 1) : First bullish signal after bearish bars (leg down).
* H2 (High 2) : Second bullish signal after a new bearish leg.
* L1 (Low 1) : First bearish signal after bullish bars (leg up).
* L2 (Low 2) : Second bearish signal after a new bullish leg.
The second entry (H2/L2) is often stronger due to trapped traders from failed first reversals.
Signal Settings
* Bull/Bear Strength Thresholds: Define how close the bar must close to high/low.
* Require Close Above High / Below Low: Filter only true breakouts.
* Close > Close or Close < Close options for alternate signal rules.
* Minimum Opposing Bars: Require at least X prior opposing bars before confirming a signal.
* Consecutive Opposing Bars: Enable to require strict legs vs scattered setups.
* Lookback Window: Max bars to look back for valid opposing setups.
Entry Filters
* Select between any H1/H2 or only H2.
* Choose special setups:
– H2 + MDB (Micro Double Bottom)
– L2 + MDT (Micro Double Top)
– Outside Bars (OO)
Exit Options
Each side (long/short) has its own exit config.
* Exit on L2/H2 signal.
* Exit after X bars in trade.
* Exit after X consecutive opposing bars.
* Optional trailing stop logic with dynamic trailing offset.
* Optional take profit and stop loss levels.
Trailing stops and fixed stops are mutually exclusive and handled automatically.
Risk Settings
* Stop Loss: Based on signal bar high/low or % method.
* Take Profit: Configurable percentage target.
* Daily Max Drawdown: Exit all if session equity drops below threshold.
* Daily Max Profit: Lock in gains when equity grows past target.
* Auto Liquidation: Close trades at session end or on risk trigger.
Maintenance Time Zone
* Default is Chicago session (CME). You can adjust to your broker/server timezone.
Labeling
Signal bars can display:
* H1, H2, L1, L2
* Special types: +MDB, +MDT, +OO
These can be used to visually validate trades or configure alerts.
Who Is This For?
This system is ideal for traders who use Al Brooks-style bar logic and want to:
* Backtest and refine H1/H2 or L1/L2 logic.
* Combine discretionary reading with systematic logic.
* Customize entries and exits based on price action rules.
* Apply strict risk controls to scalping or swing strategies.
Important: Bar definitions and conditions are fully configurable. You define what a valid signal means. This strategy will follow your logic exactly, not impose any hidden definitions.
Smart Money Concept [Serhio]The strategy combines Smart Money Concept (order blocks + Fibonacci retracement) with Bollinger Bands for entries:
Order Blocks: Identifies highs/lows on a higher timeframe.
Fibonacci Zones: Defines entry zones (70.5% and 79% retracement levels).
Bollinger Bands: Triggers potential trades when price crosses the bands.
Entry Logic:
Long: Price crosses lower Bollinger Band, then confirms by breaking above the 70.5% Fib level.
Short: Price crosses upper Bollinger Band, then confirms by breaking below the 79% Fib level.
Plots Fib levels for visualization.