kazzi_brahim1Here’s a simple strategy combining indicators:
Trend Identification: Use a 50-period EMA to determine the trend (price above EMA = uptrend, price below EMA = downtrend).
Entry Signal: Use RSI to identify overbought/oversold conditions in the direction of the trend.
Confirmation: Use MACD to confirm momentum.
Exit: Set a stop-loss below the recent swing low (for long trades) or above the recent swing high (for short trades). Take profit at a 2:1 risk-reward ratio.
Moving Averages
Ichimoku Cloud with EMA and TREND Ichimoku Cloud + EMA 34 & EMA 50 Crossover Trading Strategy
This strategy combines the Ichimoku Cloud with Exponential Moving Averages (EMA 34 & EMA 50) to identify strong trends and high-probability trade entries.
1. Components of the Strategy
🔹 Ichimoku Cloud (Kumo)
The Ichimoku Cloud is a comprehensive indicator that provides trend direction, support/resistance levels, and momentum. The key components include:
Kumo (Cloud): The shaded area that indicates trend strength and direction.
Tenkan-Sen (Conversion Line, 9-period): Short-term trend indicator.
Kijun-Sen (Base Line, 26-period): Medium-term trend indicator.
Chikou Span (Lagging Line, 26 periods back): Confirms trends when above or below price.
Senkou Span A & B (Leading Span A & B, forming the Cloud): Defines support/resistance levels.
🔹 EMA 34 & EMA 50 (Exponential Moving Averages)
EMA 34: A short-term trend-following indicator that reacts quickly to price changes.
EMA 50: A medium-term trend indicator that helps confirm trend direction.
Crossover Signal:
Bullish Crossover: EMA 34 crosses above EMA 50 → Uptrend Confirmation.
Bearish Crossover: EMA 34 crosses below EMA 50 → Downtrend Confirmation.
2. Entry & Exit Rules
✅ Bullish Entry (Buy Setup)
Price above the Ichimoku Cloud → Confirms an uptrend.
EMA 34 crosses above EMA 50 → Confirms bullish momentum.
Tenkan-Sen is above Kijun-Sen → Strong trend confirmation.
Chikou Span is above the price & Cloud → Confirms strength in the trend.
Entry Trigger: Enter a buy trade when the above conditions are met.
🔹 Stop-Loss (SL): Below the Cloud or recent swing low.
🔹 Take Profit (TP):
First TP at 1:2 risk-reward ratio.
Second TP at major resistance levels.
❌ Bearish Entry (Sell Setup)
Price below the Ichimoku Cloud → Confirms a downtrend.
EMA 34 crosses below EMA 50 → Confirms bearish momentum.
Tenkan-Sen is below Kijun-Sen → Strong trend confirmation.
Chikou Span is below the price & Cloud → Confirms bearish trend.
Entry Trigger: Enter a sell trade when the above conditions are met.
🔹 Stop-Loss (SL): Above the Cloud or recent swing high.
🔹 Take Profit (TP):
First TP at 1:2 risk-reward ratio.
Second TP at key support levels.
3. Advantages of This Strategy
✅ Combines momentum and trend confirmation → Higher accuracy in identifying strong trends.
✅ Works well in trending markets → Filters out sideways markets.
✅ Ichimoku Cloud provides dynamic support/resistance → Helps in stop-loss placement.
BORSI StrategyEMA: The strategy uses a 50-period EMA to determine the trend direction.
Buy Condition: The price must be above the EMA (indicating an uptrend).
Sell Condition: The price must be below the EMA (indicating a downtrend).
RSI: The RSI is used to identify overbought and oversold conditions:
Buy Condition: The RSI crosses above the oversold level (30) when the price is above the EMA.
Sell Condition: The RSI crosses below the overbought level (70) when the price is below the EMA.
Multi-SMA Strategy - Core SignalsTick-Precise Cross Detection:
Uses bar's high/low for real-time cross detection
Compares current price action with previous bar's position
Works across all timezones and trading sessions
Three-Layer Trend Filter:
Requires 50 > 100 > 200 SMA for uptrends
Requires 50 < 100 < 200 SMA for downtrends
Adds inherent market structure confirmation
Responsive Exit System:
Closes longs when price breaks below 20 SMA
Closes shorts when price breaks above 20 SMA
Uses same tick-precise logic as entries
Universal Time Application:
No fixed time references
Pure price-based calculations
Works on any chart timeframe (1m - monthly)
Signal Logic Summary:
+ Long Entry: Tick cross above 50 SMA + Uptrend hierarchy
- Long Exit: Price closes below 20 SMA
+ Short Entry: Tick cross below 50 SMA + Downtrend hierarchy
- Short Exit: Price closes above 20 SMA
Komut
//@version=5
strategy("Multi-SMA Strategy - Core Signals", overlay=true)
// ———— Universal Inputs ———— //
int smaPeriod1 = input(20, "Fast SMA")
int smaPeriod2 = input(50, "Medium SMA")
bool useTickCross = input(true, "Use Tick-Precise Crosses")
// ———— Timezone-Neutral Calculations ———— //
sma20 = ta.sma(close, smaPeriod1)
sma50 = ta.sma(close, smaPeriod2)
sma100 = ta.sma(close, 100)
sma200 = ta.sma(close, 200)
// ———— Tick-Precise Cross Detection ———— //
golden_cross = useTickCross ?
(high >= sma50 and low < sma50 ) :
ta.crossover(sma20, sma50)
death_cross = useTickCross ?
(low <= sma50 and high > sma50 ) :
ta.crossunder(sma20, sma50)
// ———— Trend Filter ———— //
uptrend = sma50 > sma100 and sma100 > sma200
downtrend = sma50 < sma100 and sma100 < sma200
// ———— Entry Conditions ———— //
longCondition = golden_cross and uptrend
shortCondition = death_cross and downtrend
// ———— Exit Conditions ———— //
exitLong = ta.crossunder(low, sma20)
exitShort = ta.crossover(high, sma20)
// ———— Strategy Execution ———— //
strategy.entry("Long", strategy.long, when=longCondition)
strategy.entry("Short", strategy.short, when=shortCondition)
strategy.close("Long", when=exitLong)
strategy.close("Short", when=exitShort)
// ———— Clean Visualization ———— //
plot(sma20, "20 SMA", color.new(color.blue, 0))
plot(sma50, "50 SMA", color.new(color.red, 0))
plot(sma100, "100 SMA", color.new(#B000B0, 0), linewidth=2)
plot(sma200, "200 SMA", color.new(color.green, 0), linewidth=2)
// ———— Signal Markers ———— //
plotshape(longCondition, "Long Entry", shape.triangleup, location.belowbar, color.green, 0)
plotshape(shortCondition, "Short Entry", shape.triangledown, location.abovebar, color.red, 0)
plotshape(exitLong, "Long Exit", shape.xcross, location.abovebar, color.blue, 0)
plotshape(exitShort, "Short Exit", shape.xcross, location.belowbar, color.orange, 0)
Leading Indicator - MACD + RSI### *How It Works*
1. *MACD*:
- The MACD line is calculated as the difference between the 12-period and 26-period exponential moving averages (EMAs).
- A signal line (9-period EMA of the MACD line) is used to generate crossover signals.
2. *RSI*:
- RSI is used to measure momentum and identify overbought/oversold conditions.
- Signals are filtered to avoid overbought/oversold zones, ensuring the indicator acts as a leading tool.
3. *Signals*:
- A *BUY* signal is generated when:
- MACD line crosses above the signal line (bullish momentum).
- RSI is above the oversold level but below the overbought level (momentum is building).
- A *SELL* signal is generated when:
- MACD line crosses below the signal line (bearish momentum).
- RSI is below the overbought level but above the oversold level (momentum is weakening).
---
### *How to Use*
1. Copy and paste the script into TradingView's Pine Script editor.
2. Add the indicator to your chart.
3. Adjust the input parameters (e.g., MACD lengths, RSI length) to suit your trading style.
4. Use the BUY/SELL signals to identify potential entry and exit points.
---
### *Customization*
- You can add more filters, such as volume or trend confirmation (e.g., using a moving average).
- Experiment with different lengths for MACD and RSI to optimize for your preferred time frame.
5SMA Trend filter w/optional 10,20,50,200 moving averagesTrend filter indicator to determine ideal price action for long or short trades.
Cloud attached between price and 5SMA.
Using the 5SMA direction and relativity to price, two signals to help filter out head fakes.
If price > 5SMA and SMA pointing up then green cloud.
If price < 5SMA and SMA point down then red cloud.
If price > 5SMA and SMA pointing down or price < 5SMA and 5SMA pointing up then
Optional 10,20,50,200 simple moving averages.
Compatible with multiple timeframes.
Kalman FilterKalman Filter Indicator Description
This indicator applies a Kalman Filter to smooth the selected price series (default is the close) and help reveal the underlying trend by filtering out market noise. The filter is based on a recursive algorithm consisting of two main steps:
Prediction Step:
The filter predicts the next state using the last estimated value and increases the uncertainty (error covariance) by adding the process noise variance (Q). This step assumes that the price follows a random walk, where the last known estimate is the best guess for the next value.
Update Step:
The filter computes the Kalman Gain, which determines the weight given to the new measurement (price) versus the prediction. It then updates the state estimate by combining the prediction with the measurement error (using the measurement noise variance, R). The error covariance is also updated accordingly.
Key Features:
Customizable Input:
Source: Choose any price series (default is the closing price) for filtering.
Measurement Noise Variance (R): Controls the sensitivity to new measurements (default is 0.1). A higher R makes the filter less responsive.
Process Noise Variance (Q): Controls the assumed level of inherent price variability (default is 0.01). A higher Q allows the filter to adapt more quickly to changes.
Visual Trend Indication:
The filtered trend line is plotted directly on the chart:
When enabled, the line is colored green when trending upward and red when trending downward.
If color option is disabled, the line appears in blue.
This indicator is ideal for traders looking to smooth price data and identify trends more clearly by reducing the impact of short-term volatility.
Estrategia de Tendencia ( javieresfeliz )Trend Strategy ( javieresfeliz )
This strategy uses Moving Average crossovers to look for buying and selling opportunities, it is recommended to use it on 5m, 30m and 1 day charts, since theory says that the MAs used should be more effective. In any case, it could be profitable in all periods if used in conjunction with other indicators.
--------------------------------------------------------------
Estrategia de Tendencia ( javieresfeliz )
Esta estrategia utiliza cruces de Medias Móviles para buscar oportunidades de compra y venta, se recomienda usarlo en gráficos de 5m, 30m y 1 día, ya que la teoría dice que las MAs utilizadas deberían ser más efectivas. De todas formas podría ser rentable en todas las temporalidades si se usa en conjunto de otros indicadores.
Support/Resistance (by xSizze)Этот индикатор будет полезен для тех, кто ищет развороты на графиках, особенно вблизи ключевых уровней поддержки и сопротивления, и помогает с управлением рисками через стоп-лоссы и тейк-профиты.
Momentum-Based Bitcoin StrategyMomentum-Based Bitcoin Strategy with Multi-Timeframe Confirmation
This Pine Script strategy is designed for Bitcoin traders looking to capture momentum-driven breakout moves and potential reversals. The script leverages key technical indicators such as moving average crossovers (EMA-20 and EMA-50), MACD crossovers, and RSI oversold conditions to generate buy signals. It integrates multi-timeframe analysis by confirming trends on higher timeframes (e.g., daily) while executing entries on lower timeframes (e.g., hourly).
Key Features:
Multi-Timeframe Analysis: Confirms higher timeframe trends before entering trades.
Momentum Signals: Moving average and MACD crossovers for breakout detection.
Dynamic Risk Management: ATR-based stop losses for position sizing and volatility control.
Alerts: Push notifications for both entries and exits to stay updated in real time.
Use Case: Ideal for momentum traders who want to combine technical confluence and dynamic risk management to capture breakout movements and limit downside risk effectively.
EMA + MACD + RSI Strategyİstediğiniz strateji ve indikatörler için aşağıda Pine Script kodu örneği sunuyorum. Bu kod, belirttiğiniz 5 EMA, 14 EMA, 34 EMA ve 55 EMA koşullarına göre alım ve satım sinyalleri oluşturur. Ayrıca, MACD sıfır çizgisini kestiğinde alım koşulunu tetikler ve RSI 50'nin üzerinde olması gerektiği şartı da ekler. Stop-loss ve take-profit seviyeleri de belirttiğiniz gibi 34 EMA'ya göre ayarlanır.
İşte Pine Script stratejisi:
```pinescript
//@version=5
indicator("EMA + MACD + RSI Strategy", overlay=true)
// Parametreler
length5 = 5
length14 = 14
length34 = 34
length55 = 55
rsiLength = 14
macdShort = 12
macdLong = 26
macdSignal = 9
// EMA Hesaplamaları
ema5 = ta.ema(close, length5)
ema14 = ta.ema(close, length14)
ema34 = ta.ema(close, length34)
ema55 = ta.ema(close, length55)
// RSI Hesaplaması
rsi = ta.rsi(close, rsiLength)
// MACD Hesaplaması
= ta.macd(close, macdShort, macdLong, macdSignal)
macdZeroCross = ta.crossover(macdLine, 0) or ta.crossunder(macdLine, 0)
// Alış ve Satış Koşulları
longCondition = ema5 > ema14 and ema14 > ema34 and ema34 > ema55 and macdZeroCross and rsi > 50
shortCondition = ema5 < ema14 and ema14 < ema34 and ema34 < ema55 and macdZeroCross and rsi < 50
// Plotlar
plot(ema5, color=color.blue, linewidth=1)
plot(ema14, color=color.green, linewidth=1)
plot(ema34, color=color.red, linewidth=1)
plot(ema55, color=color.orange, linewidth=1)
plot(rsi, title="RSI", color=color.purple, linewidth=1, style=plot.style_line)
// Alış ve Satış Sinyalleri
if (longCondition)
strategy.entry("Long", strategy.long)
if (shortCondition)
strategy.entry("Short", strategy.short)
// Stop-loss ve Take-profit hesaplamaları
stopLoss = ema34
takeProfit = stopLoss * 3
// Stop-loss ve Take-profit Stratejisi
strategy.exit("Exit Long", from_entry="Long", stop=stopLoss, limit=takeProfit)
strategy.exit("Exit Short", from_entry="Short", stop=stopLoss, limit=takeProfit)
```
### Açıklamalar:
- **EMA Koşulları**: 5 EMA'nın 14 EMA'nın üzerinde, 14 EMA'nın 34 EMA'nın üzerinde ve 34 EMA'nın 55 EMA'nın üzerinde olması koşuluyla alım sinyali oluşur.
- **MACD**: MACD sıfır çizgisini kestiğinde alım koşulu tetiklenir (yükseliş için sıfırdan yukarı kesiş, düşüş için sıfırdan aşağı kesiş).
- **RSI**: RSI değeri 50'nin üzerinde olmalıdır.
- **Stop-Loss ve Take-Profit**: Stop-loss 34 EMA'ya yerleştirilir ve take-profit, bu seviyenin 1.5 katı kadar belirlenir.
- **Çizimler**: EMA'lar grafikte farklı renklerle çizilir. Ayrıca RSI'yi de izleyebilirsiniz.
Bu strateji, alım koşulunda EMA'ların sıralamasına, MACD'nin sıfır kesişine ve RSI'nin 50'nin üzerinde olmasına dayanır. Stop-loss ve take-profit seviyeleri de belirttiğiniz gibi hesaplanır.
Bu stratejiyi TradingView üzerinde test edebilir ve optimize edebilirsiniz.
EMA & Volume Profile with POCEMAs:
Blue line for the 9-day EMA.
Red line for the 15-day EMA.
Volume Profile:
Calculates the volume profile for the last 50 candles.
Adjusts automatically based on the selected length.
POC (Point of Control):
The most traded price level is highlighted as a yellow dotted line.
Notes:
The volume profile is simplified into 20 bins for efficiency and better visualization.
You can adjust the vpLength input to calculate the volume profile over a different number of candles.
EMA 200 + Stochastic StrategyEMA 200 + Stochastic Strategy give buy and sell signals by ahmad yousef
Multi EMAMMulti EMA, farklı periyotlara sahip Üstel Hareketli Ortalamaları (EMA) kullanarak fiyat hareketlerini analiz eden ve trend yönünü belirlemeye yardımcı olan bir teknik analiz göstergesidir.
Bu gösterge, 5 farklı EMA değerini aynı anda grafik üzerine çizer ve fiyatın bu EMA seviyeleriyle olan ilişkisine göre mum çubuklarını renklendirerek trend değişimlerini görselleştirir.
Solana 5min Buy/Sell Indicator 88.7% winratedont trade when there is consolidation its nto good. also this is an AI indicator, I personally backtested it and it works very well, hit a 2:1 win ratio and you should be fine, also some times just dont have a stop loss and or set it lower cause for some of the win (not that large of the margin fo them they go a diffrent direction first for like 2 min then move torwards signal
20/50 EMA Crossover by Shravanits a simple 20/50 ema crossover
it provide signal when a crossover is happend
EMA lines with confluence gridThis indicator uses 2 EMA's (8 and 14 default) and uses a grid to tell you when they cross over!
Bobs Fibonacci Moving Averages 2.0Bob's Fibonacci Moving Averages plots ten moving averages based on Fibonacci sequence lengths, helping traders identify trends and price movements. It includes customizable smoothing options like SMA, EMA, and WMA for enhanced flexibility. Ideal for multi-timeframe analysis and trend confirmation.
Bobs Fibonacci Moving AveragesBob's Fibonacci Moving Averages plots ten moving averages based on Fibonacci sequence lengths, helping traders identify trends and price movements. It includes customizable smoothing options like SMA, EMA, and WMA for enhanced flexibility. Ideal for multi-timeframe analysis and trend confirmation.
Ansh Intraday Crypto Strategy v6This strategy is designed to take advantage of intraday market movements in the cryptocurrency space by combining multiple powerful technical indicators to generate high-probability trade signals. It incorporates:
Exponential Moving Average (EMA): The 55-period EMA is used as the backbone of the strategy, helping to identify the prevailing market trend. If the price is above the EMA, it's considered a bullish trend, and if the price is below, it's considered a bearish trend.
Relative Strength Index (RSI): The strategy employs the RSI to gauge market conditions and detect overbought or oversold conditions. A low RSI (below 30) indicates oversold conditions, which can signal potential buying opportunities, while a high RSI (above 70) suggests overbought conditions, which can signal potential selling opportunities.
Volume Spike: By incorporating volume analysis, the strategy ensures that trades are made when there is significant market interest. A volume spike, defined as volume higher than the average over a specific period, helps to confirm the strength of a price move, adding reliability to the signals.
Support and Resistance Levels: The strategy identifies key support and resistance levels based on recent price action. This enables the strategy to position trades near these critical zones, increasing the chances of successful entries and exits.
Candlestick Confirmation: The strategy incorporates candlestick patterns to confirm trade signals. Bullish signals are confirmed with a close above the open (indicating buying pressure), while bearish signals are confirmed with a close below the open (indicating selling pressure).
By combining these indicators, the Refined Intraday Crypto Strategy v5 aims to catch high-quality trade setups with strong risk-reward potential. It is an ideal strategy for active traders looking to capitalize on short-term price movements in volatile crypto markets.
With precise entry and exit points based on robust technical analysis, this strategy seeks to reduce risk and improve the consistency of profitable trades. It’s an excellent tool for both new and experienced traders in the fast-paced world of cryptocurrency.
4 SMA's and Volume signsthis script aims to show the main candles which cross the SMA with it is Volume. this is for advanced analysis. you can use it to enhance the strategies