Nifty50 Intraday RSI Strategy//@version=5
strategy("Nifty50 Intraday RSI Strategy", overlay=true, initial_capital=100000, commission_type=strategy.commission.cash_per_order, commission_value=0.03)
// Input parameters
rsiLength = input.int(14, title="RSI Length", minval=1)
rsiLower = input.int(20, title="Oversold Level")
rsiUpper = input.int(60, title="Take Profit Level")
// Calculate RSI
rsiValue = ta.rsi(close, rsiLength)
// Time condition for Indian market hours (9:15 AM to 3:30 PM IST)
inSession = time(timeframe.period, "0915-1530", "Asia/Kolkata")
// Entry condition: RSI below 20 during market hours
enterLong = rsiValue < rsiLower and inSession
// Exit condition: RSI reaches 60 or market closing time
exitLong = ta.crossover(rsiValue, rsiUpper) or not inSession
// Execute trades
if (enterLong)
strategy.entry("Buy", strategy.long)
if (exitLong)
strategy.close("Buy")
// Plotting
plot(rsiValue, title="RSI", color=color.blue)
hline(rsiLower, title="Oversold", color=color.red, linestyle=hline.style_dashed)
hline(rsiUpper, title="Take Profit", color=color.green, linestyle=hline.style_dashed)
Indikator dan strategi
RSI(2) with MA(5) Strategy (Limit Orders)Understand the Indicator's Functionality
Buy Signal:
A green label ("BUY") appears below the bar when:
The RSI is above 80.
The RSI-based moving average (MA) is trending upward.
The low price of the bar reaches or falls below the calculated limit entry price (low - tickOffset).
Sell Signal:
A red label ("SELL") appears above the bar when:
The RSI is below 20.
The RSI-based moving average (MA) is trending downward.
The high price of the bar reaches or exceeds the calculated limit entry price (high + tickOffset).
Customize Your Settings
Click on the gear icon next to the indicator name in the chart's legend to open its settings.
Adjust the following inputs as needed:
RSI Length: The period for calculating RSI (default: 2).
MA Length: The period for calculating the moving average of RSI (default: 5).
Middle Band: The RSI threshold for signals (default: 20).
Tick Offset: The number of ticks above/below high/low for limit entry prices (default: 3).
Trend Classification Successfull)Timeframe-Based Considerations
Because lower timeframes tend to have more noise and quicker price moves, you may want to use shorter MA lengths and adjust ADX thresholds. Conversely, higher timeframes often smooth out noise, so you might use longer MA periods and possibly more stringent ADX levels.
15-Minute Chart
Moving Averages:
Short-term: Consider 5–7
Mid-term: Around 15–20
Long-term: Perhaps 30–50
ADX/DMI:
ADX Period: 7–10
Strong Trend Threshold: 25–30
Weak Trend Threshold: 15–20
Rationale: Shorter periods help capture the rapid moves while avoiding too many whipsaws.
45-Minute Chart
Moving Averages:
Short-term: About 8–10
Mid-term: Around 25–30
Long-term: Approximately 60–100
ADX/DMI:
ADX Period: 10–12
Strong Trend Threshold: 30–35
Weak Trend Threshold: 20–25
Rationale: Slightly longer periods than the 15-minute chart to reduce noise, but still sensitive enough for intraday trends.
1-Hour Chart
Moving Averages:
Short-term: 10 (as per default)
Mid-term: 50
Long-term: 200
ADX/DMI:
ADX Period: 14
Strong Trend Threshold: 40
Weak Trend Threshold: 20
Rationale: These settings are common on hourly charts and offer a good balance between responsiveness and filtering noise.
2-Hour Chart
Moving Averages:
Short-term: 10–15
Mid-term: 50–60
Long-term: 200–250
ADX/DMI:
ADX Period: 14
Strong Trend Threshold: 40–45
Weak Trend Threshold: 20
Rationale: With fewer but more significant moves, slightly increasing the long-term MA can help capture broader trends.
3-Hour and 4-Hour Charts
Moving Averages:
Short-term: 10–15
Mid-term: 50–60
Long-term: 250–300 (or even higher, depending on the asset)
ADX/DMI:
ADX Period: 14–20
Strong Trend Threshold: 45–50
Weak Trend Threshold: 20–25
Rationale: On these higher timeframes, trends are slower-moving. Longer MAs and slightly higher ADX thresholds help to avoid false signals.
Final Thoughts
Backtesting & Forward Testing:
Use historical data to test these settings on your chosen asset. Markets vary, so what works for one symbol or market condition may not work for another.
Optimization:
Consider using TradingView’s optimization features or your own parameter sweep to find the settings that deliver the best risk-adjusted performance on each timeframe.
Adaptability:
Remain flexible—market conditions change over time, so what works now might need adjustment in the future.
By starting with these suggestions and fine-tuning based on your backtest results, you can determine the optimal settings for each timeframe (15m, 45m, 1h, 2h, 3h, and 4h).
Enhanced Multi-Indicator Trend Following 30manother script for 30m chart on sol. work perfect profit,.
Optimized Multi-Indicator Trend Following 4HStill under Developing, DO NOT USE FOR REAL TRADE.
For now it works perfectly with Solana/USDT, on 30m and 4h timeframe reaching more than 100% profit. 15m have 55% profit as well.
MACD Scalping StrategyMACD Scalping Strategy Overview
This MACD-based scalping strategy is designed for high-probability trades using momentum and trend confirmation. It incorporates the MACD crossover, 200 EMA filter, and ATR-based stop loss & take profit to optimize scalping efficiency.
Entry Conditions
✅ Buy Entry (Long Position):
MACD Line (5,32,5) crosses above Signal Line (Bullish momentum).
Price is above the 200 EMA (Uptrend confirmation).
Candle turns Green, and a "BUY" label appears.
✅ Sell Entry (Short Position):
MACD Line (5,32,5) crosses below Signal Line (Bearish momentum).
Price is below the 200 EMA (Downtrend confirmation).
Candle turns Red, and a "SELL" label appears.
Exit Strategy (Risk Management)
ATR-Based Stop Loss & Take Profit:
Stop Loss: Set at 1.5x ATR.
Take Profit: Set at 3x ATR (Risk-Reward Ratio of 1:3).
Strategy Features
🔹 Buy/Sell Indicators: Clear BUY (Green) & SELL (Red) labels.
🔹 Candle Color Change: Candles change to green on buys, red on sells, gray for neutral.
🔹 200 EMA Filter: Prevents counter-trend trades.
🔹 Alerts for Trade Signals: Get notified when a trade setup occurs.
Midpoint Crossing StrategyMidpoint Crossing Strategy with SMA & Limit Orders
This trading indicator is designed to help you identify precise entry points for long and short trades based on price movements within a specified range. It looks back over the past X number of candles (configurable by the user) to calculate the high, low, and midpoint of the range. The key features are:
Best settings:
timeframe: 5min
Tickers: MNQ, MGC
Settings: 17
NQ Scalping - 6 MA & 17 MA Crossover + MACD & RSINQ Scalping Strategy - 6 MA & 17 MA Crossover + MACD & RSI Confirmation
This strategy is designed for scalping the NQ (Nasdaq Futures) market using a combination of moving average crossovers, MACD, RSI, and volume filtering. The goal is to increase trade accuracy by ensuring multiple confirmations before entering a position.
Strategy Overview
This strategy looks for high-probability buy and sell signals when the following conditions align:
✅ 6 EMA crosses above 17 EMA (Bullish trend confirmation)
✅ MACD Histogram is positive (Momentum confirmation)
✅ RSI is above 50 (Strong bullish pressure)
✅ Volume is above threshold (Ensures real market interest)
👎 Opposite conditions trigger a short trade.
Once a trade is entered, a dynamic stop-loss (SL) and take-profit (TP) are set using the ATR (Average True Range).
Entry Rules
Long (BUY) Entry:
✔ 6 EMA crosses above 17 EMA
✔ MACD Histogram > 0 (indicating bullish momentum)
✔ RSI > 50 (confirming market strength)
✔ Volume is above a set threshold
When all conditions align, a BUY signal appears (Green arrow & label)
🔹 Short (SELL) Entry:
✔ 6 EMA crosses below 17 EMA
✔ MACD Histogram < 0 (indicating bearish momentum)
✔ RSI < 50 (confirming weakness)
✔ Volume is above a set threshold
When all conditions align, a SELL signal appears (Red arrow & label)
Weekly Buy Strategy with End Date Check and Profit Takingsimple strategy to see what it is like to buy in weekly
Safe Profit Strategy **استراتيجية "Safe Profit Strategy" (SPS) للتداول**
**هل ترغب في تحسين أدائك في التداول؟**
نقدم لك **"Safe Profit Strategy" (SPS)**، استراتيجية متطورة تهدف إلى تحديد نقاط الدخول والخروج في السوق باستخدام **Zero-Lag EMA** و **Volatility Bands**، مما يساعدك على التداول بثقة وأداء أفضل. كما يتم دمج الاستراتيجية مع **مؤشر Algo Alpha** لتعزيز دقة الإشارات وتحقيق أفضل نتائج.
**مميزات الاستراتيجية:**
- **إشارات شراء وبيع واضحة:** تساعدك في تحديد أفضل نقاط الدخول والخروج في السوق بناءً على تحليل الاتجاهات والتقلبات.
- **إدارة مخاطر محسوبة:** توفر لك مستويات **وقف الخسارة** و **جني الأرباح** لضمان تقليل المخاطر وتعظيم العوائد.
- **تحديد هدف الربح بشكل آلي:** عند ظهور **إشارة الشراء**، يتم تحديد **هدف جني الأرباح** بشكل آلي ويتم رسمه على الرسم البياني على شكل **خط** لتوضيح المستوى المستهدف.
- **تحديد نسبة الربح المتوقعة:** فور ظهور إشارة الشراء، يتم حساب **نسبة الربح المتوقعة** وتحديدها آليًا، بحيث يمكنك معرفة النسبة المتوقعة للربح قبل تنفيذ الصفقة.
- **استخدام **مؤشر Algo Alpha**:** يعمل هذا المؤشر المدمج مع الاستراتيجية على توفير إشارات إضافية تساهم في تعزيز دقة تحديد نقاط الدخول والخروج، مما يرفع من فرص النجاح في التداول.
- **سهولة الاستخدام:** تعمل الاستراتيجية على تحليل السوق بشكل آلي، مما يوفر عليك الوقت والجهد في اتخاذ القرارات.
### **كيف تعمل الاستراتيجية؟**
1. **إشارة دخول (شراء):** عندما يكون السعر أعلى من **الحزام العلوي**، يتم فتح صفقة شراء.
2. **تحديد هدف الربح بشكل آلي:** فور ظهور إشارة الشراء، يتم تحديد **هدف الربح** على شكل **خط** يُعرض على الرسم البياني، ويعكس المستوى الذي يجب الوصول إليه لجني الأرباح.
3. **تحديد نسبة الربح المتوقعة:** عند فتح الصفقة، يتم حساب **نسبة الربح المتوقعة** بناءً على **هدف الربح** مقارنة بالسعر الحالي.
4. **استخدام **مؤشر Algo Alpha**:** يعتمد على الإشارات الناتجة عن هذا المؤشر لتعزيز قرارات الدخول والخروج، مما يزيد من دقة الاستراتيجية.
5. **إشارة خروج:**
- **جني الأرباح:** يتم إغلاق الصفقة عند وصول السعر إلى **مستوى جني الأرباح**.
- **وقف الخسارة:** يتم إغلاق الصفقة إذا هبط السعر تحت **الحزام السفلي**.
6. **إدارة المخاطر:** يتم تحديد مستويات وقف الخسارة وجني الأرباح بناءً على حركة السعر، مما يضمن أمان استثماراتك.
### **لماذا تختار هذه الاستراتيجية؟**
- **أداء مثبت:** تم اختبار الاستراتيجية بنجاح في الأسواق، مما يضمن لك نتائج فعالة.
- **دعم مستمر:** نقدم لك الدعم الفني لمساعدتك في تطبيق الاستراتيجية بشكل صحيح.
- **مؤشر Algo Alpha:** تساهم دقة الإشارات المدمجة من **مؤشر Algo Alpha** في تحسين فرص النجاح في التداول.
- **مناسبة لجميع المتداولين:** سواء كنت مبتدئًا أو محترفًا، يمكن لهذه الاستراتيجية أن تساعدك على تحسين نتائجك.
CryptoKey ScanEl Ojo de Dios es un avanzado indicador algorítmico impulsado por inteligencia artificial, diseñado para ofrecer señales precisas de "Compra" y "Venta" en los mercados financieros. Este poderoso indicador trabaja específicamente con cuatro pares clave: BTCUSDT, ETHUSDT, SOLUSDT y NAS100, brindando a los usuarios una herramienta confiable para maximizar sus oportunidades de inversión.
Vortex Sniper XVortex Sniper X – Trend-Following Strategy
🔹 Purpose
Vortex Sniper X is a trend-following strategy designed to identify strong market trends and enter trades in the direction of momentum. By combining multiple technical indicators, this strategy helps traders filter out false signals and only take trades with high confidence.
🔹 Indicator Breakdown
1️⃣ Vortex Indicator (Trend Direction & Strength)
Identifies the trend direction based on the relationship between VI+ and VI-.
Bullish Signal: VI+ crosses above VI-.
Bearish Signal: VI- crosses above VI+.
The wider the gap between VI+ and VI-, the stronger the trend’s momentum.
2️⃣ Relative Momentum Index (RMI – Momentum Confirmation)
Confirms whether price momentum supports the trend direction.
Long confirmation: RMI is rising and above the threshold.
Short confirmation: RMI is falling and below the threshold.
Filters out weak trends that lack sufficient momentum.
3️⃣ McGinley Dynamic (Trend Baseline Filter)
A dynamic moving average that adjusts to market volatility for smoother trend identification.
Long trades only if price is above the McGinley Dynamic.
Short trades only if price is below the McGinley Dynamic.
Prevents trading in choppy or sideways markets.
🔹 Strategy Logic & Trade Execution
✅ Entry Conditions
A trade is executed only when all three indicators confirm alignment:
Trend Confirmation: McGinley Dynamic defines the trend direction.
Vortex Signal: VI+ > VI- (bullish) or VI- > VI+ (bearish).
Momentum Confirmation: RMI must agree with the trend direction.
✅ Exit Conditions
Trend Reversal: If the opposite trade condition is met, the current position is closed.
Trend Weakness: If the trend weakens (detected via trend shifts), the position is exited.
🔹 Take-Profit System
The strategy follows a multi-stage profit-taking approach to secure gains:
Take Profit 1 (TP1): 50% of the position is closed at the first target.
Take Profit 2 (TP2): The remaining 50% is closed at the second target.
🔹 Risk Management (Important Notice)
🔴 This strategy does NOT include a stop-loss by default.
Trades rely on trend reversals or early exits to close positions.
Users should manually configure a stop-loss if risk management is required.
💡 Suggested risk management options:
Set a stop-loss at a recent swing high/low or an important support/resistance level.
Adjust position sizing according to personal risk tolerance.
🔹 Default Backtest Settings
To ensure realistic backtesting, the following settings are used:
Initial Capital: $1,000
Position Sizing: 10% of equity per trade
Commission: 0.05%
Slippage: 1 pip
Date Range: Can be adjusted for different market conditions
🔹 How to Use This Strategy
📌 To get the best results, follow these steps:
Apply the strategy to any TradingView chart.
Backtest before using it in live conditions.
Adjust the indicator settings as needed.
Set a manual stop-loss if required for your trading style.
Use this strategy in trending markets—avoid sideways conditions.
⚠️ Disclaimer
🚨 Trading involves risk. This strategy is for educational purposes only and should not be considered financial advice.
Past performance does not guarantee future results.
Users are responsible for managing their own risk.
Always backtest strategies before applying them in live trading.
🚀 Final Notes
Vortex Sniper X provides a structured approach to trend-following trading, ensuring:
✔ Multi-indicator confirmation for higher accuracy.
✔ Momentum-backed entries to avoid weak trends.
✔ Take-profit targets to secure gains.
✔ No repainting—historical performance aligns with live execution.
This strategy does not include a stop-loss, so users must apply their own risk management methods.
SPY Scalping AlertsSPY Scalping Strategy – Description for Invite-Only Script
🔹 Strategy Overview
This SPY Scalping Indicator is designed for high-probability intraday trades, using a combination of:
✅ VWAP Bounce & Rejection – Identifies reversals at key volume-weighted levels
✅ EMA 9/21 Crossovers – Confirms short-term trend shifts
✅ Premarket High/Low Breakouts – Captures momentum-based entries
✅ Real-Time Alerts – Notifies traders instantly for quick execution
Bollinger + Simple v5Simple version.
1-Minute Chart
RSI Settings:
RSI Period Length: The default of 6 is already quite fast; it captures rapid shifts in momentum.
Impact: Expect a very reactive indicator with many short-term signals. You might experience more noise, so using tighter stop losses and quick profit targets can help manage whipsaws.
Bollinger Bands:
Bollinger Period Length: The default of 200 is typically too long for a 1m chart. Consider shortening it to around 50–100.
BB Multiplier: A multiplier between 1.5 and 2.0 will generate tighter bands.
Impact: Shorter, tighter bands will generate more frequent entries and exits, matching the rapid price action on a 1-minute chart.
ADX Settings:
ADX Period: You might lower it to around 10–12 to capture the quickly changing trend strength on a 1m timeframe.
Thresholds: Because trends are usually less sustained on 1m, consider slightly lower thresholds (for example, Strong ~20, Super ~25, Ultra ~30, Mega ~35).
Impact: Lower ADX thresholds help capture short bursts of trend strength but may lead to overtrading if not filtered further.
5-Minute Chart
RSI Settings:
RSI Period Length: A period of 6 remains acceptable on 5m charts to maintain responsiveness.
Impact: You’ll see moderately reactive signals that reflect quick moves without being as noisy as on the 1m chart.
Bollinger Bands:
Bollinger Period Length: Consider reducing from 200 to around 100–150.
BB Multiplier: A multiplier of 2.0 is a good starting point; you can lower it if you need more sensitivity.
Impact: This setting should capture intraday swings well, without being overly laggy.
ADX Settings:
ADX Period: The default 14 generally works fine.
Thresholds: You might keep the defaults (Strong ~25, Super ~30, Ultra ~35, Mega ~40) or adjust them slightly lower if you’re looking for a more aggressive approach.
Impact: This provides a balance between filtering noise and catching emerging trends.
15-Minute Chart
RSI Settings:
RSI Period Length: The default of 6 is still fast enough, though you might experiment with 7–8 to reduce occasional noise.
Impact: Signals will be less choppy compared to the 1m and 5m, making entries slightly more reliable.
Bollinger Bands:
Bollinger Period Length: Consider using around 100–150.
BB Multiplier: A multiplier of 2.0 works well for typical intraday swings.
Impact: This setting should provide a good balance for capturing medium‑term swings without excessive whipsaw.
ADX Settings:
ADX Period: 14 remains common.
Thresholds: Defaults often work well, though you can fine‑tune (for example, Strong ~25, Super ~30, Ultra ~35, Mega ~40).
Impact: The trend filter will capture the prevailing intraday trend while ignoring very short-term noise.
45-Minute Chart
RSI Settings:
RSI Period Length: You may consider a slightly longer period (e.g. 7–10) to help smooth out the indicator on higher timeframes.
Impact: This provides a more robust signal, reducing false triggers from minor fluctuations.
Bollinger Bands:
Bollinger Period Length: A period of around 150–200 works well.
BB Multiplier: The standard 2.0 is usually fine; if the market is choppy, you might consider a slightly higher multiplier to widen the bands.
Impact: Longer periods help capture more sustained moves and filter out short-term noise.
ADX Settings:
ADX Period: Consider keeping it at 14 or increasing it slightly (up to 20) for a smoother trend signal.
Thresholds: You might need slightly higher thresholds to confirm a trend in this timeframe (e.g., Strong ~25–30, Super ~30–35, Ultra ~35–40, Mega ~40–45).
Impact: This approach helps avoid frequent false signals and captures more significant trend changes.
1-Hour Chart
RSI Settings:
RSI Period Length: You might use a period of 7–10 for additional smoothing on a 1h chart.
Impact: A slightly slower RSI reduces noise and provides more reliable signals in longer timeframes.
Bollinger Bands:
Bollinger Period Length: The default 200 can be appropriate since it covers about 200 hours (roughly 8 trading days). Alternatively, if you want more reactivity, try 150.
BB Multiplier: Typically, 2.0 is a good starting point.
Impact: This will capture longer-term swings and major support/resistance areas.
ADX Settings:
ADX Period: The default 14 is widely used on 1h charts.
Thresholds: Defaults (Strong ~25, Super ~30, Ultra ~35, Mega ~40) are often effective, as trends on 1h charts tend to be more sustained.
Impact: This helps ensure trades are taken during clear and strong trends.
Summary
1m Chart:
Use a very short RSI period (around 6), a shorter Bollinger period (50–100), and a lower ADX period (10–12) with lower thresholds to capture rapid movements—but be prepared for increased noise.
5m Chart:
Maintain RSI period around 6, use a Bollinger period of about 100–150, and keep the ADX period at 14 with moderate thresholds. This setting balances responsiveness with a bit less noise.
15m Chart:
RSI remains around 6–8, Bollinger period can be around 100–150, and ADX period at 14 works well. This timeframe offers a good balance between signal frequency and reliability.
45m Chart:
Consider a slightly longer RSI period (7–10), a Bollinger period of 150–200, and an ADX period of 14–20 with somewhat higher thresholds to confirm more substantial trends.
1h Chart:
Use a smoother RSI (7–10), a Bollinger period of 150–200 (or 200 if you prefer longer-term context), and the default ADX period (14) with standard thresholds. This helps capture sustained moves and filter out minor noise.
Each of these recommendations serves as a starting point. You should backtest and optimize the settings based on the specific asset and market conditions you trade. Adjusting parameters such as RSI and Bollinger periods, as well as ADX thresholds, can significantly affect the frequency and quality of signals, so finding the right balance is key.
Bot V17 Flip 30 s CavalierMaxPresentazione della Strategia "Bot XFlip 30 s CavalierMax"
Scopri la potenza di una strategia di trading innovativa, progettata per sfruttare al massimo i movimenti di inversione del mercato. La nostra soluzione automatizzata "Bot XFlip 30 s CavalierMax" offre un approccio sofisticato per entrare ed uscire dalle posizioni, garantendo una gestione dinamica del rischio e delle dimensioni degli ordini.
Caratteristiche Chiave:
Flip con Ritardo per Entrate Precise:
Dopo ogni inversione (flip), la strategia introduce un ritardo di una candela prima di attivare la prossima entry. Questo meccanismo riduce il rischio di false inversioni e assicura una conferma solida del cambiamento di tendenza.
Utilizzo di Candele Heikin Ashi e Time Frame M15:
Per ottenere segnali più fluidi e ridurre la volatilità intrinseca del mercato, la strategia è ottimizzata per l’uso con candele Heikin Ashi. Inoltre, il time frame consigliato per la visualizzazione è M15, garantendo un equilibrio perfetto tra tempestività e affidabilità dei segnali.
Gestione Avanzata del Rischio e del Money Management:
La strategia integra un sistema di trailing stop loss basato sull’equity, con input personalizzabili per adattarsi al profilo di rischio dell’utente. Inoltre, la dimensione dinamica dell’ordine si adatta automaticamente in base ai profitti o alle perdite, massimizzando il potenziale di guadagno.
Tecnologie Innovative di Analisi:
Sfrutta un mix di indicatori personalizzati e tecniche di regressione kernel per prevedere i movimenti del mercato. Il sistema applica filtri basati su volatilità, regime e ADX, garantendo l’entrata in posizioni solo quando le condizioni di mercato sono favorevoli.
Perché Scegliere "Bot XFlip 30 s CavalierMax":
Precisione nei Segnali: Il ritardo di una candela dopo il flip aiuta a evitare segnali prematuri, migliorando la precisione delle entrate e delle uscite.
Facilità d'Uso: Ottimizzato per Heikin Ashi e il time frame M15, è ideale sia per trader esperti che per chi desidera avvicinarsi al mondo del trading automatizzato.
Massima Personalizzazione: Gli input regolabili permettono di adattare la strategia alle specifiche esigenze e alla tolleranza al rischio di ogni trader.
Innovazione e Affidabilità: Con una combinazione di analisi tecnica avanzata e tecniche di machine learning, la strategia è pensata per dare risultati consistenti in un mercato in continua evoluzione.
Contatti:
Per maggiori informazioni e per scoprire come implementare "Bot XFlip 30 s CavalierMax" nel tuo trading, contattaci all'indirizzo: info@forex4all.og
Scegli l'innovazione, scegli l'efficacia: trasforma il tuo trading con "Bot XFlip 30 s CavalierMax"!
Moving Average Simple with AI BotThis indicator is designed to provide accurate market trend analysis using a combination of key technical tools, including RSI, EMA crossovers, MACD, and volume analysis. It focuses on major forex pairs (XAU/USD, EUR/JPY, EUR/USD, GBP/JPY) and is optimized for multiple timeframes (1m, 5m, 15m, 30m, 1h, 4h, 1D).
Key Features:
✅ Identifies potential buy/sell signals using:
RSI levels combined with EMA crossovers for trend direction.
Volume analysis to confirm the strength of the trend.
Trend-following signals for precise entry and exit points.
📌 Best Performance:
The indicator delivers the best results on the 45-minute timeframe.
For XAU/USD, I recommend setting the SMA length to 38 for optimal performance.
For other assets, users should adjust the settings based on their own strategy.
Candle Colors:
Green Candle: Represents a bullish market condition.
Black Candle: Represents a neutral market condition.
Red Candle: Indicates a bearish market condition.
🚀 Designed for traders looking for automated signals with real-time alerts, ensuring timely decision-making. Whether you're a beginner or an experienced trader, this tool provides reliable insights to enhance your trading strategy.
Estratégia de Ordens Agressivas e Spoofing - OtimizadaAggressive Order Detection and Spoofing Strategy
📖 Description
This strategy is designed to identify aggressive buy and sell orders in the market while also detecting possible spoofing patterns—where large orders are placed without the intention of execution, manipulating market sentiment.
It utilizes a Volume Delta indicator, calculating the difference between buying and selling volumes, applying a statistical filter based on moving averages and standard deviations.
Additionally, a trend filter using the Exponential Moving Average (EMA) is included to avoid trading against the dominant trend.
🔹 Entry Rules:
✅ Buy: A buy signal is triggered when aggressive buying is detected, and the price is in an uptrend (above the EMA).
✅ Sell: A sell signal is triggered when aggressive selling is detected, and the price is in a downtrend (below the EMA).
🔹 Take Profit & Stop Loss:
🔹 Take Profit and Stop Loss are defined as percentages based on the entry price, allowing for customizable risk management.
🔹 The user can configure the risk percentage of total capital to determine the trade size.
🔹 Key Features:
✅ Detects Aggressive Orders through a Volume Delta calculation adjusted by moving averages and standard deviations.
✅ Trend Filtering using EMA to reduce false signals.
✅ Prevents Spoofing by identifying abnormal volumes without price confirmation.
✅ Clean Visual Signals, displaying only small arrows on the chart without unnecessary labels.
⚠️ Disclaimer:
This strategy is provided for educational purposes only and does not constitute financial advice. Always backtest and apply risk management before trading in live markets.
3Commas Multicoin Scalper LITE [SwissAlgo]
Introduction
Are you tired of tracking cryptocurrency charts and placing orders manually on your Exchange?
The 3Commas Multicoin Scalper LITE is an automated trading system designed to identify and execute potential trading setups on multiple cryptocurrencies ( simultaneously ) on your preferred Exchange (Binance, Bybit, OKX, Gate.io, Bitget) via 3Commas integration.
It analyzes price action, volume, momentum, volatility, and trend patterns across two categories of USDT Perpetual coins: the 'Top Major Coins' category (11 established cryptocurrencies) and your Custom Category (up to 10 coins of your choice).
The indicator sends real-time trading signals directly to your 3Commas bots for automated execution, identifying both trend-following and contrarian trading opportunities in all market conditions.
Trade automatically all coins of one or more selected categories:
----------------------------------------------
What it Does
The 3Commas Multicoin Scalper LITE is a technical analysis tool that monitors multiple cryptocurrency pairs simultaneously and connects with 3Commas for signal delivery and execution.
Here's how the strategy works:
🔶 Technical Analysis : Analyzes price action, volume, momentum, volatility, and trend patterns across USDT Perpetual Futures contracts simultaneously.
🔶 Pattern Detection : Identifies specific candle patterns and technical confluences that suggest potential trading setups across USDT.P contracts of the selected category.
🔶 Signal Generation : When technical criteria are met at bar close, the indicator creates deal-start signals for the relevant pairs.
🔶 3Commas Integration : Packages these signals and delivers them to 3Commas through TradingView alerts, allowing 3Commas bots to receive specific pair information ('Deal-Start' signals).
🔶 Category Management : Each TradingView alert monitors an entire category, allowing selective activation of different crypto categories.
🔶 Visual Feedback : Provides color-coded candles and backgrounds to visualize technical conditions, with optional pivot points and trend visualization.
Candle types
Signals
----------------------------------------------
Quick Start Guide
1. Setup 3Commas Bots : Configure two DCA bots in 3Commas (All USDT pairs) - one for LONG positions and one for SHORT positions.
2. Define Trading Parameters : Set your budget for each trade and adjust your preferred sensitivity within the indicator settings.
3. Create Category Alerts : Set up one TradingView alert for each crypto category you want to trade.
That's it! Once configured, the system automatically sends signals to your 3Commas bots when predefined trading setups are detected across coins in your selected/activated categories. The indicator scans all coins at bar close (for example, every hour on the 1H timeframe) and triggers trade execution only for those showing technical confluences.
Important : Consider your total capital when enabling categories. More details about the setup process are provided below (see paragraph "Detailed Setup & Configuration").
----------------------------------------------
Built-in Backtesting
The 3Commas Multicoin Scalper LITE includes backtesting visualization for each coin. When viewing any USDT Perpetual pair on your chart, you can visualize how the strategy would have performed historically on that specific asset.
Color-coded candles and signal markers show past trading setups, helping you evaluate which coins responded best to the strategy. This built-in backtesting capability can support your selection of assets/categories to trade before deploying real capital.
As backtesting results are hypothetical and do not guarantee future performance, your research and analysis are essential for selecting the crypto categories/coins to trade.
The default strategy settings are: Start Capital 1,000$, leverage 10X, Commissions 0.1% (average Taker Fee on Exchanges for average users), Order Amount 200$ for Longs/Shorts, Slippage 4
Example of backtesting view
----------------------------------------------
Key Features
🔶 Multi-Exchange Support : Compatible with BINANCE, BYBIT, BITGET, GATEIO, and OKX USDT Perpetual markets (USDT.P)
🔶 Category Options : Analyze cryptocurrencies in the Top Major Coins category or create your custom watchlist
🔶 Custom Category Option : Create your watchlist with up to 10 custom USDT Perpetual pairs
🔶 3Commas Integration : Seamlessly connects with 3Commas bots to automate trade entries and exits
🔶 Dual Strategy Approach : Identifies both "trend following" and "contrarian" potential setups
🔶 Confluence-Based Signals : Uses a combination of multiple technical factors - price spikes, price momentum, volume spikes, volume momentum, trend analysis, and volatility spikes - to generate potential trading setups
🔶 Risk Management : Adjustable sensitivity/risk levels, leverage settings, and budget allocation for each trade
🔶 Visual Indicators : Color-coded candles and trading signals provide visual feedback on market conditions
🔶 Trend Indication : Background colors showing ongoing uptrends/downtrends
🔶 Pivot Points & Daily Open : Optional display of pivot points and daily open price for additional context
🔶 Liquidity Analysis : Optional display of high/low liquidity timeframes throughout the trading week
🔶 Trade Control : Configurable limit for the maximum number of signals sent to 3Commas for execution (per bar close and category)
5 Available Exchanges
Pick coins/tokens and defined your Custom Category
----------------------------------------------
Methodology
The 3Commas Multicoin Scalper LITE utilizes a multi-faceted approach to identify potential trading setups:
1. Price Action Analysis : Detects abnormal price movements by comparing the current candle's range to historical averages and standard deviations, helping identify potential "pump and dump" scenarios or new-trends start
2. Price Momentum : Evaluates the relative strength of bullish vs. bearish price movements over time, indicating the build-up of buying or selling pressure.
3. Volume Analysis: Identifies unusual volume spikes by comparing current volume to historical averages, signaling strong market interest in a particular direction.
4. Volume Momentum : Measures the ratio of bullish to bearish volume, revealing the dominance of buyers or sellers over time.
5. Trend Analysis : Combines EMA slopes, RSI, and Stochastic RSI to determine overall trend direction and strength.
6. Volatility : Monitors the ATR (Average True Range) to detect periods of increased market volatility, which may indicate potential breakouts or reversals
7. Candle Wick Analysis : Evaluates upper and lower wick percentages to detect potential rejection patterns and reversals.
8. Pivot Point Analysis : Uses pivot points (PP, R1-R3, S1-S3) for identifying key support/resistance areas and potential breakout/breakdown levels.
9. Daily Open Reference: Analyzes price action relative to the daily open for potential setups related to price movement vs. the opening price
10. Market Timing/Liquidity : Evaluates high/low liquidity periods, specific days/times of heightened risk, and potential market manipulation timeframes.
11. Boost Factors : Applies additional weight to certain confluence patterns to adjust global scores
These factors are combined into a "Global Score" ranging from -1 to +1 , applied at bar close to the newly formed candles.
Scores above predefined thresholds (configurable via the Sensitivity Settings) indicate strong bullish or bearish conditions and trigger signals based on predefined patterns. The indicator then applies additional filters to generate specific "Trend Following" and "Contrarian" trading signals. The identified signals are packaged and sent to 3Commas for execution.
Pivot Points
Trend Background
----------------------------------------------
Who This Strategy Is For
The 3Commas Multicoin Scalper LITE may benefit:
Crypto Traders seeking to automate their trading across multiple coins simultaneously
3Commas Users looking to enhance their bot performance with technical signals
Busy Traders who want to monitor market opportunities without constant chart-watching
Multi-strategy traders interested in both trend-following and reversal trading approaches
Traders of Various Experience Levels from intermediate traders wanting to save time to advanced traders seeking to optimize their operations
Perpetual Futures Traders on major exchanges (Binance, Bybit, OKX, Gate.io, Bitget)
Swing and Scalp Traders seeking to identify short to medium-term profit opportunities
----------------------------------------------
Visual Indicators
The indicator provides visual feedback through:
1. Candlestick Colors :
* Lime: Strong bullish candle (High positive score)
* Blue: Moderate bullish candle (Medium positive score)
* Red: Strong bearish candle (High negative score)
* Purple: Moderate bearish candle (Medium negative score)
* Pale Green/Red: Mild bullish/bearish candle
2. Signal Markers :
* ↗: Trend following Long signal
* ↘: Trend following Short signal
* ⤴: Contrarian Long signal
* ⤵: Contrarian Short signal
3. Optional Elements :
* Pivot Points: Daily support/resistance levels (R1-R3, S1-S3, PP)
* Daily Open: Reference price level for the current trading day
* Trend Background: Color-coded background suggesting potential ongoing uptrend/downtrend
* Liquidity Highlighting: Background colors indicating typical high/low market liquidity periods
4. TradingView Strategy Plots and Backtesting Data : Standard performance metrics showing entry/exit points, equity curves, and trade statistics, based on the signals generated by the script.
----------------------------------------------
Detailed Setup & Configuration
The indicator features a user-friendly input panel organized in sequential steps to guide you through the complete setup process. Tooltips for each step provide additional information to help you understand the actions required to get the strategy running.
Informative tables provide additional details and instructions for critical setup steps such as 3Commas bot configuration and TradingView alert creation (to activate trading on specific categories).
1. Choose Exchange, Crypto Category & Sensitivity
* Select your USDT Perpetual Exchange (BINANCE, BYBIT, BITGET, GATEIO, or OKX) - i.e. the same Exchange connected in your 3Commas account
* Choose your preferred crypto category, or define your watchlist
* Choose from three sensitivity levels: Default, Aggressive, or Test Mode (test mode is designed to generate more signals, a potentially helpful feature when you are testing the indicator and alerts)
2. Setup 3Commas Bots and integrate them with the algo
* Create both LONG and SHORT DCA Bots in 3Commas
* Configure bots to accept signals for 'All USDT Pairs' with "TradingView Custom Signal" as deal start condition
* Enter your Bot IDs and Email Token in the indicator settings
* Set a maximum budget for LONG and SHORT trades
* Choose whether to allow LONG trades, SHORT trades, or both, according to your preference and market analysis
* Set maximum trades per bar/category (i.e. the max. number of simultaneous signals that the algo may send to your 3Commas bots for execution at every bar close - every hour if you set the 1H timeframe)
* Access the detailed setup guide table for step-by-step 3Commas configuration instructions
3Commas integration
3. Choose Visuals
* Toggle various optional visual elements to add to the chart: category metrics, fired alerts, coin metrics, daily open, pivot points
* Select a color theme: Dark or Light
4. Activate Trading via Alerts
* Create TradingView alerts for each category you want to trade
* Set alert condition to "3Commas Multicoin Scalper" with "Any alert() function call"
* Set the content of the message field to: {{Message}}, deleting the default content shown in this text field, to enable proper 3Commas integration (any other text than {{Message}}, would break the delivery trading signals from Tradingview to 3Commas)
* View the alerts setup instruction table for visual guidance on this critical step
Alerts
Fired Alerts (example at a single bar)
Fired Alerts (frequency)
Important Configuration Notes
Ensure that the TradingView chart's exchange matches your selected exchange in the indicator settings and your 3Commas bot settings.
You must configure the same leverage in both the script and your 3Commas bots
Your 3Commas bots must be configured for All USDT pairs
You must enter the exact Bot IDs and Email Token from 3Commas (these remain confidential - no one, including us, has access to them)
If you activate multiple categories without sufficient capital, 3Commas will display " insufficient funds " errors - align your available capital with the number of categories you activate (each deal will use the budget amount specified in user inputs)
You are free to set your Take Profit % / trailing on 3Commas
We recommend not to use DCA orders (i.e. set the number of DCA orders at zero)
Legend of symbols and plots on the chart
----------------------------------------------
FAQs
General Questions
❓ Q: What features are included in this indicator? A: This indicator provides access to the "Top Major Coins" category and a custom category option where you can define up to 10 pairs of your choice. It includes multi-exchange support, 3Commas integration, a dual strategy approach, visual indicators, trade controls, and comprehensive backtesting capabilities. The indicator is optimized to manage up to 2 trades per hour/category with leverage up to 10x and trade sizes up to 500 USDT - everything needed for traders looking to automate their crypto trading across multiple pairs simultaneously.
❓ Q: What is Global Score? A: The Global Score serves as a foundation for signal generation. When a candle's score exceeds certain thresholds (defined by your Risk Level setting), it becomes a candidate for signal generation. However, not all high-scoring candles generate trading signals - the indicator applies additional pattern recognition and contextual filters. For example, a strongly positive score (lime candle) in an established uptrend may trigger a "Trend Following" signal, while a strongly negative score (red candle) in a downtrend might generate a "Trend following Short" signal. Similarly, contrarian signals are generated when specific reversal patterns occur alongside appropriate Global Score values, often involving wick analysis and pivot point interactions. This multi-layer approach helps filter out false positives and identify higher-probability trading setups.
❓ Q: What's the difference between "Trend following" and "Contrarian" signals in the script? A: "Trend Following" signals follow the identified trends while "Contrarian" signals anticipate potential trend reversals.
❓ Q: Why don't I see any signals on my chart? A: Make sure you're viewing a USDT Perpetual pair from your selected exchange that belongs to the crypto category you've chosen to analyze. For example, if you've selected the "Top Major Coins" category with Binance as your exchange, you need to view a chart of one of those specific pairs (like BINANCE:BTCUSDT.P) to see signals. If you switch exchanges, for example from Binance to Bybit, you need to pull a Bybit pair on the chart to see backtesting data and signals.
❓ Q: Does this indicator guarantee profits? A: No. Trading cryptocurrencies involves significant risk, and past performance is not indicative of future results. This indicator is a tool to help you identify potential trading setups, but it does not and cannot guarantee profits.
❓ Q: Does this indicator repaint or use lookahead bias? A: No. All trading signals generated by this indicator are based only on completed price data and do not repaint. The system is designed to ensure that backtesting results reflect as closely as possible what you should experience in live trading.
While reference levels like pivot points are kept stable throughout the day using lookahead on, the actual buy and sell signals are calculated using only historical data (lookahead off) that would have been available at that moment in time. This ensures reliability and consistency between backtesting and real-time trading performance.
Technical Setup
❓ Q: What exchanges are supported? A: The strategy supports BINANCE, BYBIT, BITGET, GATEIO, and OKX USDT Perpetual markets (i.e. all the Exchanges you can connect to your 3Commas account for USDT Perpetual trading, excluding Coinbase Perpetual that offers USDC pairs, instead of USDT).
❓ Q: What timeframe should I use? A: The indicator is optimized for the 1-hour (1H) timeframe but may run on any timeframe.
❓ Q: How many coins can I trade at once? A: You can trade all coins within the selected category. You can activate categories by setting up alerts.
❓ Q: How many alerts do I need to set up? A: You need to set up one alert for each crypto category you want to trade. We recommend starting with one category, testing the results carefully, monitoring performance daily, and perhaps activating additional categories in a second stage.
❓ Q: Are there any specific risk management features built into the indicator? A: Yes, the indicator includes risk management features: adjustable maximum trades per hour/category, the ability to enable/disable long or short signals depending on market conditions, customizable trade size for both long and short positions, and different sensitivity/risk level settings.
❓ Q: What happens if 3Commas can't execute a signal? A: If 3Commas cannot execute a signal (due to insufficient funds, bot offline, etc.), the trade will be skipped. The indicator will continue sending signals for other valid setups, but it doesn't retry failed signals.
❓ Q: Can I run this indicator on multiple charts at once? A: Yes, but it's not necessary. The indicator analyzes all coins in your selected categories regardless of which chart you apply it to. For optimal resource usage, apply it to a single chart of a USDT Perpetual pair from your selected exchange. To stop trading a category, simply delete the alert created for that category.
❓ Q: How frequently does the indicator scan for new signals? A: The indicator scans all coins in your selected categories at the close of each bar (every hour if you selected the 1H timeframe).
----------------------------------------------
⚠️
Disclaimer
This indicator is for informational and educational purposes only and does not constitute financial advice. Trading cryptocurrencies involves significant risk, including the potential loss of all invested capital, and past performance is not indicative of future results.
Always conduct your own thorough research (DYOR) and understand the risks involved before making any trading decisions. Trading with leverage significantly amplifies both potential profits and losses - exercise extreme caution when using leverage and never risk more than you can afford to lose.
The Bot ID and Email Token information are transmitted directly from TradingView to 3Commas via secure connections. No third party or entity will ever have access to this data (including the Author). Do not share your 3Commas credentials with anyone.
This indicator is not affiliated with, endorsed by, or sponsored by TradingView or 3Commas.
LuxSignals | Trillionaire TierYou can see the Author's instructions below to get access to this indicator
Our automated trading bot is engineered for traders who demand transparency, realistic backtesting, and disciplined risk management. The system is designed not only to deliver signals but also to operate under strict trading conditions that mimic real-world markets. Every element of the strategy has been fine‐tuned so that its performance metrics—whether measured by win rate, total profit, or profit factor—this all is controlled by LuxSignals’ algorithm. This algorithm is exactly what makes it unique from all other indicators on the market: The algorithm looks at 100 possible numbers for an input and then decided on the best one - eventually you have to enter this number into the settings, leaving you with no need to adjust the settings yourself via trial and error.
Why you need to change inputs
LuxSignals is on tradingview.com, which uses the coding language "Pine Script" for its indicators. Unfortunately, Pine Script is very limited in its capabilities and can't run too many calculations at a time or can't make multiple backtests at once. Each backtest with different settings requires an indicator to load again.
An indicator will load when it's added to the chart or if its settings have changed.
This is why you have to change LuxSignals' inputs a few times so it can collect the necessary data from backtests over time to decide on its best settings. With Pine Script it's impossible to run so many backtests at once, it would require it to load longer than a minute at once, but the limit for TradingView's free tier is 20 seconds.
How LuxSignals' algorithm works
LuxSignals actually only has two inputs: Input 1 and Input 2. The minimum input for each is 2, the maximum LuxSignals can recommend is 200. You can also use higher numbers than 200 to see its backtesting results.
At the end of each process (changing the inputs many times), you will receive the best settings for the exact chart and timeframe you are on for the starting settings you had.
In total LuxSignals has to decide on one settings pair of Input 1 and Input 2 from 40'000 possible ones (200 x 200 possible combinations). It does that by calculating the hypothetical backtesting results (the profit factor) of 100 different settings at once.
You can control for which Input these hypothetical results are with the "optimize for" setting. So if you optimize for Input 1, LuxSignals calculates 100 hypothetical results for all possible inputs of Input 1, ranging from 2 to 100. When you use extension, it test the inputs from 100 to 200. The same goes for Input 2.
Now Input 1 and Input 2 affect each other's backtesting results, that's why you have to switch between optimizing for one to another.
Strategy and Signal Generation
At the core of the bot is a refined indicator that blends classic technical analysis tools with a proprietary twist. The process is as follows:
* Average Price Calculation:
The system starts by computing the average price (AP) using the formula for HLC3 (the average of the high, low, and close prices). This balanced approach captures a comprehensive view of market price action.
* Exponential Smoothing:
An exponential moving average (EMA) over a period (n₁) is applied to the AP to obtain a smoothed value (ESA). This step filters out short-term noise while maintaining sensitivity to market changes.
* Volatility Measurement:
The absolute difference between the AP and its smoothed counterpart is then subjected to another EMA (using the same period n₁) to generate a dynamic volatility metric (D). This measurement adapts to market fluctuations.
* Normalization:
The difference between the AP and ESA is normalized by dividing it by (0.015 × D). This creates a channel indicator (CI) that scales according to current volatility levels.
* WaveTrend Oscillator Formation:
A second EMA (over period n₂) is applied to the normalized value (CI) to produce the final oscillator value (WT1). The WaveTrend oscillator, therefore, encapsulates both trend strength and market volatility in a single metric.
* Signal Generation:
Trading signals are derived from the oscillator’s behavior:
* A buy signal is triggered when WT1 crosses above zero.
* A sell signal is triggered when WT1 crosses below zero.
This carefully layered approach ensures that the signals are both timely and reliable, which LuxSignals takes care of.
We decided to leave the strategy backtesting results out because we designed our own backtesting system, but we used the tradingview strategy capabilities when the trading bot is enabled in the settings.
When the bot is active, strategy mode automatically engages all realistic trading conditions. This includes using realistic account sizes, applying actual commission fees, and incorporating slippage—all calibrated to mirror live market conditions. This activation ensures that each trade is sized appropriately, with risk on any single trade limited to 5–10% of total equity, thereby preserving capital.
Please note that the following guidelines have not been fully met in our current testing process: our published backtesting results might not completely avoid potential misinterpretations by traders; we have not utilized an account size reflective of the average trader’s capital; realistic commission fees and slippage may have not been incorporated into our simulations.
In summary, while we did not apply a fully comprehensive simulation of every realistic trading condition for the backtesting, our design ensures that the strategy is equipped with realistic risk management and execution parameters when actively trading. This dual approach allows traders to benefit from both efficient signal validation and robust, live market performance without compromising on safety or accuracy.
Trading is risky & most day traders lose money. All content, tools, scripts, articles, & education provided by LuxSignals are purely for informational & educational purposes only. Past performance does not guarantee future results.
Conclusion
Our automated trading bot stands out due to its transparent and its commitment to realistic, robust strategy testing. it offers traders a dependable tool for navigating the markets. Whether you prioritize win rate, total profit, or profit factor, this system is built to adapt and perform under real-world conditions while preserving your capital.
3Commas Multicoin Scalper PRO [SwissAlgo]Introduction
Are you tired of tracking dozens of cryptocurrency charts and placing orders manually on your Exchange?
The 3Commas Multicoin Scalper PRO is an automated trading system designed to simultaneously identify and execute potential trading setups on multiple cryptocurrencies on your preferred Exchange (Binance, Bybit, OKX, Gate.io, Bitget) via 3Commas integration.
It analyzes price action, volume, momentum, volatility, and trend patterns across 180+ USDT Perpetual coins divided into 17 crypto categories , providing real-time signals directly to your 3Commas bots for automated trade execution. This indicator aims to identify potential trend-following and contrarian setups in both bull and bear markets.
-------------------------------------
What it Does
The 3Commas Multicoin Scalper PRO is a technical analysis tool that monitors multiple cryptocurrency pairs simultaneously and connects with 3Commas for signal delivery and execution.
Here's how the strategy works:
🔶 Technical Analysis : Analyzes price action, volume, momentum, volatility, and trend patterns across multiple USDT Perpetual Futures contracts simultaneously.
🔶 Pattern Detection : Identifies specific candle patterns and technical confluences that suggest potential trading setups across all USDT.P contracts of the selected categories
🔶 Signal Generation : When technical criteria are met at bar close, the indicator creates deal-start signals for the relevant pairs.
🔶 3Commas Integration : Packages these signals and delivers them to 3Commas through TradingView alerts, allowing 3Commas bots to receive specific pair information ('Deal-Start' signals).
🔶 Category Management : Each TradingView alert monitors an entire category (approximately 11 pairs), allowing selective activation of different crypto categories.
🔶 Visual Feedback : Provides color-coded candles and backgrounds to visualize technical conditions, with optional pivot points and trend visualization.
Candle types:
Signals:
-------------------------------------
Quick Start Guide
1. Setup 3Commas Bots : Configure two DCA bots in 3Commas (All USDT pairs) - one for LONG positions and one for SHORT positions.
2. Define Trading Parameters : Set your budget for each trade and adjust your preferred sensitivity within the indicator settings.
3. Create Category Alerts : Set up one TradingView alert for each crypto category you want to trade.
That's it! Once configured, the system automatically sends signals to your 3Commas bots when predefined trading setups are detected across coins in your selected/activated categories. The indicator scans all coins at bar close (for example, every hour on the 1H timeframe) and triggers trade execution only for those showing technical confluences.
Important : The more categories you activate by setting TradingView alerts, the more signals your 3Commas bots will receive. Consider your total capital when enabling multiple categories. More details about the setup process are provided below (see paragraph "Detailed Setup & Configuration")
-------------------------------------
Built-in Backtesting
The 3Commas Multicoin Scalper PRO includes backtesting visualization for each coin. When viewing any USDT Perpetual pair on your chart, you can visualize how the strategy would have performed historically on that specific asset.
Color-coded candles and signal markers show past trading setups, helping you evaluate which coins responded best to the strategy. This built-in backtesting capability can support your selection of assets/categories to trade before deploying real capital.
As backtesting results are hypothetical and do not guarantee future performance, your research and analysis are essential for selecting the crypto categories/coins to trade.
The default strategy settings are: Start Capital 1.000$, leverage 25X, Commissions 0.1% (average Taker Fee on Exchanges for average users), Order Amount 200$ for Longs/150$ for Shorts, Slippage 4
-------------------------------------
Key Features
🔶 Multi-Exchange Support : Compatible with BINANCE, BYBIT, BITGET, GATEIO, and OKX USDT Perpetual markets (USDT.P)
🔶 Wide Asset Coverage : Simultaneously analyzes 180+ cryptocurrencies across 17 specialized crypto categories
🔶 Custom Category Option : Create your watchlist with up to 10 custom USDT Perpetual pairs
🔶 3Commas Integration : Seamlessly connects with 3Commas bots to automate trade entries and exits
🔶 Dual Strategy Approach : Identifies both "trend following" and "contrarian" potential setups
🔶 Confluence-Based Signals : Uses a combination of multiple technical factors - price spikes, price momentum, volume spikes, volume momentum, trend analysis, and volatility spikes - to generate potential trading setups
🔶 Risk Management : Adjustable sensitivity/risk levels, leverage settings, and budget allocation for each trade
🔶 Visual Indicators : Color-coded candles and trading signals provide visual feedback on market conditions
🔶 Trend Indication : Background colors showing ongoing uptrends/downtrends
🔶 Pivot Points & Daily Open : Optional display of pivot points and daily open price for additional context
🔶 Liquidity Analysis : Optional display of high/low liquidity timeframes throughout the trading week
🔶 Trade Control : Configurable limit for the maximum number of signals sent to 3Commas for execution (per bar close and category)
Available Exchanges
Categories
Custom Category
Trend following/contrarian signals
-------------------------------------
Methodology
The 3Commas Multicoin Scalper PRO utilizes a multi-faceted approach to identify potential trading setups:
1. Price Action Analysis : Detects abnormal price movements by comparing the current candle's range to historical averages and standard deviations, helping identify potential "pump and dump" scenarios or new-trends start
2. Price Momentum : Evaluates the relative strength of bullish vs. bearish price movements over time, indicating the build-up of buying or selling pressure.
3. Volume Analysis: Identifies unusual volume spikes by comparing current volume to historical averages, signaling strong market interest in a particular direction.
4. Volume Momentum : Measures the ratio of bullish to bearish volume, revealing the dominance of buyers or sellers over time.
5. Trend Analysis : Combines EMA slopes, RSI, and Stochastic RSI to determine overall trend direction and strength.
6. Volatility : Monitors the ATR (Average True Range) to detect periods of increased market volatility, which may indicate potential breakouts or reversals
7. Candle Wick Analysis : Evaluates upper and lower wick percentages to detect potential rejection patterns and reversals.
8. Pivot Point Analysis : Uses pivot points (PP, R1-R3, S1-S3) for identifying key support/resistance areas and potential breakout/breakdown levels.
9. Daily Open Reference: Analyzes price action relative to the daily open for potential setups related to price movement vs. the opening price
10. Market Timing/Liquidity : Evaluates high/low liquidity periods, specific days/times of heightened risk, and potential market manipulation timeframes.
11. Boost Factors : Applies additional weight to certain confluence patterns to adjust global scores
These factors are combined into a "Global Score" ranging from -1 to +1 , applied at bar close to the newly formed candles.
Scores above predefined thresholds (configurable via the Sensitivity Settings) indicate strong bullish or bearish conditions and trigger signals based on predefined patterns. The indicator then applies additional filters to generate specific "Trend Following" and "Contrarian" trading signals. The identified signals are packaged and sent to 3Commas for execution.
Pivot Points
Daily open
Market Trend
Liquidity patterns by weekday
-------------------------------------
Who This Strategy Is For?
The 3Commas Multicoin Scalper PRO may benefit:
Crypto Traders seeking to automate their trading across multiple coins simultaneously
3Commas Users looking to enhance their bot performance with advanced technical signals
Busy Traders who want to monitor many market opportunities without constant chart-watching
Multi-strategy traders interested in both trend-following and reversal trading approaches
Traders of Various Experience Levels from intermediate traders wanting to save time to advanced traders seeking to scale their operations
Perpetual Futures Traders on major exchanges (Binance, Bybit, OKX, Gate.io, Bitget)
Swing and Scalp Traders seeking to identify short to medium-term profit opportunities
-------------------------------------
Visual Indicators
The indicator provides visual feedback through:
1. Candlestick Colors :
* Lime: Strong bullish candle (High positive score)
* Blue: Moderate bullish candle (Medium positive score)
* Red: Strong bearish candle (High negative score)
* Purple: Moderate bearish candle (Medium negative score)
* Pale Green/Red: Mild bullish/bearish candle
2. Signal Markers :
* ↗: Trend Following Long signal
* ↘: Trend Following Short signal
* ⤴: Contrarian Long signal
* ⤵: Contrarian Short signal
3. Optional Elements :
* Pivot Points: Daily support/resistance levels (R1-R3, S1-S3, PP)
* Daily Open: Reference price level for the current trading day
* Trend Background: Color-coded background suggesting potential ongoing uptrend/downtrend
* Liquidity Highlighting: Background colors indicating typical high/low market liquidity periods
4. TradingView Strategy Plots and Backtesting Data : Standard performance metrics showing entry/exit points, equity curves, and trade statistics, based on the signals generated by the script.
-------------------------------------
Detailed Setup & Configuration
The indicator features a user-friendly input panel organized in sequential steps to guide you through the complete setup process. Tooltips for each step provide additional information to help you understand the actions required to get the strategy running.
Informative tables provide additional details and instructions for critical setup steps such as 3Commas bot configuration and TradingView alert creation (to activate trading on specific categories).
1. Choose Exchange, Crypto Category & Sensitivity
* Select your USDT Perpetual Exchange (BINANCE, BYBIT, BITGET, GATEIO, or OKX) - i.e. the same Exchange connected in your 3Commas account
* Browse and choose your preferred crypto category, or define your watchlist
* Choose from three sensitivity levels: Default, Aggressive, or Test Mode (test mode is designed to generate way more signals, a potentially helpful feature when you are testing the indicator and alerts)
2. Setup 3Commas Bots and integrate them with the algo
* Create both LONG and SHORT DCA Bots in 3Commas
* Configure bots to accept signals for 'All USDT Pairs' with "TradingView Custom Signal" as deal start condition
* Enter your Bot IDs and Email Token in the indicator settings
* Set a maximum budget for LONG and SHORT trades
* Choose whether to allow LONG trades, SHORT trades, or both, according to your preference and market analysis
* Set maximum trades per bar/category (i.e. the max. number of simultaneous signals that the algo may send to your 3Commas bots for execution at every bar close - every hour if you set the 1H timeframe)
* Access the detailed setup guide table for step-by-step 3Commas configuration instructions
3Commas integration
3. Choose Visuals
* Toggle various optional visual elements to add to the chart: category metrics, fired alerts, coin metrics, daily open, pivot points
* Select a color theme: Dark or Light
4. Activate Trading via Alerts
* Create TradingView alerts for each category you want to trade
* Set alert condition to "3Commas Multicoin Scalper" with "Any alert() function call"
* Set the content of the message filed to: {{Message}}, deleting the default content shown in this text field, to enable proper 3Commas integration (any other text than {{Message}}, would break the delivery trading signals from Tradingview to 3Commas)
* View the alerts setup instruction table for visual guidance on this critical step
Alerts
Fired Alerts
Important Configuration Notes
Ensure that the TradingView chart's exchange matches your selected exchange in the indicator settings and your 3Commas bot settings.
You must configure the same leverage in both the script and your 3Commas bots
Your 3Commas bots must be configured for All USDT pairs
You must enter the exact Bot IDs and Email Token from 3Commas (these remain confidential - no one, including us, has access to them)
If you activate multiple categories without sufficient capital, 3Commas will display " insufficient funds " errors - align your available capital with the number of categories you activate (each deal will use the budget amount specified in user inputs)
You are free to set your Take Profit % / trailing on 3Commas
We recommend not to use DCA orders (i.e. set the number of DCA orders at zero)
Legend of symbols
-------------------------------------
FAQs
General Questions
❓ Q: What is Global Score? A: The Global Score serves as a foundation for signal generation. When a candle's score exceeds certain thresholds (defined by your Risk Level setting), it becomes a candidate for signal generation. However, not all high-scoring candles generate trading signals - the indicator applies additional pattern recognition and contextual filters. For example, a strongly positive score (lime candle) in an established uptrend may trigger a "Trend Following" signal, while a strongly negative score (red candle) in a downtrend might generate a "Trend Following Short" signal. Similarly, contrarian signals are generated when specific reversal patterns occur alongside appropriate Global Score values, often involving wick analysis and pivot point interactions. This multi-layer approach helps filter out false positives and identify higher-probability trading setups.
❓ Q: What's the difference between "Trend following" and "Contrarian" signals in the script? A: "Trend Following" signals follow the identified trends while "Contrarian" signals anticipate potential trend reversals.
❓ Q: Why can't I configure all the parameters? A: We've designed the solution to be plug-and-play to prevent users from getting lost in endless configurations. The preset values have been tested against their trade-offs in terms of financial performance, average trade duration, and risk levels.
❓ Q: Why don't I see any signals on my chart? A: Make sure you're viewing a USDT Perpetual pair from your selected exchange that belongs to the crypto category you've chosen to analyze. For example, if you've selected the "Top Major Coins" category with Binance as your exchange, you need to view a chart of one of those specific pairs (like BINANCE:BTCUSDT.P) to see signals. If you switch exchanges, for example from Binance to Bybit, you need to pull a Bybit pair on the chart to see backtesting data and signals.
❓ Q: Does this indicator guarantee profits? A: No. Trading cryptocurrencies involves significant risk, and past performance is not indicative of future results. This indicator is a tool to help you identify potential trading setups, but it does not and cannot guarantee profits.
❓ Q: Does this indicator repaint or use lookahead bias? A: No. All trading signals generated by this indicator are based only on completed price data and do not repaint. The system is designed to ensure that backtesting results reflect as closely as possible what you should experience in live trading.
While reference levels like pivot points are kept stable throughout the day using lookahead on, the actual buy and sell signals are calculated using only historical data (lookahead off) that would have been available at that moment in time. This ensures reliability and consistency between backtesting and real-time trading performance.
Technical Setup
❓ Q: What exchanges are supported? A: The strategy supports BINANCE, BYBIT, BITGET, GATEIO, and OKX USDT Perpetual markets (i.e. all the Exchanges you can connect to your 3Commas account for USDT Perpetual trading, excluding Coinbase Perpetual that offers UDSC pairs, instead of USDT).
❓ Q: What timeframe should I use? A: The indicator is optimized for the 1-hour (1H) timeframe but may run on any timeframe.
❓ Q: How many coins can I trade at once? A: You can trade all coins within each selected category (up to 11 coins per category in standard categories). You can activate multiple categories by setting up multiple alerts.
❓ Q: How many alerts do I need to set up? A: You need to set up one alert for each crypto category you want to trade. For example, if you want to trade both the "Top Major Coins" and the "DeFi" categories, you'll need to create two separate alerts, one for each category. We recommend starting with one category, testing the results carefully, monitoring performance daily, and perhaps activating additional categories in a second stage.
❓ Q: Are there any specific risk management features built into the indicator? A: Yes, the indicator includes risk management features: adjustable maximum trades per hour/category, the ability to enable/disable long or short signals depending on market conditions, customizable trade size for both long and short positions, and different sensitivity/risk level settings.
❓ Q: What happens if 3Commas can't execute a signal? A: If 3Commas cannot execute a signal (due to insufficient funds, bot offline, etc.), the trade will be skipped. The indicator will continue sending signals for other valid setups, but it doesn't retry failed signals.
❓ Q: Can I run this indicator on multiple charts at once? A: Yes, but it's not necessary. The indicator analyzes all coins in your selected categories regardless of which chart you apply it to. For optimal resource usage, apply it to a single chart of a USDT Perpetual pair from your selected exchange. To stop trading a category delete the alert created for that category.
❓ Q: How frequently does the indicator scan for new signals? A: The indicator scans all coins in your selected categories at the close of each bar (every hour if you selected the 1H timeframe).
3Commas Integration
❓ Q: Do I need a 3Commas account? A: Yes, a 3Commas account with active DCA bots (both LONG and SHORT) is required for automated trade execution. A paid subscription is needed, as multipair Bots and multiple simultaneous deals are involved.
❓ Q: How do I set the leverage? A: Set the leverage identically in both the indicator settings and your 3Commas DCA bots (the max supported leverage is 50x). Always be careful about leverage, as it amplifies both profits and losses.
❓ Q: Where do I find my 3Commas Bot IDs and Email Token? A: Open your 3Commas DCA bot and scroll to the "Messages" section. You'll find the Bot ID and Email Token within any message (e.g., "Start Deal").
Display Settings
❓ Q: What does the Sensitivity setting do? A: It adjusts the sensitivity of signal generation. "Default" provides a balanced approach with moderate signal frequency. "Aggressive" lowers the thresholds for signal generation, potentially increasing trade frequency but may include more noise. "Test Mode" is the most sensitive setting, useful for testing alert configurations but not recommended for live trading. Higher risk levels may generate more signals but with potentially lower average quality, while lower risk levels produce fewer but potentially better signals.
❓ Q: What does "Show fired alerts" do? A: The "Show fired alerts" option displays a label on your chart showing which signals have been fired and sent to 3Commas during the most recent candle closes. This visual indicator helps you confirm that your alerts are working properly and shows which coins from your selected category have triggered signals. It's useful when setting up and testing the system, allowing you to verify that signals are being sent to 3Commas as expected and their frequency over time.
❓ Q: What does "Show coin/token metrics" do? A: This toggle displays detailed technical metrics for the specific coin/token currently shown on your chart. When enabled, it shows statistics for the last closed candle for that coin.
❓ Q: What does "Show most liquid days/times" do? A: This toggle displays color-coded background highlighting to indicate periods of varying market liquidity throughout the trading week. Green backgrounds show generally higher liquidity periods (typically weekday trading hours), yellow highlights potentially manipulative periods (often Sunday/Monday overnight), and gray indicates low liquidity periods (when major markets are closed or during late hours).
⚠️ Disclaimer
This indicator is for informational and educational purposes only and does not constitute financial advice. Trading cryptocurrencies involves significant risk, including the potential loss of all invested capital, and past performance is not indicative of future results.
Always conduct your own thorough research (DYOR) and understand the risks involved before making any trading decisions. Trading with leverage significantly amplifies both potential profits and losses - exercise extreme caution when using leverage and never risk more than you can afford to lose.
The Bot ID and Email Token information are transmitted directly from TradingView to 3Commas via secure connections. No third party or entity will ever have access to this data (including the Author). Do not share your 3Commas credentials with anyone.
This indicator is not affiliated with, endorsed by, or sponsored by TradingView or 3Commas.
Morning Range Breakout StrategyTo use this script in TradingView:
Open the Pine Editor
Paste this code
Save the script
Apply it to a 1-minute chart
Renko with SAR StrategyMy ETH Contract Strategy (updated)
The updated version of my ETH Contract Strategy comes! I added SAR in this strategy to perform more effetctively.
Strategy Objectives
Capture both long and short opportunities in ETH.
Use the closing price as the basis for opening and closing trades to reduce noise and avoid frequent intraday triggers(with SAR together).
Core Tool
Renko Chart
SAR Zone
Core Concept
Generate buy and sell signals using the crossover of the Renko & SAR chart’s opening and closing prices, combined with dynamic adjustments based on ATR (Average True Range).
Risk Management
Position Sizing: Risk only 1 contract of the account balance per trade (adjustable).
Stop Loss
None. Close the position and open a new one when a reversal signal appears.This Strategy's safety is good enough.
Take Profit
None. Close the position and open a new one when a reversal signal appears.
Why Use This Strategy?
Simple and Effective: Combines fast signals with trend filtering to avoid blind trading.
Usage Recommendations
Best suited for ETH, with optimal performance on 15min、30min、1h 、4h charts (also works for BTC). Not suitable for other coins. My tests started with $1,000, and the returns have been promising.