Crypto Scanner IndicatorExplanation of Criteria
Highest High of 125 Days:
Compares the current closing price to the highest price in the last 125 days.
Triggers when the close equals the highest high (adjust to >= if you want to include closes above prior highs).
Volume Double the 125-Day Average:
Checks if the current volume is at least twice the average volume of the past 125 days.
RSI Below 70:
Uses the 14-period RSI to avoid overbought conditions (RSI < 70).
אינדיקטורים ואסטרטגיות
MY MADAM DIOR'S GOLD STRATEGY MY MADAM DIOR'S GOLD 10-Minute Strategy is designed for trading Gold vs. USD on a 10-minute timeframe. By combining multiple technical indicators (MACD, RSI, Bollinger Bands, and ATR), the strategy effectively captures both trend-following and reversal opportunities, with adaptive risk management for varying market volatility. This approach balances high-probability entries with robust volatility management, making it suitable for traders seeking to optimise entries during significant price movements and reversals.
Key Components and Logic:
MACD (12, 26, 9):
Generates buy signals on MACD Line crossovers above the Signal Line and sell signals on crossovers below the Signal Line, helping to capture momentum shifts.
RSI (14):
Utilizes oversold (below 35) and overbought (above 65) levels as a secondary filter to validate entries and avoid overextended price zones.
Bollinger Bands (20, 2):
Uses upper and lower Bollinger Bands to identify potential overbought and oversold conditions, aiming to enter long trades near the lower band and short trades near the upper band.
ATR-Based Stop Loss and Take Profit:
Stop Loss and Take Profit levels are dynamically set as multiples of ATR (3x for stop loss, 5x for take profit), ensuring flexibility with market volatility to optimise exit points.
Entry & Exit Conditions:
Buy Entry: Triggered when any of the following conditions are met:
MACD Line crosses above the Signal Line
RSI is oversold
Price drops below the lower Bollinger Band
Sell Entry: Triggered when any of the following conditions are met:
MACD Line crosses below the Signal Line
RSI is overbought
Price moves above the upper Bollinger Band
Exit Strategy: Trades are closed based on opposing entry signals, with adaptive spread adjustments for realistic exit points.
Backtesting Configuration & Results:
Backtesting Period: July 21, 2024, to October 30, 2024
Symbol Info: XAUUSD, 10-minute timeframe, OANDA data source
Backtesting Capital: Initial capital of $700, with each trade set to 10 contracts (equivalent to approximately 0.1 lots based on the broker’s contract size for gold).
Users should confirm their broker's contract size for gold, as this may differ. This script uses 10 contracts for backtesting purposes, aligned with 0.1 lots on brokers offering a 100-contract specification.
This backtest reflects realistic conditions, with a spread adjustment of 38 points and no slippage or commission applied. The settings aim to simulate typical retail trading conditions. However, please adjust the initial capital, contract size, and other settings based on your account specifics for best results.
Usage:
This strategy is tuned specifically for XAUUSD on a 10-minute timeframe, ideal for both trend-following and reversal trades. The ATR-based stop loss and take profit levels adapt dynamically to market volatility, optimising entries and exits in varied conditions. To backtest this script accurately, ensure your broker’s contract specifications for gold align with the parameters used in this strategy.
MY MADAM DIOR.....💃
Ultimate Multi-Timeframe Indicator//@version=5
indicator("Ultimate Multi-Timeframe Indicator", overlay=true)
// EMA Ayarları
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
trendBullish = ta.crossover(ema50, ema200)
trendBearish = ta.crossunder(ema50, ema200)
// RSI Ayarları
rsi = ta.rsi(close, 14)
rsiOverbought = 70
rsiOversold = 30
rsiBullish = rsi < rsiOversold
rsiBearish = rsi > rsiOverbought
// MACD Ayarları
= ta.macd(close, 12, 26, 9)
macdBullish = ta.crossover(macdLine, signalLine)
macdBearish = ta.crossunder(macdLine, signalLine)
// Bollinger Bantları
bbBasis = ta.sma(close, 20)
bbUpper = bbBasis + ta.stdev(close, 20) * 2
bbLower = bbBasis - ta.stdev(close, 20) * 2
bbBreakout = close > bbUpper or close < bbLower
// Giriş & Çıkış Sinyalleri
buySignal = trendBullish and macdBullish and rsiBullish
sellSignal = trendBearish and macdBearish and rsiBearish
// Grafikte Gösterimler
plot(ema50, color=color.blue, title="EMA 50")
plot(ema200, color=color.red, title="EMA 200")
plot(bbUpper, color=color.green, title="Bollinger Upper")
plot(bbLower, color=color.green, title="Bollinger Lower")
plot(bbBasis, color=color.orange, title="Bollinger Basis")
// Alış & Satış İşaretleri
plotshape(series=buySignal, location=location.belowbar, color=color.green, style=shape.labelup, title="BUY Signal", text="BUY")
plotshape(series=sellSignal, location=location.abovebar, color=color.red, style=shape.labeldown, title="SELL Signal", text="SELL")
// Uyarılar
alertcondition(buySignal, title="BUY Alert", message="Strong Buy Signal")
alertcondition(sellSignal, title="SELL Alert", message="Strong Sell Signal")
// Al-Sat Sinyalleri için Etiketler
bgcolor(buySignal ? color.green : na, transp=90)
bgcolor(sellSignal ? color.red : na, transp=90)
NSE Index Strategy with Entry/Exit MarkersExplanation of the Code
Trend Filter (200 SMA):
The line trendSMA = ta.sma(close, smaPeriod) calculates the 200‑period simple moving average. By trading only when the current price is above this SMA (inUptrend = close > trendSMA), we aim to trade in the direction of the dominant trend.
RSI Entry Signal:
The RSI is calculated with rsiValue = ta.rsi(close, rsiPeriod). The script checks for an RSI crossover above the oversold threshold using ta.crossover(rsiValue, rsiOversold). This helps capture a potential reversal from a minor pullback in an uptrend.
ATR-Based Exits:
ATR is computed by atrValue = ta.atr(atrPeriod) and is used to set the stop loss and take profit levels:
Stop Loss: stopLossPrice = close - atrMultiplier * atrValue
Take Profit: takeProfitPrice = close + atrMultiplier * atrValue
This dynamic approach allows the exit levels to adjust according to the current market volatility.
Risk and Money Management:
The strategy uses a fixed percentage of equity (10% by default) for each trade. The built‑in commission parameter helps simulate real-world trading costs.
Multi-Timeframe Triple MA SuiteA versatile multi-timeframe indicator featuring three customizable moving averages. Perfect for trend analysis across different timeframes and trading strategies.
Key Features:
• 7 Moving Average Types for each line:
- EMA (Exponential Moving Average)
- SMA (Simple Moving Average)
- RMA (Rolling Moving Average)
- VWMA (Volume Weighted Moving Average)
- WMA (Weighted Moving Average)
- TEMA (Triple Exponential Moving Average)
- SMMA (Smoothed Moving Average)
• Independent settings for each MA:
- Customizable timeframe
- Adjustable period length
- Selectable data source (close, open, high, low, hl2, hlc3, ohlc4)
• Visual Features:
- Color-coded lines for easy identification
- Adjustable line thickness
- Clean and intuitive interface
Usage Examples:
1. Trend Following: Use different timeframe MAs to identify multi-timeframe trends
2. Support/Resistance: Use as dynamic support and resistance levels
3. Cross Strategy: Monitor crossovers between different MA types
4. Trend Strength: Compare MA alignment across timeframes
Perfect for:
• Day traders
• Swing traders
• Position traders
• Multi-timeframe analysis
• Custom trading strategies
This indicator combines flexibility with powerful analysis capabilities, allowing traders to adapt it to various trading styles and market conditions.
Relative Strength Comparison RSC HoneyThis Indicator helps to compare between assets on the quantum basis
Every year beginningHelp you to find the beginning of the year by a vertical line. Very good for backtesting in HTF.
Segnale Volume XYou get a flag when the volume of the candle is X time over the averga volume of the last Y candles
TFX_FF_LIB [LIVE]This is a public library from TheCrewFX, LLC which it contains a dictionary of functions to obtain regular static data.
Custom Bar Coloring_WKColor your bar display according to the relative positions comparing to SMA.
This is for WK layout.
Custom Bar Coloring_DailyColor your bar according to SMA. This is for daily layout.
Suggest to trade only when bar color=black or red.
EMA 9 and 21 Crossover Labels (One Trade at a Time)What this code does is, it tests if EMA9 is crossed above EMA21 in 10 mins, if it does then it signals buy. And gives sell signal when EMA9 is crossed below EMA21.
RFX - Predator [Yoshio & Borges]Resposta que a IA deu:
Eu estou desenvolvendo um sistema que monitora cada moeda individualmente para identificar quando ela está em uma tendência clara e no ponto ideal de entrada.
Esse sistema analisa diferentes timeframes, levando em conta fatores como tendência macro, sobrecompra/sobrevenda e confirmações de movimento.
Com isso, eu consigo encontrar pares de moedas onde uma está em um forte momento de compra e a outra em um forte momento de venda, gerando setups de altíssima probabilidade.
Por exemplo, se meu sistema identificar que o dólar está enfraquecendo e o euro está ganhando força, ele pode sugerir uma compra em EUR/USD no momento exato em que o preço começar a confirmar a alta.
Strat Auto BFI was Inspired by Rob Smith and Fico Jordan to save traders time and energy by auto highlighting your scenario 3's. *WORK IN PROGRESS*
FutureFire v5 - 23/35 Candle Tracker with Custom ColorsThis indicator is designed to track the 23 and the 35 of every hour to help with identifying crucial swing points for intraday trading.
DiNapoli MACDThis indicator applies a modified version of the traditional MACD based on DiNapoli’s methodology. It computes two exponential moving averages using a fast period of 8 and a slow period of 17 to generate the MACD line, then derives a 9-period exponential moving average of this MACD line as the signal line. The histogram represents the difference between the MACD line and the signal line, providing a visual cue for potential trend changes.
Default Settings:
Fast EMA Length: 8
Slow EMA Length: 17
Signal EMA Length: 9
Source: close
Basic Price Action IndicatorKey Features:
Support and Resistance: Identifies support and resistance levels based on the highest and lowest values of the last 20 bars (you can adjust the lookback period with the input).
Bullish Engulfing Pattern: Recognizes when a bullish engulfing candlestick pattern occurs and marks it below the bar.
Bearish Engulfing Pattern: Recognizes when a bearish engulfing candlestick pattern occurs and marks it above the bar.
Background Coloring: Highlights the chart background with a green or red color based on the pattern detected, providing an easy visual cue.
How to Use:
Support and Resistance levels will be plotted on the chart as green and red lines.
Bullish Engulfing patterns will be marked below the bars with a “BUY” label.
Bearish Engulfing patterns will be marked above the bars with a “SELL” label.
The background color will change based on the detected price action pattern (green for bullish, red for bearish).
CryptoCipher Free (CCF)CryptoCipher Free (CCF) – User Guide
📌 Version: Open-Source | Educational Use Only
🚀 What is CryptoCipher Free (CCF)?
CryptoCipher Free (CCF) is a momentum and divergence-based indicator designed to help traders identify:
✅ Trend Reversals (WaveTrend & VWAP)
✅ Divergences (Bullish & Bearish)
✅ Money Flow Strength (Capital Inflows/Outflows)
✅ Momentum Shifts (Trigger Waves & RSI Signals)
Inspired by VuManChu Cipher B & Market Cipher, but fully custom-built, CCF combines key market indicators into one easy-to-use tool for crypto traders.
📈 Key Features & How to Use Them
🔹 1. WaveTrend Oscillator (WT) – Tracks Momentum
Green & Red Lines: Show momentum shifts.
Crossover Strategy:
Buy Signal = Green WT line crosses above Red WT line while oversold.
Sell Signal = Green WT line crosses below Red WT line while overbought.
🔹 2. Divergence Detection – Identifies Strengthening & Weakening Trends
Bullish Divergence (Green Label): Price is making lower lows, but momentum is rising → Potential Uptrend Reversal.
Bearish Divergence (Red Label): Price is making higher highs, but momentum is weakening → Potential Downtrend Reversal.
🔹 3. Money Flow Index (MFI) – Detects Market Pressure
Green Waves = Positive Money Flow (More Buying Pressure).
Red Waves = Negative Money Flow (More Selling Pressure).
Stronger & Wider Waves → Stronger Market Pressure.
🔹 4. VWAP Oscillator – Identifies Fair Value Zones
VWAP Above Zero = Overvalued Zone (Potential Reversal Down).
VWAP Below Zero = Undervalued Zone (Potential Reversal Up).
🔹 5. RSI & Stochastic RSI – Confirms Trend Strength
RSI Above 70 = Overbought (Potential Drop).
RSI Below 30 = Oversold (Potential Bounce).
Color-Coded for Quick Reading:
🔴 Red = Overbought
🟢 Green = Oversold
⚪ White = Neutral
🎯 Recommended Settings for Different Trading Styles
💰 Scalpers & Day Traders:
Lower Divergence Threshold (20-30) for more frequent but noisier signals.
Focus on VWAP & MFI confirmation for short-term trades.
📊 Swing Traders (Default Settings):
Keep Divergence Threshold at 30-35 for more reliable signals.
Look for WaveTrend crossovers & MFI waves aligning before entering trades.
⏳ Long-Term Investors (Higher Timeframes):
Increase Divergence Threshold (40-45) to filter out smaller moves.
Use VWAP & RSI for trend confirmations over larger periods (Daily/Weekly charts).
⚠️ Important Notes & Risk Management
No indicator is 100% accurate – always combine CCF with other analysis methods.
Use Stop-Loss & Risk Management to avoid unnecessary losses.
Crypto markets are highly volatile – adjust settings based on market conditions.CryptoCipher Free (CCF) is a powerful, all-in-one tool for momentum and divergence trading.
✅ Easy to Use – Designed for traders of all levels.
✅ Fully Customizable – Adjust sensitivity, colors, and alerts.
✅ Open-Source & Free – Use it, modify it, and learn from it.
Wickless Candle Indicator with Extended Lines (final)This Pine Script indicator identifies “wickless” candles—those with no upper wick (when the close equals the high) or no lower wick (when the open equals the low)—and marks these events on the chart. When such a candle is detected, it:
Records the Level and Bar Index:
Saves the price level (high for wickless tops, low for wickless bottoms) and the bar index where the condition occurred.
Draws an Extended Horizontal Line:
Creates a green horizontal line for a wickless top or a red line for a wickless bottom, starting at the detection bar and extending across subsequent bars as long as the price remains below (for tops) or above (for bottoms) the recorded level.
Resets When the Price Breaks the Level:
If a future bar’s price moves beyond the saved level (i.e., a high above a wickless top or a low below a wickless bottom), the indicator resets that level, ending the extension of the line.
Visual Markers:
Additionally, it plots a small triangle above a wickless top and below a wickless bottom for easy identification on the chart.
Overall, this script helps traders visualize potential support or resistance levels created by candles that close at their highs or open at their lows, with lines that dynamically adjust as price evolves.
Mega Indicador (9 Indicadores Ajustados)Mega Indicador (9 Indicadores Ajustados) apenas estou testando isso por favor não usem !